From 573a1e9cfe459c01946fd0f78829fdbd985ba3ce Mon Sep 17 00:00:00 2001 From: Adam Piontek Date: Sat, 28 Jan 2023 08:14:32 -0500 Subject: [PATCH] move more fully to runtime config with release, improved docker build, updated phx liveview js --- .dockerignore | 45 ++++++++ .gitignore | 1 + Dockerfile | 109 ++++++++++++++---- Dockerfile.bak | 31 +++++ README.md | 70 ++++++++--- assets/package-lock.json | 9 +- assets/package.json | 2 +- config/config.exs | 7 -- config/runtime.exs | 10 +- lib/shift73k.ex | 28 ++++- lib/shift73k/mailer/user_email.ex | 9 +- lib/shift73k/release.ex | 28 +++++ .../shifts/templates/shift_template.ex | 4 +- .../live/shift_assign_live/index.ex | 2 +- .../live/shift_assign_live/index.html.heex | 2 +- .../live/shift_import_live/index.html.heex | 2 +- .../shift_template_live/form_component.ex | 2 +- .../form_component.html.heex | 2 +- lib/shift73k_web/live/user/reset_password.ex | 6 +- .../live/user_management/index.ex | 2 +- .../plugs/ensure_allow_registration_plug.ex | 5 +- .../layout/navbar/_shifts_menu.html.heex | 8 +- lib/shift73k_web/views/layout_view.ex | 5 +- .../views/user_confirmation_view.ex | 6 +- .../views/user_reset_password_view.ex | 6 +- lib/shift73k_web/views/user_session_view.ex | 6 +- mix.exs | 5 +- .../app-6b490c3bfbd4fd9a3a19b678041545bf.js | 82 +++++++++++++ ...app-6b490c3bfbd4fd9a3a19b678041545bf.js.gz | Bin 0 -> 48683 bytes .../app-e94dbfbd324cca1ea4e492e0a02b9cf8.js | 82 ------------- ...app-e94dbfbd324cca1ea4e492e0a02b9cf8.js.gz | Bin 47341 -> 0 bytes priv/static/assets/app.js | 44 +++---- priv/static/assets/app.js.gz | Bin 47341 -> 48683 bytes priv/static/cache_manifest.json | 4 +- rel/overlays/bin/migrate | 3 + rel/overlays/bin/migrate.bat | 1 + rel/overlays/bin/server | 3 + rel/overlays/bin/server.bat | 2 + 38 files changed, 428 insertions(+), 205 deletions(-) create mode 100644 .dockerignore create mode 100644 Dockerfile.bak create mode 100644 lib/shift73k/release.ex create mode 100644 priv/static/assets/app-6b490c3bfbd4fd9a3a19b678041545bf.js create mode 100644 priv/static/assets/app-6b490c3bfbd4fd9a3a19b678041545bf.js.gz delete mode 100644 priv/static/assets/app-e94dbfbd324cca1ea4e492e0a02b9cf8.js delete mode 100644 priv/static/assets/app-e94dbfbd324cca1ea4e492e0a02b9cf8.js.gz create mode 100755 rel/overlays/bin/migrate create mode 100755 rel/overlays/bin/migrate.bat create mode 100755 rel/overlays/bin/server create mode 100755 rel/overlays/bin/server.bat diff --git a/.dockerignore b/.dockerignore new file mode 100644 index 00000000..61a73933 --- /dev/null +++ b/.dockerignore @@ -0,0 +1,45 @@ +# This file excludes paths from the Docker build context. +# +# By default, Docker's build context includes all files (and folders) in the +# current directory. Even if a file isn't copied into the container it is still sent to +# the Docker daemon. +# +# There are multiple reasons to exclude files from the build context: +# +# 1. Prevent nested folders from being copied into the container (ex: exclude +# /assets/node_modules when copying /assets) +# 2. Reduce the size of the build context and improve build time (ex. /build, /deps, /doc) +# 3. Avoid sending files containing sensitive information +# +# More information on using .dockerignore is available here: +# https://docs.docker.com/engine/reference/builder/#dockerignore-file + +.dockerignore + +# Ignore git, but keep git HEAD and refs to access current commit hash if needed: +# +# $ cat .git/HEAD | awk '{print ".git/"$2}' | xargs cat +# d0b8727759e1e0e7aa3d41707d12376e373d5ecc +.git +!.git/HEAD +!.git/refs + +# Common development/test artifacts +/cover/ +/doc/ +/test/ +/tmp/ +.elixir_ls + +# Mix artifacts +/_build/ +/deps/ +*.ez + +# Generated on crash by the VM +erl_crash.dump + +# Static artifacts - These should be fetched and built inside the Docker image +/assets/node_modules/ +/priv/static/assets/ +/priv/static/cache_manifest.json diff --git a/.gitignore b/.gitignore index 41901220..47fc510d 100644 --- a/.gitignore +++ b/.gitignore @@ -50,3 +50,4 @@ npm-debug.log # dev TODO.md +NOTES.md diff --git a/Dockerfile b/Dockerfile index f572075d..b84796f2 100644 --- a/Dockerfile +++ b/Dockerfile @@ -1,31 +1,96 @@ -# ./Dockerfile +# Find eligible builder and runner images on Docker Hub. We use Ubuntu/Debian instead of +# Alpine to avoid DNS resolution issues in production. +# +# https://hub.docker.com/r/hexpm/elixir/tags?page=1&name=ubuntu +# https://hub.docker.com/_/ubuntu?tab=tags +# +# +# This file is based on these images: +# +# - https://hub.docker.com/r/hexpm/elixir/tags - for the build image +# - https://hub.docker.com/_/debian?tab=tags&page=1&name=bullseye-20230109-slim - for the release image +# - https://pkgs.org/ - resource for finding needed packages +# - Ex: hexpm/elixir:1.14.3-erlang-25.2.1-debian-bullseye-20230109-slim +# +ARG ELIXIR_VERSION=1.14.3 +ARG OTP_VERSION=25.2.1 +ARG DEBIAN_VERSION=bullseye-20230109-slim -# Extend from the official Elixir image -FROM elixir:1.13.4-otp-25-alpine +ARG BUILDER_IMAGE="hexpm/elixir:${ELIXIR_VERSION}-erlang-${OTP_VERSION}-debian-${DEBIAN_VERSION}" +ARG RUNNER_IMAGE="debian:${DEBIAN_VERSION}" -# # install the package postgresql-client to run pg_isready within entrypoint script -# RUN apt-get update && \ -# apt-get install -y postgresql-client +FROM ${BUILDER_IMAGE} as builder -# Create app directory and copy the Elixir project into it -RUN mkdir /app -COPY . /app +# install build dependencies +RUN apt-get update -y && apt-get install -y build-essential git curl && \ + curl -fsSL https://deb.nodesource.com/setup_19.x | bash - && \ + apt-get install -y nodejs && apt-get clean && \ + rm -f /var/lib/apt/lists/*_* && npm i -g npm + +# prepare build dir WORKDIR /app -# Install the build tools we'll need -RUN apk update && \ - apk upgrade --no-cache && \ - apk add --no-cache \ - build-base && \ - mix local.rebar --force && \ - mix local.hex --force +# install hex + rebar +RUN mix local.hex --force && \ + mix local.rebar --force +# set build ENV +ENV MIX_ENV="prod" -# The environment to build with -ENV MIX_ENV=prod +# install mix dependencies +COPY mix.exs mix.lock ./ +RUN mix deps.get --only $MIX_ENV +RUN mkdir config -# Get deps and compile -RUN mix do deps.get, deps.compile, compile +# copy compile-time config files before we compile dependencies +# to ensure any relevant config change will trigger the dependencies +# to be re-compiled. +COPY config/config.exs config/${MIX_ENV}.exs config/ +RUN mix deps.compile -# Start command -CMD = ["/app/entrypoint.sh"] +COPY priv priv + +COPY lib lib + +COPY assets assets + +# install node modules +RUN npm --prefix assets install +# compile assets +RUN mix assets.deploy + +# Compile the release +RUN mix compile + +# Changes to config/runtime.exs don't require recompiling the code +COPY config/runtime.exs config/ + +COPY rel rel +RUN mix release + +# start a new build stage so that the final image will only contain +# the compiled release and other runtime necessities +FROM ${RUNNER_IMAGE} + +RUN apt-get update -y && apt-get install -y libstdc++6 openssl libncurses5 locales \ + && apt-get clean && rm -f /var/lib/apt/lists/*_* + +# Set the locale +RUN sed -i '/en_US.UTF-8/s/^# //g' /etc/locale.gen && locale-gen + +ENV LANG en_US.UTF-8 +ENV LANGUAGE en_US:en +ENV LC_ALL en_US.UTF-8 + +WORKDIR "/app" +RUN chown nobody /app + +# set runner ENV +ENV MIX_ENV="prod" + +# Only copy the final release from the build stage +COPY --from=builder --chown=nobody:root /app/_build/${MIX_ENV}/rel/shift73k ./ + +USER nobody + +CMD ["/app/bin/server"] \ No newline at end of file diff --git a/Dockerfile.bak b/Dockerfile.bak new file mode 100644 index 00000000..f572075d --- /dev/null +++ b/Dockerfile.bak @@ -0,0 +1,31 @@ +# ./Dockerfile + +# Extend from the official Elixir image +FROM elixir:1.13.4-otp-25-alpine + +# # install the package postgresql-client to run pg_isready within entrypoint script +# RUN apt-get update && \ +# apt-get install -y postgresql-client + +# Create app directory and copy the Elixir project into it +RUN mkdir /app +COPY . /app +WORKDIR /app + +# Install the build tools we'll need +RUN apk update && \ + apk upgrade --no-cache && \ + apk add --no-cache \ + build-base && \ + mix local.rebar --force && \ + mix local.hex --force + + +# The environment to build with +ENV MIX_ENV=prod + +# Get deps and compile +RUN mix do deps.get, deps.compile, compile + +# Start command +CMD = ["/app/entrypoint.sh"] diff --git a/README.md b/README.md index 3179231b..9f9d24e6 100644 --- a/README.md +++ b/README.md @@ -11,12 +11,14 @@ To run in production, you'll need to provide several environment variable values ```bash MIX_ENV=prod \ PHX_SERVER=true \ +TZ=America/New_York \ DB_SOCK=[postgres unix socket path] \ DB_NAME=[postgres db name] \ DB_USER=[postgres db user] \ DB_PASS=[postgres db user password] \ SECRET_KEY_BASE=[phoenix secret key base] \ PHX_HOST=[server fqdn (e.g., shift.73k.us)] \ +PORT=4000 \ SMTP_RELAY=[smtp server] \ SMTP_PORT=[smtp port] \ SMTP_USER=[smtp username] \ @@ -28,26 +30,60 @@ ALLOW_REG=[open for registration? true/false] \ iex -S mix phx.server ``` +### Rebuilding assets for production + +```bash +# rebuild static assets: +MIX_ENV=prod mix phx.digest.clean --all +rm -rf ./priv/static/* +npm --prefix assets run build +MIX_ENV=prod mix phx.digest +# then do a new commit and push... +``` + ## TODO - [X] ~~*Proper modal to delete shifts?*~~ [2022-08-14] -- [ ] move runtime config out of compile-time config files, to move towards supporting releases - - [ ] probably need to use `def get_app_config` style functions instead of `@module_var` module variables, ([see this](https://stephenbussey.com/2019/01/03/understanding-compile-time-dependencies-in-elixir-a-bug-hunt.html)) -- [ ] Update tests, which are probably all way out of date. But I also don't care that much for this project... +- [X] ~~*move runtime config out of compile-time config files, to move towards supporting releases*~~ [2023-01-28] +- [ ] bootstrap dark mode? +- [ ] update tests, which are way out of date? Also I don't care? -## Deploying +## Deploying with docker -I'm using a dumb & simple docker approach to deploying this now. Nothing automated, the basic steps are: +The Dockerfile will enable building a new container. I do it all with docker compose, here's an example compose yml: -1. ensure latest assets are built, digested, and committed to the repo - - ```shell - # rebuild static assets: - MIX_ENV=prod mix phx.digest.clean --all - rm -rf ./priv/static/* - npm --prefix assets run build - MIX_ENV=prod mix phx.digest - # then do a new commit and push... - ``` - -2. on server, build a new container, and run it +```yaml +version: '3.9' +services: + shift73k: + build: + context: ./shift73k # relative path from docker-compose.yml to shift73k repo + network: host + container_name: www-shift73k + restart: unless-stopped + volumes: + - /etc/timezone:/etc/timezone:ro + - /etc/localtime:/etc/localtime:ro + - /srv/dck/postgres/sock/postgres:/var/run/postgresql # if using unix socket + # env_file: ./shift73k.env # optionally, put your env vars in a separate file + environment: + - PHX_SERVER=true + - TZ=America/New_York + - DB_SOCK=/var/run/postgresql # if using unix socket instead of db url + - DB_NAME=[postgres db name] # if using unix socket instead of db url + - DB_USER=[postgres db user] # if using unix socket instead of db url + - DB_PASS=[postgres db user password] # if using unix socket instead of db url + - SECRET_KEY_BASE=[phoenix secret key base] + - PHX_HOST=[server fqdn (e.g., shift.73k.us)] + - PORT=4000 + - SMTP_RELAY=[smtp server] + - SMTP_PORT=[smtp port] + - SMTP_USER=[smtp username] + - SMTP_PASS=[smtp user password] + - MAIL_REPLY_TO=reply@73k.us + - MAIL_FROM_FRIENDLY=Shift73k + - MAIL_FROM_ADDR=shift73k@73k.us + - ALLOW_REG=[open for registration? true/false] + ports: + - 4000:4000 +``` diff --git a/assets/package-lock.json b/assets/package-lock.json index d10dc6ec..0fe96eec 100644 --- a/assets/package-lock.json +++ b/assets/package-lock.json @@ -14,12 +14,12 @@ "hamburgers": "^1.2.1", "phoenix": "^1.6.11", "phoenix_html": "^3.2.0", - "phoenix_live_view": "^0.17.11", "topbar": "^1.x" }, "devDependencies": { "@types/node": "^18.6.5", "@types/phoenix": "^1.5.4", + "phoenix_live_view": "^0.18.11", "sass": "^1.54.3", "svg-sprite-generator": "^0.0.7", "vite": "^4.0.4" @@ -847,9 +847,10 @@ "integrity": "sha512-zv7PIZk0MPkF0ax8n465Q6w86+sGAy5cTem6KcbkUbdgxGc0y3WZmzkM2bSlYdSGbLEZfjXxos1G72xXsha6xA==" }, "node_modules/phoenix_live_view": { - "version": "0.17.12", - "resolved": "https://registry.npmjs.org/phoenix_live_view/-/phoenix_live_view-0.17.12.tgz", - "integrity": "sha512-hHK43hPNd8vnY1+arUp2b0e//uP6bGMsCEKw556vG8Nth1EUqnJ8Vi0Shu1ykG2VId5HtBJTSjiwnx+wERSGHw==" + "version": "0.18.11", + "resolved": "https://registry.npmjs.org/phoenix_live_view/-/phoenix_live_view-0.18.11.tgz", + "integrity": "sha512-p/mBu/O3iVLvAreUoDeSZ4/myQJJeR8BH7Yu9LVCMI2xe2IZ2mffxtDGJb0mxnJrUQa7p03HHNlKGXj7LSJDdg==", + "dev": true }, "node_modules/picocolors": { "version": "1.0.0", diff --git a/assets/package.json b/assets/package.json index bd07e347..06a77a46 100644 --- a/assets/package.json +++ b/assets/package.json @@ -11,6 +11,7 @@ "devDependencies": { "@types/node": "^18.6.5", "@types/phoenix": "^1.5.4", + "phoenix_live_view": "^0.18.11", "sass": "^1.54.3", "svg-sprite-generator": "^0.0.7", "vite": "^4.0.4" @@ -22,7 +23,6 @@ "hamburgers": "^1.2.1", "phoenix": "^1.6.11", "phoenix_html": "^3.2.0", - "phoenix_live_view": "^0.17.11", "topbar": "^1.x" } } diff --git a/config/config.exs b/config/config.exs index 5d43f0c0..feb4180b 100644 --- a/config/config.exs +++ b/config/config.exs @@ -12,13 +12,6 @@ config :elixir, :time_zone_database, Tzdata.TimeZoneDatabase config :shift73k, ecto_repos: [Shift73k.Repo] -# Custom application global variables -config :shift73k, :app_global_vars, - time_zone: "America/New_York", - mailer_reply_to: "reply_to@example.com", - mailer_from: "app_name@example.com", - allow_registration: :true - # Configures the endpoint config :shift73k, Shift73kWeb.Endpoint, url: [host: "localhost"], diff --git a/config/runtime.exs b/config/runtime.exs index a1050340..6672b453 100644 --- a/config/runtime.exs +++ b/config/runtime.exs @@ -123,7 +123,11 @@ config :shift73k, Shift73k.Mailer, no_mx_lookups: false config :shift73k, :app_global_vars, - mailer_reply_to: System.get_env("APP_REPLY_TO"), - mailer_from: {System.get_env("MAIL_FROM_FRIENDLY"), System.get_env("MAIL_FROM_ADDR")}, - allow_registration: System.get_env("ALLOW_REG") + time_zone: System.get_env("TZ") || "America/New_York", + mailer_reply_to: System.get_env("MAIL_REPLY_TO") || "reply_to@example.com", + mailer_from: { + System.get_env("MAIL_FROM_FRIENDLY") || "Shift73k", + System.get_env("MAIL_FROM_ADDR") || "app_name@example.com" + }, + allow_registration: System.get_env("ALLOW_REG") || :true end diff --git a/lib/shift73k.ex b/lib/shift73k.ex index 05ca30d7..b1a80b74 100644 --- a/lib/shift73k.ex +++ b/lib/shift73k.ex @@ -7,12 +7,32 @@ defmodule Shift73k do if it comes from the database, an external API or others. """ - @app_vars Application.compile_env(:shift73k, :app_global_vars, time_zone: "America/New_York") - @app_time_zone @app_vars[:time_zone] - @weekdays [:monday, :tuesday, :wednesday, :thursday, :friday, :saturday, :sunday] - def app_time_zone, do: @app_time_zone + defp get_app_config_env do + Application.get_env(:shift73k, :app_global_vars, + time_zone: "America/New_York", + allow_registration: :true, + mailer_reply_to: "admin@example.com", + mailer_from: {"Shift73k", "shift73k@example.com"} + ) + end def weekdays, do: @weekdays + + def get_app_time_zone, do: + get_app_config_env() |> Keyword.fetch!(:time_zone) |> IO.inspect(label: "time_zone", pretty: :true) + + def get_app_mailer_from, do: + get_app_config_env() |> Keyword.fetch!(:mailer_from) |> IO.inspect(label: "mailer_from", pretty: :true) + + def get_app_mailer_reply_to, do: + get_app_config_env() |> Keyword.fetch!(:mailer_reply_to) |> IO.inspect(label: "mailer_reply_to", pretty: :true) + + def get_app_allow_reg, do: + get_app_config_env() |> Keyword.fetch!(:allow_registration) |> get_app_allow_reg() + |> IO.inspect(label: "allow_registration", pretty: :true) + def get_app_allow_reg("false"), do: :false + def get_app_allow_reg(:false), do: :false + def get_app_allow_reg(_not_false), do: :true end diff --git a/lib/shift73k/mailer/user_email.ex b/lib/shift73k/mailer/user_email.ex index c5904e8b..3ffd897d 100644 --- a/lib/shift73k/mailer/user_email.ex +++ b/lib/shift73k/mailer/user_email.ex @@ -1,16 +1,13 @@ defmodule Shift73k.Mailer.UserEmail do import Swoosh.Email + import Shift73k, only: [get_app_mailer_from: 0, get_app_mailer_reply_to: 0] - @mailer_vars Application.compile_env(:shift73k, :app_global_vars, - mailer_reply_to: "admin@example.com", - mailer_from: {"Shift73k", "shift73k@example.com"} - ) def compose(user_email, subject, body_text) do new() - |> from(@mailer_vars[:mailer_from]) + |> from(get_app_mailer_from()) |> to(user_email) - |> header("Reply-To", @mailer_vars[:mailer_reply_to]) + |> header("Reply-To", get_app_mailer_reply_to()) |> subject(subject) |> text_body(body_text) end diff --git a/lib/shift73k/release.ex b/lib/shift73k/release.ex new file mode 100644 index 00000000..8fb4aed3 --- /dev/null +++ b/lib/shift73k/release.ex @@ -0,0 +1,28 @@ +defmodule Shift73k.Release do + @moduledoc """ + Used for executing DB release tasks when run in production without Mix + installed. + """ + @app :shift73k + + def migrate do + load_app() + + for repo <- repos() do + {:ok, _, _} = Ecto.Migrator.with_repo(repo, &Ecto.Migrator.run(&1, :up, all: true)) + end + end + + def rollback(repo, version) do + load_app() + {:ok, _, _} = Ecto.Migrator.with_repo(repo, &Ecto.Migrator.run(&1, :down, to: version)) + end + + defp repos do + Application.fetch_env!(@app, :ecto_repos) + end + + defp load_app do + Application.load(@app) + end +end diff --git a/lib/shift73k/shifts/templates/shift_template.ex b/lib/shift73k/shifts/templates/shift_template.ex index 37c4949d..425c48e7 100644 --- a/lib/shift73k/shifts/templates/shift_template.ex +++ b/lib/shift73k/shifts/templates/shift_template.ex @@ -1,7 +1,7 @@ defmodule Shift73k.Shifts.Templates.ShiftTemplate do use Ecto.Schema import Ecto.Changeset - import Shift73k, only: [app_time_zone: 0] + import Shift73k, only: [get_app_time_zone: 0] alias Shift73k.Shifts alias Shift73k.Shifts.Templates.ShiftTemplate @@ -12,7 +12,7 @@ defmodule Shift73k.Shifts.Templates.ShiftTemplate do field :subject, :string field :description, :string field :location, :string - field :time_zone, :string, default: app_time_zone() + field :time_zone, :string, default: get_app_time_zone() field :time_start, :time, default: ~T[09:00:00] field :time_end, :time, default: ~T[17:00:00] diff --git a/lib/shift73k_web/live/shift_assign_live/index.ex b/lib/shift73k_web/live/shift_assign_live/index.ex index 24777847..db64cb9d 100644 --- a/lib/shift73k_web/live/shift_assign_live/index.ex +++ b/lib/shift73k_web/live/shift_assign_live/index.ex @@ -1,6 +1,6 @@ defmodule Shift73kWeb.ShiftAssignLive.Index do use Shift73kWeb, :live_view - import Shift73k, only: [app_time_zone: 0] + import Shift73k, only: [get_app_time_zone: 0] alias Shift73k.Repo alias Shift73k.Shifts diff --git a/lib/shift73k_web/live/shift_assign_live/index.html.heex b/lib/shift73k_web/live/shift_assign_live/index.html.heex index ce656afe..0754b697 100644 --- a/lib/shift73k_web/live/shift_assign_live/index.html.heex +++ b/lib/shift73k_web/live/shift_assign_live/index.html.heex @@ -127,7 +127,7 @@ disabled: @shift_template.id != @custom_shift.id, phx_debounce: 250, list: "tz_list", - placeholder: "Default: #{app_time_zone()}" + placeholder: "Default: #{get_app_time_zone()}" %> <%= for tz_name <- Tzdata.zone_list() do %> diff --git a/lib/shift73k_web/live/shift_import_live/index.html.heex b/lib/shift73k_web/live/shift_import_live/index.html.heex index a8e2768c..38313608 100644 --- a/lib/shift73k_web/live/shift_import_live/index.html.heex +++ b/lib/shift73k_web/live/shift_import_live/index.html.heex @@ -33,7 +33,7 @@
<%= text_input iimf, :time_zone, - value: Shift73k.app_time_zone(), + value: Shift73k.get_app_time_zone(), class: @tz_valid && "form-control" || "form-control is-invalid", phx_debounce: 250, aria_describedby: "ics-import-tz-error", diff --git a/lib/shift73k_web/live/shift_template_live/form_component.ex b/lib/shift73k_web/live/shift_template_live/form_component.ex index ef000a36..4ed91804 100644 --- a/lib/shift73k_web/live/shift_template_live/form_component.ex +++ b/lib/shift73k_web/live/shift_template_live/form_component.ex @@ -1,6 +1,6 @@ defmodule Shift73kWeb.ShiftTemplateLive.FormComponent do use Shift73kWeb, :live_component - import Shift73k, only: [app_time_zone: 0] + import Shift73k, only: [get_app_time_zone: 0] alias Shift73k.Shifts.Templates alias Shift73k.Shifts.Templates.ShiftTemplate diff --git a/lib/shift73k_web/live/shift_template_live/form_component.html.heex b/lib/shift73k_web/live/shift_template_live/form_component.html.heex index ca4c00a1..1b91b58c 100644 --- a/lib/shift73k_web/live/shift_template_live/form_component.html.heex +++ b/lib/shift73k_web/live/shift_template_live/form_component.html.heex @@ -88,7 +88,7 @@ class: input_class(f, :time_zone, "form-control"), phx_debounce: 250, list: "tz_list", - placeholder: "Default: #{app_time_zone()}" + placeholder: "Default: #{get_app_time_zone()}" %> <%= for tz_name <- Tzdata.zone_list() do %> diff --git a/lib/shift73k_web/live/user/reset_password.ex b/lib/shift73k_web/live/user/reset_password.ex index 2aa5856c..3d97fe6e 100644 --- a/lib/shift73k_web/live/user/reset_password.ex +++ b/lib/shift73k_web/live/user/reset_password.ex @@ -1,11 +1,11 @@ defmodule Shift73kWeb.UserLive.ResetPassword do use Shift73kWeb, :live_view + import Shift73k, only: [get_app_allow_reg: 0] + alias Shift73k.Accounts alias Shift73k.Accounts.User - @app_vars Application.compile_env(:shift73k, :app_global_vars, allow_registration: :true) - @app_allow_registration @app_vars[:allow_registration] @impl true def mount(_params, session, socket) do @@ -41,5 +41,5 @@ defmodule Shift73kWeb.UserLive.ResetPassword do end end - def allow_registration, do: @app_allow_registration + def allow_registration, do: get_app_allow_reg() end diff --git a/lib/shift73k_web/live/user_management/index.ex b/lib/shift73k_web/live/user_management/index.ex index 5c6025b7..79226708 100644 --- a/lib/shift73k_web/live/user_management/index.ex +++ b/lib/shift73k_web/live/user_management/index.ex @@ -198,7 +198,7 @@ defmodule Shift73kWeb.UserManagementLive.Index do def dt_out(ndt) do ndt - |> DateTime.from_naive!(Shift73k.app_time_zone()) + |> DateTime.from_naive!(Shift73k.get_app_time_zone()) |> Calendar.strftime("%Y %b %-d, %-I:%M %p") end end diff --git a/lib/shift73k_web/plugs/ensure_allow_registration_plug.ex b/lib/shift73k_web/plugs/ensure_allow_registration_plug.ex index 7dfa0e96..dd80af08 100644 --- a/lib/shift73k_web/plugs/ensure_allow_registration_plug.ex +++ b/lib/shift73k_web/plugs/ensure_allow_registration_plug.ex @@ -4,12 +4,11 @@ defmodule Shift73kWeb.EnsureAllowRegistrationPlug do """ import Plug.Conn import Phoenix.Controller + import Shift73k, only: [get_app_allow_reg: 0] alias Shift73k.Repo alias Shift73k.Accounts.User - @app_vars Application.compile_env(:shift73k, :app_global_vars, allow_registration: :true) - @app_allow_registration @app_vars[:allow_registration] @doc false @spec init(any()) :: any() @@ -19,7 +18,7 @@ defmodule Shift73kWeb.EnsureAllowRegistrationPlug do @spec call(Conn.t(), atom() | [atom()]) :: Conn.t() def call(conn, _opts) do # If there aren't even any users, or registration is allowed - if !Repo.exists?(User) || @app_allow_registration do + if !Repo.exists?(User) || get_app_allow_reg() do # We will allow registration conn else diff --git a/lib/shift73k_web/templates/layout/navbar/_shifts_menu.html.heex b/lib/shift73k_web/templates/layout/navbar/_shifts_menu.html.heex index f7152440..08941b81 100644 --- a/lib/shift73k_web/templates/layout/navbar/_shifts_menu.html.heex +++ b/lib/shift73k_web/templates/layout/navbar/_shifts_menu.html.heex @@ -12,13 +12,13 @@ <% end %>
  • - <%= link nav_link_opts(@conn, to: Routes.shift_index_path(@conn, :index), class: "dropdown-item") do %> - My Scheduled Shifts + <%= link nav_link_opts(@conn, to: Routes.shift_template_index_path(@conn, :index), class: "dropdown-item") do %> + My Shift Templates <% end %>
  • - <%= link nav_link_opts(@conn, to: Routes.shift_template_index_path(@conn, :index), class: "dropdown-item") do %> - My Shift Templates + <%= link nav_link_opts(@conn, to: Routes.shift_index_path(@conn, :index), class: "dropdown-item") do %> + My Scheduled Shifts <% end %>
  • diff --git a/lib/shift73k_web/views/layout_view.ex b/lib/shift73k_web/views/layout_view.ex index b35f4aaa..7c47881a 100644 --- a/lib/shift73k_web/views/layout_view.ex +++ b/lib/shift73k_web/views/layout_view.ex @@ -1,11 +1,10 @@ defmodule Shift73kWeb.LayoutView do use Shift73kWeb, :view + import Shift73k, only: [get_app_allow_reg: 0] alias Shift73k.Repo alias Shift73k.Accounts.User alias Shift73kWeb.Roles - @app_vars Application.compile_env(:shift73k, :app_global_vars, allow_registration: :true) - @app_allow_registration @app_vars[:allow_registration] # With a Vite.js-based workflow, we will import different asset files in development # and in production builds. Therefore, we will need a way to conditionally render @@ -14,7 +13,7 @@ defmodule Shift73kWeb.LayoutView do @env Mix.env() # remember value at compile time def dev_env?, do: @env == :dev - def allow_registration, do: @app_allow_registration + def allow_registration, do: get_app_allow_reg() def nav_link_opts(conn, opts) do case Keyword.get(opts, :to) == Phoenix.Controller.current_path(conn) do diff --git a/lib/shift73k_web/views/user_confirmation_view.ex b/lib/shift73k_web/views/user_confirmation_view.ex index 93131825..7d51c9b0 100644 --- a/lib/shift73k_web/views/user_confirmation_view.ex +++ b/lib/shift73k_web/views/user_confirmation_view.ex @@ -1,9 +1,7 @@ defmodule Shift73kWeb.UserConfirmationView do use Shift73kWeb, :view + import Shift73k, only: [get_app_allow_reg: 0] alias Shift73k.Accounts.User - @app_vars Application.compile_env(:shift73k, :app_global_vars, allow_registration: :true) - @app_allow_registration @app_vars[:allow_registration] - - def allow_registration, do: @app_allow_registration + def allow_registration, do: get_app_allow_reg() end diff --git a/lib/shift73k_web/views/user_reset_password_view.ex b/lib/shift73k_web/views/user_reset_password_view.ex index 3d134259..015483be 100644 --- a/lib/shift73k_web/views/user_reset_password_view.ex +++ b/lib/shift73k_web/views/user_reset_password_view.ex @@ -1,9 +1,7 @@ defmodule Shift73kWeb.UserResetPasswordView do use Shift73kWeb, :view + import Shift73k, only: [get_app_allow_reg: 0] alias Shift73k.Accounts.User - @app_vars Application.compile_env(:shift73k, :app_global_vars, allow_registration: :true) - @app_allow_registration @app_vars[:allow_registration] - - def allow_registration, do: @app_allow_registration + def allow_registration, do: get_app_allow_reg() end diff --git a/lib/shift73k_web/views/user_session_view.ex b/lib/shift73k_web/views/user_session_view.ex index 9c2fe576..5e61e89f 100644 --- a/lib/shift73k_web/views/user_session_view.ex +++ b/lib/shift73k_web/views/user_session_view.ex @@ -1,9 +1,7 @@ defmodule Shift73kWeb.UserSessionView do use Shift73kWeb, :view + import Shift73k, only: [get_app_allow_reg: 0] alias Shift73k.Accounts.User - @app_vars Application.compile_env(:shift73k, :app_global_vars, allow_registration: :true) - @app_allow_registration @app_vars[:allow_registration] - - def allow_registration, do: @app_allow_registration + def allow_registration, do: get_app_allow_reg() end diff --git a/mix.exs b/mix.exs index 13dca206..e158c2ad 100644 --- a/mix.exs +++ b/mix.exs @@ -4,7 +4,7 @@ defmodule Shift73k.MixProject do def project do [ app: :shift73k, - version: "0.1.2", + version: "0.2.1", elixir: "~> 1.12", elixirc_paths: elixirc_paths(Mix.env()), compilers: Mix.compilers(), @@ -71,7 +71,8 @@ defmodule Shift73k.MixProject do setup: ["deps.get", "ecto.setup", "cmd npm install --prefix assets"], "ecto.setup": ["ecto.create", "ecto.migrate", "run priv/repo/seeds.exs"], "ecto.reset": ["ecto.drop", "ecto.setup"], - test: ["ecto.create --quiet", "ecto.migrate --quiet", "test"] + test: ["ecto.create --quiet", "ecto.migrate --quiet", "test"], + "assets.deploy": ["cmd npm --prefix assets run build", "phx.digest"] ] end end diff --git a/priv/static/assets/app-6b490c3bfbd4fd9a3a19b678041545bf.js b/priv/static/assets/app-6b490c3bfbd4fd9a3a19b678041545bf.js new file mode 100644 index 00000000..4a5bcb15 --- /dev/null +++ b/priv/static/assets/app-6b490c3bfbd4fd9a3a19b678041545bf.js @@ -0,0 +1,82 @@ +(function(){var e=t();function t(){if(typeof window.CustomEvent=="function")return window.CustomEvent;function r(s,o){o=o||{bubbles:!1,cancelable:!1,detail:void 0};var a=document.createEvent("CustomEvent");return a.initCustomEvent(s,o.bubbles,o.cancelable,o.detail),a}return r.prototype=window.Event.prototype,r}function i(r,s){var o=document.createElement("input");return o.type="hidden",o.name=r,o.value=s,o}function n(r,s){var o=r.getAttribute("data-to"),a=i("_method",r.getAttribute("data-method")),l=i("_csrf_token",r.getAttribute("data-csrf")),h=document.createElement("form"),c=r.getAttribute("target");h.method=r.getAttribute("data-method")==="get"?"get":"post",h.action=o,h.style.display="hidden",c?h.target=c:s&&(h.target="_blank"),h.appendChild(l),h.appendChild(a),document.body.appendChild(h),h.submit()}window.addEventListener("click",function(r){var s=r.target;if(!r.defaultPrevented)for(;s&&s.getAttribute;){var o=new e("phoenix.link.click",{bubbles:!0,cancelable:!0});if(!s.dispatchEvent(o))return r.preventDefault(),r.stopImmediatePropagation(),!1;if(s.getAttribute("data-method"))return n(s,r.metaKey||r.shiftKey),r.preventDefault(),!1;s=s.parentNode}},!1),window.addEventListener("phoenix.link.click",function(r){var s=r.target.getAttribute("data-confirm");s&&!window.confirm(s)&&r.preventDefault()},!1)})();var it=e=>typeof e=="function"?e:function(){return e},lr=typeof self<"u"?self:null,tt=typeof window<"u"?window:null,nt=lr||tt||nt,cr="2.0.0",we={connecting:0,open:1,closing:2,closed:3},hr=1e4,dr=1e3,oe={closed:"closed",errored:"errored",joined:"joined",joining:"joining",leaving:"leaving"},Te={close:"phx_close",error:"phx_error",join:"phx_join",reply:"phx_reply",leave:"phx_leave"},si={longpoll:"longpoll",websocket:"websocket"},ur={complete:4},gt=class{constructor(e,t,i,n){this.channel=e,this.event=t,this.payload=i||function(){return{}},this.receivedResp=null,this.timeout=n,this.timeoutTimer=null,this.recHooks=[],this.sent=!1}resend(e){this.timeout=e,this.reset(),this.send()}send(){this.hasReceived("timeout")||(this.startTimeout(),this.sent=!0,this.channel.socket.push({topic:this.channel.topic,event:this.event,payload:this.payload(),ref:this.ref,join_ref:this.channel.joinRef()}))}receive(e,t){return this.hasReceived(e)&&t(this.receivedResp.response),this.recHooks.push({status:e,callback:t}),this}reset(){this.cancelRefEvent(),this.ref=null,this.refEvent=null,this.receivedResp=null,this.sent=!1}matchReceive({status:e,response:t,_ref:i}){this.recHooks.filter(n=>n.status===e).forEach(n=>n.callback(t))}cancelRefEvent(){this.refEvent&&this.channel.off(this.refEvent)}cancelTimeout(){clearTimeout(this.timeoutTimer),this.timeoutTimer=null}startTimeout(){this.timeoutTimer&&this.cancelTimeout(),this.ref=this.channel.socket.makeRef(),this.refEvent=this.channel.replyEventName(this.ref),this.channel.on(this.refEvent,e=>{this.cancelRefEvent(),this.cancelTimeout(),this.receivedResp=e,this.matchReceive(e)}),this.timeoutTimer=setTimeout(()=>{this.trigger("timeout",{})},this.timeout)}hasReceived(e){return this.receivedResp&&this.receivedResp.status===e}trigger(e,t){this.channel.trigger(this.refEvent,{status:e,response:t})}},Dn=class{constructor(e,t){this.callback=e,this.timerCalc=t,this.timer=null,this.tries=0}reset(){this.tries=0,clearTimeout(this.timer)}scheduleTimeout(){clearTimeout(this.timer),this.timer=setTimeout(()=>{this.tries=this.tries+1,this.callback()},this.timerCalc(this.tries+1))}},fr=class{constructor(e,t,i){this.state=oe.closed,this.topic=e,this.params=it(t||{}),this.socket=i,this.bindings=[],this.bindingRef=0,this.timeout=this.socket.timeout,this.joinedOnce=!1,this.joinPush=new gt(this,Te.join,this.params,this.timeout),this.pushBuffer=[],this.stateChangeRefs=[],this.rejoinTimer=new Dn(()=>{this.socket.isConnected()&&this.rejoin()},this.socket.rejoinAfterMs),this.stateChangeRefs.push(this.socket.onError(()=>this.rejoinTimer.reset())),this.stateChangeRefs.push(this.socket.onOpen(()=>{this.rejoinTimer.reset(),this.isErrored()&&this.rejoin()})),this.joinPush.receive("ok",()=>{this.state=oe.joined,this.rejoinTimer.reset(),this.pushBuffer.forEach(n=>n.send()),this.pushBuffer=[]}),this.joinPush.receive("error",()=>{this.state=oe.errored,this.socket.isConnected()&&this.rejoinTimer.scheduleTimeout()}),this.onClose(()=>{this.rejoinTimer.reset(),this.socket.hasLogger()&&this.socket.log("channel",`close ${this.topic} ${this.joinRef()}`),this.state=oe.closed,this.socket.remove(this)}),this.onError(n=>{this.socket.hasLogger()&&this.socket.log("channel",`error ${this.topic}`,n),this.isJoining()&&this.joinPush.reset(),this.state=oe.errored,this.socket.isConnected()&&this.rejoinTimer.scheduleTimeout()}),this.joinPush.receive("timeout",()=>{this.socket.hasLogger()&&this.socket.log("channel",`timeout ${this.topic} (${this.joinRef()})`,this.joinPush.timeout),new gt(this,Te.leave,it({}),this.timeout).send(),this.state=oe.errored,this.joinPush.reset(),this.socket.isConnected()&&this.rejoinTimer.scheduleTimeout()}),this.on(Te.reply,(n,r)=>{this.trigger(this.replyEventName(r),n)})}join(e=this.timeout){if(this.joinedOnce)throw new Error("tried to join multiple times. 'join' can only be called a single time per channel instance");return this.timeout=e,this.joinedOnce=!0,this.rejoin(),this.joinPush}onClose(e){this.on(Te.close,e)}onError(e){return this.on(Te.error,t=>e(t))}on(e,t){let i=this.bindingRef++;return this.bindings.push({event:e,ref:i,callback:t}),i}off(e,t){this.bindings=this.bindings.filter(i=>!(i.event===e&&(typeof t>"u"||t===i.ref)))}canPush(){return this.socket.isConnected()&&this.isJoined()}push(e,t,i=this.timeout){if(t=t||{},!this.joinedOnce)throw new Error(`tried to push '${e}' to '${this.topic}' before joining. Use channel.join() before pushing events`);let n=new gt(this,e,function(){return t},i);return this.canPush()?n.send():(n.startTimeout(),this.pushBuffer.push(n)),n}leave(e=this.timeout){this.rejoinTimer.reset(),this.joinPush.cancelTimeout(),this.state=oe.leaving;let t=()=>{this.socket.hasLogger()&&this.socket.log("channel",`leave ${this.topic}`),this.trigger(Te.close,"leave")},i=new gt(this,Te.leave,it({}),e);return i.receive("ok",()=>t()).receive("timeout",()=>t()),i.send(),this.canPush()||i.trigger("ok",{}),i}onMessage(e,t,i){return t}isMember(e,t,i,n){return this.topic!==e?!1:n&&n!==this.joinRef()?(this.socket.hasLogger()&&this.socket.log("channel","dropping outdated message",{topic:e,event:t,payload:i,joinRef:n}),!1):!0}joinRef(){return this.joinPush.ref}rejoin(e=this.timeout){this.isLeaving()||(this.socket.leaveOpenTopic(this.topic),this.state=oe.joining,this.joinPush.resend(e))}trigger(e,t,i,n){let r=this.onMessage(e,t,i,n);if(t&&!r)throw new Error("channel onMessage callbacks must return the payload, modified or unmodified");let s=this.bindings.filter(o=>o.event===e);for(let o=0;o{let a=this.parseJSON(e.responseText);o&&o(a)},s&&(e.ontimeout=s),e.onprogress=()=>{},e.send(n),e}static xhrRequest(e,t,i,n,r,s,o,a){return e.open(t,i,!0),e.timeout=s,e.setRequestHeader("Content-Type",n),e.onerror=()=>a&&a(null),e.onreadystatechange=()=>{if(e.readyState===ur.complete&&a){let l=this.parseJSON(e.responseText);a(l)}},o&&(e.ontimeout=o),e.send(r),e}static parseJSON(e){if(!e||e==="")return null;try{return JSON.parse(e)}catch{return console&&console.log("failed to parse JSON response",e),null}}static serialize(e,t){let i=[];for(var n in e){if(!Object.prototype.hasOwnProperty.call(e,n))continue;let r=t?`${t}[${n}]`:n,s=e[n];typeof s=="object"?i.push(this.serialize(s,r)):i.push(encodeURIComponent(r)+"="+encodeURIComponent(s))}return i.join("&")}static appendParams(e,t){if(Object.keys(t).length===0)return e;let i=e.match(/\?/)?"&":"?";return`${e}${i}${this.serialize(t)}`}},zt=class{constructor(e){this.endPoint=null,this.token=null,this.skipHeartbeat=!0,this.reqs=new Set,this.onopen=function(){},this.onerror=function(){},this.onmessage=function(){},this.onclose=function(){},this.pollEndpoint=this.normalizeEndpoint(e),this.readyState=we.connecting,this.poll()}normalizeEndpoint(e){return e.replace("ws://","http://").replace("wss://","https://").replace(new RegExp("(.*)/"+si.websocket),"$1/"+si.longpoll)}endpointURL(){return Ot.appendParams(this.pollEndpoint,{token:this.token})}closeAndRetry(e,t,i){this.close(e,t,i),this.readyState=we.connecting}ontimeout(){this.onerror("timeout"),this.closeAndRetry(1005,"timeout",!1)}isActive(){return this.readyState===we.open||this.readyState===we.connecting}poll(){this.ajax("GET",null,()=>this.ontimeout(),e=>{if(e){var{status:t,token:i,messages:n}=e;this.token=i}else t=0;switch(t){case 200:n.forEach(r=>{setTimeout(()=>this.onmessage({data:r}),0)}),this.poll();break;case 204:this.poll();break;case 410:this.readyState=we.open,this.onopen({}),this.poll();break;case 403:this.onerror(403),this.close(1008,"forbidden",!1);break;case 0:case 500:this.onerror(500),this.closeAndRetry(1011,"internal server error",500);break;default:throw new Error(`unhandled poll status ${t}`)}})}send(e){this.ajax("POST",e,()=>this.onerror("timeout"),t=>{(!t||t.status!==200)&&(this.onerror(t&&t.status),this.closeAndRetry(1011,"internal server error",!1))})}close(e,t,i){for(let r of this.reqs)r.abort();this.readyState=we.closed;let n=Object.assign({code:1e3,reason:void 0,wasClean:!0},{code:e,reason:t,wasClean:i});typeof CloseEvent<"u"?this.onclose(new CloseEvent("close",n)):this.onclose(n)}ajax(e,t,i,n){let r,s=()=>{this.reqs.delete(r),i()};r=Ot.request(e,this.endpointURL(),"application/json",t,this.timeout,s,o=>{this.reqs.delete(r),this.isActive()&&n(o)}),this.reqs.add(r)}},mt={HEADER_LENGTH:1,META_LENGTH:4,KINDS:{push:0,reply:1,broadcast:2},encode(e,t){if(e.payload.constructor===ArrayBuffer)return t(this.binaryEncode(e));{let i=[e.join_ref,e.ref,e.topic,e.event,e.payload];return t(JSON.stringify(i))}},decode(e,t){if(e.constructor===ArrayBuffer)return t(this.binaryDecode(e));{let[i,n,r,s,o]=JSON.parse(e);return t({join_ref:i,ref:n,topic:r,event:s,payload:o})}},binaryEncode(e){let{join_ref:t,ref:i,event:n,topic:r,payload:s}=e,o=this.META_LENGTH+t.length+i.length+r.length+n.length,a=new ArrayBuffer(this.HEADER_LENGTH+o),l=new DataView(a),h=0;l.setUint8(h++,this.KINDS.push),l.setUint8(h++,t.length),l.setUint8(h++,i.length),l.setUint8(h++,r.length),l.setUint8(h++,n.length),Array.from(t,d=>l.setUint8(h++,d.charCodeAt(0))),Array.from(i,d=>l.setUint8(h++,d.charCodeAt(0))),Array.from(r,d=>l.setUint8(h++,d.charCodeAt(0))),Array.from(n,d=>l.setUint8(h++,d.charCodeAt(0)));var c=new Uint8Array(a.byteLength+s.byteLength);return c.set(new Uint8Array(a),0),c.set(new Uint8Array(s),a.byteLength),c.buffer},binaryDecode(e){let t=new DataView(e),i=t.getUint8(0),n=new TextDecoder;switch(i){case this.KINDS.push:return this.decodePush(e,t,n);case this.KINDS.reply:return this.decodeReply(e,t,n);case this.KINDS.broadcast:return this.decodeBroadcast(e,t,n)}},decodePush(e,t,i){let n=t.getUint8(1),r=t.getUint8(2),s=t.getUint8(3),o=this.HEADER_LENGTH+this.META_LENGTH-1,a=i.decode(e.slice(o,o+n));o=o+n;let l=i.decode(e.slice(o,o+r));o=o+r;let h=i.decode(e.slice(o,o+s));o=o+s;let c=e.slice(o,e.byteLength);return{join_ref:a,ref:null,topic:l,event:h,payload:c}},decodeReply(e,t,i){let n=t.getUint8(1),r=t.getUint8(2),s=t.getUint8(3),o=t.getUint8(4),a=this.HEADER_LENGTH+this.META_LENGTH,l=i.decode(e.slice(a,a+n));a=a+n;let h=i.decode(e.slice(a,a+r));a=a+r;let c=i.decode(e.slice(a,a+s));a=a+s;let d=i.decode(e.slice(a,a+o));a=a+o;let g=e.slice(a,e.byteLength),u={status:d,response:g};return{join_ref:l,ref:h,topic:c,event:Te.reply,payload:u}},decodeBroadcast(e,t,i){let n=t.getUint8(1),r=t.getUint8(2),s=this.HEADER_LENGTH+2,o=i.decode(e.slice(s,s+n));s=s+n;let a=i.decode(e.slice(s,s+r));s=s+r;let l=e.slice(s,e.byteLength);return{join_ref:null,ref:null,topic:o,event:a,payload:l}}},pr=class{constructor(e,t={}){this.stateChangeCallbacks={open:[],close:[],error:[],message:[]},this.channels=[],this.sendBuffer=[],this.ref=0,this.timeout=t.timeout||hr,this.transport=t.transport||nt.WebSocket||zt,this.establishedConnections=0,this.defaultEncoder=mt.encode.bind(mt),this.defaultDecoder=mt.decode.bind(mt),this.closeWasClean=!1,this.binaryType=t.binaryType||"arraybuffer",this.connectClock=1,this.transport!==zt?(this.encode=t.encode||this.defaultEncoder,this.decode=t.decode||this.defaultDecoder):(this.encode=this.defaultEncoder,this.decode=this.defaultDecoder);let i=null;tt&&tt.addEventListener&&(tt.addEventListener("pagehide",n=>{this.conn&&(this.disconnect(),i=this.connectClock)}),tt.addEventListener("pageshow",n=>{i===this.connectClock&&(i=null,this.connect())})),this.heartbeatIntervalMs=t.heartbeatIntervalMs||3e4,this.rejoinAfterMs=n=>t.rejoinAfterMs?t.rejoinAfterMs(n):[1e3,2e3,5e3][n-1]||1e4,this.reconnectAfterMs=n=>t.reconnectAfterMs?t.reconnectAfterMs(n):[10,50,100,150,200,250,500,1e3,2e3][n-1]||5e3,this.logger=t.logger||null,this.longpollerTimeout=t.longpollerTimeout||2e4,this.params=it(t.params||{}),this.endPoint=`${e}/${si.websocket}`,this.vsn=t.vsn||cr,this.heartbeatTimeoutTimer=null,this.heartbeatTimer=null,this.pendingHeartbeatRef=null,this.reconnectTimer=new Dn(()=>{this.teardown(()=>this.connect())},this.reconnectAfterMs)}getLongPollTransport(){return zt}replaceTransport(e){this.connectClock++,this.closeWasClean=!0,this.reconnectTimer.reset(),this.sendBuffer=[],this.conn&&(this.conn.close(),this.conn=null),this.transport=e}protocol(){return location.protocol.match(/^https/)?"wss":"ws"}endPointURL(){let e=Ot.appendParams(Ot.appendParams(this.endPoint,this.params()),{vsn:this.vsn});return e.charAt(0)!=="/"?e:e.charAt(1)==="/"?`${this.protocol()}:${e}`:`${this.protocol()}://${location.host}${e}`}disconnect(e,t,i){this.connectClock++,this.closeWasClean=!0,this.reconnectTimer.reset(),this.teardown(e,t,i)}connect(e){e&&(console&&console.log("passing params to connect is deprecated. Instead pass :params to the Socket constructor"),this.params=it(e)),!this.conn&&(this.connectClock++,this.closeWasClean=!1,this.conn=new this.transport(this.endPointURL()),this.conn.binaryType=this.binaryType,this.conn.timeout=this.longpollerTimeout,this.conn.onopen=()=>this.onConnOpen(),this.conn.onerror=t=>this.onConnError(t),this.conn.onmessage=t=>this.onConnMessage(t),this.conn.onclose=t=>this.onConnClose(t))}log(e,t,i){this.logger(e,t,i)}hasLogger(){return this.logger!==null}onOpen(e){let t=this.makeRef();return this.stateChangeCallbacks.open.push([t,e]),t}onClose(e){let t=this.makeRef();return this.stateChangeCallbacks.close.push([t,e]),t}onError(e){let t=this.makeRef();return this.stateChangeCallbacks.error.push([t,e]),t}onMessage(e){let t=this.makeRef();return this.stateChangeCallbacks.message.push([t,e]),t}ping(e){if(!this.isConnected())return!1;let t=this.makeRef(),i=Date.now();this.push({topic:"phoenix",event:"heartbeat",payload:{},ref:t});let n=this.onMessage(r=>{r.ref===t&&(this.off([n]),e(Date.now()-i))});return!0}clearHeartbeats(){clearTimeout(this.heartbeatTimer),clearTimeout(this.heartbeatTimeoutTimer)}onConnOpen(){this.hasLogger()&&this.log("transport",`connected to ${this.endPointURL()}`),this.closeWasClean=!1,this.establishedConnections++,this.flushSendBuffer(),this.reconnectTimer.reset(),this.resetHeartbeat(),this.stateChangeCallbacks.open.forEach(([,e])=>e())}heartbeatTimeout(){this.pendingHeartbeatRef&&(this.pendingHeartbeatRef=null,this.hasLogger()&&this.log("transport","heartbeat timeout. Attempting to re-establish connection"),this.triggerChanError(),this.closeWasClean=!1,this.teardown(()=>this.reconnectTimer.scheduleTimeout(),dr,"heartbeat timeout"))}resetHeartbeat(){this.conn&&this.conn.skipHeartbeat||(this.pendingHeartbeatRef=null,this.clearHeartbeats(),this.heartbeatTimer=setTimeout(()=>this.sendHeartbeat(),this.heartbeatIntervalMs))}teardown(e,t,i){if(!this.conn)return e&&e();this.waitForBufferDone(()=>{this.conn&&(t?this.conn.close(t,i||""):this.conn.close()),this.waitForSocketClosed(()=>{this.conn&&(this.conn.onopen=function(){},this.conn.onerror=function(){},this.conn.onmessage=function(){},this.conn.onclose=function(){},this.conn=null),e&&e()})})}waitForBufferDone(e,t=1){if(t===5||!this.conn||!this.conn.bufferedAmount){e();return}setTimeout(()=>{this.waitForBufferDone(e,t+1)},150*t)}waitForSocketClosed(e,t=1){if(t===5||!this.conn||this.conn.readyState===we.closed){e();return}setTimeout(()=>{this.waitForSocketClosed(e,t+1)},150*t)}onConnClose(e){let t=e&&e.code;this.hasLogger()&&this.log("transport","close",e),this.triggerChanError(),this.clearHeartbeats(),!this.closeWasClean&&t!==1e3&&this.reconnectTimer.scheduleTimeout(),this.stateChangeCallbacks.close.forEach(([,i])=>i(e))}onConnError(e){this.hasLogger()&&this.log("transport",e);let t=this.transport,i=this.establishedConnections;this.stateChangeCallbacks.error.forEach(([,n])=>{n(e,t,i)}),(t===this.transport||i>0)&&this.triggerChanError()}triggerChanError(){this.channels.forEach(e=>{e.isErrored()||e.isLeaving()||e.isClosed()||e.trigger(Te.error)})}connectionState(){switch(this.conn&&this.conn.readyState){case we.connecting:return"connecting";case we.open:return"open";case we.closing:return"closing";default:return"closed"}}isConnected(){return this.connectionState()==="open"}remove(e){this.off(e.stateChangeRefs),this.channels=this.channels.filter(t=>t.joinRef()!==e.joinRef())}off(e){for(let t in this.stateChangeCallbacks)this.stateChangeCallbacks[t]=this.stateChangeCallbacks[t].filter(([i])=>e.indexOf(i)===-1)}channel(e,t={}){let i=new fr(e,t,this);return this.channels.push(i),i}push(e){if(this.hasLogger()){let{topic:t,event:i,payload:n,ref:r,join_ref:s}=e;this.log("push",`${t} ${i} (${s}, ${r})`,n)}this.isConnected()?this.encode(e,t=>this.conn.send(t)):this.sendBuffer.push(()=>this.encode(e,t=>this.conn.send(t)))}makeRef(){let e=this.ref+1;return e===this.ref?this.ref=0:this.ref=e,this.ref.toString()}sendHeartbeat(){this.pendingHeartbeatRef&&!this.isConnected()||(this.pendingHeartbeatRef=this.makeRef(),this.push({topic:"phoenix",event:"heartbeat",payload:{},ref:this.pendingHeartbeatRef}),this.heartbeatTimeoutTimer=setTimeout(()=>this.heartbeatTimeout(),this.heartbeatIntervalMs))}flushSendBuffer(){this.isConnected()&&this.sendBuffer.length>0&&(this.sendBuffer.forEach(e=>e()),this.sendBuffer=[])}onConnMessage(e){this.decode(e.data,t=>{let{topic:i,event:n,payload:r,ref:s,join_ref:o}=t;s&&s===this.pendingHeartbeatRef&&(this.clearHeartbeats(),this.pendingHeartbeatRef=null,this.heartbeatTimer=setTimeout(()=>this.sendHeartbeat(),this.heartbeatIntervalMs)),this.hasLogger()&&this.log("receive",`${r.status||""} ${i} ${n} ${s&&"("+s+")"||""}`,r);for(let a=0;ai.topic===e&&(i.isJoined()||i.isJoining()));t&&(this.hasLogger()&&this.log("transport",`leaving duplicate topic "${e}"`),t.leave())}},Z=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"u"?global:typeof self<"u"?self:{};function gr(e){if(e.__esModule)return e;var t=e.default;if(typeof t=="function"){var i=function n(){if(this instanceof n){var r=[null];r.push.apply(r,arguments);var s=Function.bind.apply(t,r);return new s}return t.apply(this,arguments)};i.prototype=t.prototype}else i={};return Object.defineProperty(i,"__esModule",{value:!0}),Object.keys(e).forEach(function(n){var r=Object.getOwnPropertyDescriptor(e,n);Object.defineProperty(i,n,r.get?r:{enumerable:!0,get:function(){return e[n]}})}),i}var oi={},mr={get exports(){return oi},set exports(e){oi=e}};/** + * @license MIT + * topbar 1.0.0, 2021-01-06 + * http://buunguyen.github.io/topbar + * Copyright (c) 2021 Buu Nguyen + */(function(e){(function(t,i){(function(){for(var d=0,g=["ms","moz","webkit","o"],u=0;uthis.error(e)),this.uploadChannel.join().receive("ok",e=>this.readNextChunk()).receive("error",e=>this.error(e))}isDone(){return this.offset>=this.entry.file.size}readNextChunk(){let e=new window.FileReader,t=this.entry.file.slice(this.offset,this.chunkSize+this.offset);e.onload=i=>{if(i.target.error===null)this.offset+=i.target.result.byteLength,this.pushChunk(i.target.result);else return Q("Read error: "+i.target.error)},e.readAsArrayBuffer(t)}pushChunk(e){this.uploadChannel.isJoined()&&this.uploadChannel.push("chunk",e).receive("ok",()=>{this.entry.progress(this.offset/this.entry.file.size*100),this.isDone()||(this.chunkTimer=setTimeout(()=>this.readNextChunk(),this.liveSocket.getLatencySim()||0))})}},Q=(e,t)=>console.error&&console.error(e,t),De=e=>{let t=typeof e;return t==="number"||t==="string"&&/^(0|[1-9]\d*)$/.test(e)};function Hr(){let e=new Set,t=document.querySelectorAll("*[id]");for(let i=0,n=t.length;i{e.liveSocket.isDebugEnabled()&&console.log(`${e.id} ${t}: ${i} - `,n)},ti=e=>typeof e=="function"?e:function(){return e},Dt=e=>JSON.parse(JSON.stringify(e)),st=(e,t,i)=>{do{if(e.matches(`[${t}]`)&&!e.disabled)return e;e=e.parentElement||e.parentNode}while(e!==null&&e.nodeType===1&&!(i&&i.isSameNode(e)||e.matches(Ue)));return null},Qe=e=>e!==null&&typeof e=="object"&&!(e instanceof Array),Fr=(e,t)=>JSON.stringify(e)===JSON.stringify(t),Qi=e=>{for(let t in e)return!1;return!0},Le=(e,t)=>e&&t(e),jr=function(e,t,i,n){e.forEach(r=>{new Mr(r,i.config.chunk_size,n).upload()})},Nn={canPushState(){return typeof history.pushState<"u"},dropLocal(e,t,i){return e.removeItem(this.localKey(t,i))},updateLocal(e,t,i,n,r){let s=this.getLocal(e,t,i),o=this.localKey(t,i),a=s===null?n:r(s);return e.setItem(o,JSON.stringify(a)),a},getLocal(e,t,i){return JSON.parse(e.getItem(this.localKey(t,i)))},updateCurrentState(e){this.canPushState()&&history.replaceState(e(history.state||{}),"",window.location.href)},pushState(e,t,i){if(this.canPushState()){if(i!==window.location.href){if(t.type=="redirect"&&t.scroll){let r=history.state||{};r.scroll=t.scroll,history.replaceState(r,"",window.location.href)}delete t.scroll,history[e+"State"](t,"",i||null);let n=this.getHashTargetEl(window.location.hash);n?n.scrollIntoView():t.type==="redirect"&&window.scroll(0,0)}}else this.redirect(i)},setCookie(e,t){document.cookie=`${e}=${t}`},getCookie(e){return document.cookie.replace(new RegExp(`(?:(?:^|.*;s*)${e}s*=s*([^;]*).*$)|^.*$`),"$1")},redirect(e,t){t&&Nn.setCookie("__phoenix_flash__",t+"; max-age=60000; path=/"),window.location=e},localKey(e,t){return`${e}-${t}`},getHashTargetEl(e){let t=e.toString().substring(1);if(t!=="")return document.getElementById(t)||document.querySelector(`a[name="${t}"]`)}},_e=Nn,ge={byId(e){return document.getElementById(e)||Q(`no id found for ${e}`)},removeClass(e,t){e.classList.remove(t),e.classList.length===0&&e.removeAttribute("class")},all(e,t,i){if(!e)return[];let n=Array.from(e.querySelectorAll(t));return i?n.forEach(i):n},childNodeLength(e){let t=document.createElement("template");return t.innerHTML=e,t.content.childElementCount},isUploadInput(e){return e.type==="file"&&e.getAttribute(Me)!==null},findUploadInputs(e){return this.all(e,`input[type="file"][${Me}]`)},findComponentNodeList(e,t){return this.filterWithinSameLiveView(this.all(e,`[${le}="${t}"]`),e)},isPhxDestroyed(e){return!!(e.id&&ge.private(e,"destroyed"))},wantsNewTab(e){return e.ctrlKey||e.shiftKey||e.metaKey||e.button&&e.button===1||e.target.getAttribute("target")==="_blank"},isUnloadableFormSubmit(e){return!e.defaultPrevented&&!this.wantsNewTab(e)},isNewPageHref(e,t){let i;try{i=new URL(e)}catch{try{i=new URL(e,t)}catch{return!0}}return i.host===t.host&&i.protocol===t.protocol&&i.pathname===t.pathname&&i.search===t.search?i.hash===""&&!i.href.endsWith("#"):!0},markPhxChildDestroyed(e){this.isPhxChild(e)&&e.setAttribute(Oe,""),this.putPrivate(e,"destroyed",!0)},findPhxChildrenInFragment(e,t){let i=document.createElement("template");return i.innerHTML=e,this.findPhxChildren(i.content,t)},isIgnored(e,t){return(e.getAttribute(t)||e.getAttribute("data-phx-update"))==="ignore"},isPhxUpdate(e,t,i){return e.getAttribute&&i.indexOf(e.getAttribute(t))>=0},findPhxSticky(e){return this.all(e,`[${Wi}]`)},findPhxChildren(e,t){return this.all(e,`${Ue}[${je}="${t}"]`)},findParentCIDs(e,t){let i=new Set(t),n=t.reduce((r,s)=>{let o=`[${le}="${s}"] [${le}]`;return this.filterWithinSameLiveView(this.all(e,o),e).map(a=>parseInt(a.getAttribute(le))).forEach(a=>r.delete(a)),r},i);return n.size===0?new Set(t):n},filterWithinSameLiveView(e,t){return t.querySelector(Ue)?e.filter(i=>this.withinSameLiveView(i,t)):e},withinSameLiveView(e,t){for(;e=e.parentNode;){if(e.isSameNode(t))return!0;if(e.getAttribute(Oe)!==null)return!1}},private(e,t){return e[ve]&&e[ve][t]},deletePrivate(e,t){e[ve]&&delete e[ve][t]},putPrivate(e,t,i){e[ve]||(e[ve]={}),e[ve][t]=i},updatePrivate(e,t,i,n){let r=this.private(e,t);r===void 0?this.putPrivate(e,t,n(i)):this.putPrivate(e,t,n(r))},copyPrivates(e,t){t[ve]&&(e[ve]=t[ve])},putTitle(e){let t=document.querySelector("title");if(t){let{prefix:i,suffix:n}=t.dataset;document.title=`${i||""}${e}${n||""}`}else document.title=e},debounce(e,t,i,n,r,s,o,a){let l=e.getAttribute(i),h=e.getAttribute(r);l===""&&(l=n),h===""&&(h=s);let c=l||h;switch(c){case null:return a();case"blur":this.once(e,"debounce-blur")&&e.addEventListener("blur",()=>a());return;default:let d=parseInt(c),g=()=>h?this.deletePrivate(e,yt):a(),u=this.incCycle(e,Ge,g);if(isNaN(d))return Q(`invalid throttle/debounce value: ${c}`);if(h){let v=!1;if(t.type==="keydown"){let _=this.private(e,Ji);this.putPrivate(e,Ji,t.key),v=_!==t.key}if(!v&&this.private(e,yt))return!1;a(),this.putPrivate(e,yt,!0),setTimeout(()=>{o()&&this.triggerCycle(e,Ge)},d)}else setTimeout(()=>{o()&&this.triggerCycle(e,Ge,u)},d);let y=e.form;y&&this.once(y,"bind-debounce")&&y.addEventListener("submit",()=>{Array.from(new FormData(y).entries(),([v])=>{let _=y.querySelector(`[name="${v}"]`);this.incCycle(_,Ge),this.deletePrivate(_,yt)})}),this.once(e,"bind-debounce")&&e.addEventListener("blur",()=>this.triggerCycle(e,Ge))}},triggerCycle(e,t,i){let[n,r]=this.private(e,t);i||(i=n),i===n&&(this.incCycle(e,t),r())},once(e,t){return this.private(e,t)===!0?!1:(this.putPrivate(e,t,!0),!0)},incCycle(e,t,i=function(){}){let[n]=this.private(e,t)||[0,i];return n++,this.putPrivate(e,t,[n,i]),n},discardError(e,t,i){let n=t.getAttribute&&t.getAttribute(i),r=n&&e.querySelector(`[id="${n}"], [name="${n}"], [name="${n}[]"]`);r&&(this.private(r,Pn)||this.private(r,hi)||t.classList.add(Ui))},showError(e,t){(e.id||e.name)&&this.all(e.form,`[${t}="${e.id}"], [${t}="${e.name}"]`,i=>{this.removeClass(i,Ui)})},isPhxChild(e){return e.getAttribute&&e.getAttribute(je)},isPhxSticky(e){return e.getAttribute&&e.getAttribute(Wi)!==null},firstPhxChild(e){return this.isPhxChild(e)?e:this.all(e,`[${je}]`)[0]},dispatchEvent(e,t,i={}){let r={bubbles:i.bubbles===void 0?!0:!!i.bubbles,cancelable:!0,detail:i.detail||{}},s=t==="click"?new MouseEvent("click",r):new CustomEvent(t,r);e.dispatchEvent(s)},cloneNode(e,t){if(typeof t>"u")return e.cloneNode(!0);{let i=e.cloneNode(!1);return i.innerHTML=t,i}},mergeAttrs(e,t,i={}){let n=i.exclude||[],r=i.isIgnored,s=t.attributes;for(let a=s.length-1;a>=0;a--){let l=s[a].name;n.indexOf(l)<0&&e.setAttribute(l,t.getAttribute(l))}let o=e.attributes;for(let a=o.length-1;a>=0;a--){let l=o[a].name;r?l.startsWith("data-")&&!t.hasAttribute(l)&&e.removeAttribute(l):t.hasAttribute(l)||e.removeAttribute(l)}},mergeFocusedInput(e,t){e instanceof HTMLSelectElement||ge.mergeAttrs(e,t,{exclude:["value"]}),t.readOnly?e.setAttribute("readonly",!0):e.removeAttribute("readonly")},hasSelectionRange(e){return e.setSelectionRange&&(e.type==="text"||e.type==="textarea")},restoreFocus(e,t,i){if(!ge.isTextualInput(e))return;let n=e.matches(":focus");e.readOnly&&e.blur(),n||e.focus(),this.hasSelectionRange(e)&&e.setSelectionRange(t,i)},isFormInput(e){return/^(?:input|select|textarea)$/i.test(e.tagName)&&e.type!=="button"},syncAttrsToProps(e){e instanceof HTMLInputElement&&Rn.indexOf(e.type.toLocaleLowerCase())>=0&&(e.checked=e.getAttribute("checked")!==null)},isTextualInput(e){return Tr.indexOf(e.type)>=0},isNowTriggerFormExternal(e,t){return e.getAttribute&&e.getAttribute(t)!==null},syncPendingRef(e,t,i){let n=e.getAttribute(Ee);if(n===null)return!0;let r=e.getAttribute(Ne);return ge.isFormInput(e)||e.getAttribute(i)!==null?(ge.isUploadInput(e)&&ge.mergeAttrs(e,t,{isIgnored:!0}),ge.putPrivate(e,Ee,t),!1):(On.forEach(s=>{e.classList.contains(s)&&t.classList.add(s)}),t.setAttribute(Ee,n),t.setAttribute(Ne,r),!0)},cleanChildNodes(e,t){if(ge.isPhxUpdate(e,t,["append","prepend"])){let i=[];e.childNodes.forEach(n=>{n.id||(n.nodeType===Node.TEXT_NODE&&n.nodeValue.trim()===""||Q(`only HTML element tags with an id are allowed inside containers with phx-update. + +removing illegal node: "${(n.outerHTML||n.nodeValue).trim()}" + +`),i.push(n))}),i.forEach(n=>n.remove())}},replaceRootContainer(e,t,i){let n=new Set(["id",Oe,rt,yi,ht]);if(e.tagName.toLowerCase()===t.toLowerCase())return Array.from(e.attributes).filter(r=>!n.has(r.name.toLowerCase())).forEach(r=>e.removeAttribute(r.name)),Object.keys(i).filter(r=>!n.has(r.toLowerCase())).forEach(r=>e.setAttribute(r,i[r])),e;{let r=document.createElement(t);return Object.keys(i).forEach(s=>r.setAttribute(s,i[s])),n.forEach(s=>r.setAttribute(s,e.getAttribute(s))),r.innerHTML=e.innerHTML,e.replaceWith(r),r}},getSticky(e,t,i){let n=(ge.private(e,"sticky")||[]).find(([r])=>t===r);if(n){let[r,s,o]=n;return o}else return typeof i=="function"?i():i},deleteSticky(e,t){this.updatePrivate(e,"sticky",[],i=>i.filter(([n,r])=>n!==t))},putSticky(e,t,i){let n=i(e);this.updatePrivate(e,"sticky",[],r=>{let s=r.findIndex(([o])=>t===o);return s>=0?r[s]=[t,i,n]:r.push([t,i,n]),r})},applyStickyOperations(e){let t=ge.private(e,"sticky");t&&t.forEach(([i,n,r])=>this.putSticky(e,i,n))}},m=ge,ii=class{static isActive(e,t){let i=t._phxRef===void 0,r=e.getAttribute(ai).split(",").indexOf(G.genFileRef(t))>=0;return t.size>0&&(i||r)}static isPreflighted(e,t){return e.getAttribute(_i).split(",").indexOf(G.genFileRef(t))>=0&&this.isActive(e,t)}constructor(e,t,i){this.ref=G.genFileRef(t),this.fileEl=e,this.file=t,this.view=i,this.meta=null,this._isCancelled=!1,this._isDone=!1,this._progress=0,this._lastProgressSent=-1,this._onDone=function(){},this._onElUpdated=this.onElUpdated.bind(this),this.fileEl.addEventListener(kt,this._onElUpdated)}metadata(){return this.meta}progress(e){this._progress=Math.floor(e),this._progress>this._lastProgressSent&&(this._progress>=100?(this._progress=100,this._lastProgressSent=100,this._isDone=!0,this.view.pushFileProgress(this.fileEl,this.ref,100,()=>{G.untrackFile(this.fileEl,this.file),this._onDone()})):(this._lastProgressSent=this._progress,this.view.pushFileProgress(this.fileEl,this.ref,this._progress)))}cancel(){this._isCancelled=!0,this._isDone=!0,this._onDone()}isDone(){return this._isDone}error(e="failed"){this.fileEl.removeEventListener(kt,this._onElUpdated),this.view.pushFileProgress(this.fileEl,this.ref,{error:e}),G.clearFiles(this.fileEl)}onDone(e){this._onDone=()=>{this.fileEl.removeEventListener(kt,this._onElUpdated),e()}}onElUpdated(){this.fileEl.getAttribute(ai).split(",").indexOf(this.ref)===-1&&this.cancel()}toPreflightPayload(){return{last_modified:this.file.lastModified,name:this.file.name,relative_path:this.file.webkitRelativePath,size:this.file.size,type:this.file.type,ref:this.ref}}uploader(e){if(this.meta.uploader){let t=e[this.meta.uploader]||Q(`no uploader configured for ${this.meta.uploader}`);return{name:this.meta.uploader,callback:t}}else return{name:"channel",callback:jr}}zipPostFlight(e){this.meta=e.entries[this.ref],this.meta||Q(`no preflight upload response returned with ref ${this.ref}`,{input:this.fileEl,response:e})}},Br=0,G=class{static genFileRef(e){let t=e._phxRef;return t!==void 0?t:(e._phxRef=(Br++).toString(),e._phxRef)}static getEntryDataURL(e,t,i){let n=this.activeFiles(e).find(r=>this.genFileRef(r)===t);i(URL.createObjectURL(n))}static hasUploadsInProgress(e){let t=0;return m.findUploadInputs(e).forEach(i=>{i.getAttribute(_i)!==i.getAttribute(Ar)&&t++}),t>0}static serializeUploads(e){let t=this.activeFiles(e),i={};return t.forEach(n=>{let r={path:e.name},s=e.getAttribute(Me);i[s]=i[s]||[],r.ref=this.genFileRef(n),r.last_modified=n.lastModified,r.name=n.name||r.ref,r.relative_path=n.webkitRelativePath,r.type=n.type,r.size=n.size,i[s].push(r)}),i}static clearFiles(e){e.value=null,e.removeAttribute(Me),m.putPrivate(e,"files",[])}static untrackFile(e,t){m.putPrivate(e,"files",m.private(e,"files").filter(i=>!Object.is(i,t)))}static trackFiles(e,t){if(e.getAttribute("multiple")!==null){let i=t.filter(n=>!this.activeFiles(e).find(r=>Object.is(r,n)));m.putPrivate(e,"files",this.activeFiles(e).concat(i)),e.value=null}else m.putPrivate(e,"files",t)}static activeFileInputs(e){let t=m.findUploadInputs(e);return Array.from(t).filter(i=>i.files&&this.activeFiles(i).length>0)}static activeFiles(e){return(m.private(e,"files")||[]).filter(t=>ii.isActive(e,t))}static inputsAwaitingPreflight(e){let t=m.findUploadInputs(e);return Array.from(t).filter(i=>this.filesAwaitingPreflight(i).length>0)}static filesAwaitingPreflight(e){return this.activeFiles(e).filter(t=>!ii.isPreflighted(e,t))}constructor(e,t,i){this.view=t,this.onComplete=i,this._entries=Array.from(G.filesAwaitingPreflight(e)||[]).map(n=>new ii(e,n,t)),this.numEntriesInProgress=this._entries.length}entries(){return this._entries}initAdapterUpload(e,t,i){this._entries=this._entries.map(r=>(r.zipPostFlight(e),r.onDone(()=>{this.numEntriesInProgress--,this.numEntriesInProgress===0&&this.onComplete()}),r));let n=this._entries.reduce((r,s)=>{let{name:o,callback:a}=s.uploader(i.uploaders);return r[o]=r[o]||{callback:a,entries:[]},r[o].entries.push(s),r},{});for(let r in n){let{callback:s,entries:o}=n[r];s(o,t,e,i)}}},Ur={focusMain(){let e=document.querySelector("main h1, main, h1");if(e){let t=e.tabIndex;e.tabIndex=-1,e.focus(),e.tabIndex=t}},anyOf(e,t){return t.find(i=>e instanceof i)},isFocusable(e,t){return e instanceof HTMLAnchorElement&&e.rel!=="ignore"||e instanceof HTMLAreaElement&&e.href!==void 0||!e.disabled&&this.anyOf(e,[HTMLInputElement,HTMLSelectElement,HTMLTextAreaElement,HTMLButtonElement])||e instanceof HTMLIFrameElement||e.tabIndex>0||!t&&e.tabIndex===0&&e.getAttribute("tabindex")!==null&&e.getAttribute("aria-hidden")!=="true"},attemptFocus(e,t){if(this.isFocusable(e,t))try{e.focus()}catch{}return!!document.activeElement&&document.activeElement.isSameNode(e)},focusFirstInteractive(e){let t=e.firstElementChild;for(;t;){if(this.attemptFocus(t,!0)||this.focusFirstInteractive(t,!0))return!0;t=t.nextElementSibling}},focusFirst(e){let t=e.firstElementChild;for(;t;){if(this.attemptFocus(t)||this.focusFirst(t))return!0;t=t.nextElementSibling}},focusLast(e){let t=e.lastElementChild;for(;t;){if(this.attemptFocus(t)||this.focusLast(t))return!0;t=t.previousElementSibling}}},Be=Ur,Vr={LiveFileUpload:{activeRefs(){return this.el.getAttribute(ai)},preflightedRefs(){return this.el.getAttribute(_i)},mounted(){this.preflightedWas=this.preflightedRefs()},updated(){let e=this.preflightedRefs();this.preflightedWas!==e&&(this.preflightedWas=e,e===""&&this.__view.cancelSubmit(this.el.form)),this.activeRefs()===""&&(this.el.value=null),this.el.dispatchEvent(new CustomEvent(kt))}},LiveImgPreview:{mounted(){this.ref=this.el.getAttribute("data-phx-entry-ref"),this.inputEl=document.getElementById(this.el.getAttribute(Me)),G.getEntryDataURL(this.inputEl,this.ref,e=>{this.url=e,this.el.src=e})},destroyed(){URL.revokeObjectURL(this.url)}},FocusWrap:{mounted(){this.focusStart=this.el.firstElementChild,this.focusEnd=this.el.lastElementChild,this.focusStart.addEventListener("focus",()=>Be.focusLast(this.el)),this.focusEnd.addEventListener("focus",()=>Be.focusFirst(this.el)),this.el.addEventListener("phx:show-end",()=>this.el.focus()),window.getComputedStyle(this.el).display!=="none"&&Be.focusFirst(this.el)}}},Wr=Vr,qr=class{constructor(e,t,i){let n=new Set,r=new Set([...t.children].map(o=>o.id)),s=[];Array.from(e.children).forEach(o=>{if(o.id&&(n.add(o.id),r.has(o.id))){let a=o.previousElementSibling&&o.previousElementSibling.id;s.push({elementId:o.id,previousElementId:a})}}),this.containerId=t.id,this.updateType=i,this.elementsToModify=s,this.elementIdsToAdd=[...r].filter(o=>!n.has(o))}perform(){let e=m.byId(this.containerId);this.elementsToModify.forEach(t=>{t.previousElementId?Le(document.getElementById(t.previousElementId),i=>{Le(document.getElementById(t.elementId),n=>{n.previousElementSibling&&n.previousElementSibling.id==i.id||i.insertAdjacentElement("afterend",n)})}):Le(document.getElementById(t.elementId),i=>{i.previousElementSibling==null||e.insertAdjacentElement("afterbegin",i)})}),this.updateType=="prepend"&&this.elementIdsToAdd.reverse().forEach(t=>{Le(document.getElementById(t),i=>e.insertAdjacentElement("afterbegin",i))})}},Zi=11;function Kr(e,t){var i=t.attributes,n,r,s,o,a;if(!(t.nodeType===Zi||e.nodeType===Zi)){for(var l=i.length-1;l>=0;l--)n=i[l],r=n.name,s=n.namespaceURI,o=n.value,s?(r=n.localName||r,a=e.getAttributeNS(s,r),a!==o&&(n.prefix==="xmlns"&&(r=n.name),e.setAttributeNS(s,r,o))):(a=e.getAttribute(r),a!==o&&e.setAttribute(r,o));for(var h=e.attributes,c=h.length-1;c>=0;c--)n=h[c],r=n.name,s=n.namespaceURI,s?(r=n.localName||r,t.hasAttributeNS(s,r)||e.removeAttributeNS(s,r)):t.hasAttribute(r)||e.removeAttribute(r)}}var Et,Jr="http://www.w3.org/1999/xhtml",se=typeof document>"u"?void 0:document,Xr=!!se&&"content"in se.createElement("template"),zr=!!se&&se.createRange&&"createContextualFragment"in se.createRange();function Yr(e){var t=se.createElement("template");return t.innerHTML=e,t.content.childNodes[0]}function Gr(e){Et||(Et=se.createRange(),Et.selectNode(se.body));var t=Et.createContextualFragment(e);return t.childNodes[0]}function Qr(e){var t=se.createElement("body");return t.innerHTML=e,t.childNodes[0]}function Zr(e){return e=e.trim(),Xr?Yr(e):zr?Gr(e):Qr(e)}function wt(e,t){var i=e.nodeName,n=t.nodeName,r,s;return i===n?!0:(r=i.charCodeAt(0),s=n.charCodeAt(0),r<=90&&s>=97?i===n.toUpperCase():s<=90&&r>=97?n===i.toUpperCase():!1)}function es(e,t){return!t||t===Jr?se.createElement(e):se.createElementNS(t,e)}function ts(e,t){for(var i=e.firstChild;i;){var n=i.nextSibling;t.appendChild(i),i=n}return t}function ni(e,t,i){e[i]!==t[i]&&(e[i]=t[i],e[i]?e.setAttribute(i,""):e.removeAttribute(i))}var en={OPTION:function(e,t){var i=e.parentNode;if(i){var n=i.nodeName.toUpperCase();n==="OPTGROUP"&&(i=i.parentNode,n=i&&i.nodeName.toUpperCase()),n==="SELECT"&&!i.hasAttribute("multiple")&&(e.hasAttribute("selected")&&!t.selected&&(e.setAttribute("selected","selected"),e.removeAttribute("selected")),i.selectedIndex=-1)}ni(e,t,"selected")},INPUT:function(e,t){ni(e,t,"checked"),ni(e,t,"disabled"),e.value!==t.value&&(e.value=t.value),t.hasAttribute("value")||e.removeAttribute("value")},TEXTAREA:function(e,t){var i=t.value;e.value!==i&&(e.value=i);var n=e.firstChild;if(n){var r=n.nodeValue;if(r==i||!i&&r==e.placeholder)return;n.nodeValue=i}},SELECT:function(e,t){if(!t.hasAttribute("multiple")){for(var i=-1,n=0,r=e.firstChild,s,o;r;)if(o=r.nodeName&&r.nodeName.toUpperCase(),o==="OPTGROUP")s=r,r=s.firstChild;else{if(o==="OPTION"){if(r.hasAttribute("selected")){i=n;break}n++}r=r.nextSibling,!r&&s&&(r=s.nextSibling,s=null)}e.selectedIndex=i}}},Ze=1,is=11,tn=3,nn=8;function Re(){}function ns(e){if(e)return e.getAttribute&&e.getAttribute("id")||e.id}function rs(e){return function(i,n,r){if(r||(r={}),typeof n=="string")if(i.nodeName==="#document"||i.nodeName==="HTML"||i.nodeName==="BODY"){var s=n;n=se.createElement("html"),n.innerHTML=s}else n=Zr(n);var o=r.getNodeKey||ns,a=r.onBeforeNodeAdded||Re,l=r.onNodeAdded||Re,h=r.onBeforeElUpdated||Re,c=r.onElUpdated||Re,d=r.onBeforeNodeDiscarded||Re,g=r.onNodeDiscarded||Re,u=r.onBeforeElChildrenUpdated||Re,y=r.childrenOnly===!0,v=Object.create(null),_=[];function S(T){_.push(T)}function N(T,A){if(T.nodeType===Ze)for(var b=T.firstChild;b;){var L=void 0;A&&(L=o(b))?S(L):(g(b),b.firstChild&&N(b,A)),b=b.nextSibling}}function f(T,A,b){d(T)!==!1&&(A&&A.removeChild(T),g(T),N(T,b))}function w(T){if(T.nodeType===Ze||T.nodeType===is)for(var A=T.firstChild;A;){var b=o(A);b&&(v[b]=A),w(A),A=A.nextSibling}}w(i);function x(T){l(T);for(var A=T.firstChild;A;){var b=A.nextSibling,L=o(A);if(L){var I=v[L];I&&wt(A,I)?(A.parentNode.replaceChild(I,A),C(I,A)):x(A)}else x(A);A=b}}function E(T,A,b){for(;A;){var L=A.nextSibling;(b=o(A))?S(b):f(A,T,!0),A=L}}function C(T,A,b){var L=o(A);L&&delete v[L],!(!b&&(h(T,A)===!1||(e(T,A),c(T),u(T,A)===!1)))&&(T.nodeName!=="TEXTAREA"?P(T,A):en.TEXTAREA(T,A))}function P(T,A){var b=A.firstChild,L=T.firstChild,I,U,j,J,B;e:for(;b;){for(J=b.nextSibling,I=o(b);L;){if(j=L.nextSibling,b.isSameNode&&b.isSameNode(L)){b=J,L=j;continue e}U=o(L);var ee=L.nodeType,W=void 0;if(ee===b.nodeType&&(ee===Ze?(I?I!==U&&((B=v[I])?j===B?W=!1:(T.insertBefore(B,L),U?S(U):f(L,T,!0),L=B):W=!1):U&&(W=!1),W=W!==!1&&wt(L,b),W&&C(L,b)):(ee===tn||ee==nn)&&(W=!0,L.nodeValue!==b.nodeValue&&(L.nodeValue=b.nodeValue))),W){b=J,L=j;continue e}U?S(U):f(L,T,!0),L=j}if(I&&(B=v[I])&&wt(B,b))T.appendChild(B),C(B,b);else{var K=a(b);K!==!1&&(K&&(b=K),b.actualize&&(b=b.actualize(T.ownerDocument||se)),T.appendChild(b),x(b))}b=J,L=j}E(T,L,U);var z=en[T.nodeName];z&&z(T,A)}var k=i,M=k.nodeType,H=n.nodeType;if(!y){if(M===Ze)H===Ze?wt(i,n)||(g(i),k=ts(i,es(n.nodeName,n.namespaceURI))):k=n;else if(M===tn||M===nn){if(H===M)return k.nodeValue!==n.nodeValue&&(k.nodeValue=n.nodeValue),k;k=n}}if(k===n)g(i);else{if(n.isSameNode&&n.isSameNode(k))return;if(C(k,n,y),_)for(var p=0,D=_.length;p{if(i&&i.isSameNode(n)&&m.isFormInput(n))return m.mergeFocusedInput(n,r),!1}})}constructor(e,t,i,n,r){this.view=e,this.liveSocket=e.liveSocket,this.container=t,this.id=i,this.rootID=e.root.id,this.html=n,this.targetCID=r,this.cidPatch=De(this.targetCID),this.callbacks={beforeadded:[],beforeupdated:[],beforephxChildAdded:[],afteradded:[],afterupdated:[],afterdiscarded:[],afterphxChildAdded:[],aftertransitionsDiscarded:[]}}before(e,t){this.callbacks[`before${e}`].push(t)}after(e,t){this.callbacks[`after${e}`].push(t)}trackBefore(e,...t){this.callbacks[`before${e}`].forEach(i=>i(...t))}trackAfter(e,...t){this.callbacks[`after${e}`].forEach(i=>i(...t))}markPrunableContentForRemoval(){m.all(this.container,"[phx-update=append] > *, [phx-update=prepend] > *",e=>{e.setAttribute(Fi,"")})}perform(){let{view:e,liveSocket:t,container:i,html:n}=this,r=this.isCIDPatch()?this.targetCIDContainer(n):i;if(this.isCIDPatch()&&!r)return;let s=t.getActiveElement(),{selectionStart:o,selectionEnd:a}=s&&m.hasSelectionRange(s)?s:{},l=t.binding(ui),h=t.binding(ci),c=t.binding(di),d=t.binding(Cr),g=t.binding("remove"),u=[],y=[],v=[],_=[],S=null,N=t.time("premorph container prep",()=>this.buildDiffHTML(i,n,l,r));return this.trackBefore("added",i),this.trackBefore("updated",i,i),t.time("morphdom",()=>{rn(r,N,{childrenOnly:r.getAttribute(le)===null,getNodeKey:f=>m.isPhxDestroyed(f)?null:f.id,onBeforeNodeAdded:f=>(this.trackBefore("added",f),f),onNodeAdded:f=>{f instanceof HTMLImageElement&&f.srcset?f.srcset=f.srcset:f instanceof HTMLVideoElement&&f.autoplay&&f.play(),m.isNowTriggerFormExternal(f,d)&&(S=f),m.discardError(r,f,h),(m.isPhxChild(f)&&e.ownsElement(f)||m.isPhxSticky(f)&&e.ownsElement(f.parentNode))&&this.trackAfter("phxChildAdded",f),u.push(f)},onNodeDiscarded:f=>{(m.isPhxChild(f)||m.isPhxSticky(f))&&t.destroyViewByEl(f),this.trackAfter("discarded",f)},onBeforeNodeDiscarded:f=>f.getAttribute&&f.getAttribute(Fi)!==null?!0:f.parentNode!==null&&m.isPhxUpdate(f.parentNode,l,["append","prepend"])&&f.id?!1:f.getAttribute&&f.getAttribute(g)?(_.push(f),!1):!this.skipCIDSibling(f),onElUpdated:f=>{m.isNowTriggerFormExternal(f,d)&&(S=f),y.push(f)},onBeforeElUpdated:(f,w)=>{if(m.cleanChildNodes(w,l),this.skipCIDSibling(w)||m.isPhxSticky(f))return!1;if(m.isIgnored(f,l)||f.form&&f.form.isSameNode(S))return this.trackBefore("updated",f,w),m.mergeAttrs(f,w,{isIgnored:!0}),y.push(f),m.applyStickyOperations(f),!1;if(f.type==="number"&&f.validity&&f.validity.badInput)return!1;if(!m.syncPendingRef(f,w,c))return m.isUploadInput(f)&&(this.trackBefore("updated",f,w),y.push(f)),m.applyStickyOperations(f),!1;if(m.isPhxChild(w)){let E=f.getAttribute(Oe);return m.mergeAttrs(f,w,{exclude:[rt]}),E!==""&&f.setAttribute(Oe,E),f.setAttribute(ht,this.rootID),m.applyStickyOperations(f),!1}return m.copyPrivates(w,f),m.discardError(r,w,h),s&&f.isSameNode(s)&&m.isFormInput(f)&&f.type!=="hidden"?(this.trackBefore("updated",f,w),m.mergeFocusedInput(f,w),m.syncAttrsToProps(f),y.push(f),m.applyStickyOperations(f),!1):(m.isPhxUpdate(w,l,["append","prepend"])&&v.push(new qr(f,w,w.getAttribute(l))),m.syncAttrsToProps(w),m.applyStickyOperations(w),this.trackBefore("updated",f,w),!0)}})}),t.isDebugEnabled()&&Hr(),v.length>0&&t.time("post-morph append/prepend restoration",()=>{v.forEach(f=>f.perform())}),t.silenceEvents(()=>m.restoreFocus(s,o,a)),m.dispatchEvent(document,"phx:update"),u.forEach(f=>this.trackAfter("added",f)),y.forEach(f=>this.trackAfter("updated",f)),_.length>0&&(t.transitionRemoves(_),t.requestDOMUpdate(()=>{_.forEach(f=>{let w=m.firstPhxChild(f);w&&t.destroyViewByEl(w),f.remove()}),this.trackAfter("transitionsDiscarded",_)})),S&&(t.unload(),S.submit()),!0}isCIDPatch(){return this.cidPatch}skipCIDSibling(e){return e.nodeType===Node.ELEMENT_NODE&&e.getAttribute(li)!==null}targetCIDContainer(e){if(!this.isCIDPatch())return;let[t,...i]=m.findComponentNodeList(this.container,this.targetCID);return i.length===0&&m.childNodeLength(e)===1?t:t&&t.parentNode}buildDiffHTML(e,t,i,n){let r=this.isCIDPatch(),s=r&&n.getAttribute(le)===this.targetCID.toString();if(!r||s)return t;{let o=null,a=document.createElement("template");o=m.cloneNode(n);let[l,...h]=m.findComponentNodeList(o,this.targetCID);return a.innerHTML=t,h.forEach(c=>c.remove()),Array.from(o.childNodes).forEach(c=>{c.id&&c.nodeType===Node.ELEMENT_NODE&&c.getAttribute(le)!==this.targetCID.toString()&&(c.setAttribute(li,""),c.innerHTML="")}),Array.from(a.content.childNodes).forEach(c=>o.insertBefore(c,l)),l.remove(),o.outerHTML}}},sn=class{static extract(e){let{[Yi]:t,[zi]:i,[Gi]:n}=e;return delete e[Yi],delete e[zi],delete e[Gi],{diff:e,title:n,reply:t||null,events:i||[]}}constructor(e,t){this.viewId=e,this.rendered={},this.mergeDiff(t)}parentViewId(){return this.viewId}toString(e){return this.recursiveToString(this.rendered,this.rendered[ae],e)}recursiveToString(e,t=e[ae],i){i=i?new Set(i):null;let n={buffer:"",components:t,onlyCids:i};return this.toOutputBuffer(e,null,n),n.buffer}componentCIDs(e){return Object.keys(e[ae]||{}).map(t=>parseInt(t))}isComponentOnlyDiff(e){return e[ae]?Object.keys(e).length===1:!1}getComponent(e,t){return e[ae][t]}mergeDiff(e){let t=e[ae],i={};if(delete e[ae],this.rendered=this.mutableMerge(this.rendered,e),this.rendered[ae]=this.rendered[ae]||{},t){let n=this.rendered[ae];for(let r in t)t[r]=this.cachedFindComponent(r,t[r],n,t,i);for(let r in t)n[r]=t[r];e[ae]=t}}cachedFindComponent(e,t,i,n,r){if(r[e])return r[e];{let s,o,a=t[be];if(De(a)){let l;a>0?l=this.cachedFindComponent(a,n[a],i,n,r):l=i[-a],o=l[be],s=this.cloneMerge(l,t),s[be]=o}else s=t[be]!==void 0?t:this.cloneMerge(i[e]||{},t);return r[e]=s,s}}mutableMerge(e,t){return t[be]!==void 0?t:(this.doMutableMerge(e,t),e)}doMutableMerge(e,t){for(let i in t){let n=t[i],r=e[i];Qe(n)&&n[be]===void 0&&Qe(r)?this.doMutableMerge(r,n):e[i]=n}}cloneMerge(e,t){let i={...e,...t};for(let n in i){let r=t[n],s=e[n];Qe(r)&&r[be]===void 0&&Qe(s)&&(i[n]=this.cloneMerge(s,r))}return i}componentToString(e){return this.recursiveCIDToString(this.rendered[ae],e)}pruneCIDs(e){e.forEach(t=>delete this.rendered[ae][t])}get(){return this.rendered}isNewFingerprint(e={}){return!!e[be]}templateStatic(e,t){return typeof e=="number"?t[e]:e}toOutputBuffer(e,t,i){if(e[Xi])return this.comprehensionToBuffer(e,t,i);let{[be]:n}=e;n=this.templateStatic(n,t),i.buffer+=n[0];for(let r=1;rd.nodeType===Node.ELEMENT_NODE?d.getAttribute(le)?[h,!0]:(d.setAttribute(le,t),d.id||(d.id=`${this.parentViewId()}-${t}-${g}`),o&&(d.setAttribute(li,""),d.innerHTML=""),[!0,c]):d.nodeValue.trim()!==""?(Q(`only HTML element tags are allowed at the root of components. + +got: "${d.nodeValue.trim()}" + +within: +`,r.innerHTML.trim()),d.replaceWith(this.createSpan(d.nodeValue,t)),[!0,c]):(d.remove(),[h,c]),[!1,!1]);return!a&&!l?(Q(`expected at least one HTML element tag inside a component, but the component is empty: +`,r.innerHTML.trim()),this.createSpan("",t).outerHTML):(!a&&l&&Q("expected at least one HTML element tag directly inside a component, but only subcomponents were found. A component must render at least one HTML tag directly inside itself.",r.innerHTML.trim()),r.innerHTML)}createSpan(e,t){let i=document.createElement("span");return i.innerText=e,i.setAttribute(le,t),i}},os=1,et=class{static makeID(){return os++}static elementID(e){return e.phxHookId}constructor(e,t,i){this.__view=e,this.liveSocket=e.liveSocket,this.__callbacks=i,this.__listeners=new Set,this.__isDisconnected=!1,this.el=t,this.el.phxHookId=this.constructor.makeID();for(let n in this.__callbacks)this[n]=this.__callbacks[n]}__mounted(){this.mounted&&this.mounted()}__updated(){this.updated&&this.updated()}__beforeUpdate(){this.beforeUpdate&&this.beforeUpdate()}__destroyed(){this.destroyed&&this.destroyed()}__reconnected(){this.__isDisconnected&&(this.__isDisconnected=!1,this.reconnected&&this.reconnected())}__disconnected(){this.__isDisconnected=!0,this.disconnected&&this.disconnected()}pushEvent(e,t={},i=function(){}){return this.__view.pushHookEvent(null,e,t,i)}pushEventTo(e,t,i={},n=function(){}){return this.__view.withinTargets(e,(r,s)=>r.pushHookEvent(s,t,i,n))}handleEvent(e,t){let i=(n,r)=>r?e:t(n.detail);return window.addEventListener(`phx:${e}`,i),this.__listeners.add(i),i}removeHandleEvent(e){let t=e(null,!0);window.removeEventListener(`phx:${t}`,e),this.__listeners.delete(e)}upload(e,t){return this.__view.dispatchUploads(e,t)}uploadTo(e,t,i){return this.__view.withinTargets(e,n=>n.dispatchUploads(t,i))}__cleanup__(){this.__listeners.forEach(e=>this.removeHandleEvent(e))}},Ct=null,as={exec(e,t,i,n,r){let[s,o]=r||[null,{}];(t.charAt(0)==="["?JSON.parse(t):[[s,o]]).forEach(([l,h])=>{l===s&&o.data&&(h.data=Object.assign(h.data||{},o.data)),this.filterToEls(n,h).forEach(c=>{this[`exec_${l}`](e,t,i,n,c,h)})})},isVisible(e){return!!(e.offsetWidth||e.offsetHeight||e.getClientRects().length>0)},exec_dispatch(e,t,i,n,r,{to:s,event:o,detail:a,bubbles:l}){a=a||{},a.dispatcher=n,m.dispatchEvent(r,o,{detail:a,bubbles:l})},exec_push(e,t,i,n,r,s){if(!i.isConnected())return;let{event:o,data:a,target:l,page_loading:h,loading:c,value:d,dispatcher:g}=s,u={loading:c,value:d,target:l,page_loading:!!h},y=e==="change"&&g?g:n,v=l||y.getAttribute(i.binding("target"))||y;i.withinTargets(v,(_,S)=>{if(e==="change"){let{newCid:N,_target:f,callback:w}=s;f=f||(m.isFormInput(n)?n.name:void 0),f&&(u._target=f),_.pushInput(n,S,N,o||t,u,w)}else e==="submit"?_.submitForm(n,S,o||t,u):_.pushEvent(e,n,S,o||t,a,u)})},exec_navigate(e,t,i,n,r,{href:s,replace:o}){i.liveSocket.historyRedirect(s,o?"replace":"push")},exec_patch(e,t,i,n,r,{href:s,replace:o}){i.liveSocket.pushHistoryPatch(s,o?"replace":"push",n)},exec_focus(e,t,i,n,r){window.requestAnimationFrame(()=>Be.attemptFocus(r))},exec_focus_first(e,t,i,n,r){window.requestAnimationFrame(()=>Be.focusFirstInteractive(r)||Be.focusFirst(r))},exec_push_focus(e,t,i,n,r){window.requestAnimationFrame(()=>Ct=r||n)},exec_pop_focus(e,t,i,n,r){window.requestAnimationFrame(()=>{Ct&&Ct.focus(),Ct=null})},exec_add_class(e,t,i,n,r,{names:s,transition:o,time:a}){this.addOrRemoveClasses(r,s,[],o,a,i)},exec_remove_class(e,t,i,n,r,{names:s,transition:o,time:a}){this.addOrRemoveClasses(r,[],s,o,a,i)},exec_transition(e,t,i,n,r,{time:s,transition:o}){let[a,l,h]=o,c=()=>this.addOrRemoveClasses(r,a.concat(l),[]),d=()=>this.addOrRemoveClasses(r,h,a.concat(l));i.transition(s,c,d)},exec_toggle(e,t,i,n,r,{display:s,ins:o,outs:a,time:l}){this.toggle(e,i,r,s,o,a,l)},exec_show(e,t,i,n,r,{display:s,transition:o,time:a}){this.show(e,i,r,s,o,a)},exec_hide(e,t,i,n,r,{display:s,transition:o,time:a}){this.hide(e,i,r,s,o,a)},exec_set_attr(e,t,i,n,r,{attr:[s,o]}){this.setOrRemoveAttrs(r,[[s,o]],[])},exec_remove_attr(e,t,i,n,r,{attr:s}){this.setOrRemoveAttrs(r,[],[s])},show(e,t,i,n,r,s){this.isVisible(i)||this.toggle(e,t,i,n,r,null,s)},hide(e,t,i,n,r,s){this.isVisible(i)&&this.toggle(e,t,i,n,null,r,s)},toggle(e,t,i,n,r,s,o){let[a,l,h]=r||[[],[],[]],[c,d,g]=s||[[],[],[]];if(a.length>0||c.length>0)if(this.isVisible(i)){let u=()=>{this.addOrRemoveClasses(i,d,a.concat(l).concat(h)),window.requestAnimationFrame(()=>{this.addOrRemoveClasses(i,c,[]),window.requestAnimationFrame(()=>this.addOrRemoveClasses(i,g,d))})};i.dispatchEvent(new Event("phx:hide-start")),t.transition(o,u,()=>{this.addOrRemoveClasses(i,[],c.concat(g)),m.putSticky(i,"toggle",y=>y.style.display="none"),i.dispatchEvent(new Event("phx:hide-end"))})}else{if(e==="remove")return;let u=()=>{this.addOrRemoveClasses(i,l,c.concat(d).concat(g)),m.putSticky(i,"toggle",y=>y.style.display=n||"block"),window.requestAnimationFrame(()=>{this.addOrRemoveClasses(i,a,[]),window.requestAnimationFrame(()=>this.addOrRemoveClasses(i,h,l))})};i.dispatchEvent(new Event("phx:show-start")),t.transition(o,u,()=>{this.addOrRemoveClasses(i,[],a.concat(h)),i.dispatchEvent(new Event("phx:show-end"))})}else this.isVisible(i)?window.requestAnimationFrame(()=>{i.dispatchEvent(new Event("phx:hide-start")),m.putSticky(i,"toggle",u=>u.style.display="none"),i.dispatchEvent(new Event("phx:hide-end"))}):window.requestAnimationFrame(()=>{i.dispatchEvent(new Event("phx:show-start")),m.putSticky(i,"toggle",u=>u.style.display=n||"block"),i.dispatchEvent(new Event("phx:show-end"))})},addOrRemoveClasses(e,t,i,n,r,s){let[o,a,l]=n||[[],[],[]];if(o.length>0){let h=()=>this.addOrRemoveClasses(e,a.concat(o),[]),c=()=>this.addOrRemoveClasses(e,t.concat(l),i.concat(o).concat(a));return s.transition(r,h,c)}window.requestAnimationFrame(()=>{let[h,c]=m.getSticky(e,"classes",[[],[]]),d=t.filter(v=>h.indexOf(v)<0&&!e.classList.contains(v)),g=i.filter(v=>c.indexOf(v)<0&&e.classList.contains(v)),u=h.filter(v=>i.indexOf(v)<0).concat(d),y=c.filter(v=>t.indexOf(v)<0).concat(g);m.putSticky(e,"classes",v=>(v.classList.remove(...y),v.classList.add(...u),[u,y]))})},setOrRemoveAttrs(e,t,i){let[n,r]=m.getSticky(e,"attrs",[[],[]]),s=t.map(([l,h])=>l).concat(i),o=n.filter(([l,h])=>!s.includes(l)).concat(t),a=r.filter(l=>!s.includes(l)).concat(i);m.putSticky(e,"attrs",l=>(a.forEach(h=>l.removeAttribute(h)),o.forEach(([h,c])=>l.setAttribute(h,c)),[o,a]))},hasAllClasses(e,t){return t.every(i=>e.classList.contains(i))},isToggledOut(e,t){return!this.isVisible(e)||this.hasAllClasses(e,t)},filterToEls(e,{to:t}){return t?m.all(document,t):[e]}},ye=as,Tt=(e,t,i=[])=>{let n=new FormData(e),r=[];n.forEach((o,a,l)=>{o instanceof File&&r.push(a)}),r.forEach(o=>n.delete(o));let s=new URLSearchParams;for(let[o,a]of n.entries())(i.length===0||i.indexOf(o)>=0)&&s.append(o,a);for(let o in t)s.append(o,t[o]);return s.toString()},In=class{constructor(e,t,i,n,r){this.isDead=!1,this.liveSocket=t,this.flash=n,this.parent=i,this.root=i?i.root:this,this.el=e,this.id=this.el.id,this.ref=0,this.childJoins=0,this.loaderTimer=null,this.pendingDiffs=[],this.pruningCIDs=[],this.redirect=!1,this.href=null,this.joinCount=this.parent?this.parent.joinCount-1:0,this.joinPending=!0,this.destroyed=!1,this.joinCallback=function(s){s&&s()},this.stopCallback=function(){},this.pendingJoinOps=this.parent?null:[],this.viewHooks={},this.uploaders={},this.formSubmits=[],this.children=this.parent?null:{},this.root.children[this.id]={},this.channel=this.liveSocket.channel(`lv:${this.id}`,()=>({redirect:this.redirect?this.href:void 0,url:this.redirect?void 0:this.href||void 0,params:this.connectParams(r),session:this.getSession(),static:this.getStatic(),flash:this.flash}))}setHref(e){this.href=e}setRedirect(e){this.redirect=!0,this.href=e}isMain(){return this.el.hasAttribute(yi)}connectParams(e){let t=this.liveSocket.params(this.el),i=m.all(document,`[${this.binding(Er)}]`).map(n=>n.src||n.href).filter(n=>typeof n=="string");return i.length>0&&(t._track_static=i),t._mounts=this.joinCount,t._live_referer=e,t}isConnected(){return this.channel.canPush()}getSession(){return this.el.getAttribute(Oe)}getStatic(){let e=this.el.getAttribute(rt);return e===""?null:e}destroy(e=function(){}){this.destroyAllChildren(),this.destroyed=!0,delete this.root.children[this.id],this.parent&&delete this.root.children[this.parent.id][this.id],clearTimeout(this.loaderTimer);let t=()=>{e();for(let i in this.viewHooks)this.destroyHook(this.viewHooks[i])};m.markPhxChildDestroyed(this.el),this.log("destroyed",()=>["the child has been removed from the parent"]),this.channel.leave().receive("ok",t).receive("error",t).receive("timeout",t)}setContainerClasses(...e){this.el.classList.remove(Bi,Gt,Vi),this.el.classList.add(...e)}showLoader(e){if(clearTimeout(this.loaderTimer),e)this.loaderTimer=setTimeout(()=>this.showLoader(),e);else{for(let t in this.viewHooks)this.viewHooks[t].__disconnected();this.setContainerClasses(Gt)}}execAll(e){m.all(this.el,`[${e}]`,t=>this.liveSocket.execJS(t,t.getAttribute(e)))}hideLoader(){clearTimeout(this.loaderTimer),this.setContainerClasses(Bi),this.execAll(this.binding("connected"))}triggerReconnected(){for(let e in this.viewHooks)this.viewHooks[e].__reconnected()}log(e,t){this.liveSocket.log(this,e,t)}transition(e,t,i=function(){}){this.liveSocket.transition(e,t,i)}withinTargets(e,t){if(e instanceof HTMLElement||e instanceof SVGElement)return this.liveSocket.owner(e,i=>t(i,e));if(De(e))m.findComponentNodeList(this.el,e).length===0?Q(`no component found matching phx-target of ${e}`):t(this,parseInt(e));else{let i=Array.from(document.querySelectorAll(e));i.length===0&&Q(`nothing found matching the phx-target selector "${e}"`),i.forEach(n=>this.liveSocket.owner(n,r=>t(r,n)))}}applyDiff(e,t,i){this.log(e,()=>["",Dt(t)]);let{diff:n,reply:r,events:s,title:o}=sn.extract(t);i({diff:n,reply:r,events:s}),o&&window.requestAnimationFrame(()=>m.putTitle(o))}onJoin(e){let{rendered:t,container:i}=e;if(i){let[n,r]=i;this.el=m.replaceRootContainer(this.el,n,r)}this.childJoins=0,this.joinPending=!0,this.flash=null,_e.dropLocal(this.liveSocket.localStorage,window.location.pathname,Ln),this.applyDiff("mount",t,({diff:n,events:r})=>{this.rendered=new sn(this.id,n);let s=this.renderContainer(null,"join");this.dropPendingRefs();let o=this.formsForRecovery(s);this.joinCount++,o.length>0?o.forEach(([a,l,h],c)=>{this.pushFormRecovery(a,h,d=>{c===o.length-1&&this.onJoinComplete(d,s,r)})}):this.onJoinComplete(e,s,r)})}dropPendingRefs(){m.all(document,`[${Ne}="${this.id}"][${Ee}]`,e=>{e.removeAttribute(Ee),e.removeAttribute(Ne)})}onJoinComplete({live_patch:e},t,i){if(this.joinCount>1||this.parent&&!this.parent.isJoinPending())return this.applyJoinPatch(e,t,i);m.findPhxChildrenInFragment(t,this.id).filter(r=>{let s=r.id&&this.el.querySelector(`[id="${r.id}"]`),o=s&&s.getAttribute(rt);return o&&r.setAttribute(rt,o),this.joinChild(r)}).length===0?this.parent?(this.root.pendingJoinOps.push([this,()=>this.applyJoinPatch(e,t,i)]),this.parent.ackJoin(this)):(this.onAllChildJoinsComplete(),this.applyJoinPatch(e,t,i)):this.root.pendingJoinOps.push([this,()=>this.applyJoinPatch(e,t,i)])}attachTrueDocEl(){this.el=m.byId(this.id),this.el.setAttribute(ht,this.root.id)}execNewMounted(){m.all(this.el,`[${this.binding(Ye)}], [data-phx-${Ye}]`,e=>{this.maybeAddNewHook(e)}),m.all(this.el,`[${this.binding(Ki)}]`,e=>this.maybeMounted(e))}applyJoinPatch(e,t,i){this.attachTrueDocEl();let n=new At(this,this.el,this.id,t,null);if(n.markPrunableContentForRemoval(),this.performPatch(n,!1),this.joinNewChildren(),this.execNewMounted(),this.joinPending=!1,this.liveSocket.dispatchEvents(i),this.applyPendingUpdates(),e){let{kind:r,to:s}=e;this.liveSocket.historyPatch(s,r)}this.hideLoader(),this.joinCount>1&&this.triggerReconnected(),this.stopCallback()}triggerBeforeUpdateHook(e,t){this.liveSocket.triggerDOM("onBeforeElUpdated",[e,t]);let i=this.getHook(e),n=i&&m.isIgnored(e,this.binding(ui));if(i&&!e.isEqualNode(t)&&!(n&&Fr(e.dataset,t.dataset)))return i.__beforeUpdate(),i}maybeMounted(e){let t=e.getAttribute(this.binding(Ki)),i=t&&m.private(e,"mounted");t&&!i&&(this.liveSocket.execJS(e,t),m.putPrivate(e,"mounted",!0))}maybeAddNewHook(e,t){let i=this.addHook(e);i&&i.__mounted()}performPatch(e,t){let i=[],n=!1,r=new Set;return e.after("added",s=>{this.liveSocket.triggerDOM("onNodeAdded",[s]),this.maybeAddNewHook(s),s.getAttribute&&this.maybeMounted(s)}),e.after("phxChildAdded",s=>{m.isPhxSticky(s)?this.liveSocket.joinRootViews():n=!0}),e.before("updated",(s,o)=>{this.triggerBeforeUpdateHook(s,o)&&r.add(s.id)}),e.after("updated",s=>{r.has(s.id)&&this.getHook(s).__updated()}),e.after("discarded",s=>{s.nodeType===Node.ELEMENT_NODE&&i.push(s)}),e.after("transitionsDiscarded",s=>this.afterElementsRemoved(s,t)),e.perform(),this.afterElementsRemoved(i,t),n}afterElementsRemoved(e,t){let i=[];e.forEach(n=>{let r=m.all(n,`[${le}]`),s=m.all(n,`[${this.binding(Ye)}]`);r.concat(n).forEach(o=>{let a=this.componentID(o);De(a)&&i.indexOf(a)===-1&&i.push(a)}),s.concat(n).forEach(o=>{let a=this.getHook(o);a&&this.destroyHook(a)})}),t&&this.maybePushComponentsDestroyed(i)}joinNewChildren(){m.findPhxChildren(this.el,this.id).forEach(e=>this.joinChild(e))}getChildById(e){return this.root.children[this.id][e]}getDescendentByEl(e){return e.id===this.id?this:this.children[e.getAttribute(je)][e.id]}destroyDescendent(e){for(let t in this.root.children)for(let i in this.root.children[t])if(i===e)return this.root.children[t][i].destroy()}joinChild(e){if(!this.getChildById(e.id)){let i=new In(e,this.liveSocket,this);return this.root.children[this.id][i.id]=i,i.join(),this.childJoins++,!0}}isJoinPending(){return this.joinPending}ackJoin(e){this.childJoins--,this.childJoins===0&&(this.parent?this.parent.ackJoin(this):this.onAllChildJoinsComplete())}onAllChildJoinsComplete(){this.joinCallback(()=>{this.pendingJoinOps.forEach(([e,t])=>{e.isDestroyed()||t()}),this.pendingJoinOps=[]})}update(e,t){if(this.isJoinPending()||this.liveSocket.hasPendingLink()&&this.root.isMain())return this.pendingDiffs.push({diff:e,events:t});this.rendered.mergeDiff(e);let i=!1;this.rendered.isComponentOnlyDiff(e)?this.liveSocket.time("component patch complete",()=>{m.findParentCIDs(this.el,this.rendered.componentCIDs(e)).forEach(r=>{this.componentPatch(this.rendered.getComponent(e,r),r)&&(i=!0)})}):Qi(e)||this.liveSocket.time("full patch complete",()=>{let n=this.renderContainer(e,"update"),r=new At(this,this.el,this.id,n,null);i=this.performPatch(r,!0)}),this.liveSocket.dispatchEvents(t),i&&this.joinNewChildren()}renderContainer(e,t){return this.liveSocket.time(`toString diff (${t})`,()=>{let i=this.el.tagName,n=e?this.rendered.componentCIDs(e).concat(this.pruningCIDs):null,r=this.rendered.toString(n);return`<${i}>${r}`})}componentPatch(e,t){if(Qi(e))return!1;let i=this.rendered.componentToString(t),n=new At(this,this.el,this.id,i,t);return this.performPatch(n,!0)}getHook(e){return this.viewHooks[et.elementID(e)]}addHook(e){if(et.elementID(e)||!e.getAttribute)return;let t=e.getAttribute(`data-phx-${Ye}`)||e.getAttribute(this.binding(Ye));if(t&&!this.ownsElement(e))return;let i=this.liveSocket.getHookCallbacks(t);if(i){e.id||Q(`no DOM ID for hook "${t}". Hooks require a unique ID on each element.`,e);let n=new et(this,e,i);return this.viewHooks[et.elementID(n.el)]=n,n}else t!==null&&Q(`unknown hook found for "${t}"`,e)}destroyHook(e){e.__destroyed(),e.__cleanup__(),delete this.viewHooks[et.elementID(e.el)]}applyPendingUpdates(){this.pendingDiffs.forEach(({diff:e,events:t})=>this.update(e,t)),this.pendingDiffs=[],this.eachChild(e=>e.applyPendingUpdates())}eachChild(e){let t=this.root.children[this.id]||{};for(let i in t)e(this.getChildById(i))}onChannel(e,t){this.liveSocket.onChannel(this.channel,e,i=>{this.isJoinPending()?this.root.pendingJoinOps.push([this,()=>t(i)]):this.liveSocket.requestDOMUpdate(()=>t(i))})}bindChannel(){this.liveSocket.onChannel(this.channel,"diff",e=>{this.liveSocket.requestDOMUpdate(()=>{this.applyDiff("update",e,({diff:t,events:i})=>this.update(t,i))})}),this.onChannel("redirect",({to:e,flash:t})=>this.onRedirect({to:e,flash:t})),this.onChannel("live_patch",e=>this.onLivePatch(e)),this.onChannel("live_redirect",e=>this.onLiveRedirect(e)),this.channel.onError(e=>this.onError(e)),this.channel.onClose(e=>this.onClose(e))}destroyAllChildren(){this.eachChild(e=>e.destroy())}onLiveRedirect(e){let{to:t,kind:i,flash:n}=e,r=this.expandURL(t);this.liveSocket.historyRedirect(r,i,n)}onLivePatch(e){let{to:t,kind:i}=e;this.href=this.expandURL(t),this.liveSocket.historyPatch(t,i)}expandURL(e){return e.startsWith("/")?`${window.location.protocol}//${window.location.host}${e}`:e}onRedirect({to:e,flash:t}){this.liveSocket.redirect(e,t)}isDestroyed(){return this.destroyed}joinDead(){this.isDead=!0}join(e){this.showLoader(this.liveSocket.loaderTimeout),this.bindChannel(),this.isMain()&&(this.stopCallback=this.liveSocket.withPageLoading({to:this.href,kind:"initial"})),this.joinCallback=t=>{t=t||function(){},e?e(this.joinCount,t):t()},this.liveSocket.wrapPush(this,{timeout:!1},()=>this.channel.join().receive("ok",t=>{this.isDestroyed()||this.liveSocket.requestDOMUpdate(()=>this.onJoin(t))}).receive("error",t=>!this.isDestroyed()&&this.onJoinError(t)).receive("timeout",()=>!this.isDestroyed()&&this.onJoinError({reason:"timeout"})))}onJoinError(e){if(e.reason==="unauthorized"||e.reason==="stale")return this.log("error",()=>["unauthorized live_redirect. Falling back to page request",e]),this.onRedirect({to:this.href});if((e.redirect||e.live_redirect)&&(this.joinPending=!1,this.channel.leave()),e.redirect)return this.onRedirect(e.redirect);if(e.live_redirect)return this.onLiveRedirect(e.live_redirect);this.log("error",()=>["unable to join",e]),this.liveSocket.isConnected()&&this.liveSocket.reloadWithJitter(this)}onClose(e){if(!this.isDestroyed()){if(this.liveSocket.hasPendingLink()&&e!=="leave")return this.liveSocket.reloadWithJitter(this);this.destroyAllChildren(),this.liveSocket.dropActiveElement(this),document.activeElement&&document.activeElement.blur(),this.liveSocket.isUnloaded()&&this.showLoader(xr)}}onError(e){this.onClose(e),this.liveSocket.isConnected()&&this.log("error",()=>["view crashed",e]),this.liveSocket.isUnloaded()||this.displayError()}displayError(){this.isMain()&&m.dispatchEvent(window,"phx:page-loading-start",{detail:{to:this.href,kind:"error"}}),this.showLoader(),this.setContainerClasses(Gt,Vi),this.execAll(this.binding("disconnected"))}pushWithReply(e,t,i,n=function(){}){if(!this.isConnected())return;let[r,[s],o]=e?e():[null,[],{}],a=function(){};return(o.page_loading||s&&s.getAttribute(this.binding(ji))!==null)&&(a=this.liveSocket.withPageLoading({kind:"element",target:s})),typeof i.cid!="number"&&delete i.cid,this.liveSocket.wrapPush(this,{timeout:!0},()=>this.channel.push(t,i,Rr).receive("ok",l=>{let h=c=>{l.redirect&&this.onRedirect(l.redirect),l.live_patch&&this.onLivePatch(l.live_patch),l.live_redirect&&this.onLiveRedirect(l.live_redirect),r!==null&&this.undoRefs(r),a(),n(l,c)};l.diff?this.liveSocket.requestDOMUpdate(()=>{this.applyDiff("update",l.diff,({diff:c,reply:d,events:g})=>{this.update(c,g),h(d)})}):h(null)}))}undoRefs(e){this.isConnected()&&m.all(document,`[${Ne}="${this.id}"][${Ee}="${e}"]`,t=>{let i=t.getAttribute(vt);t.removeAttribute(Ee),t.removeAttribute(Ne),t.getAttribute(Qt)!==null&&(t.readOnly=!1,t.removeAttribute(Qt)),i!==null&&(t.disabled=i==="true",t.removeAttribute(vt)),On.forEach(s=>m.removeClass(t,s));let n=t.getAttribute(bt);n!==null&&(t.innerText=n,t.removeAttribute(bt));let r=m.private(t,Ee);if(r){let s=this.triggerBeforeUpdateHook(t,r);At.patchEl(t,r,this.liveSocket.getActiveElement()),s&&s.__updated(),m.deletePrivate(t,Ee)}})}putRef(e,t,i={}){let n=this.ref++,r=this.binding(di);return i.loading&&(e=e.concat(m.all(document,i.loading))),e.forEach(s=>{s.classList.add(`phx-${t}-loading`),s.setAttribute(Ee,n),s.setAttribute(Ne,this.el.id);let o=s.getAttribute(r);o!==null&&(s.getAttribute(bt)||s.setAttribute(bt,s.innerText),o!==""&&(s.innerText=o),s.setAttribute("disabled",""))}),[n,e,i]}componentID(e){let t=e.getAttribute&&e.getAttribute(le);return t?parseInt(t):null}targetComponentID(e,t,i={}){if(De(t))return t;let n=e.getAttribute(this.binding("target"));return De(n)?parseInt(n):t&&(n!==null||i.target)?this.closestComponentID(t):null}closestComponentID(e){return De(e)?e:e?Le(e.closest(`[${le}]`),t=>this.ownsElement(t)&&this.componentID(t)):null}pushHookEvent(e,t,i,n){if(!this.isConnected())return this.log("hook",()=>["unable to push hook event. LiveView not connected",t,i]),!1;let[r,s,o]=this.putRef([],"hook");return this.pushWithReply(()=>[r,s,o],"event",{type:"hook",event:t,value:i,cid:this.closestComponentID(e)},(a,l)=>n(l,r)),r}extractMeta(e,t,i){let n=this.binding("value-");for(let r=0;r=0&&!e.checked&&delete t.value),i){t||(t={});for(let r in i)t[r]=i[r]}return t}pushEvent(e,t,i,n,r,s={}){this.pushWithReply(()=>this.putRef([t],e,s),"event",{type:e,event:n,value:this.extractMeta(t,r,s.value),cid:this.targetComponentID(t,i,s)})}pushFileProgress(e,t,i,n=function(){}){this.liveSocket.withinOwners(e.form,(r,s)=>{r.pushWithReply(null,"progress",{event:e.getAttribute(r.binding(Lr)),ref:e.getAttribute(Me),entry_ref:t,progress:i,cid:r.targetComponentID(e.form,s)},n)})}pushInput(e,t,i,n,r,s){let o,a=De(i)?i:this.targetComponentID(e.form,t),l=()=>this.putRef([e,e.form],"change",r),h;e.getAttribute(this.binding("change"))?h=Tt(e.form,{_target:r._target},[e.name]):h=Tt(e.form,{_target:r._target}),m.isUploadInput(e)&&e.files&&e.files.length>0&&G.trackFiles(e,Array.from(e.files)),o=G.serializeUploads(e);let c={type:"form",event:n,value:h,uploads:o,cid:a};this.pushWithReply(l,"event",c,d=>{if(m.showError(e,this.liveSocket.binding(ci)),m.isUploadInput(e)&&e.getAttribute("data-phx-auto-upload")!==null){if(G.filesAwaitingPreflight(e).length>0){let[g,u]=l();this.uploadFiles(e.form,t,g,a,y=>{s&&s(d),this.triggerAwaitingSubmit(e.form)})}}else s&&s(d)})}triggerAwaitingSubmit(e){let t=this.getScheduledSubmit(e);if(t){let[i,n,r,s]=t;this.cancelSubmit(e),s()}}getScheduledSubmit(e){return this.formSubmits.find(([t,i,n,r])=>t.isSameNode(e))}scheduleSubmit(e,t,i,n){if(this.getScheduledSubmit(e))return!0;this.formSubmits.push([e,t,i,n])}cancelSubmit(e){this.formSubmits=this.formSubmits.filter(([t,i,n])=>t.isSameNode(e)?(this.undoRefs(i),!1):!0)}disableForm(e,t={}){let i=c=>!(st(c,`${this.binding(ui)}=ignore`,c.form)||st(c,"data-phx-update=ignore",c.form)),n=c=>c.hasAttribute(this.binding(di)),r=c=>c.tagName=="BUTTON",s=c=>["INPUT","TEXTAREA","SELECT"].includes(c.tagName),o=Array.from(e.elements),a=o.filter(n),l=o.filter(r).filter(i),h=o.filter(s).filter(i);return l.forEach(c=>{c.setAttribute(vt,c.disabled),c.disabled=!0}),h.forEach(c=>{c.setAttribute(Qt,c.readOnly),c.readOnly=!0,c.files&&(c.setAttribute(vt,c.disabled),c.disabled=!0)}),e.setAttribute(this.binding(ji),""),this.putRef([e].concat(a).concat(l).concat(h),"submit",t)}pushFormSubmit(e,t,i,n,r){let s=()=>this.disableForm(e,n),o=this.targetComponentID(e,t);if(G.hasUploadsInProgress(e)){let[a,l]=s(),h=()=>this.pushFormSubmit(e,t,i,n,r);return this.scheduleSubmit(e,a,n,h)}else if(G.inputsAwaitingPreflight(e).length>0){let[a,l]=s(),h=()=>[a,l,n];this.uploadFiles(e,t,a,o,c=>{let d=Tt(e,{});this.pushWithReply(h,"event",{type:"form",event:i,value:d,cid:o},r)})}else{let a=Tt(e,{});this.pushWithReply(s,"event",{type:"form",event:i,value:a,cid:o},r)}}uploadFiles(e,t,i,n,r){let s=this.joinCount,o=G.activeFileInputs(e),a=o.length;o.forEach(l=>{let h=new G(l,this,()=>{a--,a===0&&r()});this.uploaders[l]=h;let c=h.entries().map(g=>g.toPreflightPayload()),d={ref:l.getAttribute(Me),entries:c,cid:this.targetComponentID(l.form,t)};this.log("upload",()=>["sending preflight request",d]),this.pushWithReply(null,"allow_upload",d,g=>{if(this.log("upload",()=>["got preflight response",g]),g.error){this.undoRefs(i);let[u,y]=g.error;this.log("upload",()=>[`error for entry ${u}`,y])}else{let u=y=>{this.channel.onError(()=>{this.joinCount===s&&y()})};h.initAdapterUpload(g,u,this.liveSocket)}})})}dispatchUploads(e,t){let i=m.findUploadInputs(this.el).filter(n=>n.name===e);i.length===0?Q(`no live file inputs found matching the name "${e}"`):i.length>1?Q(`duplicate live file inputs found matching the name "${e}"`):m.dispatchEvent(i[0],xn,{detail:{files:t}})}pushFormRecovery(e,t,i){this.liveSocket.withinOwners(e,(n,r)=>{let s=e.elements[0],o=e.getAttribute(this.binding(qi))||e.getAttribute(this.binding("change"));ye.exec("change",o,n,s,["push",{_target:s.name,newCid:t,callback:i}])})}pushLinkPatch(e,t,i){let n=this.liveSocket.setPendingLink(e),r=t?()=>this.putRef([t],"click"):null,s=()=>this.liveSocket.redirect(window.location.href),o=this.pushWithReply(r,"live_patch",{url:e},a=>{this.liveSocket.requestDOMUpdate(()=>{a.link_redirect?this.liveSocket.replaceMain(e,null,i,n):(this.liveSocket.commitPendingLink(n)&&(this.href=e),this.applyPendingUpdates(),i&&i(n))})});o?o.receive("timeout",s):s()}formsForRecovery(e){if(this.joinCount===0)return[];let t=this.binding("change"),i=document.createElement("template");return i.innerHTML=e,m.all(this.el,`form[${t}]`).filter(n=>n.id&&this.ownsElement(n)).filter(n=>n.elements.length>0).filter(n=>n.getAttribute(this.binding(qi))!=="ignore").map(n=>{let r=i.content.querySelector(`form[id="${n.id}"][${t}="${n.getAttribute(t)}"]`);return r?[n,r,this.targetComponentID(r)]:[n,null,null]}).filter(([n,r,s])=>r)}maybePushComponentsDestroyed(e){let t=e.filter(i=>m.findComponentNodeList(this.el,i).length===0);t.length>0&&(this.pruningCIDs.push(...t),this.pushWithReply(null,"cids_will_destroy",{cids:t},()=>{this.pruningCIDs=this.pruningCIDs.filter(n=>t.indexOf(n)!==-1);let i=t.filter(n=>m.findComponentNodeList(this.el,n).length===0);i.length>0&&this.pushWithReply(null,"cids_destroyed",{cids:i},n=>{this.rendered.pruneCIDs(n.cids)})}))}ownsElement(e){let t=e.closest(Ue);return e.getAttribute(je)===this.id||t&&t.id===this.id||!t&&this.isDead}submitForm(e,t,i,n={}){m.putPrivate(e,hi,!0);let r=this.liveSocket.binding(ci),s=Array.from(e.elements);s.forEach(o=>m.putPrivate(o,hi,!0)),this.liveSocket.blurActiveElement(this),this.pushFormSubmit(e,t,i,n,()=>{s.forEach(o=>m.showError(o,r)),this.liveSocket.restorePreviouslyActiveFocus()})}binding(e){return this.liveSocket.binding(e)}},ls=class{constructor(e,t,i={}){if(this.unloaded=!1,!t||t.constructor.name==="Object")throw new Error(` + a phoenix Socket must be provided as the second argument to the LiveSocket constructor. For example: + + import {Socket} from "phoenix" + import {LiveSocket} from "phoenix_live_view" + let liveSocket = new LiveSocket("/live", Socket, {...}) + `);this.socket=new t(e,i),this.bindingPrefix=i.bindingPrefix||Pr,this.opts=i,this.params=ti(i.params||{}),this.viewLogger=i.viewLogger,this.metadataCallbacks=i.metadata||{},this.defaults=Object.assign(Dt(Nr),i.defaults||{}),this.activeElement=null,this.prevActive=null,this.silenced=!1,this.main=null,this.outgoingMainEl=null,this.clickStartedAtTarget=null,this.linkRef=1,this.roots={},this.href=window.location.href,this.pendingLink=null,this.currentLocation=Dt(window.location),this.hooks=i.hooks||{},this.uploaders=i.uploaders||{},this.loaderTimeout=i.loaderTimeout||Or,this.reloadWithJitterTimer=null,this.maxReloads=i.maxReloads||vr,this.reloadJitterMin=i.reloadJitterMin||br,this.reloadJitterMax=i.reloadJitterMax||_r,this.failsafeJitter=i.failsafeJitter||yr,this.localStorage=i.localStorage||window.localStorage,this.sessionStorage=i.sessionStorage||window.sessionStorage,this.boundTopLevelEvents=!1,this.domCallbacks=Object.assign({onNodeAdded:ti(),onBeforeElUpdated:ti()},i.dom||{}),this.transitions=new cs,window.addEventListener("pagehide",n=>{this.unloaded=!0}),this.socket.onOpen(()=>{this.isUnloaded()&&window.location.reload()})}isProfileEnabled(){return this.sessionStorage.getItem(Zt)==="true"}isDebugEnabled(){return this.sessionStorage.getItem(_t)==="true"}isDebugDisabled(){return this.sessionStorage.getItem(_t)==="false"}enableDebug(){this.sessionStorage.setItem(_t,"true")}enableProfiling(){this.sessionStorage.setItem(Zt,"true")}disableDebug(){this.sessionStorage.setItem(_t,"false")}disableProfiling(){this.sessionStorage.removeItem(Zt)}enableLatencySim(e){this.enableDebug(),console.log("latency simulator enabled for the duration of this browser session. Call disableLatencySim() to disable"),this.sessionStorage.setItem(ei,e)}disableLatencySim(){this.sessionStorage.removeItem(ei)}getLatencySim(){let e=this.sessionStorage.getItem(ei);return e?parseInt(e):null}getSocket(){return this.socket}connect(){window.location.hostname==="localhost"&&!this.isDebugDisabled()&&this.enableDebug();let e=()=>{this.joinRootViews()?(this.bindTopLevelEvents(),this.socket.connect()):this.main?this.socket.connect():this.bindTopLevelEvents({dead:!0}),this.joinDeadView()};["complete","loaded","interactive"].indexOf(document.readyState)>=0?e():document.addEventListener("DOMContentLoaded",()=>e())}disconnect(e){clearTimeout(this.reloadWithJitterTimer),this.socket.disconnect(e)}replaceTransport(e){clearTimeout(this.reloadWithJitterTimer),this.socket.replaceTransport(e),this.connect()}execJS(e,t,i=null){this.owner(e,n=>ye.exec(i,t,n,e))}unload(){this.unloaded||(this.main&&this.isConnected()&&this.log(this.main,"socket",()=>["disconnect for page nav"]),this.unloaded=!0,this.destroyAllViews(),this.disconnect())}triggerDOM(e,t){this.domCallbacks[e](...t)}time(e,t){if(!this.isProfileEnabled()||!console.time)return t();console.time(e);let i=t();return console.timeEnd(e),i}log(e,t,i){if(this.viewLogger){let[n,r]=i();this.viewLogger(e,t,n,r)}else if(this.isDebugEnabled()){let[n,r]=i();$r(e,t,n,r)}}requestDOMUpdate(e){this.transitions.after(e)}transition(e,t,i=function(){}){this.transitions.addTransition(e,t,i)}onChannel(e,t,i){e.on(t,n=>{let r=this.getLatencySim();r?setTimeout(()=>i(n),r):i(n)})}wrapPush(e,t,i){let n=this.getLatencySim(),r=e.joinCount;if(!n)return this.isConnected()&&t.timeout?i().receive("timeout",()=>{e.joinCount===r&&!e.isDestroyed()&&this.reloadWithJitter(e,()=>{this.log(e,"timeout",()=>["received timeout while communicating with server. Falling back to hard refresh for recovery"])})}):i();let s={receives:[],receive(o,a){this.receives.push([o,a])}};return setTimeout(()=>{e.isDestroyed()||s.receives.reduce((o,[a,l])=>o.receive(a,l),i())},n),s}reloadWithJitter(e,t){clearTimeout(this.reloadWithJitterTimer),this.disconnect();let i=this.reloadJitterMin,n=this.reloadJitterMax,r=Math.floor(Math.random()*(n-i+1))+i,s=_e.updateLocal(this.localStorage,window.location.pathname,Ln,0,o=>o+1);s>this.maxReloads&&(r=this.failsafeJitter),this.reloadWithJitterTimer=setTimeout(()=>{e.isDestroyed()||e.isConnected()||(e.destroy(),t?t():this.log(e,"join",()=>[`encountered ${s} consecutive reloads`]),s>this.maxReloads&&this.log(e,"join",()=>[`exceeded ${this.maxReloads} consecutive reloads. Entering failsafe mode`]),this.hasPendingLink()?window.location=this.pendingLink:window.location.reload())},r)}getHookCallbacks(e){return e&&e.startsWith("Phoenix.")?Wr[e.split(".")[1]]:this.hooks[e]}isUnloaded(){return this.unloaded}isConnected(){return this.socket.isConnected()}getBindingPrefix(){return this.bindingPrefix}binding(e){return`${this.getBindingPrefix()}${e}`}channel(e,t){return this.socket.channel(e,t)}joinDeadView(){let e=document.body;if(e&&!this.isPhxView(e)&&!this.isPhxView(document.firstElementChild)){let t=this.newRootView(e);t.setHref(this.getHref()),t.joinDead(),this.main||(this.main=t),window.requestAnimationFrame(()=>t.execNewMounted())}}joinRootViews(){let e=!1;return m.all(document,`${Ue}:not([${je}])`,t=>{if(!this.getRootById(t.id)){let i=this.newRootView(t);i.setHref(this.getHref()),i.join(),t.hasAttribute(yi)&&(this.main=i)}e=!0}),e}redirect(e,t){this.disconnect(),_e.redirect(e,t)}replaceMain(e,t,i=null,n=this.setPendingLink(e)){let r=this.currentLocation.href;this.outgoingMainEl=this.outgoingMainEl||this.main.el;let s=m.cloneNode(this.outgoingMainEl,"");this.main.showLoader(this.loaderTimeout),this.main.destroy(),this.main=this.newRootView(s,t,r),this.main.setRedirect(e),this.transitionRemoves(),this.main.join((o,a)=>{o===1&&this.commitPendingLink(n)&&this.requestDOMUpdate(()=>{m.findPhxSticky(document).forEach(l=>s.appendChild(l)),this.outgoingMainEl.replaceWith(s),this.outgoingMainEl=null,i&&requestAnimationFrame(i),a()})})}transitionRemoves(e){let t=this.binding("remove");e=e||m.all(document,`[${t}]`),e.forEach(i=>{document.body.contains(i)&&this.execJS(i,i.getAttribute(t),"remove")})}isPhxView(e){return e.getAttribute&&e.getAttribute(Oe)!==null}newRootView(e,t,i){let n=new In(e,this,null,t,i);return this.roots[n.id]=n,n}owner(e,t){let i=Le(e.closest(Ue),n=>this.getViewByEl(n))||this.main;i&&t(i)}withinOwners(e,t){this.owner(e,i=>t(i,e))}getViewByEl(e){let t=e.getAttribute(ht);return Le(this.getRootById(t),i=>i.getDescendentByEl(e))}getRootById(e){return this.roots[e]}destroyAllViews(){for(let e in this.roots)this.roots[e].destroy(),delete this.roots[e];this.main=null}destroyViewByEl(e){let t=this.getRootById(e.getAttribute(ht));t&&t.id===e.id?(t.destroy(),delete this.roots[t.id]):t&&t.destroyDescendent(e.id)}setActiveElement(e){if(this.activeElement===e)return;this.activeElement=e;let t=()=>{e===this.activeElement&&(this.activeElement=null),e.removeEventListener("mouseup",this),e.removeEventListener("touchend",this)};e.addEventListener("mouseup",t),e.addEventListener("touchend",t)}getActiveElement(){return document.activeElement===document.body?this.activeElement||document.activeElement:document.activeElement||document.body}dropActiveElement(e){this.prevActive&&e.ownsElement(this.prevActive)&&(this.prevActive=null)}restorePreviouslyActiveFocus(){this.prevActive&&this.prevActive!==document.body&&this.prevActive.focus()}blurActiveElement(){this.prevActive=this.getActiveElement(),this.prevActive!==document.body&&this.prevActive.blur()}bindTopLevelEvents({dead:e}={}){this.boundTopLevelEvents||(this.boundTopLevelEvents=!0,this.socket.onClose(t=>{if(t&&t.code===1001)return this.unload();if(t&&t.code===1e3&&this.main)return this.reloadWithJitter(this.main)}),document.body.addEventListener("click",function(){}),window.addEventListener("pageshow",t=>{t.persisted&&(this.getSocket().disconnect(),this.withPageLoading({to:window.location.href,kind:"redirect"}),window.location.reload())},!0),e||this.bindNav(),this.bindClicks(),e||this.bindForms(),this.bind({keyup:"keyup",keydown:"keydown"},(t,i,n,r,s,o)=>{let a=r.getAttribute(this.binding(Dr)),l=t.key&&t.key.toLowerCase();if(a&&a.toLowerCase()!==l)return;let h={key:t.key,...this.eventMeta(i,t,r)};ye.exec(i,s,n,r,["push",{data:h}])}),this.bind({blur:"focusout",focus:"focusin"},(t,i,n,r,s,o)=>{if(!o){let a={key:t.key,...this.eventMeta(i,t,r)};ye.exec(i,s,n,r,["push",{data:a}])}}),this.bind({blur:"blur",focus:"focus"},(t,i,n,r,s,o,a)=>{if(a==="window"){let l=this.eventMeta(i,t,r);ye.exec(i,o,n,r,["push",{data:l}])}}),window.addEventListener("dragover",t=>t.preventDefault()),window.addEventListener("drop",t=>{t.preventDefault();let i=Le(st(t.target,this.binding($i)),s=>s.getAttribute(this.binding($i))),n=i&&document.getElementById(i),r=Array.from(t.dataTransfer.files||[]);!n||n.disabled||r.length===0||!(n.files instanceof FileList)||(G.trackFiles(n,r),n.dispatchEvent(new Event("input",{bubbles:!0})))}),this.on(xn,t=>{let i=t.target;if(!m.isUploadInput(i))return;let n=Array.from(t.detail.files||[]).filter(r=>r instanceof File||r instanceof Blob);G.trackFiles(i,n),i.dispatchEvent(new Event("input",{bubbles:!0}))}))}eventMeta(e,t,i){let n=this.metadataCallbacks[e];return n?n(t,i):{}}setPendingLink(e){return this.linkRef++,this.pendingLink=e,this.linkRef}commitPendingLink(e){return this.linkRef!==e?!1:(this.href=this.pendingLink,this.pendingLink=null,!0)}getHref(){return this.href}hasPendingLink(){return!!this.pendingLink}bind(e,t){for(let i in e){let n=e[i];this.on(n,r=>{let s=this.binding(i),o=this.binding(`window-${i}`),a=r.target.getAttribute&&r.target.getAttribute(s);a?this.debounce(r.target,r,n,()=>{this.withinOwners(r.target,l=>{t(r,i,l,r.target,a,null)})}):m.all(document,`[${o}]`,l=>{let h=l.getAttribute(o);this.debounce(l,r,n,()=>{this.withinOwners(l,c=>{t(r,i,c,l,h,"window")})})})})}}bindClicks(){window.addEventListener("click",e=>this.clickStartedAtTarget=e.target),this.bindClick("click","click",!1),this.bindClick("mousedown","capture-click",!0)}bindClick(e,t,i){let n=this.binding(t);window.addEventListener(e,r=>{let s=null;if(i)s=r.target.matches(`[${n}]`)?r.target:r.target.querySelector(`[${n}]`);else{let a=this.clickStartedAtTarget||r.target;s=st(a,n),this.dispatchClickAway(r,a),this.clickStartedAtTarget=null}let o=s&&s.getAttribute(n);if(!o){let a=r.target instanceof HTMLAnchorElement?r.target.getAttribute("href"):null;!i&&a!==null&&!m.wantsNewTab(r)&&m.isNewPageHref(a,window.location)&&this.unload();return}s.getAttribute("href")==="#"&&r.preventDefault(),this.debounce(s,r,"click",()=>{this.withinOwners(s,a=>{ye.exec("click",o,a,s,["push",{data:this.eventMeta("click",r,s)}])})})},i)}dispatchClickAway(e,t){let i=this.binding("click-away");m.all(document,`[${i}]`,n=>{n.isSameNode(t)||n.contains(t)||this.withinOwners(e.target,r=>{let s=n.getAttribute(i);ye.isVisible(n)&&ye.exec("click",s,r,n,["push",{data:this.eventMeta("click",e,e.target)}])})})}bindNav(){if(!_e.canPushState())return;history.scrollRestoration&&(history.scrollRestoration="manual");let e=null;window.addEventListener("scroll",t=>{clearTimeout(e),e=setTimeout(()=>{_e.updateCurrentState(i=>Object.assign(i,{scroll:window.scrollY}))},100)}),window.addEventListener("popstate",t=>{if(!this.registerNewLocation(window.location))return;let{type:i,id:n,root:r,scroll:s}=t.state||{},o=window.location.href;this.requestDOMUpdate(()=>{this.main.isConnected()&&i==="patch"&&n===this.main.id?this.main.pushLinkPatch(o,null,()=>{this.maybeScroll(s)}):this.replaceMain(o,null,()=>{r&&this.replaceRootHistory(),this.maybeScroll(s)})})},!1),window.addEventListener("click",t=>{let i=st(t.target,Yt),n=i&&i.getAttribute(Yt);if(!n||!this.isConnected()||!this.main||m.wantsNewTab(t))return;let r=i.href,s=i.getAttribute(wr);t.preventDefault(),t.stopImmediatePropagation(),this.pendingLink!==r&&this.requestDOMUpdate(()=>{if(n==="patch")this.pushHistoryPatch(r,s,i);else if(n==="redirect")this.historyRedirect(r,s);else throw new Error(`expected ${Yt} to be "patch" or "redirect", got: ${n}`);let o=i.getAttribute(this.binding("click"));o&&this.requestDOMUpdate(()=>this.execJS(i,o,"click"))})},!1)}maybeScroll(e){typeof e=="number"&&requestAnimationFrame(()=>{window.scrollTo(0,e)})}dispatchEvent(e,t={}){m.dispatchEvent(window,`phx:${e}`,{detail:t})}dispatchEvents(e){e.forEach(([t,i])=>this.dispatchEvent(t,i))}withPageLoading(e,t){m.dispatchEvent(window,"phx:page-loading-start",{detail:e});let i=()=>m.dispatchEvent(window,"phx:page-loading-stop",{detail:e});return t?t(i):i}pushHistoryPatch(e,t,i){if(!this.isConnected())return _e.redirect(e);this.withPageLoading({to:e,kind:"patch"},n=>{this.main.pushLinkPatch(e,i,r=>{this.historyPatch(e,t,r),n()})})}historyPatch(e,t,i=this.setPendingLink(e)){this.commitPendingLink(i)&&(_e.pushState(t,{type:"patch",id:this.main.id},e),this.registerNewLocation(window.location))}historyRedirect(e,t,i){if(!this.isConnected())return _e.redirect(e,i);if(/^\/$|^\/[^\/]+.*$/.test(e)){let{protocol:r,host:s}=window.location;e=`${r}//${s}${e}`}let n=window.scrollY;this.withPageLoading({to:e,kind:"redirect"},r=>{this.replaceMain(e,i,()=>{_e.pushState(t,{type:"redirect",id:this.main.id,scroll:n},e),this.registerNewLocation(window.location),r()})})}replaceRootHistory(){_e.pushState("replace",{root:!0,type:"patch",id:this.main.id})}registerNewLocation(e){let{pathname:t,search:i}=this.currentLocation;return t+i===e.pathname+e.search?!1:(this.currentLocation=Dt(e),!0)}bindForms(){let e=0,t=!1;this.on("submit",i=>{let n=i.target.getAttribute(this.binding("submit")),r=i.target.getAttribute(this.binding("change"));!t&&r&&!n&&(t=!0,i.preventDefault(),this.withinOwners(i.target,s=>{s.disableForm(i.target),window.requestAnimationFrame(()=>{m.isUnloadableFormSubmit(i)&&this.unload(),i.target.submit()})}))},!0),this.on("submit",i=>{let n=i.target.getAttribute(this.binding("submit"));if(!n){m.isUnloadableFormSubmit(i)&&this.unload();return}i.preventDefault(),i.target.disabled=!0,this.withinOwners(i.target,r=>{ye.exec("submit",n,r,i.target,["push",{}])})},!1);for(let i of["change","input"])this.on(i,n=>{let r=this.binding("change"),s=n.target,o=s.getAttribute(r),a=s.form&&s.form.getAttribute(r),l=o||a;if(!l||s.type==="number"&&s.validity&&s.validity.badInput)return;let h=o?s:s.form,c=e;e++;let{at:d,type:g}=m.private(s,"prev-iteration")||{};d===c-1&&i!==g||(m.putPrivate(s,"prev-iteration",{at:c,type:i}),this.debounce(s,n,i,()=>{this.withinOwners(h,u=>{m.putPrivate(s,Pn,!0),m.isTextualInput(s)||this.setActiveElement(s),ye.exec("change",l,u,s,["push",{_target:n.target.name,dispatcher:h}])})}))},!1)}debounce(e,t,i,n){if(i==="blur"||i==="focusout")return n();let r=this.binding(Sr),s=this.binding(kr),o=this.defaults.debounce.toString(),a=this.defaults.throttle.toString();this.withinOwners(e,l=>{let h=()=>!l.isDestroyed()&&document.body.contains(e);m.debounce(e,t,r,o,s,a,h,()=>{n()})})}silenceEvents(e){this.silenced=!0,e(),this.silenced=!1}on(e,t){window.addEventListener(e,i=>{this.silenced||t(i)})}},cs=class{constructor(){this.transitions=new Set,this.pendingOps=[],this.reset()}reset(){this.transitions.forEach(e=>{clearTimeout(e),this.transitions.delete(e)}),this.flushPendingOps()}after(e){this.size()===0?e():this.pushPendingOp(e)}addTransition(e,t,i){t();let n=setTimeout(()=>{this.transitions.delete(n),i(),this.size()===0&&this.flushPendingOps()},e);this.transitions.add(n)}pushPendingOp(e){this.pendingOps.push(e)}size(){return this.transitions.size}flushPendingOps(){this.pendingOps.forEach(e=>e()),this.pendingOps=[]}},on={},hs={get exports(){return on},set exports(e){on=e}},ot={},ds={get exports(){return ot},set exports(e){ot=e}};/*! + * Bootstrap index.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */var an;function me(){return an||(an=1,function(e,t){(function(i,n){n(t)})(Z,function(i){const s="transitionend",o=p=>p==null?`${p}`:Object.prototype.toString.call(p).match(/\s([a-z]+)/i)[1].toLowerCase(),a=p=>{do p+=Math.floor(Math.random()*1e6);while(document.getElementById(p));return p},l=p=>{let D=p.getAttribute("data-bs-target");if(!D||D==="#"){let R=p.getAttribute("href");if(!R||!R.includes("#")&&!R.startsWith("."))return null;R.includes("#")&&!R.startsWith("#")&&(R=`#${R.split("#")[1]}`),D=R&&R!=="#"?R.trim():null}return D},h=p=>{const D=l(p);return D&&document.querySelector(D)?D:null},c=p=>{const D=l(p);return D?document.querySelector(D):null},d=p=>{if(!p)return 0;let{transitionDuration:D,transitionDelay:R}=window.getComputedStyle(p);const T=Number.parseFloat(D),A=Number.parseFloat(R);return!T&&!A?0:(D=D.split(",")[0],R=R.split(",")[0],(Number.parseFloat(D)+Number.parseFloat(R))*1e3)},g=p=>{p.dispatchEvent(new Event(s))},u=p=>!p||typeof p!="object"?!1:(typeof p.jquery<"u"&&(p=p[0]),typeof p.nodeType<"u"),y=p=>u(p)?p.jquery?p[0]:p:typeof p=="string"&&p.length>0?document.querySelector(p):null,v=p=>{if(!u(p)||p.getClientRects().length===0)return!1;const D=getComputedStyle(p).getPropertyValue("visibility")==="visible",R=p.closest("details:not([open])");if(!R)return D;if(R!==p){const T=p.closest("summary");if(T&&T.parentNode!==R||T===null)return!1}return D},_=p=>!p||p.nodeType!==Node.ELEMENT_NODE||p.classList.contains("disabled")?!0:typeof p.disabled<"u"?p.disabled:p.hasAttribute("disabled")&&p.getAttribute("disabled")!=="false",S=p=>{if(!document.documentElement.attachShadow)return null;if(typeof p.getRootNode=="function"){const D=p.getRootNode();return D instanceof ShadowRoot?D:null}return p instanceof ShadowRoot?p:p.parentNode?S(p.parentNode):null},N=()=>{},f=p=>{p.offsetHeight},w=()=>window.jQuery&&!document.body.hasAttribute("data-bs-no-jquery")?window.jQuery:null,x=[],E=p=>{document.readyState==="loading"?(x.length||document.addEventListener("DOMContentLoaded",()=>{for(const D of x)D()}),x.push(p)):p()},C=()=>document.documentElement.dir==="rtl",P=p=>{E(()=>{const D=w();if(D){const R=p.NAME,T=D.fn[R];D.fn[R]=p.jQueryInterface,D.fn[R].Constructor=p,D.fn[R].noConflict=()=>(D.fn[R]=T,p.jQueryInterface)}})},k=p=>{typeof p=="function"&&p()},M=(p,D,R=!0)=>{if(!R){k(p);return}const T=5,A=d(D)+T;let b=!1;const L=({target:I})=>{I===D&&(b=!0,D.removeEventListener(s,L),k(p))};D.addEventListener(s,L),setTimeout(()=>{b||g(D)},A)},H=(p,D,R,T)=>{const A=p.length;let b=p.indexOf(D);return b===-1?!R&&T?p[A-1]:p[0]:(b+=R?1:-1,T&&(b=(b+A)%A),p[Math.max(0,Math.min(b,A-1))])};i.defineJQueryPlugin=P,i.execute=k,i.executeAfterTransition=M,i.findShadowRoot=S,i.getElement=y,i.getElementFromSelector=c,i.getNextActiveElement=H,i.getSelectorFromElement=h,i.getTransitionDurationFromElement=d,i.getUID=a,i.getjQuery=w,i.isDisabled=_,i.isElement=u,i.isRTL=C,i.isVisible=v,i.noop=N,i.onDOMContentLoaded=E,i.reflow=f,i.toType=o,i.triggerTransitionEnd=g,Object.defineProperties(i,{__esModule:{value:!0},[Symbol.toStringTag]:{value:"Module"}})})}(ds,ot)),ot}var xt={},us={get exports(){return xt},set exports(e){xt=e}};/*! + * Bootstrap event-handler.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */var ln;function xe(){return ln||(ln=1,function(e,t){(function(i,n){e.exports=n(me())})(Z,function(i){const n=/[^.]*(?=\..*)\.|.*/,r=/\..*/,s=/::\d+$/,o={};let a=1;const l={mouseenter:"mouseover",mouseleave:"mouseout"},h=new Set(["click","dblclick","mouseup","mousedown","contextmenu","mousewheel","DOMMouseScroll","mouseover","mouseout","mousemove","selectstart","selectend","keydown","keypress","keyup","orientationchange","touchstart","touchmove","touchend","touchcancel","pointerdown","pointermove","pointerup","pointerleave","pointercancel","gesturestart","gesturechange","gestureend","focus","blur","change","reset","select","submit","focusin","focusout","load","unload","beforeunload","resize","move","DOMContentLoaded","readystatechange","error","abort","scroll"]);function c(E,C){return C&&`${C}::${a++}`||E.uidEvent||a++}function d(E){const C=c(E);return E.uidEvent=C,o[C]=o[C]||{},o[C]}function g(E,C){return function P(k){return x(k,{delegateTarget:E}),P.oneOff&&w.off(E,k.type,C),C.apply(E,[k])}}function u(E,C,P){return function k(M){const H=E.querySelectorAll(C);for(let{target:p}=M;p&&p!==this;p=p.parentNode)for(const D of H)if(D===p)return x(M,{delegateTarget:p}),k.oneOff&&w.off(E,M.type,C,P),P.apply(p,[M])}}function y(E,C,P=null){return Object.values(E).find(k=>k.callable===C&&k.delegationSelector===P)}function v(E,C,P){const k=typeof C=="string",M=k?P:C||P;let H=f(E);return h.has(H)||(H=E),[k,M,H]}function _(E,C,P,k,M){if(typeof C!="string"||!E)return;let[H,p,D]=v(C,P,k);C in l&&(p=(U=>function(j){if(!j.relatedTarget||j.relatedTarget!==j.delegateTarget&&!j.delegateTarget.contains(j.relatedTarget))return U.call(this,j)})(p));const R=d(E),T=R[D]||(R[D]={}),A=y(T,p,H?P:null);if(A){A.oneOff=A.oneOff&&M;return}const b=c(p,C.replace(n,"")),L=H?u(E,P,p):g(E,p);L.delegationSelector=H?P:null,L.callable=p,L.oneOff=M,L.uidEvent=b,T[b]=L,E.addEventListener(D,L,H)}function S(E,C,P,k,M){const H=y(C[P],k,M);H&&(E.removeEventListener(P,H,Boolean(M)),delete C[P][H.uidEvent])}function N(E,C,P,k){const M=C[P]||{};for(const H of Object.keys(M))if(H.includes(k)){const p=M[H];S(E,C,P,p.callable,p.delegationSelector)}}function f(E){return E=E.replace(r,""),l[E]||E}const w={on(E,C,P,k){_(E,C,P,k,!1)},one(E,C,P,k){_(E,C,P,k,!0)},off(E,C,P,k){if(typeof C!="string"||!E)return;const[M,H,p]=v(C,P,k),D=p!==C,R=d(E),T=R[p]||{},A=C.startsWith(".");if(typeof H<"u"){if(!Object.keys(T).length)return;S(E,R,p,H,M?P:null);return}if(A)for(const b of Object.keys(R))N(E,R,b,C.slice(1));for(const b of Object.keys(T)){const L=b.replace(s,"");if(!D||C.includes(L)){const I=T[b];S(E,R,p,I.callable,I.delegationSelector)}}},trigger(E,C,P){if(typeof C!="string"||!E)return null;const k=i.getjQuery(),M=f(C),H=C!==M;let p=null,D=!0,R=!0,T=!1;H&&k&&(p=k.Event(C,P),k(E).trigger(p),D=!p.isPropagationStopped(),R=!p.isImmediatePropagationStopped(),T=p.isDefaultPrevented());let A=new Event(C,{bubbles:D,cancelable:!0});return A=x(A,P),T&&A.preventDefault(),R&&E.dispatchEvent(A),A.defaultPrevented&&p&&p.preventDefault(),A}};function x(E,C){for(const[P,k]of Object.entries(C||{}))try{E[P]=k}catch{Object.defineProperty(E,P,{configurable:!0,get(){return k}})}return E}return w})}(us)),xt}var Pt={},fs={get exports(){return Pt},set exports(e){Pt=e}},Rt={},ps={get exports(){return Rt},set exports(e){Rt=e}};/*! + * Bootstrap data.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */var cn;function gs(){return cn||(cn=1,function(e,t){(function(i,n){e.exports=n()})(Z,function(){const i=new Map;return{set(r,s,o){i.has(r)||i.set(r,new Map);const a=i.get(r);if(!a.has(s)&&a.size!==0){console.error(`Bootstrap doesn't allow more than one instance per element. Bound instance: ${Array.from(a.keys())[0]}.`);return}a.set(s,o)},get(r,s){return i.has(r)&&i.get(r).get(s)||null},remove(r,s){if(!i.has(r))return;const o=i.get(r);o.delete(s),o.size===0&&i.delete(r)}}})}(ps)),Rt}var Nt={},ms={get exports(){return Nt},set exports(e){Nt=e}},It={},vs={get exports(){return It},set exports(e){It=e}};/*! + * Bootstrap manipulator.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */var hn;function Ei(){return hn||(hn=1,function(e,t){(function(i,n){e.exports=n()})(Z,function(){function i(s){if(s==="true")return!0;if(s==="false")return!1;if(s===Number(s).toString())return Number(s);if(s===""||s==="null")return null;if(typeof s!="string")return s;try{return JSON.parse(decodeURIComponent(s))}catch{return s}}function n(s){return s.replace(/[A-Z]/g,o=>`-${o.toLowerCase()}`)}return{setDataAttribute(s,o,a){s.setAttribute(`data-bs-${n(o)}`,a)},removeDataAttribute(s,o){s.removeAttribute(`data-bs-${n(o)}`)},getDataAttributes(s){if(!s)return{};const o={},a=Object.keys(s.dataset).filter(l=>l.startsWith("bs")&&!l.startsWith("bsConfig"));for(const l of a){let h=l.replace(/^bs/,"");h=h.charAt(0).toLowerCase()+h.slice(1,h.length),o[h]=i(s.dataset[l])}return o},getDataAttribute(s,o){return i(s.getAttribute(`data-bs-${n(o)}`))}}})}(vs)),It}/*! + * Bootstrap config.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */var dn;function wi(){return dn||(dn=1,function(e,t){(function(i,n){e.exports=n(me(),Ei())})(Z,function(i,n){const s=(a=>a&&typeof a=="object"&&"default"in a?a:{default:a})(n);class o{static get Default(){return{}}static get DefaultType(){return{}}static get NAME(){throw new Error('You have to implement the static method "NAME", for each component!')}_getConfig(l){return l=this._mergeConfigObj(l),l=this._configAfterMerge(l),this._typeCheckConfig(l),l}_configAfterMerge(l){return l}_mergeConfigObj(l,h){const c=i.isElement(h)?s.default.getDataAttribute(h,"config"):{};return{...this.constructor.Default,...typeof c=="object"?c:{},...i.isElement(h)?s.default.getDataAttributes(h):{},...typeof l=="object"?l:{}}}_typeCheckConfig(l,h=this.constructor.DefaultType){for(const c of Object.keys(h)){const d=h[c],g=l[c],u=i.isElement(g)?"element":i.toType(g);if(!new RegExp(d).test(u))throw new TypeError(`${this.constructor.NAME.toUpperCase()}: Option "${c}" provided type "${u}" but expected type "${d}".`)}}}return o})}(ms)),Nt}/*! + * Bootstrap base-component.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */var un;function Bt(){return un||(un=1,function(e,t){(function(i,n){e.exports=n(gs(),me(),xe(),wi())})(Z,function(i,n,r,s){const o=g=>g&&typeof g=="object"&&"default"in g?g:{default:g},a=o(i),l=o(r),h=o(s),c="5.2.3";class d extends h.default{constructor(u,y){super(),u=n.getElement(u),u&&(this._element=u,this._config=this._getConfig(y),a.default.set(this._element,this.constructor.DATA_KEY,this))}dispose(){a.default.remove(this._element,this.constructor.DATA_KEY),l.default.off(this._element,this.constructor.EVENT_KEY);for(const u of Object.getOwnPropertyNames(this))this[u]=null}_queueCallback(u,y,v=!0){n.executeAfterTransition(u,y,v)}_getConfig(u){return u=this._mergeConfigObj(u,this._element),u=this._configAfterMerge(u),this._typeCheckConfig(u),u}static getInstance(u){return a.default.get(n.getElement(u),this.DATA_KEY)}static getOrCreateInstance(u,y={}){return this.getInstance(u)||new this(u,typeof y=="object"?y:null)}static get VERSION(){return c}static get DATA_KEY(){return`bs.${this.NAME}`}static get EVENT_KEY(){return`.${this.DATA_KEY}`}static eventName(u){return`${u}${this.EVENT_KEY}`}}return d})}(fs)),Pt}var at={},bs={get exports(){return at},set exports(e){at=e}};/*! + * Bootstrap component-functions.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */var fn;function Mn(){return fn||(fn=1,function(e,t){(function(i,n){n(t,xe(),me())})(Z,function(i,n,r){const o=(l=>l&&typeof l=="object"&&"default"in l?l:{default:l})(n),a=(l,h="hide")=>{const c=`click.dismiss${l.EVENT_KEY}`,d=l.NAME;o.default.on(document,c,`[data-bs-dismiss="${d}"]`,function(g){if(["A","AREA"].includes(this.tagName)&&g.preventDefault(),r.isDisabled(this))return;const u=r.getElementFromSelector(this)||this.closest(`.${d}`);l.getOrCreateInstance(u)[h]()})};i.enableDismissTrigger=a,Object.defineProperties(i,{__esModule:{value:!0},[Symbol.toStringTag]:{value:"Module"}})})}(bs,at)),at}/*! + * Bootstrap alert.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */(function(e,t){(function(i,n){e.exports=n(me(),xe(),Bt(),Mn())})(Z,function(i,n,r,s){const o=S=>S&&typeof S=="object"&&"default"in S?S:{default:S},a=o(n),l=o(r),h="alert",d=".bs.alert",g=`close${d}`,u=`closed${d}`,y="fade",v="show";class _ extends l.default{static get NAME(){return h}close(){if(a.default.trigger(this._element,g).defaultPrevented)return;this._element.classList.remove(v);const f=this._element.classList.contains(y);this._queueCallback(()=>this._destroyElement(),this._element,f)}_destroyElement(){this._element.remove(),a.default.trigger(this._element,u),this.dispose()}static jQueryInterface(N){return this.each(function(){const f=_.getOrCreateInstance(this);if(typeof N=="string"){if(f[N]===void 0||N.startsWith("_")||N==="constructor")throw new TypeError(`No method named "${N}"`);f[N](this)}})}}return s.enableDismissTrigger(_,"close"),i.defineJQueryPlugin(_),_})})(hs);var fi={},_s={get exports(){return fi},set exports(e){fi=e}},Mt={},ys={get exports(){return Mt},set exports(e){Mt=e}};/*! + * Bootstrap selector-engine.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */var pn;function dt(){return pn||(pn=1,function(e,t){(function(i,n){e.exports=n(me())})(Z,function(i){return{find(r,s=document.documentElement){return[].concat(...Element.prototype.querySelectorAll.call(s,r))},findOne(r,s=document.documentElement){return Element.prototype.querySelector.call(s,r)},children(r,s){return[].concat(...r.children).filter(o=>o.matches(s))},parents(r,s){const o=[];let a=r.parentNode.closest(s);for(;a;)o.push(a),a=a.parentNode.closest(s);return o},prev(r,s){let o=r.previousElementSibling;for(;o;){if(o.matches(s))return[o];o=o.previousElementSibling}return[]},next(r,s){let o=r.nextElementSibling;for(;o;){if(o.matches(s))return[o];o=o.nextElementSibling}return[]},focusableChildren(r){const s=["a","button","input","textarea","select","details","[tabindex]",'[contenteditable="true"]'].map(o=>`${o}:not([tabindex^="-"])`).join(",");return this.find(s,r).filter(o=>!i.isDisabled(o)&&i.isVisible(o))}}})}(ys)),Mt}/*! + * Bootstrap collapse.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */(function(e,t){(function(i,n){e.exports=n(me(),xe(),dt(),Bt())})(Z,function(i,n,r,s){const o=A=>A&&typeof A=="object"&&"default"in A?A:{default:A},a=o(n),l=o(r),h=o(s),c="collapse",g=".bs.collapse",u=".data-api",y=`show${g}`,v=`shown${g}`,_=`hide${g}`,S=`hidden${g}`,N=`click${g}${u}`,f="show",w="collapse",x="collapsing",E="collapsed",C=`:scope .${w} .${w}`,P="collapse-horizontal",k="width",M="height",H=".collapse.show, .collapse.collapsing",p='[data-bs-toggle="collapse"]',D={parent:null,toggle:!0},R={parent:"(null|element)",toggle:"boolean"};class T extends h.default{constructor(b,L){super(b,L),this._isTransitioning=!1,this._triggerArray=[];const I=l.default.find(p);for(const U of I){const j=i.getSelectorFromElement(U),J=l.default.find(j).filter(B=>B===this._element);j!==null&&J.length&&this._triggerArray.push(U)}this._initializeChildren(),this._config.parent||this._addAriaAndCollapsedClass(this._triggerArray,this._isShown()),this._config.toggle&&this.toggle()}static get Default(){return D}static get DefaultType(){return R}static get NAME(){return c}toggle(){this._isShown()?this.hide():this.show()}show(){if(this._isTransitioning||this._isShown())return;let b=[];if(this._config.parent&&(b=this._getFirstLevelChildren(H).filter(B=>B!==this._element).map(B=>T.getOrCreateInstance(B,{toggle:!1}))),b.length&&b[0]._isTransitioning||a.default.trigger(this._element,y).defaultPrevented)return;for(const B of b)B.hide();const I=this._getDimension();this._element.classList.remove(w),this._element.classList.add(x),this._element.style[I]=0,this._addAriaAndCollapsedClass(this._triggerArray,!0),this._isTransitioning=!0;const U=()=>{this._isTransitioning=!1,this._element.classList.remove(x),this._element.classList.add(w,f),this._element.style[I]="",a.default.trigger(this._element,v)},J=`scroll${I[0].toUpperCase()+I.slice(1)}`;this._queueCallback(U,this._element,!0),this._element.style[I]=`${this._element[J]}px`}hide(){if(this._isTransitioning||!this._isShown()||a.default.trigger(this._element,_).defaultPrevented)return;const L=this._getDimension();this._element.style[L]=`${this._element.getBoundingClientRect()[L]}px`,i.reflow(this._element),this._element.classList.add(x),this._element.classList.remove(w,f);for(const U of this._triggerArray){const j=i.getElementFromSelector(U);j&&!this._isShown(j)&&this._addAriaAndCollapsedClass([U],!1)}this._isTransitioning=!0;const I=()=>{this._isTransitioning=!1,this._element.classList.remove(x),this._element.classList.add(w),a.default.trigger(this._element,S)};this._element.style[L]="",this._queueCallback(I,this._element,!0)}_isShown(b=this._element){return b.classList.contains(f)}_configAfterMerge(b){return b.toggle=Boolean(b.toggle),b.parent=i.getElement(b.parent),b}_getDimension(){return this._element.classList.contains(P)?k:M}_initializeChildren(){if(!this._config.parent)return;const b=this._getFirstLevelChildren(p);for(const L of b){const I=i.getElementFromSelector(L);I&&this._addAriaAndCollapsedClass([L],this._isShown(I))}}_getFirstLevelChildren(b){const L=l.default.find(C,this._config.parent);return l.default.find(b,this._config.parent).filter(I=>!L.includes(I))}_addAriaAndCollapsedClass(b,L){if(b.length)for(const I of b)I.classList.toggle(E,!L),I.setAttribute("aria-expanded",L)}static jQueryInterface(b){const L={};return typeof b=="string"&&/show|hide/.test(b)&&(L.toggle=!1),this.each(function(){const I=T.getOrCreateInstance(this,L);if(typeof b=="string"){if(typeof I[b]>"u")throw new TypeError(`No method named "${b}"`);I[b]()}})}}return a.default.on(document,N,p,function(A){(A.target.tagName==="A"||A.delegateTarget&&A.delegateTarget.tagName==="A")&&A.preventDefault();const b=i.getSelectorFromElement(this),L=l.default.find(b);for(const I of L)T.getOrCreateInstance(I,{toggle:!1}).toggle()}),i.defineJQueryPlugin(T),T})})(_s);const Es=fi;var gn={},ws={get exports(){return gn},set exports(e){gn=e}},ie="top",ce="bottom",he="right",ne="left",Ut="auto",Xe=[ie,ce,he,ne],He="start",Ve="end",Hn="clippingParents",Ai="viewport",Fe="popper",$n="reference",pi=Xe.reduce(function(e,t){return e.concat([t+"-"+He,t+"-"+Ve])},[]),Ci=[].concat(Xe,[Ut]).reduce(function(e,t){return e.concat([t,t+"-"+He,t+"-"+Ve])},[]),Fn="beforeRead",jn="read",Bn="afterRead",Un="beforeMain",Vn="main",Wn="afterMain",qn="beforeWrite",Kn="write",Jn="afterWrite",Xn=[Fn,jn,Bn,Un,Vn,Wn,qn,Kn,Jn];function Ce(e){return e?(e.nodeName||"").toLowerCase():null}function ue(e){if(e==null)return window;if(e.toString()!=="[object Window]"){var t=e.ownerDocument;return t&&t.defaultView||window}return e}function $e(e){var t=ue(e).Element;return e instanceof t||e instanceof Element}function de(e){var t=ue(e).HTMLElement;return e instanceof t||e instanceof HTMLElement}function Ti(e){if(typeof ShadowRoot>"u")return!1;var t=ue(e).ShadowRoot;return e instanceof t||e instanceof ShadowRoot}function As(e){var t=e.state;Object.keys(t.elements).forEach(function(i){var n=t.styles[i]||{},r=t.attributes[i]||{},s=t.elements[i];!de(s)||!Ce(s)||(Object.assign(s.style,n),Object.keys(r).forEach(function(o){var a=r[o];a===!1?s.removeAttribute(o):s.setAttribute(o,a===!0?"":a)}))})}function Cs(e){var t=e.state,i={popper:{position:t.options.strategy,left:"0",top:"0",margin:"0"},arrow:{position:"absolute"},reference:{}};return Object.assign(t.elements.popper.style,i.popper),t.styles=i,t.elements.arrow&&Object.assign(t.elements.arrow.style,i.arrow),function(){Object.keys(t.elements).forEach(function(n){var r=t.elements[n],s=t.attributes[n]||{},o=Object.keys(t.styles.hasOwnProperty(n)?t.styles[n]:i[n]),a=o.reduce(function(l,h){return l[h]="",l},{});!de(r)||!Ce(r)||(Object.assign(r.style,a),Object.keys(s).forEach(function(l){r.removeAttribute(l)}))})}}const Si={name:"applyStyles",enabled:!0,phase:"write",fn:As,effect:Cs,requires:["computeStyles"]};function Ae(e){return e.split("-")[0]}var Ie=Math.max,Ht=Math.min,We=Math.round;function gi(){var e=navigator.userAgentData;return e!=null&&e.brands?e.brands.map(function(t){return t.brand+"/"+t.version}).join(" "):navigator.userAgent}function zn(){return!/^((?!chrome|android).)*safari/i.test(gi())}function qe(e,t,i){t===void 0&&(t=!1),i===void 0&&(i=!1);var n=e.getBoundingClientRect(),r=1,s=1;t&&de(e)&&(r=e.offsetWidth>0&&We(n.width)/e.offsetWidth||1,s=e.offsetHeight>0&&We(n.height)/e.offsetHeight||1);var o=$e(e)?ue(e):window,a=o.visualViewport,l=!zn()&&i,h=(n.left+(l&&a?a.offsetLeft:0))/r,c=(n.top+(l&&a?a.offsetTop:0))/s,d=n.width/r,g=n.height/s;return{width:d,height:g,top:c,right:h+d,bottom:c+g,left:h,x:h,y:c}}function ki(e){var t=qe(e),i=e.offsetWidth,n=e.offsetHeight;return Math.abs(t.width-i)<=1&&(i=t.width),Math.abs(t.height-n)<=1&&(n=t.height),{x:e.offsetLeft,y:e.offsetTop,width:i,height:n}}function Yn(e,t){var i=t.getRootNode&&t.getRootNode();if(e.contains(t))return!0;if(i&&Ti(i)){var n=t;do{if(n&&e.isSameNode(n))return!0;n=n.parentNode||n.host}while(n)}return!1}function Se(e){return ue(e).getComputedStyle(e)}function Ts(e){return["table","td","th"].indexOf(Ce(e))>=0}function Pe(e){return(($e(e)?e.ownerDocument:e.document)||window.document).documentElement}function Vt(e){return Ce(e)==="html"?e:e.assignedSlot||e.parentNode||(Ti(e)?e.host:null)||Pe(e)}function mn(e){return!de(e)||Se(e).position==="fixed"?null:e.offsetParent}function Ss(e){var t=/firefox/i.test(gi()),i=/Trident/i.test(gi());if(i&&de(e)){var n=Se(e);if(n.position==="fixed")return null}var r=Vt(e);for(Ti(r)&&(r=r.host);de(r)&&["html","body"].indexOf(Ce(r))<0;){var s=Se(r);if(s.transform!=="none"||s.perspective!=="none"||s.contain==="paint"||["transform","perspective"].indexOf(s.willChange)!==-1||t&&s.willChange==="filter"||t&&s.filter&&s.filter!=="none")return r;r=r.parentNode}return null}function ut(e){for(var t=ue(e),i=mn(e);i&&Ts(i)&&Se(i).position==="static";)i=mn(i);return i&&(Ce(i)==="html"||Ce(i)==="body"&&Se(i).position==="static")?t:i||Ss(e)||t}function Di(e){return["top","bottom"].indexOf(e)>=0?"x":"y"}function lt(e,t,i){return Ie(e,Ht(t,i))}function ks(e,t,i){var n=lt(e,t,i);return n>i?i:n}function Gn(){return{top:0,right:0,bottom:0,left:0}}function Qn(e){return Object.assign({},Gn(),e)}function Zn(e,t){return t.reduce(function(i,n){return i[n]=e,i},{})}var Ds=function(t,i){return t=typeof t=="function"?t(Object.assign({},i.rects,{placement:i.placement})):t,Qn(typeof t!="number"?t:Zn(t,Xe))};function Ls(e){var t,i=e.state,n=e.name,r=e.options,s=i.elements.arrow,o=i.modifiersData.popperOffsets,a=Ae(i.placement),l=Di(a),h=[ne,he].indexOf(a)>=0,c=h?"height":"width";if(!(!s||!o)){var d=Ds(r.padding,i),g=ki(s),u=l==="y"?ie:ne,y=l==="y"?ce:he,v=i.rects.reference[c]+i.rects.reference[l]-o[l]-i.rects.popper[c],_=o[l]-i.rects.reference[l],S=ut(s),N=S?l==="y"?S.clientHeight||0:S.clientWidth||0:0,f=v/2-_/2,w=d[u],x=N-g[c]-d[y],E=N/2-g[c]/2+f,C=lt(w,E,x),P=l;i.modifiersData[n]=(t={},t[P]=C,t.centerOffset=C-E,t)}}function Os(e){var t=e.state,i=e.options,n=i.element,r=n===void 0?"[data-popper-arrow]":n;r!=null&&(typeof r=="string"&&(r=t.elements.popper.querySelector(r),!r)||Yn(t.elements.popper,r)&&(t.elements.arrow=r))}const er={name:"arrow",enabled:!0,phase:"main",fn:Ls,effect:Os,requires:["popperOffsets"],requiresIfExists:["preventOverflow"]};function Ke(e){return e.split("-")[1]}var xs={top:"auto",right:"auto",bottom:"auto",left:"auto"};function Ps(e){var t=e.x,i=e.y,n=window,r=n.devicePixelRatio||1;return{x:We(t*r)/r||0,y:We(i*r)/r||0}}function vn(e){var t,i=e.popper,n=e.popperRect,r=e.placement,s=e.variation,o=e.offsets,a=e.position,l=e.gpuAcceleration,h=e.adaptive,c=e.roundOffsets,d=e.isFixed,g=o.x,u=g===void 0?0:g,y=o.y,v=y===void 0?0:y,_=typeof c=="function"?c({x:u,y:v}):{x:u,y:v};u=_.x,v=_.y;var S=o.hasOwnProperty("x"),N=o.hasOwnProperty("y"),f=ne,w=ie,x=window;if(h){var E=ut(i),C="clientHeight",P="clientWidth";if(E===ue(i)&&(E=Pe(i),Se(E).position!=="static"&&a==="absolute"&&(C="scrollHeight",P="scrollWidth")),E=E,r===ie||(r===ne||r===he)&&s===Ve){w=ce;var k=d&&E===x&&x.visualViewport?x.visualViewport.height:E[C];v-=k-n.height,v*=l?1:-1}if(r===ne||(r===ie||r===ce)&&s===Ve){f=he;var M=d&&E===x&&x.visualViewport?x.visualViewport.width:E[P];u-=M-n.width,u*=l?1:-1}}var H=Object.assign({position:a},h&&xs),p=c===!0?Ps({x:u,y:v}):{x:u,y:v};if(u=p.x,v=p.y,l){var D;return Object.assign({},H,(D={},D[w]=N?"0":"",D[f]=S?"0":"",D.transform=(x.devicePixelRatio||1)<=1?"translate("+u+"px, "+v+"px)":"translate3d("+u+"px, "+v+"px, 0)",D))}return Object.assign({},H,(t={},t[w]=N?v+"px":"",t[f]=S?u+"px":"",t.transform="",t))}function Rs(e){var t=e.state,i=e.options,n=i.gpuAcceleration,r=n===void 0?!0:n,s=i.adaptive,o=s===void 0?!0:s,a=i.roundOffsets,l=a===void 0?!0:a,h={placement:Ae(t.placement),variation:Ke(t.placement),popper:t.elements.popper,popperRect:t.rects.popper,gpuAcceleration:r,isFixed:t.options.strategy==="fixed"};t.modifiersData.popperOffsets!=null&&(t.styles.popper=Object.assign({},t.styles.popper,vn(Object.assign({},h,{offsets:t.modifiersData.popperOffsets,position:t.options.strategy,adaptive:o,roundOffsets:l})))),t.modifiersData.arrow!=null&&(t.styles.arrow=Object.assign({},t.styles.arrow,vn(Object.assign({},h,{offsets:t.modifiersData.arrow,position:"absolute",adaptive:!1,roundOffsets:l})))),t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-placement":t.placement})}const Li={name:"computeStyles",enabled:!0,phase:"beforeWrite",fn:Rs,data:{}};var St={passive:!0};function Ns(e){var t=e.state,i=e.instance,n=e.options,r=n.scroll,s=r===void 0?!0:r,o=n.resize,a=o===void 0?!0:o,l=ue(t.elements.popper),h=[].concat(t.scrollParents.reference,t.scrollParents.popper);return s&&h.forEach(function(c){c.addEventListener("scroll",i.update,St)}),a&&l.addEventListener("resize",i.update,St),function(){s&&h.forEach(function(c){c.removeEventListener("scroll",i.update,St)}),a&&l.removeEventListener("resize",i.update,St)}}const Oi={name:"eventListeners",enabled:!0,phase:"write",fn:function(){},effect:Ns,data:{}};var Is={left:"right",right:"left",bottom:"top",top:"bottom"};function Lt(e){return e.replace(/left|right|bottom|top/g,function(t){return Is[t]})}var Ms={start:"end",end:"start"};function bn(e){return e.replace(/start|end/g,function(t){return Ms[t]})}function xi(e){var t=ue(e),i=t.pageXOffset,n=t.pageYOffset;return{scrollLeft:i,scrollTop:n}}function Pi(e){return qe(Pe(e)).left+xi(e).scrollLeft}function Hs(e,t){var i=ue(e),n=Pe(e),r=i.visualViewport,s=n.clientWidth,o=n.clientHeight,a=0,l=0;if(r){s=r.width,o=r.height;var h=zn();(h||!h&&t==="fixed")&&(a=r.offsetLeft,l=r.offsetTop)}return{width:s,height:o,x:a+Pi(e),y:l}}function $s(e){var t,i=Pe(e),n=xi(e),r=(t=e.ownerDocument)==null?void 0:t.body,s=Ie(i.scrollWidth,i.clientWidth,r?r.scrollWidth:0,r?r.clientWidth:0),o=Ie(i.scrollHeight,i.clientHeight,r?r.scrollHeight:0,r?r.clientHeight:0),a=-n.scrollLeft+Pi(e),l=-n.scrollTop;return Se(r||i).direction==="rtl"&&(a+=Ie(i.clientWidth,r?r.clientWidth:0)-s),{width:s,height:o,x:a,y:l}}function Ri(e){var t=Se(e),i=t.overflow,n=t.overflowX,r=t.overflowY;return/auto|scroll|overlay|hidden/.test(i+r+n)}function tr(e){return["html","body","#document"].indexOf(Ce(e))>=0?e.ownerDocument.body:de(e)&&Ri(e)?e:tr(Vt(e))}function ct(e,t){var i;t===void 0&&(t=[]);var n=tr(e),r=n===((i=e.ownerDocument)==null?void 0:i.body),s=ue(n),o=r?[s].concat(s.visualViewport||[],Ri(n)?n:[]):n,a=t.concat(o);return r?a:a.concat(ct(Vt(o)))}function mi(e){return Object.assign({},e,{left:e.x,top:e.y,right:e.x+e.width,bottom:e.y+e.height})}function Fs(e,t){var i=qe(e,!1,t==="fixed");return i.top=i.top+e.clientTop,i.left=i.left+e.clientLeft,i.bottom=i.top+e.clientHeight,i.right=i.left+e.clientWidth,i.width=e.clientWidth,i.height=e.clientHeight,i.x=i.left,i.y=i.top,i}function _n(e,t,i){return t===Ai?mi(Hs(e,i)):$e(t)?Fs(t,i):mi($s(Pe(e)))}function js(e){var t=ct(Vt(e)),i=["absolute","fixed"].indexOf(Se(e).position)>=0,n=i&&de(e)?ut(e):e;return $e(n)?t.filter(function(r){return $e(r)&&Yn(r,n)&&Ce(r)!=="body"}):[]}function Bs(e,t,i,n){var r=t==="clippingParents"?js(e):[].concat(t),s=[].concat(r,[i]),o=s[0],a=s.reduce(function(l,h){var c=_n(e,h,n);return l.top=Ie(c.top,l.top),l.right=Ht(c.right,l.right),l.bottom=Ht(c.bottom,l.bottom),l.left=Ie(c.left,l.left),l},_n(e,o,n));return a.width=a.right-a.left,a.height=a.bottom-a.top,a.x=a.left,a.y=a.top,a}function ir(e){var t=e.reference,i=e.element,n=e.placement,r=n?Ae(n):null,s=n?Ke(n):null,o=t.x+t.width/2-i.width/2,a=t.y+t.height/2-i.height/2,l;switch(r){case ie:l={x:o,y:t.y-i.height};break;case ce:l={x:o,y:t.y+t.height};break;case he:l={x:t.x+t.width,y:a};break;case ne:l={x:t.x-i.width,y:a};break;default:l={x:t.x,y:t.y}}var h=r?Di(r):null;if(h!=null){var c=h==="y"?"height":"width";switch(s){case He:l[h]=l[h]-(t[c]/2-i[c]/2);break;case Ve:l[h]=l[h]+(t[c]/2-i[c]/2);break}}return l}function Je(e,t){t===void 0&&(t={});var i=t,n=i.placement,r=n===void 0?e.placement:n,s=i.strategy,o=s===void 0?e.strategy:s,a=i.boundary,l=a===void 0?Hn:a,h=i.rootBoundary,c=h===void 0?Ai:h,d=i.elementContext,g=d===void 0?Fe:d,u=i.altBoundary,y=u===void 0?!1:u,v=i.padding,_=v===void 0?0:v,S=Qn(typeof _!="number"?_:Zn(_,Xe)),N=g===Fe?$n:Fe,f=e.rects.popper,w=e.elements[y?N:g],x=Bs($e(w)?w:w.contextElement||Pe(e.elements.popper),l,c,o),E=qe(e.elements.reference),C=ir({reference:E,element:f,strategy:"absolute",placement:r}),P=mi(Object.assign({},f,C)),k=g===Fe?P:E,M={top:x.top-k.top+S.top,bottom:k.bottom-x.bottom+S.bottom,left:x.left-k.left+S.left,right:k.right-x.right+S.right},H=e.modifiersData.offset;if(g===Fe&&H){var p=H[r];Object.keys(M).forEach(function(D){var R=[he,ce].indexOf(D)>=0?1:-1,T=[ie,ce].indexOf(D)>=0?"y":"x";M[D]+=p[T]*R})}return M}function Us(e,t){t===void 0&&(t={});var i=t,n=i.placement,r=i.boundary,s=i.rootBoundary,o=i.padding,a=i.flipVariations,l=i.allowedAutoPlacements,h=l===void 0?Ci:l,c=Ke(n),d=c?a?pi:pi.filter(function(y){return Ke(y)===c}):Xe,g=d.filter(function(y){return h.indexOf(y)>=0});g.length===0&&(g=d);var u=g.reduce(function(y,v){return y[v]=Je(e,{placement:v,boundary:r,rootBoundary:s,padding:o})[Ae(v)],y},{});return Object.keys(u).sort(function(y,v){return u[y]-u[v]})}function Vs(e){if(Ae(e)===Ut)return[];var t=Lt(e);return[bn(e),t,bn(t)]}function Ws(e){var t=e.state,i=e.options,n=e.name;if(!t.modifiersData[n]._skip){for(var r=i.mainAxis,s=r===void 0?!0:r,o=i.altAxis,a=o===void 0?!0:o,l=i.fallbackPlacements,h=i.padding,c=i.boundary,d=i.rootBoundary,g=i.altBoundary,u=i.flipVariations,y=u===void 0?!0:u,v=i.allowedAutoPlacements,_=t.options.placement,S=Ae(_),N=S===_,f=l||(N||!y?[Lt(_)]:Vs(_)),w=[_].concat(f).reduce(function(ee,W){return ee.concat(Ae(W)===Ut?Us(t,{placement:W,boundary:c,rootBoundary:d,padding:h,flipVariations:y,allowedAutoPlacements:v}):W)},[]),x=t.rects.reference,E=t.rects.popper,C=new Map,P=!0,k=w[0],M=0;M=0,T=R?"width":"height",A=Je(t,{placement:H,boundary:c,rootBoundary:d,altBoundary:g,padding:h}),b=R?D?he:ne:D?ce:ie;x[T]>E[T]&&(b=Lt(b));var L=Lt(b),I=[];if(s&&I.push(A[p]<=0),a&&I.push(A[b]<=0,A[L]<=0),I.every(function(ee){return ee})){k=H,P=!1;break}C.set(H,I)}if(P)for(var U=y?3:1,j=function(W){var K=w.find(function(z){var $=C.get(z);if($)return $.slice(0,W).every(function(V){return V})});if(K)return k=K,"break"},J=U;J>0;J--){var B=j(J);if(B==="break")break}t.placement!==k&&(t.modifiersData[n]._skip=!0,t.placement=k,t.reset=!0)}}const nr={name:"flip",enabled:!0,phase:"main",fn:Ws,requiresIfExists:["offset"],data:{_skip:!1}};function yn(e,t,i){return i===void 0&&(i={x:0,y:0}),{top:e.top-t.height-i.y,right:e.right-t.width+i.x,bottom:e.bottom-t.height+i.y,left:e.left-t.width-i.x}}function En(e){return[ie,he,ce,ne].some(function(t){return e[t]>=0})}function qs(e){var t=e.state,i=e.name,n=t.rects.reference,r=t.rects.popper,s=t.modifiersData.preventOverflow,o=Je(t,{elementContext:"reference"}),a=Je(t,{altBoundary:!0}),l=yn(o,n),h=yn(a,r,s),c=En(l),d=En(h);t.modifiersData[i]={referenceClippingOffsets:l,popperEscapeOffsets:h,isReferenceHidden:c,hasPopperEscaped:d},t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-reference-hidden":c,"data-popper-escaped":d})}const rr={name:"hide",enabled:!0,phase:"main",requiresIfExists:["preventOverflow"],fn:qs};function Ks(e,t,i){var n=Ae(e),r=[ne,ie].indexOf(n)>=0?-1:1,s=typeof i=="function"?i(Object.assign({},t,{placement:e})):i,o=s[0],a=s[1];return o=o||0,a=(a||0)*r,[ne,he].indexOf(n)>=0?{x:a,y:o}:{x:o,y:a}}function Js(e){var t=e.state,i=e.options,n=e.name,r=i.offset,s=r===void 0?[0,0]:r,o=Ci.reduce(function(c,d){return c[d]=Ks(d,t.rects,s),c},{}),a=o[t.placement],l=a.x,h=a.y;t.modifiersData.popperOffsets!=null&&(t.modifiersData.popperOffsets.x+=l,t.modifiersData.popperOffsets.y+=h),t.modifiersData[n]=o}const sr={name:"offset",enabled:!0,phase:"main",requires:["popperOffsets"],fn:Js};function Xs(e){var t=e.state,i=e.name;t.modifiersData[i]=ir({reference:t.rects.reference,element:t.rects.popper,strategy:"absolute",placement:t.placement})}const Ni={name:"popperOffsets",enabled:!0,phase:"read",fn:Xs,data:{}};function zs(e){return e==="x"?"y":"x"}function Ys(e){var t=e.state,i=e.options,n=e.name,r=i.mainAxis,s=r===void 0?!0:r,o=i.altAxis,a=o===void 0?!1:o,l=i.boundary,h=i.rootBoundary,c=i.altBoundary,d=i.padding,g=i.tether,u=g===void 0?!0:g,y=i.tetherOffset,v=y===void 0?0:y,_=Je(t,{boundary:l,rootBoundary:h,padding:d,altBoundary:c}),S=Ae(t.placement),N=Ke(t.placement),f=!N,w=Di(S),x=zs(w),E=t.modifiersData.popperOffsets,C=t.rects.reference,P=t.rects.popper,k=typeof v=="function"?v(Object.assign({},t.rects,{placement:t.placement})):v,M=typeof k=="number"?{mainAxis:k,altAxis:k}:Object.assign({mainAxis:0,altAxis:0},k),H=t.modifiersData.offset?t.modifiersData.offset[t.placement]:null,p={x:0,y:0};if(E){if(s){var D,R=w==="y"?ie:ne,T=w==="y"?ce:he,A=w==="y"?"height":"width",b=E[w],L=b+_[R],I=b-_[T],U=u?-P[A]/2:0,j=N===He?C[A]:P[A],J=N===He?-P[A]:-C[A],B=t.elements.arrow,ee=u&&B?ki(B):{width:0,height:0},W=t.modifiersData["arrow#persistent"]?t.modifiersData["arrow#persistent"].padding:Gn(),K=W[R],z=W[T],$=lt(0,C[A],ee[A]),V=f?C[A]/2-U-$-K-M.mainAxis:j-$-K-M.mainAxis,te=f?-C[A]/2+U+$+z+M.mainAxis:J+$+z+M.mainAxis,fe=t.elements.arrow&&ut(t.elements.arrow),Kt=fe?w==="y"?fe.clientTop||0:fe.clientLeft||0:0,ft=(D=H?.[w])!=null?D:0,Jt=b+V-ft-Kt,Xt=b+te-ft,pt=lt(u?Ht(L,Jt):L,b,u?Ie(I,Xt):I);E[w]=pt,p[w]=pt-b}if(a){var re,X=w==="x"?ie:ne,O=w==="x"?ce:he,F=E[x],q=x==="y"?"height":"width",Y=F+_[X],ke=F-_[O],pe=[ie,ne].indexOf(S)!==-1,ze=(re=H?.[x])!=null?re:0,Ii=pe?Y:F-C[q]-P[q]-ze+M.altAxis,Mi=pe?F+C[q]+P[q]-ze-M.altAxis:ke,Hi=u&&pe?ks(Ii,F,Mi):lt(u?Ii:Y,F,u?Mi:ke);E[x]=Hi,p[x]=Hi-F}t.modifiersData[n]=p}}const or={name:"preventOverflow",enabled:!0,phase:"main",fn:Ys,requiresIfExists:["offset"]};function Gs(e){return{scrollLeft:e.scrollLeft,scrollTop:e.scrollTop}}function Qs(e){return e===ue(e)||!de(e)?xi(e):Gs(e)}function Zs(e){var t=e.getBoundingClientRect(),i=We(t.width)/e.offsetWidth||1,n=We(t.height)/e.offsetHeight||1;return i!==1||n!==1}function eo(e,t,i){i===void 0&&(i=!1);var n=de(t),r=de(t)&&Zs(t),s=Pe(t),o=qe(e,r,i),a={scrollLeft:0,scrollTop:0},l={x:0,y:0};return(n||!n&&!i)&&((Ce(t)!=="body"||Ri(s))&&(a=Qs(t)),de(t)?(l=qe(t,!0),l.x+=t.clientLeft,l.y+=t.clientTop):s&&(l.x=Pi(s))),{x:o.left+a.scrollLeft-l.x,y:o.top+a.scrollTop-l.y,width:o.width,height:o.height}}function to(e){var t=new Map,i=new Set,n=[];e.forEach(function(s){t.set(s.name,s)});function r(s){i.add(s.name);var o=[].concat(s.requires||[],s.requiresIfExists||[]);o.forEach(function(a){if(!i.has(a)){var l=t.get(a);l&&r(l)}}),n.push(s)}return e.forEach(function(s){i.has(s.name)||r(s)}),n}function io(e){var t=to(e);return Xn.reduce(function(i,n){return i.concat(t.filter(function(r){return r.phase===n}))},[])}function no(e){var t;return function(){return t||(t=new Promise(function(i){Promise.resolve().then(function(){t=void 0,i(e())})})),t}}function ro(e){var t=e.reduce(function(i,n){var r=i[n.name];return i[n.name]=r?Object.assign({},r,n,{options:Object.assign({},r.options,n.options),data:Object.assign({},r.data,n.data)}):n,i},{});return Object.keys(t).map(function(i){return t[i]})}var wn={placement:"bottom",modifiers:[],strategy:"absolute"};function An(){for(var e=arguments.length,t=new Array(e),i=0;iX&&typeof X=="object"&&"default"in X?X:{default:X};function h(X){if(X&&X.__esModule)return X;const O=Object.create(null,{[Symbol.toStringTag]:{value:"Module"}});if(X){for(const F in X)if(F!=="default"){const q=Object.getOwnPropertyDescriptor(X,F);Object.defineProperty(O,F,q.get?q:{enumerable:!0,get:()=>X[F]})}}return O.default=X,Object.freeze(O)}const c=h(i),d=l(r),g=l(s),u=l(o),y=l(a),v="dropdown",S=".bs.dropdown",N=".data-api",f="Escape",w="Tab",x="ArrowUp",E="ArrowDown",C=2,P=`hide${S}`,k=`hidden${S}`,M=`show${S}`,H=`shown${S}`,p=`click${S}${N}`,D=`keydown${S}${N}`,R=`keyup${S}${N}`,T="show",A="dropup",b="dropend",L="dropstart",I="dropup-center",U="dropdown-center",j='[data-bs-toggle="dropdown"]:not(.disabled):not(:disabled)',J=`${j}.${T}`,B=".dropdown-menu",ee=".navbar",W=".navbar-nav",K=".dropdown-menu .dropdown-item:not(.disabled):not(:disabled)",z=n.isRTL()?"top-end":"top-start",$=n.isRTL()?"top-start":"top-end",V=n.isRTL()?"bottom-end":"bottom-start",te=n.isRTL()?"bottom-start":"bottom-end",fe=n.isRTL()?"left-start":"right-start",Kt=n.isRTL()?"right-start":"left-start",ft="top",Jt="bottom",Xt={autoClose:!0,boundary:"clippingParents",display:"dynamic",offset:[0,2],popperConfig:null,reference:"toggle"},pt={autoClose:"(boolean|string)",boundary:"(string|element)",display:"string",offset:"(array|string|function)",popperConfig:"(null|object|function)",reference:"(string|element|object)"};class re extends y.default{constructor(O,F){super(O,F),this._popper=null,this._parent=this._element.parentNode,this._menu=u.default.next(this._element,B)[0]||u.default.prev(this._element,B)[0]||u.default.findOne(B,this._parent),this._inNavbar=this._detectNavbar()}static get Default(){return Xt}static get DefaultType(){return pt}static get NAME(){return v}toggle(){return this._isShown()?this.hide():this.show()}show(){if(n.isDisabled(this._element)||this._isShown())return;const O={relatedTarget:this._element};if(!d.default.trigger(this._element,M,O).defaultPrevented){if(this._createPopper(),"ontouchstart"in document.documentElement&&!this._parent.closest(W))for(const q of[].concat(...document.body.children))d.default.on(q,"mouseover",n.noop);this._element.focus(),this._element.setAttribute("aria-expanded",!0),this._menu.classList.add(T),this._element.classList.add(T),d.default.trigger(this._element,H,O)}}hide(){if(n.isDisabled(this._element)||!this._isShown())return;const O={relatedTarget:this._element};this._completeHide(O)}dispose(){this._popper&&this._popper.destroy(),super.dispose()}update(){this._inNavbar=this._detectNavbar(),this._popper&&this._popper.update()}_completeHide(O){if(!d.default.trigger(this._element,P,O).defaultPrevented){if("ontouchstart"in document.documentElement)for(const q of[].concat(...document.body.children))d.default.off(q,"mouseover",n.noop);this._popper&&this._popper.destroy(),this._menu.classList.remove(T),this._element.classList.remove(T),this._element.setAttribute("aria-expanded","false"),g.default.removeDataAttribute(this._menu,"popper"),d.default.trigger(this._element,k,O)}}_getConfig(O){if(O=super._getConfig(O),typeof O.reference=="object"&&!n.isElement(O.reference)&&typeof O.reference.getBoundingClientRect!="function")throw new TypeError(`${v.toUpperCase()}: Option "reference" provided type "object" without a required "getBoundingClientRect" method.`);return O}_createPopper(){if(typeof c>"u")throw new TypeError("Bootstrap's dropdowns require Popper (https://popper.js.org)");let O=this._element;this._config.reference==="parent"?O=this._parent:n.isElement(this._config.reference)?O=n.getElement(this._config.reference):typeof this._config.reference=="object"&&(O=this._config.reference);const F=this._getPopperConfig();this._popper=c.createPopper(O,this._menu,F)}_isShown(){return this._menu.classList.contains(T)}_getPlacement(){const O=this._parent;if(O.classList.contains(b))return fe;if(O.classList.contains(L))return Kt;if(O.classList.contains(I))return ft;if(O.classList.contains(U))return Jt;const F=getComputedStyle(this._menu).getPropertyValue("--bs-position").trim()==="end";return O.classList.contains(A)?F?$:z:F?te:V}_detectNavbar(){return this._element.closest(ee)!==null}_getOffset(){const{offset:O}=this._config;return typeof O=="string"?O.split(",").map(F=>Number.parseInt(F,10)):typeof O=="function"?F=>O(F,this._element):O}_getPopperConfig(){const O={placement:this._getPlacement(),modifiers:[{name:"preventOverflow",options:{boundary:this._config.boundary}},{name:"offset",options:{offset:this._getOffset()}}]};return(this._inNavbar||this._config.display==="static")&&(g.default.setDataAttribute(this._menu,"popper","static"),O.modifiers=[{name:"applyStyles",enabled:!1}]),{...O,...typeof this._config.popperConfig=="function"?this._config.popperConfig(O):this._config.popperConfig}}_selectMenuItem({key:O,target:F}){const q=u.default.find(K,this._menu).filter(Y=>n.isVisible(Y));q.length&&n.getNextActiveElement(q,F,O===E,!q.includes(F)).focus()}static jQueryInterface(O){return this.each(function(){const F=re.getOrCreateInstance(this,O);if(typeof O=="string"){if(typeof F[O]>"u")throw new TypeError(`No method named "${O}"`);F[O]()}})}static clearMenus(O){if(O.button===C||O.type==="keyup"&&O.key!==w)return;const F=u.default.find(J);for(const q of F){const Y=re.getInstance(q);if(!Y||Y._config.autoClose===!1)continue;const ke=O.composedPath(),pe=ke.includes(Y._menu);if(ke.includes(Y._element)||Y._config.autoClose==="inside"&&!pe||Y._config.autoClose==="outside"&&pe||Y._menu.contains(O.target)&&(O.type==="keyup"&&O.key===w||/input|select|option|textarea|form/i.test(O.target.tagName)))continue;const ze={relatedTarget:Y._element};O.type==="click"&&(ze.clickEvent=O),Y._completeHide(ze)}}static dataApiKeydownHandler(O){const F=/input|textarea/i.test(O.target.tagName),q=O.key===f,Y=[x,E].includes(O.key);if(!Y&&!q||F&&!q)return;O.preventDefault();const ke=this.matches(j)?this:u.default.prev(this,j)[0]||u.default.next(this,j)[0]||u.default.findOne(j,O.delegateTarget.parentNode),pe=re.getOrCreateInstance(ke);if(Y){O.stopPropagation(),pe.show(),pe._selectMenuItem(O);return}pe._isShown()&&(O.stopPropagation(),pe.hide(),ke.focus())}}return d.default.on(document,D,j,re.dataApiKeydownHandler),d.default.on(document,D,B,re.dataApiKeydownHandler),d.default.on(document,p,re.clearMenus),d.default.on(document,R,re.clearMenus),d.default.on(document,p,j,function(X){X.preventDefault(),re.getOrCreateInstance(this).toggle()}),n.defineJQueryPlugin(re),re})})(ws);const Cn=document.getElementById("navbarSupportedContentToggler"),ri=document.getElementById("navbarSupportedContent");ri!=null&&(ri.addEventListener("show.bs.collapse",()=>{console.log("opening navbar content"),Cn.classList.toggle("is-active")}),ri.addEventListener("hide.bs.collapse",()=>{console.log("closing navbar content"),Cn.classList.toggle("is-active")}));let fo=document.querySelectorAll(".needs-validation");Array.prototype.slice.call(fo).forEach(function(e){e.addEventListener("submit",function(t){e.checkValidity()||(t.preventDefault(),t.stopPropagation(),e.classList.add("was-validated"))},!1)});const po={mounted(){this.el.addEventListener("closed.bs.alert",()=>{this.pushEvent("lv:clear-flash",this.el.dataset)})}};var vi={},go={get exports(){return vi},set exports(e){vi=e}},$t={},mo={get exports(){return $t},set exports(e){$t=e}};/*! + * Bootstrap scrollbar.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */var Tn;function vo(){return Tn||(Tn=1,function(e,t){(function(i,n){e.exports=n(dt(),Ei(),me())})(Z,function(i,n,r){const s=u=>u&&typeof u=="object"&&"default"in u?u:{default:u},o=s(i),a=s(n),l=".fixed-top, .fixed-bottom, .is-fixed, .sticky-top",h=".sticky-top",c="padding-right",d="margin-right";class g{constructor(){this._element=document.body}getWidth(){const y=document.documentElement.clientWidth;return Math.abs(window.innerWidth-y)}hide(){const y=this.getWidth();this._disableOverFlow(),this._setElementAttributes(this._element,c,v=>v+y),this._setElementAttributes(l,c,v=>v+y),this._setElementAttributes(h,d,v=>v-y)}reset(){this._resetElementAttributes(this._element,"overflow"),this._resetElementAttributes(this._element,c),this._resetElementAttributes(l,c),this._resetElementAttributes(h,d)}isOverflowing(){return this.getWidth()>0}_disableOverFlow(){this._saveInitialAttribute(this._element,"overflow"),this._element.style.overflow="hidden"}_setElementAttributes(y,v,_){const S=this.getWidth(),N=f=>{if(f!==this._element&&window.innerWidth>f.clientWidth+S)return;this._saveInitialAttribute(f,v);const w=window.getComputedStyle(f).getPropertyValue(v);f.style.setProperty(v,`${_(Number.parseFloat(w))}px`)};this._applyManipulationCallback(y,N)}_saveInitialAttribute(y,v){const _=y.style.getPropertyValue(v);_&&a.default.setDataAttribute(y,v,_)}_resetElementAttributes(y,v){const _=S=>{const N=a.default.getDataAttribute(S,v);if(N===null){S.style.removeProperty(v);return}a.default.removeDataAttribute(S,v),S.style.setProperty(v,N)};this._applyManipulationCallback(y,_)}_applyManipulationCallback(y,v){if(r.isElement(y)){v(y);return}for(const _ of o.default.find(y,this._element))v(_)}}return g})}(mo)),$t}var Ft={},bo={get exports(){return Ft},set exports(e){Ft=e}};/*! + * Bootstrap backdrop.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */var Sn;function _o(){return Sn||(Sn=1,function(e,t){(function(i,n){e.exports=n(xe(),me(),wi())})(Z,function(i,n,r){const s=v=>v&&typeof v=="object"&&"default"in v?v:{default:v},o=s(i),a=s(r),l="backdrop",h="fade",c="show",d=`mousedown.bs.${l}`,g={className:"modal-backdrop",clickCallback:null,isAnimated:!1,isVisible:!0,rootElement:"body"},u={className:"string",clickCallback:"(function|null)",isAnimated:"boolean",isVisible:"boolean",rootElement:"(element|string)"};class y extends a.default{constructor(_){super(),this._config=this._getConfig(_),this._isAppended=!1,this._element=null}static get Default(){return g}static get DefaultType(){return u}static get NAME(){return l}show(_){if(!this._config.isVisible){n.execute(_);return}this._append();const S=this._getElement();this._config.isAnimated&&n.reflow(S),S.classList.add(c),this._emulateAnimation(()=>{n.execute(_)})}hide(_){if(!this._config.isVisible){n.execute(_);return}this._getElement().classList.remove(c),this._emulateAnimation(()=>{this.dispose(),n.execute(_)})}dispose(){this._isAppended&&(o.default.off(this._element,d),this._element.remove(),this._isAppended=!1)}_getElement(){if(!this._element){const _=document.createElement("div");_.className=this._config.className,this._config.isAnimated&&_.classList.add(h),this._element=_}return this._element}_configAfterMerge(_){return _.rootElement=n.getElement(_.rootElement),_}_append(){if(this._isAppended)return;const _=this._getElement();this._config.rootElement.append(_),o.default.on(_,d,()=>{n.execute(this._config.clickCallback)}),this._isAppended=!0}_emulateAnimation(_){n.executeAfterTransition(_,this._getElement(),this._config.isAnimated)}}return y})}(bo)),Ft}var jt={},yo={get exports(){return jt},set exports(e){jt=e}};/*! + * Bootstrap focustrap.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */var kn;function Eo(){return kn||(kn=1,function(e,t){(function(i,n){e.exports=n(xe(),dt(),wi())})(Z,function(i,n,r){const s=w=>w&&typeof w=="object"&&"default"in w?w:{default:w},o=s(i),a=s(n),l=s(r),h="focustrap",d=".bs.focustrap",g=`focusin${d}`,u=`keydown.tab${d}`,y="Tab",v="forward",_="backward",S={autofocus:!0,trapElement:null},N={autofocus:"boolean",trapElement:"element"};class f extends l.default{constructor(x){super(),this._config=this._getConfig(x),this._isActive=!1,this._lastTabNavDirection=null}static get Default(){return S}static get DefaultType(){return N}static get NAME(){return h}activate(){this._isActive||(this._config.autofocus&&this._config.trapElement.focus(),o.default.off(document,d),o.default.on(document,g,x=>this._handleFocusin(x)),o.default.on(document,u,x=>this._handleKeydown(x)),this._isActive=!0)}deactivate(){this._isActive&&(this._isActive=!1,o.default.off(document,d))}_handleFocusin(x){const{trapElement:E}=this._config;if(x.target===document||x.target===E||E.contains(x.target))return;const C=a.default.focusableChildren(E);C.length===0?E.focus():this._lastTabNavDirection===_?C[C.length-1].focus():C[0].focus()}_handleKeydown(x){x.key===y&&(this._lastTabNavDirection=x.shiftKey?_:v)}}return f})}(yo)),jt}/*! + * Bootstrap modal.js v5.2.3 (https://getbootstrap.com/) + * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) + * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) + */(function(e,t){(function(i,n){e.exports=n(me(),xe(),dt(),vo(),Bt(),_o(),Eo(),Mn())})(Z,function(i,n,r,s,o,a,l,h){const c=z=>z&&typeof z=="object"&&"default"in z?z:{default:z},d=c(n),g=c(r),u=c(s),y=c(o),v=c(a),_=c(l),S="modal",f=".bs.modal",w=".data-api",x="Escape",E=`hide${f}`,C=`hidePrevented${f}`,P=`hidden${f}`,k=`show${f}`,M=`shown${f}`,H=`resize${f}`,p=`click.dismiss${f}`,D=`mousedown.dismiss${f}`,R=`keydown.dismiss${f}`,T=`click${f}${w}`,A="modal-open",b="fade",L="show",I="modal-static",U=".modal.show",j=".modal-dialog",J=".modal-body",B='[data-bs-toggle="modal"]',ee={backdrop:!0,focus:!0,keyboard:!0},W={backdrop:"(boolean|string)",focus:"boolean",keyboard:"boolean"};class K extends y.default{constructor($,V){super($,V),this._dialog=g.default.findOne(j,this._element),this._backdrop=this._initializeBackDrop(),this._focustrap=this._initializeFocusTrap(),this._isShown=!1,this._isTransitioning=!1,this._scrollBar=new u.default,this._addEventListeners()}static get Default(){return ee}static get DefaultType(){return W}static get NAME(){return S}toggle($){return this._isShown?this.hide():this.show($)}show($){this._isShown||this._isTransitioning||d.default.trigger(this._element,k,{relatedTarget:$}).defaultPrevented||(this._isShown=!0,this._isTransitioning=!0,this._scrollBar.hide(),document.body.classList.add(A),this._adjustDialog(),this._backdrop.show(()=>this._showElement($)))}hide(){!this._isShown||this._isTransitioning||d.default.trigger(this._element,E).defaultPrevented||(this._isShown=!1,this._isTransitioning=!0,this._focustrap.deactivate(),this._element.classList.remove(L),this._queueCallback(()=>this._hideModal(),this._element,this._isAnimated()))}dispose(){for(const $ of[window,this._dialog])d.default.off($,f);this._backdrop.dispose(),this._focustrap.deactivate(),super.dispose()}handleUpdate(){this._adjustDialog()}_initializeBackDrop(){return new v.default({isVisible:Boolean(this._config.backdrop),isAnimated:this._isAnimated()})}_initializeFocusTrap(){return new _.default({trapElement:this._element})}_showElement($){document.body.contains(this._element)||document.body.append(this._element),this._element.style.display="block",this._element.removeAttribute("aria-hidden"),this._element.setAttribute("aria-modal",!0),this._element.setAttribute("role","dialog"),this._element.scrollTop=0;const V=g.default.findOne(J,this._dialog);V&&(V.scrollTop=0),i.reflow(this._element),this._element.classList.add(L);const te=()=>{this._config.focus&&this._focustrap.activate(),this._isTransitioning=!1,d.default.trigger(this._element,M,{relatedTarget:$})};this._queueCallback(te,this._dialog,this._isAnimated())}_addEventListeners(){d.default.on(this._element,R,$=>{if($.key===x){if(this._config.keyboard){$.preventDefault(),this.hide();return}this._triggerBackdropTransition()}}),d.default.on(window,H,()=>{this._isShown&&!this._isTransitioning&&this._adjustDialog()}),d.default.on(this._element,D,$=>{d.default.one(this._element,p,V=>{if(!(this._element!==$.target||this._element!==V.target)){if(this._config.backdrop==="static"){this._triggerBackdropTransition();return}this._config.backdrop&&this.hide()}})})}_hideModal(){this._element.style.display="none",this._element.setAttribute("aria-hidden",!0),this._element.removeAttribute("aria-modal"),this._element.removeAttribute("role"),this._isTransitioning=!1,this._backdrop.hide(()=>{document.body.classList.remove(A),this._resetAdjustments(),this._scrollBar.reset(),d.default.trigger(this._element,P)})}_isAnimated(){return this._element.classList.contains(b)}_triggerBackdropTransition(){if(d.default.trigger(this._element,C).defaultPrevented)return;const V=this._element.scrollHeight>document.documentElement.clientHeight,te=this._element.style.overflowY;te==="hidden"||this._element.classList.contains(I)||(V||(this._element.style.overflowY="hidden"),this._element.classList.add(I),this._queueCallback(()=>{this._element.classList.remove(I),this._queueCallback(()=>{this._element.style.overflowY=te},this._dialog)},this._dialog),this._element.focus())}_adjustDialog(){const $=this._element.scrollHeight>document.documentElement.clientHeight,V=this._scrollBar.getWidth(),te=V>0;if(te&&!$){const fe=i.isRTL()?"paddingLeft":"paddingRight";this._element.style[fe]=`${V}px`}if(!te&&$){const fe=i.isRTL()?"paddingRight":"paddingLeft";this._element.style[fe]=`${V}px`}}_resetAdjustments(){this._element.style.paddingLeft="",this._element.style.paddingRight=""}static jQueryInterface($,V){return this.each(function(){const te=K.getOrCreateInstance(this,$);if(typeof $=="string"){if(typeof te[$]>"u")throw new TypeError(`No method named "${$}"`);te[$](V)}})}}return d.default.on(document,T,B,function(z){const $=i.getElementFromSelector(this);["A","AREA"].includes(this.tagName)&&z.preventDefault(),d.default.one($,k,fe=>{fe.defaultPrevented||d.default.one($,P,()=>{i.isVisible(this)&&this.focus()})});const V=g.default.findOne(U);V&&K.getInstance(V).hide(),K.getOrCreateInstance($).toggle(this)}),h.enableDismissTrigger(K),i.defineJQueryPlugin(K),K})})(go);const wo=vi,Ao={mounted(){const e=new wo(this.el);e.show(),this.el.addEventListener("hidden.bs.modal",t=>{this.pushEventTo(`#${this.el.getAttribute("id")}`,"close",{}),e.dispose()}),this.handleEvent("modal-please-hide",t=>{e.hide()})},destroyed(){const e=document.querySelector(".modal-backdrop");e&&e.parentElement.removeChild(e)}},Co={mounted(){const e=new Es(this.el,{toggle:!1});this.handleEvent("toggle-template-details",({targetId:t})=>{this.el.id==t&&e.toggle()}),this.el.addEventListener("shown.bs.collapse",t=>{this.pushEvent("collapse-shown",{target_id:t.target.id})}),this.el.addEventListener("hidden.bs.collapse",t=>{this.pushEvent("collapse-hidden",{target_id:t.target.id})})}};let qt={};qt.AlertRemover=po;qt.BsModal=Ao;qt.BsCollapse=Co;let To=document.querySelector("meta[name='csrf-token']").getAttribute("content"),ar=new ls("/live",pr,{params:{_csrf_token:To},hooks:qt});bi.config({barColors:{0:"#29d"},shadowColor:"rgba(0, 0, 0, .3)"});window.addEventListener("phx:page-loading-start",e=>bi.show());window.addEventListener("phx:page-loading-stop",e=>bi.hide());ar.connect();window.liveSocket=ar; diff --git a/priv/static/assets/app-6b490c3bfbd4fd9a3a19b678041545bf.js.gz b/priv/static/assets/app-6b490c3bfbd4fd9a3a19b678041545bf.js.gz new file mode 100644 index 0000000000000000000000000000000000000000..dd63289c913f11d4bf56d48a26d470d706745351 GIT binary patch literal 48683 zcmV(tK>B`OCH-C>7P0Tg?Ci|!Ji_@Zn^q#v!f1V$6g?hSVKmf< zJ@{CQd00K%@_gRA7uhVo@4sA?Rep1P$FnMq16?+V3SO;>tfQ1|uLw()N9#P!H=Fg< z>gp=x8YsRZYq=UO$%z6j)5XY6ovwXU`fyVmNf+rQHhQq+=C5VP< z1W8|HqH?mZ*S_iwe%apOLv|Liq*k?y{%w(0InFs&bD>6TGAn8`BM}y?lxvr_#+dRO z8l}i?SI+qIJ~bXJ#cam200xmIH#{!j$6b=HcnpKIJ!EbVMSsDoqpB*z)vDrQFiWar zzsds`e=Ne_;)Yktd={|Iaw;>5SW1PbWih{~@@pJJX9X;P#g|)WHqVP2=zQ85Sd|oz z0CQgUWw+f!*F%Z{lCb=U{v8Cjd07Q)*-vN<;v9aK)kDhrGg02A$%9?I>1f%PoyF5Z zxw{*h&*0)JO|okk9<+0N%d^?brATLC+Du3yX6AR5&mO$YC6+E%S2qFq)Twj9n7&e2W*;5JWIY4yI~Sf9@#Six`z<1W4B8R`ws z_voy*OnmC6BD?OZzU%=y@D9*H9Z_c`Eml%Zm+}zgQRIL)_5VtaCX8VJ;k4YI z+}!Y)fDL|MOOOpt%&H?|w79|22waz`oZM^LkK-87ux<);h!sT!9l^iwt_ z6Yv+{AAXxY$OQT+8&|E+PiVXp@jA`3#ciIZ(5d=`D{)ok(`#N00`n7!uL@kCo7tC(O}w62z->`#{oENB`-Dt;0i#FhNGO&-!bnZ;tW zX>Icw0GA3Ce9FZgpMBuvZ7eq!lPht<^HmjR-sd^|DV$PJ`TIP-F5~e;CY0Fy&LLb) z@M{)wHA>wY*VRgnr%6|t0m#ZfviLG7Kd4~=VwQD-XtN1r1vo1-5=eC#fqoB|yC!|P zuKn9pxeV8UEW~u+))B^%h)V`|w3?iwP(;q!qS{hXlT!ldX1G4%tV!)&6cRtt;! zWzJS>b{x)c6}C14SLhb@oJamTtGU1mRI75p0gI;TRWiLERJANwtEE-IK}Z%xB=MEL%=LG*3ncX3-XMlnGjPVDhdihlt&FJED9qsJBCP-?X7Tf^FRQ^V%A-EqD96ck zDKqqx!V1=~If1n|WLP?P_4D~W^zwCm11oUQc~a=l7GOtPV7>MsZrv)S2jcf;SGx-; zZ<1?Hu+rEDuPk8}N`DIkmziDU!#NyluMGz1{xJa9GEQgH)j9Qcnn!il0s*+`mcmH) z3pdzef!Citylh=ZwO2c;{d3?Q5qB_ZalPYVp{Lee(J}Lnx61L?rVC(UY&Cn8bt7AI zmLy#2wZUl=FOzhtv2E4BjnF+W;{*RhszlZehy|d*>5|V@DgPYIy1=@96QD2qbMKIO zGYQ=tp{ay!;RqLHUTnL8)P!&~d7SgUyp~mih*cNFi>F(fsz*IR<@5O39 zht)Ng8_xA5K-U6Kt{rT_u|b6|pr==vvkPjdqI@YS9{~2qfHc-K+n`Fy)T23|$~R@y z*|WR`+)8a=Zlk9+_6`U$XAT{W$)-ekEQzo7oOEw`5A*>JgB(a;XMHpP z$^C1ssNbR875~nTL)KnoM$ibXgp;(Rabx*PjfnMzf%cgu^O z+O3{|s|-mXE8y~O7~Z~54qUVpHo&OXCtPzoa-Ha$F`%0CNovqIvJ`C_tK#RJ2wq4e zk^?xvo`@S);ohD%UVUjQra)@XjQ41S4K%OumBI?< zECf<40`!h(Qe+;s<7N>>n`%HpW((rREG9hkXf|N85tb{#w$}1oWN&y`CJU~KTC>62P(~!wmqW4{vaixL{uO8`e(E*k6I zHvPHEV=6iclInF1R(<*QZ zfH*w}K@pL6RhkRp5@#gEiWi8^E&&?pikUUhEG>3y$-3I1$hVbLltOJ0@wSo@>(&mn z_EZabS=7Jf5!kaex*(CDr)6)j>nv_`>rAEn?S zA|L#nk;InJu^g6WQ%nBC*}JzPH=@CF{;7(F`R;BWCV*1$B?;^6mP^^(ZILgaMk$-D zA&t%-5aQen*-pzFE=!yN>p`-e18mszLJd}`{`WkYA%2BRzXG7%KL@fQK%yTt*Kw|pb*5lvRrIxR92$@ikbZ7`k}yR%M&4MRJkl#s zI4j{aLtwYVHyi9ZFmJ^;>S0wp=!L<;vUik^O;KK^vruA^r!Z9YL!$b5B2q=IU@dB( zr-vNC)yGKUs7F-tLL{m9jk{#wctV&5-*(`Ngx!&YeRuUMP+IoY7cZT6_Zhy7@uGSl zYy`~!WiiEt$X0x)Fz)CQF7SH%#X74emxGLzF&}4>p?(8`1<0xGU?f~=ff-u~yg)Qi zc|4ouGyd_z$xGNQ*!HY~HQo#2V6P*mBrK@zdb*B+T_6zD?B%oOdy>(}1%P>~Xj-Ev$Xm=2d0(GD-5v_i)7PX>W>|82fnE_ya>wJ1q zw<8V;#_Gz<=~dblmS2loI1WX1#gocmApTPlqB-N0=Be;x#SSr9>kN5dx^fgv(3wZ~ zKt~QfJRN7VTN*c|WO;EzbJoeBeQq$v?w)v67;2@PY&6;G?*w3uzv^mce~ z@C~z+Ek5On@(7v)g10FqchKX#MAC}NXl6OXlKUq|l>C}}3WL|j=Ki!NDLi61)Q1Z%D9x zKo8gW51g8M>w&k6kl^kg z?%UrODwtd;O%K>Pw}FEJ{rTqLz;6c|Il>He;0tm?#0Z4dQ#P3jkYsfcsJy|@+0ziMMn38JDvtMBn0drog z@c9I2y)9iRUQi<+;B&*=96&0Y%#ehF3-hLm*WVu>y*mDIaeDmr_4)UML-ywQ{78TO zh5dN)_SM;7jYPuWK1$$W{*b6U=ohf2m_LMqp2TLnF~;9F zwpZL6+t`rXlh`9B?I_kp*+7tR4=@%<0tzJwD2*f_r-#hO8elKBiAu=_WmVghZlVMn z4&XoocD8S?QiRr?&_4?OBU3+^W2e_o&UbgexLNM&cuY z?cc)X-kt<80vRGJp;jYb_1el1+cJu68JWqTvG?aiegnMDEPmc7IK#K);w7x>Q57EG zgPK!8{N4)1@2!wMr2?sZO=*Rx6x9!t{?$XpPvwS{&WC}sDYhFntKo&qI##-hp0f? z*T|?}0*dEh&hkCDS%!HGe}|Gm?krTOLIo9Cb{8sDp^^$sW1Gi2AjsmFM4~C;g$TW* z3f(LXnwgr_vg`lHm&<42N3ze#nT)bI# zp53zcQ=u1M$;$puNIh!A7*^ zShA9qw2Vu&q#Zzug$h-uP(W+*9tSl7vIex}YTAjJZ(75IZ?~wj#OvDCWs!;zFSP(U zUXzmQcp`OE@rTq6g&&GLfuFUfkmadE&KgQ2MTbg@{qkevPile-e`RnRZQVtEGD<9 zQH)mM7exabMH`9nQQQaPwI7>Jkl+vea z)}Ib@5OS=C?3YwCiUxkGpKGh51tnLKGC<^Rs+Phx@<8p>Ft`OcS&A7F{zf+s)aG*f+}qkMm-)SHSHy9BoGr6NTB5|Y+8vc@q-{1|>7hFsZtAzA z=w@VvByxQA#o85P)k+)Wu0)&*|86$ZqOmFG-Ky7KzMFxvE?`)U@bN=K-B+#N7In1> zs?GBI%t~P#fa%_;sD{ho6xQcGtk1bV$yQYLTU9Hmp3T%!2NzH^(ceHZ2VDbitB^O) ztb4lfx02CBHaC_p5Dj$8Ym%Q&^VCiN21nd;UuS8-^1n%NiNfXkvJ3|BZ&2&~mO@Cx z7(8yuAUkD}x}pnH_@KQ8uo!44sSUl(iSQ?)ACPA742?NV+9BB|LE5E~Z`(=L1A0*$ zbmcq)@HCTM=4DmO*GC6Ed7{w&kxr^A zVhAI|(O zCs=Vn)4Nao`_(DrX~eehlT%Q=F*q_kBoj!-GxCbb7l+C#CS{40Ur;|l_(k=TeWS2^ zk?@O3g(=i{!tHc{N}^*8436G}C;6780PyLxOew4yR+EYt1$*xew~NLjF|d5R8dr=@ zVEC?1*B@(>X5DJkXoCH*MrngujT%*nKiaI?&PKzihoT=sl_1d3=2F6~ox@>QpFqR_ zuh08gey`=St{ILtiwhK~9+=xKFhu*hmL@l~R=-l6y^;J7+l5fy7@RWgiI&tYbH8|C(yxEn?RJ+~g&Dee|_b$Y( z+1uaYy{oS~ThX6#O=|padr43{aj4W`G!s9f5?Tz0sCePqywPsI`1#`m*FzIkqT z+Nc2f04fBSOlzk0`1$`F#o%C4ftXZ~uB1zg@h9IaJaR8*lc6OH-M7Z@bL59J!VE{a zHl%yR2sHfOHXHH$K##D!)^$6{Gvg~wf2fAQU6Z5DhWm=D_^I_I@ypRbrlHe|vY9Et zDDgh8$YZ4HVx@Hmto%dH#a!TzSB`2!uPZ@?LSgg0LnCI;=NVE*`bTV(Y3A0Xf8MY1 zGkPmm*8DA6rjzdLU@aaaYZ`3Ef5lmB>7(u-G|8BLTay@`?KS zfu>)aEC)eaO30Im=?lc+6seGTi9!7;QtYunZgm9ox)ro+r3Lc5jw^Bnqk-fR%6u8VmoxT!S#!EBAsZpxjGVSTlemJ{Tt7`nW}z z1SETVk$ia4D$BaWIGGI7zOgou>L59c%^I*9CG(Ds9_8oV&QaHdrH`OlU5f^UYOruw zHjF)d0fTc>06q~wswl&6X)`7qOE0v(ajXa;-~lvTJb^n_76ZN6N-8q(9`(};P&yeP zXDqE!LekIqmv&FHNb{>CJ%=VqE6aWkw)(H}YC5$Bo$hefwRIG>DAc{d`xh6ye3K*9 zXEl;hDFaAV{h~CqKFWNTWaJM>#Evg5a~T=4MW~d?f^f9)tW1Uy@1syTeFzJd6bo_= zRZ4A;GX74rM~```ScRag)!N~nEVUwbr3*l(PE++zIF7~~J#(q$Dd5`G%_%)Qm@I6+ z);|Z(4(!qdY)!7i$oms>b-EpgAck==^Hl{GymB<#U-5EUh+Fxdn?=KI-DlEi*r*t+ zc?Pp8l=~?LiCvD6#@Pf90TKq}+X|=1Zi;xlz{~OzLT71<=b~n%lL6oWHF#YQpMCk| zpL$>R{tv!rXRuUnPR{WgfcOfUJw)e7toPNySBLut@V~!ep3;`STCK9h>Vaqdg{YRR ztG>ve$!b{WWq$hrC}LUl!f8Ye^j@r1y|+{Y3Out52!pX7#Gr@HgtaxnEQYm+$H7er zT+&Vc8~l6EudW3$O?fb3E5JLeZx;%$;N7iN505f&L(c}^70C@B?(MCjEqQS@UW`|h zz2HMvE_6~U!^JJtUUp;#6JS8S{4I?Sw+sp?jxEDA%k;qRBotm~RVF|<2v2w=!NqeH zze%bk&?cY419te={qSOc2A9rTI4aJ)<*fQcc(Hc|%2(H|!cf8n9Ue06 z`Ba6$S7<9Y>zB&}5a)|@Rm4l@gXx@?d79fS`l99*08BIGobMElX;Qo{l9@mi*#maK z)BxFmyj>T_SJ0rSg)&;*H_)D5qv6L<2b+W4R z4=dC%W^OZsubG+2V0|zMip5nDe)U(@>mB~>Z>)Ft4gBo?J%S_I|LU7S<$v=P=HtI# z9sb?qe{-PozxvA|RQ>y3u|AYk`TyJ0|LSW%L5JAO*MBkjfSFAGA=LjHWQBnI(|F6&}sopfd(QHca8rr1%h-tJfmbO7A*DVIHvp3WuvWEMn1g90^tKk}`-Q>DMvp z-vZlCz8-_Q_=N7}R!IKDE5MHP3jPpghQBv(g^CP*+yck~83QLETfDQ0q4_+APy(AQRp zsP_qEi#!Rty9P%+pjal}f|3EJxlIIn!CwF1n=k2z-sbn=;XeH=|5H?`!1@(Xg`~Wo zYj}`mFmD`7^?$^%k}`v|Kq`L+0By54Jopw+mX0Y`^j6)~#wTu4`u4@HdHN$)Zs zU~ZS6_Q~1iK2{*tk1~x|o<^edmD)%IQWT#v+NrDCM%oqNzeds==2e=s34^;p`tqbP zXyeC#{j+k?(L-p!j*A$19~il`fehGv(I`YYup!58tH6#2>}?}uzbv4EPnm8K_$Rr3 zZ`^`1Rkm;;oQzvYN)d~3%7uDI?pS6p3zhx_Rs-a`ue|88#BC>;s@=n)*Dz;D9Hf{u z7eIioZpqU@z*4soK6C}_JAXVY1jJt<4fWpaqQ4Na++Hm}3D|4djV<$0mC5q`Ip;HE zc?0&dO4L3+-DQzJUiSqw_TY{J&AS0ZyIWV}xh(jSc8|FBed!4pupLy^JpyDvH}5mq zD_m+4RB*uOz{~|mS^*52mc>y(o5~!x>lFDPwsvr*% z1RG?orM~dzKC1O#_7v}D_*>vX0MPt^$7QDqm2JRA-t*f@rmaS_vFF_W#!Kmx>y0U{i`Djurk0q0V5af>=b&*rVsn2 zxCz)Pj6!4afc*%?>1B_$0MH%#RG`Tndtb<13fKpU{a$lB%Y6lj0Kb);Ewu21a0;RC z;C-6#Ti|SU^5E+ORNazQ@S|q`z*?~A&;tx9fj_W?zd<4{GyH*mUc(=N-xC}aAeqnk z4#e4?d42%lz!eW#q@2&^z&ORmsp~4cJ_C|Q`&*=hrt+i2WiOReT%l!D;bnTaLd7?7 zd~&HxemVJlMi8PGSgxPf+R7fbv#6sZEq-z)(btXDvZR*s`t^)Lke1i0N}ZiZA4R@L z9B$MOlG$6p8ZU92o`)QT+FCu-qNIo4hEpn9^XIWM5ya7bq$TS{C+f`rnPKIX`a3B4 zfqX!)s@()B^gF#Y_I1z6iiXA&hLFa`LVL)TPx6wKkDMxdu_*$FW|dZs-GF^2kV9{j zgx*ksrPkr6Fu*xTL)1Yp*z>!NY9{?s9F?A>oAhQS+vlB|ZN;HV(CKH>D@H)efiJh) z{3Xg2H58t+0?)cO?aM=BU92};Kd(3ks7tWk*lpH0vM3BVl_={>++eE*WU*VbpJFnO zjGt?bO6j(QpZz;L*o+VN|33M@voE7B zp7krTe~lc8?DvHSqU3SGh6MnkwRkw=DMzey1Vm}@5Ex3@+WoqM!Tmwd4+nY6;UGtROylx>VEGyD^~^Ytug^)=yAzk_Qb60 zUq*nDki*lhlhELcA~r_B^aAee0ckqB6>mMm(VW1nR5J&+F>`#pMXWR>{6 zPT^mX8+pe@wP78LSgWkmSaGDYT*|{qS(=w2k_Z)02r$YW;x1^=Rz?o6pd9NfrW>E| z9Z&oBz}@nY8#W%b`(~V!WaIb{8V$wnF1|CI0SEF{+8$yPy8n+HA08Y>E&!?of3`_y zJ(R~2Y?iyCcRKVD`>xPX-dYA2O(P8;{U=&)|Dl{)9ZI8{$WFO#n4@cOVDW!-G?0vS zIQP6KAb`Iq(9M*L46u-g`vNfll5Uo^nsJJhjR{R;(-tnmB1H| znjw9Eid1C7RT@|BLr*Gx6RHOsDD@+MAVD+qC`l`)E=uC%*;GmgWI$k>)+Uf%L%>Cs z3h$4yK@paYDm>sX>ONCb+Z4{2z1~Gt96fV6>DbJ-qEM)=#0_@fNy6rR7r+zL3z+j6cVDVemO1BV~X;) z)*9KcP$gnrlyy$3*gga4L!j5JKjwP@)eR=Fv`||}!y8Y>7k1+Nq+FiUt$Un?tsWpV z8fNHIks3eAs+_Efqk*2TH(ym>7Dn+h+)~mriM;1z!B9l>fb$aA1)=QwZ4?44d8$O-t@m5mT-4Li{+Pb`DHl%_i*xM)c^8}X!CFQ_mX_v zptnRbLg~SCclRyoaOlp1iwmXma4`pRdwFpYuxc+D_HGhjy%#+GD+(Ehz1yT(#?OMN zxnVH|{LtX;1S_Dq?%TO~TVl2E9IX$GIwOx>cqsk#?YO?P%-T>BgyCO2oS-JkX48Ey zhnLBiA`JyNj9`LpOV|aE-)1nNczuPnJJ!C@KHdU9g_l_lmuzni><#{lu8BGNL17Ym zy+lq$PMvIZkAz8)=+d>6#AXmdCoB^(e7s2KYkF<>jLoETPm9ps%S1#5ig`OJAcvIBq1jvRrC|QVP z8^(DU&0dsMJHm$47W+lOM~1|}DNsy=Al#0i*%S`50WEaZ3ln|6{Pc?BtIdNOmS6{{ z03fAychO2hN(7({;G$JYRN!X!Nmi9_`Tcov<*m`QDpCqA#7%G^qDyqlA>N0@s`3n% zPyRxJh7=gPq5|niRk-XbVifHV@k>ZkeU}$EXEFekoq*9jFp-?J?v+1mYzjW!1LpW1 zFuCJ*j{M$9ojSBhF#hfu$*l4n;Q>)&UA&=D87d3W52V(#`57hZ56S>^MQ5Kf)CXor zsTU>7pCdsx0{Q8KISIOf(0rmq2nd7!6_7_%c9Rs>u)Fj~;%%|wj&vRcWg(ivF8Vvz zY-1d@s@`{j0J=t$AgWseTHyo*;tM*0jt9S|A5!5TQVHE&524T}7grv3?_`mYeynpW z!p6C*h%oL5HYMf3BngWMzyviGsFU%LvRVY7+Ypi9>OrK{YxF!mFiUhsvcWBA08ZyG z!XA2ezOCb~s(i8j$kB=6ukNW<)rpIE2~3&03yLj7?4Hp}#%u*wHASyeOlclFXrhD$ zd-8K~IsCo&20czjz>D05N&K8>P9R&t#9yHlSrmimp+nZW?&dj9xqoku7MLF(+ zlq0u2%4+`}-i`}&0o6!De+vqyhiRN)3H7y%%SgFiNjICN_7gN!D*6aG+Fwr+N~b;n zzS0H8e_#PBLhhUQAZY8MWAo+1 zmy*7^j<^8fB9Vpetip$gWUhjvPIEZEo9N5qB7SJHGlrYFqswXNgTVz(nRP(U1uk#x z#Nm(t+?vDV0K8?5k*8{;YEM98IJc7y+y;mMeTtx!FW_md$?JeK+^7ZVT&SToE^N0k zXkq67z37Ks$PfXB$SSvSCOnfmHPnuQZZ_isCX7SBOdG^DI)Q1535Hu>=;$CRX2)7W z-SCLy5II!~ffX?k@XZ|;Gu-bC_M7$0_P0LA6M~1r*ukpd73_T$DeF3$wiKAwPz(A< zvNlwNGQ*G7#I+!;hh6CtLj(yO3npc(I z*ud_;8g8pa27adIFT&+1i?ZtIyiL)M_@F^v{z^RM_+UcY?u4C{5T=cYir9p$6*?rd zz1nvU20J?@-H&Rk!$J!cvKb|7H9F5ige*hB66y9PUpd}EDMD-klpOjEbs|EOx;Ae_ z$SsjjNP!!E>$;?LqqRhq3pM57Kxx02Uh-il*8z)x?mam$owx~QV|}t%^!cZ0xIwxGkQeIm7}ft8M|%Fz66snF0V}FdI1l zz_=e!al|{V(6FCNzVCT+XaYPPdb%V@fr}4r%n6GohX%`&F`dD-o}pKgvU;ga_4UAF?TJ;CYUUtt1d@Z9H|W_I-EvL+0?-0yJP=Jy!Gkxb#Aqg)al)1q1rpEU{VK&1zU%fdM}R$FiHdC}-mvhYBr=J)54YQWVw z{v^FP``p>%h`h3R9GBuf*Kw}=o3~Nxm=mR&#Xg64pkf&`O24&^bP1;1ootCf%*8Sa zsjx5eB-vl{)EP`C?O4c%ibGo*6DfoWwc$G}!7b?-*WTVJzDZ!;DVlflT9*;|{L_2P zDUzO__?E*BA&Di_U&&r-39${GK(q42IO9O74x?sS!Rgl|aso~8zL7MSZpg)TMubI} zxsR||s(*g`kMoPS?_M46?#j%c5g#Gpc_R&!0}{tmv^Ior^8^lurR_&6faakE3WGQ=}&~h&`wOGDPJUM4?7>Al^Bc?7zcTuZ8pxRA~mc! z_|u;*QJGrD-a?}vKf>tq(wGG{CtNV#=?Rwu|_MA`&!&a_Oedo+hK{$#vg6hgU5o2 zaRIQz_)rm2Tcn4>__>f`@SceoOX_{zW*PS8C z>WJWimY5KJ;3?zb-i^K3zX0s=f!s@}zyPh=B>^BUZ&Lw;I}0LnQND&!nbd`wE1|c2 zb3>^uS#bjsU6@EWfR?SY^&^*Pc=6;eO}Is8ZuK@*Otj>0w4omxQaGsg=^-`xmv@5S zYrRc;%5t-#|E|Om8!|qbr#Y!vHm3T#d!m}_ zx8=|>Xw*o=v~4S8v-Bz-*j=LIh8z3d(;AekVca*6_f(Q}z3#6vG8n)*?Xvhg@-~LT zJu3lDdu;wJe)q8a>MGS_3#%VY&jO29f^VRYdjJvHfht3zQ`Lx1-$aXo4$CG_X}6kMmLApNjt*Ewo~>MA#A z?Y(p&VHSRkaB`vJE)Gn;eN2C&k{Qw^P9A;&^_3=w(Jt^+*vXWp${$oNns+ipwoVCB zhr>(ONyAU;4g}T1mBu#L7X9Yb_jQI*ei^s(CR*7#?5q#G-ON1!DlDCSwBCsm@_W zM215#JuRhQPn_|~b$o|BUBivrO8YyTQ{t{+FgNL|C`2HmmmYJ<>Z$Ki`&Z!dDR zk(kLdw=60Kp?WmR?Uk;ABjF|SAl;Sn@Nq@U6^fj2hF1`&4uo9@%_wqK60g`SQW~m9 zAeto?S)OF?ojXHL&X5H+{SNIItMP*>@GUZ62ZJzsiAM$Uk9&K_Fg`zMg%DH&X?XGQ zXUtqT4wc97DPbrbIwcy$K!GiVpCOXwG5#avfkaz07cfIY+`|BI=AV4YlR#=lhVRr2 zHRc?C$n7}vg%mYq>S)V%a`{|NY=fje3+dQFEs}$CQ3}&18JeVM+UycclHD}aKoH7H zB#q71yLTuNbX%(2xP+}ti=3Bu9oA8l^6}lYZ(6tfeN)h*gQZ(Zk0EYV2e7d_j{&~z zyg&jv8g7|HR~vx$rU|N5;!(5}Iy!gM)WWWv(mbE`l_rEwaa#(XMtX!^4go!xYw^FFmcg(cEq6_9OVOqdP7@gP z>~?5+O;%+)TR}X6iFEl=MQ_zy!-cwnTs_Fw+h)VnQlkb93S{_wPYCq)f&-B4WviQG z*`h_ZvDcGYklH-h`c$Awu0*=*Lf8dH5x z5f&j+ico3fV^=TNc%f8vPDmpvlWz zqL97?IC`Ddiqt4Yr}HqZhIYK(Oi0~9J@$7uP9^M<2L>j|VE0rXXW}ZAk=1SO|7tw# z!FZZ`k9U8X_`M@__lG;D#+rSj>9WXIWwU?aE_nR0U_S!_IaL>##N>TuAhO+Ccui z&F`Ylp}FavP~`%vC_8QA^U}8POH#(oG})?FE}Z#}I9uh09Zl{?Z+l&xamJO(oV*z> zNFpJbbEO}y=Yh%~`WkhYNUPlGa+ZwK#?EO&C84Rea9xqy75Cxf2Jdqm#9-Z6Cc`5% z*VL*dlVK})snGVU61Bx!?Mk}ZdxOs$ulr3-&~4C)Ww^erSA`LQLW5;7jggCGM)w=0 zfs7zbF28mdL0uOYfS~%9BDrnNodEm{6%Nc2v`#9sC6BY2Dc3wxtkGbHKA3zgCqdr} z?jA1Lqy_@r)zex~xWR9NcSu^v>jCO0?bDm1byS;b9Bu5A$h_(Xc7)H!ot9}{JEp-4 zfn3woA1zO2=mKu0y$v7^qNiN#jzQKg&vRnSAL7zWKbb+!(QFpuQWeHYb8emsb2$39 zyg=k)FxyT4${bE-916EJdo*i_zG+(+|712g<>A)z-!2}JCflQRxGgK6xwq}gwj5Yb zl+57kII2;VyZ~O}*JNt#nt`yv$XRp(GScfDJatG?6x7|Zq@u_R`XjxP@4JA!wbxN= z<71-*pe~KZRwIhzXfGRiJM-A^Y0ys`lXM{PFA*OeT0{OHl`f-njq2)?S-o;3^><*Y z9A$)m3DSFX6C&$b4xNJ-U9c2i=+gcDD2v57#n(+Kc0x~E^aC!qDgXH4gyoPxcOWZA zAr>Rc$+uEO#gc|N?Cn`tqEbczs46EEAT{psR{eC7W+h&&x-;ZI%2s6tXDAwk&6Y#k zYU|k@gNo{DEEAIlxDpgPam6g*Ia!aH#O4^JvWupQi|&=OrgYa+{YFB zp@;+J2KD~_zJLF9KQ9)~4*&l5zd!r5tZvePVN@yQs!ahOYCMi4XEe}h>>owEvr__* z6ev5X064{xZ@0Z-zv&vLl+tSpHoByPz1nC3#v5uc)nMtZR zsJ3dFe@)FFV>p;&rvo(%c8rQb$n+8C0@>&>Pz8#v;$y9j(VmnWg?wAzKRr4%?CFtd zbvOC1!c{MfwdxS;G07F zq)mswPbt2Q{|OWtUS+=7y}{Bj2~#*dM2!m zl$f9f3H%{bBr&1i41YD1OamRAw$y`X9{XF z{q-Hkscfz7Htysc;$rI3N!p-L>()hw5j?r^hePl_9B%upDVRX;=E0@`T}& zG3g2GPb%qa-kOrksnqex;N+q*n*P#qtEg6+;*_h|$=mlI&l{_$%Ney#rc;b_H6x)X zD(dEPR z0_txzJJ3dffl5f9Yni9`WUI7?oeDAPwae{pjE#abY}sy$#RV5pCqTN3HWnAG53Y+&v0c>MlD~ zGVtLM0P$&@hgVTFItx#MTwcI$cI8ys-F+KgK{t>ZU%Aj;+kwn+AnYny&tQCjiFOX5 zU1mZt=Xc|)NqiKs zdq`kM@sU69d$1=miJgMFUft6%qDuH8HRHDxRF=UU=IDClM&!i zeCo9IQnw|Wpb4BB8*dyw+X;7Y36}(22&IQ;*-c+;iW|7HIly8;(Q|X~QL?13tzh(? z3J!SI*J+gCY`rXDR@b=+PQ5)~C+s8pmHoh84EcbT0bv<`{NO_+J0Wl$o=WNXukopu zd*wVu?C!c>u!qt5D*gdF{uSLRS0Y0vbM;4P?^Gfp&apKGk?a?Jh!9I7fL@tAyoeZk#*ox+x~Uv_t2(l0p2)PIF0Jn$pSB3bQ#o!VP`M-TaDMYTA2ZVu{x z|I)oS?ScM^R?ct$^kivtFK|rf9>M$qVIR}w{fx`|W1Qg5{iqShkMRGi_(w!X$rQOO z@f)Wk=Nr~9zt1odqr93nn-ay;eqXROpAf~>Y6>+Ts8jY)?&@zb&&C#lC&S-%cYhNu%C09GnI62G?CtD*N%0F8TR;6=8@Agr2$t(H8s~=p0XOnN#*Q??gZaQKGTn*!6-s1uNpa0 z9e20k_TAM4d2%XNXTjb!uxHV7?0iZ|vN34GgS~Y(bGoCv&(fd6C8=@NQR!iVHn<2e+ z7SFMm=UJm*bGD3Fc;otLn3I(>T!Z>q3sN>4RYciwb(C?g$jG{cF(@YRP$(_hO5(FQ zxhL^>U|PWDsM=#7D_!;WkDjkyJiz5TcOgpkZ4f&4TeD7n9Q&L%q$2(|pd4eEymK&c zXKXa5Zal+Yw+I}FP8(nBMaiID-z_U-?VGKXIc%VF_`sbQ6O;>d92x*UK*GN{f)dq(`@4Uo^o6|%?%ebn zM)f$JsY9dr_U(AGI#7*2KQsI%jNdy&_e#s*IBo#fJNv}cUOeN{qNvcD#qo|*Mw+)= zGadsb^b?nrOACHxxV0I9=XC9!bz!c1#9Sqv9t$F6iyEHO0nBy>2nM_2yr z&Iy5R2!y<>_9clRC-Y2Ar6)a$Br*gKUEFsztSDk!L%u2h3IbZ6N~^h&^t5mKo_7-I zzD@yzqwi*(nMt)t`_6<*#_6qfF_;@1xA3uoc9Edyg%Nn|?&_P9cB zMNE{TM%xW>gWqWIk=C`6>pl9$K7t!Z&glGi1pEVTg%ke3Cw060Pr3tVWn7^6qk}H> z2j*DJ(Y;Y@Hl?}mhRO>nk+R8C+}7stjpI@(Bh!R&iYvF=zH<4t#Y#LsR7(TH)A;$+ zdgNe^9$xNf6+~|N^_0}`rk{bDX=}xH9$7Jf?PI|INMR$xzheC%p*4!7T zP8sS{re?w{x9&{vO|Hy*c@O`Dhf^zGugCus6W~V2zri2D#;@TIFrp^RigAnz#hCf{ z&HaEXY&`?e0}hv5d=4`5f$}h@r2BpuD!v>Dw9%=X5*|mkb28J?9aMkgKp4f^l%Fm> zgl~$aLva5y)o5S_*-ULVp<%mJ@ad{31%`B01-$P3&c_L#pc+NH5{xqDl#MQ_Vqu)@ zqWg82u`;hUxT45T=7=G8N^9!iO{_d>MBFww>2Lt_kW#&+78?F`6X`wI zZkE;Xm#c;Lqku;Y>|mn5;c~ZE6<+Ueu${&ZY3Bm&CdI83oWAzfk+rjZ)1xY?#@dtR z6b>1medi(~AnPz6ZOPEXa-(WSRnb0)%b@^(ceLS%GVxJ*%qJR+;%|vbiHLx7Ub&_zdY&pVGgeM!O4+e% zKi#Y(#%5uM&fw#cm38fHnP(Q&Y*udQEPvCifoH8F*@VRra>ezgqGC}IqiWIcCn<8y zXhOQH-QAy1WpLEh9onl7NIxlq{jyVZT)eE|R+1vf+U$9TBM|0V9cQ?<7zutzUG44` z?GYgL4@;*#kUE`_=A-d`Z_oDm=a3g1{%-uGF&4$b)F^_x%D6i6O0yOm+Xzo~*z8gk zsmbj>z#OpZx6m&DH2HYcwo)ADUF)0vjBXkq3T*5o#j%bmfSm!aTS!m)`Qzh%h>6Es z;|djg$ukTrd7gVUhIE<1DCG5}4t--pXby@&k*VTdoQ)40R1hByi*GaizJvY(B;-6~ z$&HxW?#9Lb;Y3Cva+@k9^<(3cm+e3BdSx`sf^ON)VHSA8l+<>!;p3CS4l|DrhPfSP zj!#h1L?9dIfH%yD3U_iTOfLPl(6!QSlS{@aPOkJPSBz7*w_6LLtX|tYYin+YThX^y zA{uq}^`#gMenLCBQTL6AT@GyfyzXq=cM%A%t$kLQKFQezRH5i+mw2me^+4vS;JPGd zH$jn+iRw`MztYhca(wfXT7#(dK2BIVaZQ^`kKEJdx#K090;$Coz@^O|B~C}P7Hv9$ z+B*l6K{#trp@eK_(nTNsLHF&_M9d?sWPBg^XHj1QS&3n;JIUFZPtLOO&H;=%8q8V_ z{zyhM3b#A>bG`Z{khbJK6w>qnz%01*|MaItUXky=({k@rYPuU)-~s^sasA9T*vNsDS{)=!9^QbM^_>=d+bjyb8& zwvGs@faYa<$av$;{3f~PC$H>XnU{Ne+KGa;iFxHoBW{8cqQy zj^Uiu${CkpjTJTi*|x2;(}wE9Yn4Xj)Z5mNaaT6;I&UR~GT5wfSB^Y%(?*y6(Y zB10HZhPuSJ6L{Lz&U545n`NJGQKDfP6%Gv$l(UJV(N(F0RZ+c6vRTT_!1Z}niY5hm zX%92yFWsDDWf0mjCcQ+7E2#;X_gv?YkhvuiIkm*<-@9EKrd2KjdPG;fba_ux9Vs%R z)sYI(V`DwH0v@R4(voB2i3$DP$U1uApR~;6kha;F47Lg95+BJ{w-*-{%Ir`zpJ3xg zx0eP@@LpC*=2ymR{)tar?iM9_Bz)+q+8EEbtcB<@reG^WaAc6y#4rzODA(wF)X(z?Vc zTzs)k>&uCm$rOs#Dt^Jwq7+xDYM;J)qm?g2CWMXz0Bb>M19SWASbyowbb9%*b zqVGrnH|lV`bP$sjZ?DauU}>R6DefGk>^52O3j{GBeFsaXe@&T;J~Lx>n1e+fmuwZU z+l9KD+u2#x>>;LSPIO_nKx6L3XaOA59me)~XgKJ$iX=J+UIc}JCGt5_ev|8hN6PXj4sqm2zEimW#MQbo6$JZGA3)6F2mBM^0u!FwnAwb<=t1x-_Zj{>$coW~y+J>XNo zmS+05`RyNQWc{+*-F;aZe?fyIh)2tBdoKl zL_4EPBXrTnW}hj)bZbO_U!0MZaC6Mei1WoF^-iI3P5}c3UI!KexU>?{DNZ8Q>tU)1 zZNSb_-6VR)=x*?l1y+?zbGosmm~9!|BaNv_t;XQ?yFg=dw?X_K(9Ld!!YjR?QkMgE zT3-F+9npiO&eqDuT7pK(iHdXNUvKIORA1#n`wwbu5s@qyIj6BWU2SNEGQSOKp`bQe zt;0+`;6x$`M~(l3|4&iWGl@$#6`ukULp^LZQ%gx$#ZNmXNxQBb$G;sgETA6;hV`$d z^{?^>p4r~$l#b75TiD*f0?rOzV{oS0euGpHB&4=+Z}uq)51PNa$_`-;H|l4G3F|u5 zQ(i>MTc^?l6D*LM769e(9HX8;q+I)yQ66PbH2V4Bp~?(RM%x~!z~fTI)ltp;>|UjI zxU=Yw4IBe9UZrpu2mjp;C;#mZFY&ed2|G+)fc~2uPF$dVN@w1F^;+j@^!a7`T|m2K z?^f~i)&Bs{4gTxV`Wx`{(YlcKyOy1G?4*Z&5pB|4IKfVQ1esf;NceC0=oQW_bma2N zf1E^6UN#hoAZ%UzE3r!Dr3#M^P7QlL!okf(|4na$YAm0I#|wCD$pxeN_X+| zrE#@>M={WLIwJ?&MW|>moO;tny{*+&@zSX#ylRofN`P~wPPwYP+(LN>?wB7`3h$gj zC|P^I-^T!>ji^VEx`KUMv4@ESofa+7j8fTHR-`1{MMdif)RizohtzRUOm2NlpcGYL zhay^{0&0mwpe|iSWVfwKr(4U3)=H=$K^3^|wTxm3BWXELK!lb%auRxsz=FPxE2{G{ zJTSOM7^LkeO&x%C+?Jx#rU&v{+64s^I8v17bmV96R-VqsP6JPJO;@%1)3K+eD29`; zqjCg?BWagoG$v6f#3yyl9(bIT?7WJV@NsNns7l9dCe|uF;*BRm8}=uZv@=G8bY?+qX<&l2JQ}OH1D5U)R1P-nV97s!yeg$lx*C=%L_@t*Vc^q<# zy#jP&sf;&qfL5}eO9clfv%;7;4r(#FWi>m=wt1~{Eap&KHnEau=T$+;{^!udQd_>s z=Rem{E*2v}KS&wGJRERiRi_^igwdUv>xeD%p7}!#>#kFz|6q*NTR8DxZlxAF>I1)US}ah}PvdYPHe}oXwEh6cHmJA6R&= z(eXO3zAt1f2@6XclZ^ICfyx=e&Re4LG6p#K*qIwge&cFZ&*`E-4$CoqN=A?mI3EtKD>c;5LgERx?dH zx0T?}YjvVS-gvcgk2~I1>S*X-pbjE9V4mt!=RtC@sPQ+kt-L}>P|en-KodHWc@t&I zyQq@fB6l8Sg?W%Qm?LtBk13&_KNb_~9 zu%f0gP+3oHCqh}1j(j25>x%s>tn=9xMF~)b49Te*+~@KAU_5GFYmG?sM*OCl#X8a% zf!@4o+veH5swVyB3-M5kz*-CO8WyNVDcTXnvi7Wj_>B2{rp;Gc&d+1hvW+aC9trC=x`&7 zl(sPZder&^_TN?JJ{Yxi;#S$LN1>B3QYsq0%l9kPzoMt~Xdv5SMx`9PCxDi3^^Qhc zcPs`8mMArMEnR3N74_N}1mO`okWw{+%3r(=E*p_pyVokih?JEIQd8Gth9=e19sL^# z9TK?(>=p8I6RA~7whh{*q0rV0r80KN>$n8kUs+X9*r#nZYSNR7Q1NOoWF{;bGvDadr# zK2?xQ+%JG+gqYiLZfx@9UerpGdZuF&=t)a3@avm|wiAgS1Ekg$F?J+BR8o6w_l<)%= zu18G4{-8nASi+WUhPFo-5!HC!HE~>ipgvSA7jzp~NN>Z;k4lE%b zOd#!;t_A7RqA77W=3Oo*-*W7*F_3kt!f#ENKz12jZhz69A1Wzwta#|Q3_%`O~*hZCzf0n#q!AEAIXdocge-UF0U3^TG8hfbx2&qyjD=zwHBJzQfmpcJRuKEGeJ1> zOq05F)@{5Xw!K{icK_wr>ZGdRbetC}{wkjyn<$-xq^#$6F|%~qR>N&9MTE{Mj1G|{~2#LTJk{V%(D9oZN4p7!bF>FPjgi}?t+#; z$rtsb*wBF{RZXg4QZOZXnO(yI!u^P9Pk4hhn_T)TBl?9`OsU+USVttKvU_nx zhOmu<8(L++(HX!T52($nrmFBEIx6wnzKvb16$xaC?G#=1p&g^lYfYN-`lVhArs zRFuUJiU-oPc6eCDMEMmQrOkXPv zn-SmX*_L$`^co<5rN+KPBev6&A}~9Ed+G*(?(LXEB-EPt)PgzNkd9^PFq|X?2wiG; zD;=vjpe#z;7)0be?;!;{9_&UjLz?*2?E;kqFR zy|q((kW2F$K-n_oSRLD5klp71OF&=Dus6uc(!s!$z5I zHvz5NNqX9`A|xUKNu-1;uAJ*A96?)2R>>ZUFkLpC8(7Ry=shw;bIHBpT%OOkJroRO3Hu#_MJ)!aLIMJCltD2=k&st)=+T8kbEItAMG_5dFK zv*K73Biz8j*2a>3G@WudUtVc>yzuv8%L-@sS~ZE`j4ACs1srQR!M*x3iYVCR&g*bpxZa4#?UCxZp?~o10%!AGmOcq@a?ubb`*X!M}wmA z^qXhWQ=%=ezS{*~rg_Pog6cam$JKkUUw47Op`{Tp8v`Tx6RMyw5<&^JKRBN;L9Z-&8 z6`UvYW}o({IbZ1|^G>q5$rY`vnF>!gtJx;L*uGB|BvnMbLwlz8N$y=BGEs>n4a^Dh zbiybCDSB)1)V}zLH=aIFt+6r+W9|@&m{=CMol5VCvS9c>~qBf=H;oEQo48 zt1MYn%e)Z3@mV0_jp-~n8L2V1P=qk*v#4pw=U%sd&%y7OFk9 zh=BJd1~qzz#sE)E^b(C$X5;X@E)0Zr$=4eyGx8Zu)pO_Mbnld)uq}<={8~OzY!n@C zU#_c^<6_W5s$B#J%sfpnwap$B;xR^q^@FG?b;^l+P*~n|xak0lWuzZvnaQm#ty!>5 zi=ul3Ll<3jD1^DpS&`rR?)0ezX4D=MH*&6xNwB2a!E7G#PX#vO{1+Lw@YDc9|i?aKWLxH>5`_vdoqvEESy1a*^b6h-F`^xlN z8J-vu_AY!Zhi;-)drDR^rBge~Q3C5!LUQ%2P!9>|OoWmTsLP@Cs~ajou5;K<^Z9Xs z?+EA>0dIt8ARQwB(Y~%HEb&@X>`s{XU0e9grv3Kpjr&)i6cy8h2qpRa6{l8Ff?=Rd z@JqVhq`Ig;Kf61Qi*d#HQ2LWEu!D{ZOoj}BmHbdNuCY`}AC@utXGje$GdG37RyGg4 zpIRE$l(dAHn{5iWTJ~^Zqfo>O!%|8L9RQaUEHKnEKwK84Xz4Rd`$*Hb#ALsZHIR*H z{$Q%~h-R8kSXeC>#VAbKB4W#MCdFJ!8DS5#oXs$~Ig1`9c)D^(EETS#>Yx@7`2cx` zS4OAuNIUf{rFzwWsv@(-A=XG{6hjd2!dCsCkPjAac^$4aMmc*>6)RZCcD*~S_s&{~ zl+u;AvGxL}EF&$7XbkWQ=9jr$S_e{DM^{i>HiWN6`W>}m$DHnE=_*C*DQ$bLt5^{Y zk5DyS25Ext*1>Csbs-n@rTa#Q4npYgzIVrgKGknm75e|zetjA)Q|Ehonj3PWxH!7w z5}RN!xR`6{UjwL2sfg$oXXV#rLk;&*O0}w5Uj+EP=Bt1lb99K?NPNqUzKED<4X&oD zPBhHz=9R6j1r+NydIg|hw>Vym2z5~}+x!bPUN2wE9*~bC})Q`yut>YBk=_~ZCYCFy%^gJHwQ-G#TvWk+_OpyX9 zy%FiLc4S!=mb6z#e85Mi@JlxnIRnc50d)v8 z5#G)NH9YB-r&5k|1cQrtux%sYyt7c6!{KdJpfkN%>8-xuXg}wA&Gg}d+TRZx@5k}M zu=tj|u1G*CUB{_wj5d#s$Fwr0TX0-V$W_j;bmbNlzOfpYT30p9@c2xc;98;w>v?D+ zLTgXEq3M#Tu+gz91UN^%VBp0-F|gqjf5^eWz%6lJx4w{_8&n^d~JRUN=oV6D8AL6r=rm^KCg5KYwdcf&<><(Hs*9_CP3ajUQ&kLa-;Wf zii|t0MAr57K;7)j{A? zj@V_D+NdTr%X?2YXc&j?;8#F!m;&_NC&#Kl9PS=D+9{fuq^2Z8N+kT ztNRny)y!h#{6>S7sYZLvNGy-_D76vG$7C(!_u5DQ6YC75%d-;GuKn<(M4N*6=YtuZ z&|EG)=w-M`+wLYN<-M;FY!rq*$?UBj8NXAL7&Wk$?hUqOG#+KzI@1Y5f10%p=KLCf z3Kruj2(&Q>GL^|D9q5#yV?%V{CM6Cty7|~zD>V6+$g)WyyZ4bWz9#V&%4=yYV+_}l zM_VqR(sJUoTsLRo?QY{m2=7)Y6UOp%h2ehDvD04u%>l6TG1QZI9ZJ0wskM{r??WY0 zq(f1xcRvA{HikuCsvCQ0omG(W_#%G3=vTSfv-in^49SHKXVyq=rQNg`G%=VyMrfv* zW~!a%1aJx5+L>s9nHk5$hKKrQZ8wh5RKaVV!f&_(L;@evQ_+G6xkXN;#MALy;zXj zThs)FwL?cgqB@!-w}4jV@eY9wX%a> z@YYlHX%Z-sT^q@Khp3(82lV8mB4{D)IcPl_PV*bM$lT?~%v-GV z@bRb#6WXO0O{+N6)EqqiNw>TDB$sA=ur4Az+u}X9JrB6yeJ10 zn}av)*l=KIvOqpW+{16oB3)@)7Wswrsj!#3m;Lx5L0PJzdyV@NWnv*r0KA4pCJk3w zWoG7SqN?S$-(5r|nd3MSl6yk$^U7#xn{k9A(ABgr zJ}o?MjxStOP<%XbeX-Elu{yMp38EPH+pk2ph|7z6k)~RK5l$GU0XlSiCc4g*THQEa zV~m6>!~NPnG^TA%q0db*^QY*#n|XW|j>i!>1%W{a8rI)^8|f;;S4k3Sp}vTx<7#$B z%auP`se0QK#F~z5HWX&lwIjx(ouMf>?bg3bY?{{ImwONIG1AK0{M6+@>Q8W$WEm%ZmnwB z5z(w;4e(WprR6r?X8LJE(P>f{0iOtWD%dSAaEYQ|0vRYEh^l3g-}lG|B~9h>Pd)li z(z{*eJQJUKawsxl%@qe?F~1Wt43<+89a5q(DSQ=+m5h{=Q}U^qM9=LW{nGXLrvyz2 z27gk0;eP}im7?mcWu02O%L&vNf{uc=gGOQLfC<$$+-el>%Z@3gDcd%};2GuyOih>d zFw$KesTMA^ZyD((4(lRp2uIUSF?ZrqEd1}y=DotQ`E6xF(@3{gaV0{bep7Ht>+9?^ zM==*PWqx92B@uAM~TVv%KCRB z0;G$q@|3@kYH>SU6=-5}s>;W&T9lcZ|B}4R3HjHqq;)eV>~EXxXpyg)K4I#?+MUJf7|7-6{n;O@W1;5X)FlvS?U5*WPJKjW$+$smf@}P?C z0kyT;O$l4ZDvac^Y`|sfzfWeKT?`cDE>ny=+LckAT^A z|334SwMSk|4gZ=3t}7bY6RN;pYGD|Hl<(vbbxzGl^S461Ox0t&TTfKt^XD#=&sF@p zt|-)lukDVHQB`}XLvGL_*IA767{Ds&FD~PIrFggIj8TcQbR2ON$(WaJWbyqRev@*9 z)|M0{NIeJhDZv7Un8MZ?H$bJcXxb2iX*Cf18)C>t?;g@$@!IjK4xyTR6qA=vxrvvi z9mVA9WmPf457t0Lq_y5r#|V_g%@XkLgA?KccyS6ZObA@B(nw$OG=zWfg(JPXO0X*f z+nAfv=7YDDO-68mjuzBxbmZE{Tn$oq+#p5lR2J~-8e9&5dG<8|k&Xd45t8^Nbr=>`3K(LdT3(G5eAUHJUd+jleUqm6Zz zX!-szauJ1(Gp02=)J_4Pwx^v!%uLj(VHR`z3yguXD=sTG3r%4*aIH|o%doY?vg;~> zZcAwDI=PCQJl>7-IL*c?%& zVdHaYjNT~hP&pEU(SS@{obnvUP+Y4<(fW+Vcznr-Gp|^**{|Y76D`<2;Fiq5l8V>i z6Tr+#I2*Nw<20SR^b-IZ@QCaE?k3H6^Nr_i#w-i2BVlZ920MIZghRH?QdkCPtDVUZ zVN&eb*l@+cu;mf&IbrI>{fKN>2Q+SYL$X;%QDy;|+>u9IWF>tHUIZK2SYKv2p|_|% zN21%{n&E0UWL|Y=$zw(^xURsXV`8@5yx5+r3xeh#c-}HLEmaj2PjVb0=dhH(F5fS(!QozZ(}kv!R$4u zj7rh)052BUW-;}(HxgeK-740XAEVq)(wW;`Uw)7Bp2yuN%&0!t9{JJF%%DD{IirCBcd80rRM@M22Ml82{c$X!ViZNboH(&dLP4bu$zm{$oJ(KtsG*qO~YFBB| zD&7f)Gn_yx8Vj;^k2?K?8*x?CK|7tcu2ym@uJ9$Mf(EYC&{EtAOk6xQYuU*IimDbK zWGpk=j7t)#oNApQxPMFczn8+b^oyO_><29R<;9Rh9UF+yJ!y2!@QXkd2wLMhd@N z62gd9h5JFKI^?=1g_)L>_d+Fu(z8e!kLDIeGI>-hAQ!)1oD~C_kk+@GP~a^LUm|5R zWv^lRLwuw-l5gd)$1W-MS>k!d>A;YQ7~>)@m^I7_a-a?%o|}!;#fTi~xH!i;{)a|e zcrpE!7P=IfjXF>zD}uZcu`J1b74hDwuxHgX4r?*x0)E!VpKq5aU7l`fM&z)Z|>T?&UwsdaS_3gwDdWG{EhecSU|?O&8@cbJMh5Xq}mUXN@S?j5-AyI`v5!1aMAK#ID( z{l+V^-mVOar3*%XRZ%cwTX9esEPxlw4Ud1KLS?|_mQ>8rsXTw*f_#by>4D+LGW(^q0^x{%~^Unu&5%Ak*nH#zcE)j{y8)3mU=Agg>oWdYnE+)7>zO z_%??d8=?IcfOl+$J{tu%IG^e>R2vfefICBORWY%8d0XpEGa9C{)x#@ke?<0p=7jMC zpt&#{K2rS9FYzL-nlMTPJVh|f``<965QkJXCj8ePPhm8iC&k6X3kMDx4j-9d&x>O* zhLTncWh{nL3;Ba-c#GOAg8UgF68OHyukT&&*_!D@otHwjw&J7EDoNOX*`c@B(VZeg z_P8F-u#5=et5?u7tJTy>7r5po zyl^pRAx;=|IhMy3>U&vIpJ|osYGDs<<~KKJ7>i<`XT%h9pAyTZpDz$;Pm7LKu@x;a zDa@73Z;e?R`4*sI&IQH;hkt=jGs72h;`$S43NR)=V3%M4Gv`T4+kH&AVFEbBR?t6 z-cpJdQL=6L@zgF3Vp)OPvH(ay$P#^nKsbhGxAPdHk$Na^RqJfHauH;r6qY9;jzbf1 z*=sTV*G|$Or7{A2ryBenJjB8Vzl|vuLKVRRkn>{*obYM%cop8bQ;#Q?fJfy12p@z+ zj?PoTYXk?(u|b|y_KIZxFAn9&Es#`ZpMVTbfCQ|XbC8jNzjk=wg)uvCR^So}oP{ik zZra@20nM4Thl}2`VhRauH;+Y{A(U}2RZ!`?$9UfHk}@$pLXprWTBS6T3YLQ7yTnBr zw(Yfyi7V0xl5r1;%a9QUdDSxTU-9gi zr5MAXz9Ow>Al!M+3RCF>Q<+ANt!|%2w^(F)iZ|~3Y?Le|4OWMH{lzREU{W{Ch791y z$CTy3GEo;~Cz)2-Y|7B;wK1Sb7hJfVrZ7g_OJ-vuk@_57k|#Cb54QJD%Jqz9(~Fzv zk_Jn8He?E3t;08~OqGsVC5$`dz@gRFc6)dpk(#_jw=|1svf*E6f~PJhXuoo2R^*c_ zg0;w({6fb@gfojrMLSQDcG1?<>fv#Umq%sHMu9?)?(ab^4l!I(3i3Dy5U<37t&u^% zGn}?-XMmV^6A1;c@55rZDc$WxXuDW0e!Svw$UmN(_B=% z5Iy==10F`Xlv{a1$XB<5aQQE^Bp(~2vk(zm$wrm^PgjBY<+4iiNdXVQ~fxFJgaWr1FE7AgCSS5S() zcs_r9Q4s?`@vVRUV{3f{|8(KM-e&9f^{v(nZ+^r*>QaVr1`34cpGbcS!)ZssH_V@a zah@}AtJjhUq66-%oTO<{EN{_}(Xk>Nat`--C8K!2%r|Jq7oq>NRuXsTx; z_Q-Q9IWCn5a(q{ zIFUH9ypJO`CxEuvKc|E;6v7JQNrJ4!RjrwnH%r&Una4_j1IBD#6*xd{7mptxd5CB# zE-Luxc!LQQ#Q4oXO(cKNEx~FCqZ|W) z2~{2v+FLN^w$b%EJtOaltcFR&V$uq-ew7n!*%(`9yR@Veo`X!%)(r0obMd!q&28l8 zD~au;!raJ#r^Tg@!!ZEex#|`=l4j*{WO`@pnN$~*>H=hgSt^A zWL?Y({R)g+9w?K%Y{9l24bO{1To#s>8%jqA8`zJfdN-TH&v~iqQftN@P@MnrW&%W{ z=vvN3S+GQXB1n4a6kT&<-zhLunehPz4K*UHh~f|%)K;98E6%WDd+YbL|J7*x-gt-R zEHJG}gM4mU-?PTUf3*H+{k7qaX0u7=Z*4)#H?kD+;9DNm+)XEoDMj4*WBbjU<{#UC z{L#1?MMjG|lzSmFT7ttpzo9l}k2l$tYIf@u{uyOkcz}tlKsDaWaomrR45Z#U#sz4c z99_Mpxtno%vxPk1*74Eq{^{jDHMaE-P8(s;miP6Idt-k?v>*+W;Ele{rz7sFN5Y?& zMkDv!zw1%}&vcF(Szu&1C3BZFm;`SpT(OI(TPFE8U+BPy-A7`hFklO#zqk{R>&xA( ze`IbqZ2s(RdRsACAluj6fKex8C)b#4)*HINiT;n*Cg%gU?rw9ULjq57z_$~Darc5r zRiwq6tSLhY6TRPCt@gM+nRB%lrD|N~OocC2tF;Rqq7Ewo`*~qmVYeJ5N0CnQrSkO7 zy$HVjWqo-eZMOeHHrseDwHI7$Y+S6-2s;-Tsqx+w{(3S(F&sRaHQ&X(05?HJNj6A~ zeMhn9b@q5Wz@^ky@6^^7bq7=z7iS`;z0Ea~3Y7MQBc;E`jF-_kT=*ACNED$@V8sWQ zvjyz;gu6G*8dt$7v0*K8SUdpcbq3wDor>2Na^P!Mu+BT3ZQtDs_T-{6Sk&zvy9h1{ zZ``U5HmjOPi2N&{=UbZfr1laRg8>6m1%=ioKsdP~X|fhLDG&L;_#HSbY;+E*(~mc!pb<kqd&0?;*ILKeFY4rzO5<8 zZg#15PHnOLAyc`8vl)=^%TWj?%|cFSXeI|J3`|eS=FE}g!SNJgu!?9O!#(r)K=h8JFC6YPiwxc;4igT9^hv;b#A^FbPBYhT#P~k~_SqF6$zjsH z=(WXP_`uiU2;H5AVLxKxOKVs2{J})MO;UJ29LIfb=IhFKu2`uhiUi2+Xn+RJQUC{F zkCQzKTxcFJ14y9)zAwDxohDAXJox_sv|xZ3`-+(In?T{E2MT+JNwEACLBekpJZH6+FTdNY_$h zbxn`5)|{R$u8xCU`Xz3?g9ms@(sUA>!Vl=Ma6W^5hJjmvHGK?*sLe`|8U!i+J#j;?__x~~2T;Bpo zYnivXS&l?r<6udKPZ1(cpBq7OBUJiHN#x{f%tpvYQsLrul~vW?W-NayF9+M63c>wp z28U!WzdVkj2uKJLs}p>_6vh+g5OlxdC%G&!C!=F6?hM5fiIU2cntn}qz6EJ-?W9v= zH0i7>JurD)$d>3q^r77`_)i{l9iApBMd1+Lh$m4=JW+4rH&4T-9#u29z(dZ_?}2wM z9@V(SGamrAPiDesSu3$grKMKD(J{7_g*7vbuN@w)*Ws#pY>t8@sYhrn{u$9y(}>G# zghOlznR}=)h!lEGc$4zo;QQF~H1PM`eYUH>e|KX8g#6vy_t%%<=4SqFwc2mZV@?5A zD}1GD4%~eS=DPtjqo|m!0jM_Z?)C!whufgQ58cA8)wg=HB6*@i@ALd2tgr ze;*j5b3oP6*>JeA@rbM-G;~KgduWgC@~Eiru6u`O-Kya^_Q%f4J>Iz|aw>77ynRRpq*gh0;kLl zVF76mkxk$6mOBC*f*l1HCpPzc17~jnFmL51^4M{3*g<$dXCU9>K?AP&xN4hakL*|j z#RMKizbEih9p@W%)xGHj$85jM7VoiRc4z?1rMaE*Y%Sc~?s<>iwGUyV_A43ib9Tsp zf55c%a4?ngB3A7ls?qd}&Q4`#va6E-ORMzoqJKP!;!ptH$*^%)=0mNYyYplNli;L# z*lWvKOw{7Q&+;moM-hQup1}QJUv12k5;Kgu`!KA1v3ZZd65vyfT^|9w`eLvJmEX4U z8{r1=?ZwkVy>;Qdv57t}3xXpwl+5LjFfQ05S*3rLJm6(|a#%?bCO*h2vo zWnb7A5NF}E+!1EGYjFi5(Stk0>T);}+|jiO45IDaR2a(8f?Ahhn3jSN7{-7hFmL89G} zcdV*=AhW0mE7jitNk((=oS9G%(ghIjX&8w_PKjL#HR;W!i{(CGh~O^oWADo<0oy$! z!l`XR_!Hq|7~g^*%BRO}&G>kCIa%oN(=LBJqO3N@!@*A{**+m-n zARshm!0R`FP$=bU10c5{LUXrZw=iXe{Du~_hGSgFF{g)DAbCs0q|ZYdJ5DGkV5dBE zDri5Sp)iZaJWKcoZ9=%FmJ@Vd2d5}2Sfogr^HSzhc|)FgETvW87vr&fPe>OI)C3RI z1wT-ybT01e&c$i@T%7U)bwm{(>M9iMpZ{EqjB~Xg>jfL(xf=cV z&XsC7b~(^wD(u5aa9tHaC0`$tQYQNca0qUUIB26BiEiHz*?yXsJHdE~betHNX*qRW}oR zww8%i0+w5z@g*itF`2ZC+>T+8$^&;Cyd7Jt=1oRd$uAuA=mzKn3*k5Z1y^ks6A!Ca**LE%uR6<1{jibTjDBF;%D5x1 zqiiZ$rQq=E@iw4GoyuAbc#j6H@UAjxzmT*`03R>XYg6n5zUQ_=EmrU zpO@E#je@#?Av74mNuysBUq?zH9R#CpzsGKaG5(ob%XRB@9KqW;zPyZrx7_v{An78y z-G7?61CP6A%snHu2$mI|SnJEuKoO>(!H*yaN`m7z&L(t3o%LlucXZMboH@Rn!%JAM zhH~tZ9|pMt{A8YM+zDv!9?{-u723Oj{+bGi|NQ80ZlJ$+hA=rt^f&({^oKGIBOHj= zSnRP95%NsZk}6|DMTHA*>u}+1=T_swTO{NuhEN#8pDATjMSi^>IJ8lYK$8Oi1-$La z8Y6kOEEC~5TL7Oi2M~j?&bdRfgzY)Jk#U5sBXw(QVkd#BG=f`rEL4XWg%+zeE1$-l ztDWl)`(Jr1Fz!}|v6;N3Zbk?&uWSicMAbx{+zZwAKcVpu)-(8+xq%E|ZfB2)R6t<% zTb=~bBX5ZAyvIHKuYb&=c_d?n;JUI0w3ApSHFx>Eh(#Ud8t$s8gIs(u8{DxPS~0Jq z6}YJe={pjFsL^+5B4M`(5!9+$Yon#J=`Q7$(=D1$_<%Fx;J+}? zIyd<-J868{zqmX)J2lh@7Nr;CQlG!wWG#VO5uN7W%+hM>b#Yl(Hl!<%rVDppuhcih zx1xe-3u;Ili>_ks5OM4|mytsfb#LlK-LNd`hIOK@!p%*IR{}L&;<0JS0jU6MG71nfMNe(%@)wqkiy>Zv9ccdLL)m z`f_Xn4I6;Cgdj@V7lFMJ9ebkBzICPaB3cMIS?_(*v$!R}uj^p?Zpz|qB=6?V1|om= z#>Q<~dpk93bp(pDR77(gTdl&hh?f>lNYdmJ57U6W#aor=!2{8b=c|on;t@WvE3Q5d z!v9grotun>Xt@(s@ju}hdirx8DEHR{IyyMW8ZkV1FL5-N!P`r9d@k#b&t>OQAD>Ik z(If^(wjAD_xIRfmdZg!!TJeG!Ie-EdqE|lvG#S3*mfJU^7$<1(^Y} z5P(ySatMq@vB=WyRgB7H;HqalH$oxNGD#X)uqt&=ZQ_rTv0KvK4}5 z%E*;^unJkZ*BHAZ%_!w=g@LDg?Xhb_Jnjf)MZ^r#Q?lziW?&eXm;tDP3iA`I8Rk{Z8Fq4(M6c?n@j~0W;hgm`;QKU6%xflVoKRX6QCee6 zS)!t{k*f{2y~#WaA@}={75^DHO{eF5^LR!AblI}P)D!R{C>g-9W*UOKDcx4;Kxe5`#4k`< zI;mE~kH_I8`;+6Se}ySSJVu<^OHA2L@ODQrWjl3D*-mFiGi5tvrcA1t zF^3l<$dKg6F+o=$k@CgNN5OV}e#~#hz zpVR}HJnrjn1BdMf-~6l(azg`zk;k0>`;DFJLQMdG_$RViV~5>g?Bc;}gqD-eh+LT* zb_lak(1!zH4gG9(JqdnOGTJP?y~X3C#@YLg?FCDY$hdhQFG6C=h5F)9R`Zoq@Hn!R zbHmN=oLn%pS1%~`ZrHI@?BP$r4#t^QK*5+*;@E4!>5(l0VrglLrFCg^swbwF>?3N) zjwF1259*vq+>ai6Uu@~S!Vd3(x9?=cI;Giae^4N+KlH>u@mGna1G`=A;)evx}?imU~hQc!}VvyzXVYe4E4&`Gf0KTtaD< zWACLas>Vgd6_wI@$v&2aadkw9tbvN3fFO%wp+72HL=hC^lIRH<0aR`fBvegnDarXs zX@L(g9}|V%R~v9>ZS-1kqlwPIm#a!4;2m4aWAX+gQL`Hb3^(2FUd1e45?&Vd;+lr+ zcL>=x-aE05>NKc%?#0kpMq(3mOwZd6>8SJj>!A{!9z5=-T$dAh-rzCA?Sq8(? z9^$SCWpPHzW6mDcFG6M+v|+Q0^q>rs1p-l}KKuyyUS@eytNL9=$ErU8-H$yo%zgpn zkN#&t{$-8HrI*+3q~owEC_XAfajsV8rhr2wRk*3r9HHi?bUk!q)Df(TwC|TM5Z7`P zZ|$2a-@^C20Iim`=Q(ZGx!1Y#Px4B7tpg$2gvLHD&(j=>O*!VsTv?abLgBI3K6)AC zj(Y`G;0T46nt|MC6ZiuEvs=ZNC^@Q7_@=V3q^n0DUL9*iKaQt<{KOZ+5=%mA*!&;y zg*q~JOmG?dYzX{rQdWq5MI_4` z48(FQK~x2zuht|U1=UOh`TZQ5y2P7;E>XNb>fZF;q9?^`^@KO1C&X&5r6UY0?{H4p zL`!EoAl>cAkZa;v2KALY&T6$&a(XJhv1@o$#{BA_)UxHI+GHijyfF_C!Njpwy|70X zcc$6i8Wrf3$F4{PdY#G9?PtL-CUxj7g{yk3(`w$9!&Tk#a8)rXEijU8AAa1VvsrrY zuo3*8a`7#JpW|o@SzPt!-|2GawsR=jD60wO(@bs7tAjm9Mvy|S&y48#J$ zsr4+%8g9O&<}gFVuQX|t*UetVGMS*bwNoJ`2qh}>ZnI-u=2iXb;=0?NOwT6b!SUOs z8Q!cV_=rp=Cp8uBSThL(LzQ)7?k+bCD8i1g9h7ggK(~e&YSso3`AMwp^1rT~Od#Wp zV(JfbMAM3aqJ(!>6P$mut@l#P0j62dbIrp zP$a?wKCs*6BS#+@!|V&1>?jyZdVUQ5;MGK0LdIlRE4er{UIzw$oU>)_5x7kSxJ}F8 zCYLd^!L4e7XxUo=uCV|g;mLXlkV28D9r9485MV&S_~qpQ-R34RNBAtz^f2*vG8PSo z(6hgrF^sbuPovE5I(;5SOf=CmeEfDS6fI-8H7SN0nLHgufeeSk4rhUkhr>RL_fr&F z4F@qaJ;!=ckc1EMExGc{Gms>2k+%tFp+YokLOmF@ZZI}s){#F*qokI~NKMYaZ#rAf z=B)LAnG(|^mzNj~%$!s1QXj^jTEJP``lsu5*80FD0xg0zr)fO!THfzjI0UA6E9T7W zEt!6*27W{;R;jwT=25cWU^ZOiRgACN9J57rqCMcaHvrOaFv~2F1gJPgYDIClKBF4@ zEj0Eya+4M*wY@Ft<7$P~BP(u~s=#&Mx(5FYRrs*dfM{BWsDMbdLZ{&&&gLOy`aRnF*3uJ5%h^au~+dz(T zE0cEU^vxeI{@%YOPSV0pskU-`~9D2y(=p;J=06H(Y`4VvTfh%W!Y3g=0x! z)g(v~Km#fTBtj!;#@^pBN4JZa^7s}oqYNKqGZBT5h>2xq%O^iF)(1uy>BV4tnz5W_ zVhsMP;0AH{*sBp84*3;3SR64yeVw$(a_x#YHh?3DJw;*LgOpN~;E6L*A0eg zkxP6RjD#{Y5UaXco!hg%PjvfhbkAaJj`;Z-b-Q8UlJB zrcV~S0$|^|n#P!N+IlZQf;yKVK|{a~NyRu!AHJMZV_GJXEn&`6j<2RPZ?8?Habu&) zSB*IsAkf~=sptJ|yUqK~uy5|MD*`BEXm{k|lQfCYmyj~yq7MYmJ*?jgc;|_B;$#Ld zyN+rCLl5bS#sDyi_;|caaePo*XueskW*B&0zvgpCjf^9{@hAOD4MZ-^v^}*fA#!uk zv@Ap5h3jVU-mp;w7MQ>Nif6IE#0+BAR&afc)Ap#a&L$6aa7kkgr>m8Erlo(THQM*FOeQ>3wp3Eslhg<1=|K1{V(Id6_{V(7_miWp3lGAGWe{-6w>Xz zTzg<017L88C!~|Hmj#+#F_vH^L;B3jSd5*STN)9n_xrPqEy>-IP#G}e@;9)B{*1w# zWOHjOjRI`t-?7s#5yn(clsyxBzD`>d5* z{K993eqq;v^}(#dE(6Naz)pk9j_mjn(?!DUC2O_q%Qu2O+Xl!S1`k_*G_SY*V2{C| zJMXcl;Iw%Q-8Bc@1;#-=h0plB^~dIr?c#BGWc%#NW9PxRUDyT$JeQ0IXBcQ>7i6&c&8P@h#GZkKfmd#py!4?~UV6jjrKc<)EF~0`994-2fv?09m+yi&VfpgFEH2)aP^Xbe)56)pZz`sZXDnb*iLwi<)Z-@4~dN*#0Dhl zCyFS9Ce$G(S>pk(46p^j5t2ngd=M!*1E>Hbp2>Wt--mtVp+*5M01q_?CrFbqe+!oy zB{~@d$dDc&*8%4}g-OqYTMdibAO|eqHTq*M%-0JzvW9D_MzDPs7Ge&wf5<&w{cO*J zYiRoc{#}p|bP0_Xv;;ub@Q|0^FW~(!0L1ec#1R}~t%e-&b=(gqWi}jP$3zPbnJQ_l zKv-`dW-*U=qO$$q9DgyO*87@TuW4!xk`y8wrQt!!ABebvMj!kI?*q8N{a~MAz_}PX zRQ!=(7H;@ELOBy7HGBd9cntaxEyZ0h*x0~fJ#B0}6@*r?wV4P zV-LRvV+yK^;izP{t{e#d?VJ4%VK~(P$uITK~OAjOexMb=bO&ti8Y+f2mIkdJL>CS2c_?4 zHBLcEXq;4w1~=nFo$D9IXz|hH<}O}AV2a4VA~b8;enKpWLJw(>S)UQT#5Teh2ccCY z1O#JnPQaYZOy)!(E&oH|i%`UtDUn8k{>)+&SYbB)lnK;Tp~Tg~RNkIF$5CmjDz%sV za}j`ZRw%##k(bJh*iv9-|Jh#IbNXkwAAZWrwMQp8G~+5ZOa!?+4Nk%9XTkZ+Uz`N5 zRH6LVgI;@6Git3qerAbFh1k+D`5^^Cjz2TGbit+^E5)s?cdcMotSdL*S}uSZVnS$C z-4ltLp|(YCl^)r>PMei5}L?#wneMrGA_-&^*d$u=E}G}7!6bMCNkV`E%VS_bzu zOPevPF| zl3-6fsu1o?!Et8sw<`V*wy>hsR=m;*8rZtkYpSK^qpUmY3CZ{b21M8LKEINWFw-c% zr#CviNvb=gf-9&~-O-8YNCzx5G`~{E0tYm_jlOV1z!LHNl|QR^bF{sr$&Q&!HaxKu zv*(6x1aAUJ!{>2@IQ84ojp$m3nW@g@V@d+5OPM(f>UPYzXfTU(Hcf64PUtqANz(65 z0g8jE;C#@5g|lD;2crPB_H7r0&^0u>Hne(xozZ#6&`pokBg|O^#Ns?wCUw*)d-B6g zS_I&W#>T>|TdIb0F-2Mun4(*{fA>V{D~@J-o=OB}euOFogNucuV=l$CGc~`W76{%L zCH!s7I%u>amMpecP`AThSPjWncr(~cj2#s-AM3ZURuYe)Ds#1py%x`aE0k@RG6WZU zlaHx57klJQU_~pJys+38283TK2v3EiO5iOYzR(@IeEKQ|yM^-RicevMAIITh#l1F! z#a6sI-As%_HJh4BK~uZSoWDqodX?tBsGO&b_Qg%t1y`E;&^l?AjShK6WpQTOg{!u1 zPu{E1xCArly73EO7E|w-s&Y<=1L44Qx|yP3S>YtER^1+hF(zIo@u5#(Qo~>-OQ(v2 zO*^3<%GWUPPx#TC%zgZvA~IqeU8A6n2pL6vjD8A)02ue*o ziDuyEf_KMaBbIqm&@bZzcj68#Fd^C4^Za$-RlE+Y2bS~U3*aV>r;X+MZg5U~$0E8l z=^A{bSU3&T_GJyJG(ofx*C`#+@B5Kl=JkkM8wl%8MY*PG?Cbopmm#$4$0_T^Jp}v=)3agv-b%{{iufAPYLB2t zZO@9J1DLE&8$*v6sE6OK^( z6!O-aA+HlkUf41>+g72GC}a!^iicL2M3<2RHp{4}D54DSj%!v%fIau{3ecAkK1XXJ zQ38jbkVDJC`vfD)8Q?~v`nB=6)T z&!N#1uDO3gY|*?UdUr{fLlEFQiDaI{5BMzc8dC8m!Z=Wqh~Xv2Kb)N33B2{h|H8*9 zPqTLjt7vOCI4h24iVtmL;U_EE?WgwnXUl^Wbej4z*0bX8IDoE6Lu!CKZ#3(c%cX}lwIJRc^_!*mk1Bq zGlfTLwH9QV;P@T_z9^96wE5?eGEiJkay@0Tjp|*Tra)JCQGnWU@idY;! z&Asjp2A=7$1-D7GSxbV7Imn{G!&Y}a?=E`HIrML`ke@PPI=mxnUp`82oo-Lq3zK3% z^wuST9e9!(6vqu#<@1Z`V15BjSHH8;c=z_If(VA^PRTcF))P`wVcmQ|mNOT0?Iri*20=^D`Nc(rm* zL2h4ky0GTgUeAZ!xdvSI7<8`{H#e;CB8b>$twm9O1knCxzNMXy$Qc_D_gO<+--ft> zg18a0=j<<7<^1T{Uckamp^)Xm< z{_4MB-?hEUXTH22f=BK=q(1!QAJ&6i3M2WGjJ4LK;nTYC;@t+AD~|4y8r&!J7Q%WT zWWBrK19NDQ4mt{dY`=fI-G1L}^3L7`-`)3A;T;(=Q8|y#$||iOreBLlq~_m_p_!1pR+0}0Zyl#p3uNj&*(;F=rtEbnYCaf42(72(E}x6 zOD_H+=b;QsV?!Ij*$2VOZ-TI_wE}`Ek<~V_n$Ri`Kcb9TTTg~2Y2VPf;^`q~0bQwp zcHBo*=GReo)+4fKSVY(0donUgDv-dmhy>82zi>rmTVDW{=jYYtiG9OW3l;IAka=7& zZ4OWY*aQ?M0rA7HkOHaz;@?Lbe8BnecjOf>=Ri;nG`qPg1Z{PfByI=yvwk><n&VlZ%0uk@h@dxT=YN~*qf?L)C{cDV3 z@MQeROw*WxW#5j_a-&69Y~W^6pLCjUd^BGdLP%`cZ&a}B7Q#l9=f{RBqx+_(f=LA_ zTE2vV8^T}j_bDq{r1AcjT)CR&zL2Fu<8ZuxB_Bg!Cae2OqT{i&x(#KU1ppv>A*`H@S9^#bz)n-S(m# zS}H&)Qy?V};)_64VT1*s^xg!eFVEnWs>5oFhh?-Q#l<4>c~*9;y4pQeS9kUlDkjbS zF=1w3j7vK0jAGcqH^}n%$&uoh;SKOBaQH8A%5Maxtk~cR4Ta4H4-5txS>#zX8^Kyy zCR=OVW=nn)mv0s3TO4aE_G@gjUn9kE*^C%SYn*Ymj5$t&qIt(KSUUx_c`tS^ktc;U zfAokCeaP|ZhcovW3VHr9yJ7Rr5k?&N0*^;t8$lqL zKvDj;d4rNlC~i0+_JxDblLW6b^~}NR0AT2;$9@D)bx`&-H~{ea(qnf~Z~*Xi2Erqc z8ju*wz$NzuVLzk5okldpCpE=s1amx!gGto+>L0*P{OAGT!9PDESa^w0PpH7bCVt)& zpPTBle;2XC7{L(=-DU1k%nqQ6=hFfm#r{`#o_9`SD2S`_)C&${SQYx)Jjg3Z??lQl zsiM6_?(8{n=IgWKj6tLR)1XnNi9}>vj2qSxk-ix>Ju!-eZqD7GxEoZ5>;!!3$#BQ8 z$X=cMWE`NabFFJ+!avtKLaIwq0Dw2E6`I@{er-`Inb}&$&H>&w0_CN@8ykPm_>J2+ zy-xW>>=b<%!oXa;ZDYv*6O9clD}37$Se;~JV~y;C@jiW~?*><^3-pKJW*q-TPJfIB z&~eAuB@dT1M%Hd--s6sulbh*-?)e!s0p)^oYL8qNQ?9uVjs0zo>Ew$9;vH&P(lLf0Zvoqvm;ruf;tVl3?-b}XM{`UAMy9EKC0j9Lp%U&U zw2DgNQ!j#Pr^J3uS;CfrT`uxY@Ktlt@|VY%^@^hS9?Ib#7`>ke53ni?yoicejw{`m zfw&@U;~o>!Xjw(RQRv=Bm@P{vrt?0fdK9|7C$|1E0A zo0}evLs!698p1nuR?z<_NLxeCVZo;+)kxXog{?RkpUJ8)GBIhSE{kU9Oc$tFEGKgQ zc!Oj})IE^+r@Gjga$hrqoyWwVmS8w!WY{n=dmjZNhmTznbz-MX>JdVG9n0AUCdRs_6B4sN^ubReGHu>W~>cCFZq!; z4U9AmS{Au<`wFK0%k~3MO!cCyZ_4yXc8Vn}%UweohDJ7_*Xbi3NYkEd-w;A>%9f?)~gJ*t!TD8l>?0MBAx@VT(WbusXI zI_*av>Cv>SMVx=j7xgmeE4CRgXAEI*2v2-IC>FsPJY_?VTMqZ_r2;16l+E$7#+X{! zIY9X#fVeWm@aelMUa>kHBSP%&=LU%p>k87nGYrxo|&tY7G;R!=DsHo(H@7kS}w8 z7X?9KBWh;bidm*lU{_H$w6~TG)Tdclc3n0xkWe zvGi(NhB<0wO#AlsfOAz(tJOZm<t-iv~ZW#*Oc1f`kJd>RB$%`bHY?eH~*b@AfFNcJv`~)Kt2qRhlYaDp`ow;amFwc zq;XCAC1N@toc}RlI*y!wAfI^SKN1yhC1M40L;n!awdvjB!}|0oy5PCM^{Msz4u#On zes_$$gee@B87zntUj6qG`3Zc2KbC)l4;z7(bw2C>-e36BDZl7SB8Jkf|0z*q_#F9N zm~Fzi*yqE>P4p`4#uDcqMB>+fVjmbg$p1WJmP*iv-7g5(K0p8}c>V8*5pZigk)dip zS|P6ojNJ!vUL0vBG-EF&F_WPP{hgSRuZRC3$yqrG7Axk!0`_^H2DejplzJ73VFmzJ zgY+@^|JfFJwuO0Wr1Zqx#xG@E;OW0bR_x$Q@b-)1e!tXZUii}aqBAdiF&Ooc`-P|@ zwDF~-6Q4=k|3zSmGl?kpA)!nHZ28KRXo!lxmWA#i&X2hl z0p}M_&{zKpJMh}o$m)z8upd~n^TS_82}luBco=L_%_`(Y4 zP+qR|gAsZ{4}vj<3AlwnJn(~?dKm8k<4ZiiJOpGr?2@Og&@WD{v=zg^;kT}oZ{jMv zp;Qw)h#x;rD9;4_-lM9!!5_e7h-4O*`8QxNR5A;EJdrst@ZnJ9z`&=8%5!m>5(kdG-dbN?!T8?cYRV1(Va*-Xt2@9TJlurP*Jt&+ z34a{+p;*459|5u5Ki|8aYE4`P@>Xk#HCQi};O~7^ntd`$2*U{8 zjCc?&&7z8evNfX~D%FjGWKSWBagz+u;D?!6&iv$?wNR7J{qNq-bgHd^e1s-X4u=RQNBz9fq2r3&Br6`t z!*h%Qxcr@w&_s`W5`XnVVv;Yj7c-MgX7#B_9&~CFD;)f_Qki}Bj3Dek8tKqVwl*;R-*nLE_n`1T1lEtipe7=l~^$` zYntLM`qz~`41`Vba6H?nO!yY0oC8^5;iGJgL3WDF1}5r~8=4l73(!AN^4HA2f*969z(4@$FC9N_Xb;CfyQuCIp7|0etmhtC4w3#(cQ zU?TO#GcZh1V4mHA#_iGa{I7*WIEmHz&CcAI&wzM=T z;Ou+WN~ge+c$CQM%%;@}El^qwV=FK?B;shNBWuXaZN|n_SN5PvVkS(fDdx*)d^JPR z(BR53l-dx;??5L*IX8GE*FJzjzh$lZnQ`)f$VC)T9CX(GpZ-B-7Wtp@0(q!Qox?eVh+>XXR8U-Uu2_=mEdt&6 zXSoF?g*+=~I?`U}Oa`7~4!>zU2;QEO-54^jS#$)OdBEOmdkRR;th*s7eg*|>3Jv|2 z0Z>7NX}_jmRYQ(>ZCPiNBK5u6-p@J}@@<~8f<>vSC>BZ$K(1q+_muU7P0A&=Df$qy zix~_R{k9ZgfYx3lBurIhXZk`V=sp{){Y~EU*b=Dm8H0bSFo!85+2KO#N&y-2Yd-=Z zA%$ z+M%$!5^?@u2Mho&*k@}$bb6x$&y%cdUB02S*W?{P2&Peex}Y;NU665hOj32wJ^QtE zL1&aM2&?gQL1OrQ5T2*F&Y5HxT0EyO%zbyYI-~tYm?I4k5QH-{699zpX!F1a#hrL> zX7WMCu5ln||5eOh&H4vTcAm_Ypa7dLyw{9wMDs; zR~+P59AT_v9_1Cru9MNQ&k8x4Jg>MeKck{7^3@PT^e{;4hvfYySxoltCbads{DCV74}q^8BQ4iZEv6y|UpsF0BajO)WM6~s6Wj0U9imSHBw!1E ztX2p3M*`egUAid%3OaK#+x2%Y?)w$04fegL(NLO^@+Yb6_|DFXsj#%Zh2XE|RNwJX zI38XDcy6}xy{u?dV?q17+m@=FOQ*fS{B$`_VYhP<6o_d!Ea*a4l|9bBFh0Z z*y*n+*(8oO9Y?KkdJA&+B*I*i4c!T?bBUG{~9{;W!?IoF8tBoXmI+jaZI5dA9l?lpm%Q!3NN(t7=K- zH}^4WyA3ZwXl4}k?>=F7@oa%PSKV0|;ARykGAd}MoX1d&8|`PjoRWx22%DtA@*bE; z_$F05QB{yYV$KJ+3n75lOl$#_N9zMB?Kng6#N)@37RIIr6zm*?=BUC959q3hu_?xZ z(<0NaCPo)&h~FZVNCUX+CcS~58E_1DizeL|ji8qK+(#V;IiEB|w8sG^_rok<;)S>^ zxwWoFJUj7lV5tZ5TVX-3xa>txr*kyJdX+Nhh}kv1B zC^jC9iK6rOnZoxf^zj_l=C z)%q`#9=})u#_i>CCZ%r5j%W!}dcogr=jGKFlgz>gp!Ss9wnipwHYu+v}&SQ$9KVKMdm#zqOs-VRNu+`N?R?lY4bvIj{x9z|I9atfni zg)#}M4aHP5{mp$~-`1DcuBncJl?`X^BVd-v(>Ik#niK^mVG>W~W1@5_cl3gtdU^F| zDU=Hz?RBsa-B%6mdSfH3S8MP!&+CB5>g7`KC9}q9pqsocHhGEb2-}3lf;<%1r5GMp z(CY*;T9MJ_dfMJpzmaWctB+SrjE=Xl*#--9ht`opaT8RPvtKSDt~QI`Aekom%l{i z$@Ghiz#ik5s61kRMdcsrsQg3cK~wn$i^@-l%FBHs;yny8eb{i~-XrGcU@je}dWG@S7g0c>*FmG0K=$1C-ZEH zTNM6+aVzc1rJke2NnX3qs@w`xyG|pdu;|`?S&)$wpAg+6=8JeO1a*>f%n{{+Gy9h( zVUD(Z!TZ8U=$pEdXN7?kFZlINgE*gBH`q3JGAJ@7VlB>{l7FwGZlKW&FL((>Cf(!l3U}~q~!=8$R|040de3AH`))U`RP8v_kgi8zy zm5b)NRtqMrn8bTy(Ug6iO;(h)d{Dq&>ccI23f}ToN2I<#;6MP2Raa$RtRmF^RHeAU z+du}R+L>aMr_zqpP5~%gag4$U!33ZEf+YeFgeP(R1k#;sZnZLA?ypw+`rb}{C>Z(e z8UiG(HtHUBg+-dX@3nW0fU2E+xg&l(fCa&IXSXY>HQ)49o!#!XddN$wynGT@XA8A{ zRn0%OvQa#oLA}nk|DZ|25J|!UNdh4IGFB(P{m+fjU+;RO{cZ?jqpp_xZWzjQ3@HIS zNuG1V;r`pwN91Sl_NT(QJ`j%Y7 zpD_lO;$jy$kRXB=Pmh*!$&+?2*_Uo3LqPAl{6U#<^0(*OnPkX)OSm)1PO5YM>kniIx<8Sv&(b4*Hp(&2_{!00%4DDoU6cnAV9QtI&AybGrk`9a;ji?78iu}UV7=OrpvH}0UHB2KYeGlGwcmg>_tolUv)+O=$9i5iw^sauTI=n)wcakS zwKNwf7+PDx+>WRA;5+R59>JAc1RK5rC=`h<;86-H>zKtv+@P%edsb%uHS16dbK6Bo zZkb%lOJ?84vc!*hG>?>4R?i)$dVUeH!H;Jt(el*rlC;=#fDh^4Ih9JCqPu{& zZ+eAefuQZ$O{Tgm9CXYIBQ>Z_w2gZ zh~-$S4rfuI^=T45ERjcpaOs#<5R{jltjcIr-pbf#dKOtzuR6bZ6>VBtR!es87i^v1 z3a$%2{>k+3;**!mfVW()urtxb$5v*F*}fAe%g`QCyf14^0=FC*mLn2zDqpd}(#p*! z;DkcM_GI^HvSxweUF?K?;>)pSe^?8Gbs>sLDxtr8QbJm3=@cJh7)mc+TpxQO3r&fM z^Cd^)S(M5&j$b}|_!F3N@$6R|XL0Z=&T}=Q;K%>PvUL2PIVuIxK~p4%sN)C(4OC14 zUBm7WL|}34mE2Gu|77{Y{`hS0qPUG1lzr<+k&R<65~tMzfSSy}k$y1j^L; zLy&O#vPT3g?1y@fh;`E=V!hfUVitARf6XOgom?WQp8JXL`tz33SL~fu^8C~w7aMm| z2h;RknyPYB<965C0S0X6Vt>amjNEB0q&@t`#?LaDw~6LD2!j9#Zn=J?CUS zHr!rlFoKdv-J&);tz!E=5~ugUa@F|cNs+O7yVjLyHT4I~!AJzN+v7@|D}j7JAkSD~ zcn$AAklFQZs%)Fm;2~x^mT4^i5|OUpG3BcnjlH(Ar5A6i?Uw-;8tSoG$#nKAb-(>( zUD@B>TI4z&I9~pZaT{ER(j7#G7$x~LlBR?qF4rtgKnThx=S9RjmDc(&Um11Hnq0L7 zw5v2#(zpVqy|EDqXM}x=6(9{YMkvnNZtVi@XL12CnG5b7dVLAG(wYeW+MGrA6Xc(p zg9zx*ICB^XUc`_cfee=`tPg7!4}xHZqcbe->-UD#iMDZhd3Rh#er-~D*aP1Abqu{r zUz2!{Ki`*zgI9JYS+x4z@|=vp1m zo6y~64gUYuUp)s}5ax*GWuJ_me9U9s9H${!0E_T4fZL!~etLhcI+_>p+Wa_qZ6Mk( f{DgvS%cgMtmmr5nvml(d|JVNmNq#fvf?omvj;~jn literal 0 HcmV?d00001 diff --git a/priv/static/assets/app-e94dbfbd324cca1ea4e492e0a02b9cf8.js b/priv/static/assets/app-e94dbfbd324cca1ea4e492e0a02b9cf8.js deleted file mode 100644 index 6e6b151f..00000000 --- a/priv/static/assets/app-e94dbfbd324cca1ea4e492e0a02b9cf8.js +++ /dev/null @@ -1,82 +0,0 @@ -(function(){var e=t();function t(){if(typeof window.CustomEvent=="function")return window.CustomEvent;function r(s,o){o=o||{bubbles:!1,cancelable:!1,detail:void 0};var a=document.createEvent("CustomEvent");return a.initCustomEvent(s,o.bubbles,o.cancelable,o.detail),a}return r.prototype=window.Event.prototype,r}function i(r,s){var o=document.createElement("input");return o.type="hidden",o.name=r,o.value=s,o}function n(r,s){var o=r.getAttribute("data-to"),a=i("_method",r.getAttribute("data-method")),l=i("_csrf_token",r.getAttribute("data-csrf")),h=document.createElement("form"),d=r.getAttribute("target");h.method=r.getAttribute("data-method")==="get"?"get":"post",h.action=o,h.style.display="hidden",d?h.target=d:s&&(h.target="_blank"),h.appendChild(l),h.appendChild(a),document.body.appendChild(h),h.submit()}window.addEventListener("click",function(r){var s=r.target;if(!r.defaultPrevented)for(;s&&s.getAttribute;){var o=new e("phoenix.link.click",{bubbles:!0,cancelable:!0});if(!s.dispatchEvent(o))return r.preventDefault(),r.stopImmediatePropagation(),!1;if(s.getAttribute("data-method"))return n(s,r.metaKey||r.shiftKey),r.preventDefault(),!1;s=s.parentNode}},!1),window.addEventListener("phoenix.link.click",function(r){var s=r.target.getAttribute("data-confirm");s&&!window.confirm(s)&&r.preventDefault()},!1)})();var tt=e=>typeof e=="function"?e:function(){return e},sr=typeof self<"u"?self:null,et=typeof window<"u"?window:null,it=sr||et||it,or="2.0.0",Ee={connecting:0,open:1,closing:2,closed:3},ar=1e4,lr=1e3,oe={closed:"closed",errored:"errored",joined:"joined",joining:"joining",leaving:"leaving"},Ce={close:"phx_close",error:"phx_error",join:"phx_join",reply:"phx_reply",leave:"phx_leave"},ii={longpoll:"longpoll",websocket:"websocket"},cr={complete:4},pt=class{constructor(e,t,i,n){this.channel=e,this.event=t,this.payload=i||function(){return{}},this.receivedResp=null,this.timeout=n,this.timeoutTimer=null,this.recHooks=[],this.sent=!1}resend(e){this.timeout=e,this.reset(),this.send()}send(){this.hasReceived("timeout")||(this.startTimeout(),this.sent=!0,this.channel.socket.push({topic:this.channel.topic,event:this.event,payload:this.payload(),ref:this.ref,join_ref:this.channel.joinRef()}))}receive(e,t){return this.hasReceived(e)&&t(this.receivedResp.response),this.recHooks.push({status:e,callback:t}),this}reset(){this.cancelRefEvent(),this.ref=null,this.refEvent=null,this.receivedResp=null,this.sent=!1}matchReceive({status:e,response:t,_ref:i}){this.recHooks.filter(n=>n.status===e).forEach(n=>n.callback(t))}cancelRefEvent(){this.refEvent&&this.channel.off(this.refEvent)}cancelTimeout(){clearTimeout(this.timeoutTimer),this.timeoutTimer=null}startTimeout(){this.timeoutTimer&&this.cancelTimeout(),this.ref=this.channel.socket.makeRef(),this.refEvent=this.channel.replyEventName(this.ref),this.channel.on(this.refEvent,e=>{this.cancelRefEvent(),this.cancelTimeout(),this.receivedResp=e,this.matchReceive(e)}),this.timeoutTimer=setTimeout(()=>{this.trigger("timeout",{})},this.timeout)}hasReceived(e){return this.receivedResp&&this.receivedResp.status===e}trigger(e,t){this.channel.trigger(this.refEvent,{status:e,response:t})}},Cn=class{constructor(e,t){this.callback=e,this.timerCalc=t,this.timer=null,this.tries=0}reset(){this.tries=0,clearTimeout(this.timer)}scheduleTimeout(){clearTimeout(this.timer),this.timer=setTimeout(()=>{this.tries=this.tries+1,this.callback()},this.timerCalc(this.tries+1))}},hr=class{constructor(e,t,i){this.state=oe.closed,this.topic=e,this.params=tt(t||{}),this.socket=i,this.bindings=[],this.bindingRef=0,this.timeout=this.socket.timeout,this.joinedOnce=!1,this.joinPush=new pt(this,Ce.join,this.params,this.timeout),this.pushBuffer=[],this.stateChangeRefs=[],this.rejoinTimer=new Cn(()=>{this.socket.isConnected()&&this.rejoin()},this.socket.rejoinAfterMs),this.stateChangeRefs.push(this.socket.onError(()=>this.rejoinTimer.reset())),this.stateChangeRefs.push(this.socket.onOpen(()=>{this.rejoinTimer.reset(),this.isErrored()&&this.rejoin()})),this.joinPush.receive("ok",()=>{this.state=oe.joined,this.rejoinTimer.reset(),this.pushBuffer.forEach(n=>n.send()),this.pushBuffer=[]}),this.joinPush.receive("error",()=>{this.state=oe.errored,this.socket.isConnected()&&this.rejoinTimer.scheduleTimeout()}),this.onClose(()=>{this.rejoinTimer.reset(),this.socket.hasLogger()&&this.socket.log("channel",`close ${this.topic} ${this.joinRef()}`),this.state=oe.closed,this.socket.remove(this)}),this.onError(n=>{this.socket.hasLogger()&&this.socket.log("channel",`error ${this.topic}`,n),this.isJoining()&&this.joinPush.reset(),this.state=oe.errored,this.socket.isConnected()&&this.rejoinTimer.scheduleTimeout()}),this.joinPush.receive("timeout",()=>{this.socket.hasLogger()&&this.socket.log("channel",`timeout ${this.topic} (${this.joinRef()})`,this.joinPush.timeout),new pt(this,Ce.leave,tt({}),this.timeout).send(),this.state=oe.errored,this.joinPush.reset(),this.socket.isConnected()&&this.rejoinTimer.scheduleTimeout()}),this.on(Ce.reply,(n,r)=>{this.trigger(this.replyEventName(r),n)})}join(e=this.timeout){if(this.joinedOnce)throw new Error("tried to join multiple times. 'join' can only be called a single time per channel instance");return this.timeout=e,this.joinedOnce=!0,this.rejoin(),this.joinPush}onClose(e){this.on(Ce.close,e)}onError(e){return this.on(Ce.error,t=>e(t))}on(e,t){let i=this.bindingRef++;return this.bindings.push({event:e,ref:i,callback:t}),i}off(e,t){this.bindings=this.bindings.filter(i=>!(i.event===e&&(typeof t>"u"||t===i.ref)))}canPush(){return this.socket.isConnected()&&this.isJoined()}push(e,t,i=this.timeout){if(t=t||{},!this.joinedOnce)throw new Error(`tried to push '${e}' to '${this.topic}' before joining. Use channel.join() before pushing events`);let n=new pt(this,e,function(){return t},i);return this.canPush()?n.send():(n.startTimeout(),this.pushBuffer.push(n)),n}leave(e=this.timeout){this.rejoinTimer.reset(),this.joinPush.cancelTimeout(),this.state=oe.leaving;let t=()=>{this.socket.hasLogger()&&this.socket.log("channel",`leave ${this.topic}`),this.trigger(Ce.close,"leave")},i=new pt(this,Ce.leave,tt({}),e);return i.receive("ok",()=>t()).receive("timeout",()=>t()),i.send(),this.canPush()||i.trigger("ok",{}),i}onMessage(e,t,i){return t}isMember(e,t,i,n){return this.topic!==e?!1:n&&n!==this.joinRef()?(this.socket.hasLogger()&&this.socket.log("channel","dropping outdated message",{topic:e,event:t,payload:i,joinRef:n}),!1):!0}joinRef(){return this.joinPush.ref}rejoin(e=this.timeout){this.isLeaving()||(this.socket.leaveOpenTopic(this.topic),this.state=oe.joining,this.joinPush.resend(e))}trigger(e,t,i,n){let r=this.onMessage(e,t,i,n);if(t&&!r)throw new Error("channel onMessage callbacks must return the payload, modified or unmodified");let s=this.bindings.filter(o=>o.event===e);for(let o=0;o{let a=this.parseJSON(e.responseText);o&&o(a)},s&&(e.ontimeout=s),e.onprogress=()=>{},e.send(n),e}static xhrRequest(e,t,i,n,r,s,o,a){return e.open(t,i,!0),e.timeout=s,e.setRequestHeader("Content-Type",n),e.onerror=()=>a&&a(null),e.onreadystatechange=()=>{if(e.readyState===cr.complete&&a){let l=this.parseJSON(e.responseText);a(l)}},o&&(e.ontimeout=o),e.send(r),e}static parseJSON(e){if(!e||e==="")return null;try{return JSON.parse(e)}catch{return console&&console.log("failed to parse JSON response",e),null}}static serialize(e,t){let i=[];for(var n in e){if(!Object.prototype.hasOwnProperty.call(e,n))continue;let r=t?`${t}[${n}]`:n,s=e[n];typeof s=="object"?i.push(this.serialize(s,r)):i.push(encodeURIComponent(r)+"="+encodeURIComponent(s))}return i.join("&")}static appendParams(e,t){if(Object.keys(t).length===0)return e;let i=e.match(/\?/)?"&":"?";return`${e}${i}${this.serialize(t)}`}},Kt=class{constructor(e){this.endPoint=null,this.token=null,this.skipHeartbeat=!0,this.reqs=new Set,this.onopen=function(){},this.onerror=function(){},this.onmessage=function(){},this.onclose=function(){},this.pollEndpoint=this.normalizeEndpoint(e),this.readyState=Ee.connecting,this.poll()}normalizeEndpoint(e){return e.replace("ws://","http://").replace("wss://","https://").replace(new RegExp("(.*)/"+ii.websocket),"$1/"+ii.longpoll)}endpointURL(){return kt.appendParams(this.pollEndpoint,{token:this.token})}closeAndRetry(e,t,i){this.close(e,t,i),this.readyState=Ee.connecting}ontimeout(){this.onerror("timeout"),this.closeAndRetry(1005,"timeout",!1)}isActive(){return this.readyState===Ee.open||this.readyState===Ee.connecting}poll(){this.ajax("GET",null,()=>this.ontimeout(),e=>{if(e){var{status:t,token:i,messages:n}=e;this.token=i}else t=0;switch(t){case 200:n.forEach(r=>{setTimeout(()=>this.onmessage({data:r}),0)}),this.poll();break;case 204:this.poll();break;case 410:this.readyState=Ee.open,this.onopen({}),this.poll();break;case 403:this.onerror(403),this.close(1008,"forbidden",!1);break;case 0:case 500:this.onerror(500),this.closeAndRetry(1011,"internal server error",500);break;default:throw new Error(`unhandled poll status ${t}`)}})}send(e){this.ajax("POST",e,()=>this.onerror("timeout"),t=>{(!t||t.status!==200)&&(this.onerror(t&&t.status),this.closeAndRetry(1011,"internal server error",!1))})}close(e,t,i){for(let r of this.reqs)r.abort();this.readyState=Ee.closed;let n=Object.assign({code:1e3,reason:void 0,wasClean:!0},{code:e,reason:t,wasClean:i});typeof CloseEvent<"u"?this.onclose(new CloseEvent("close",n)):this.onclose(n)}ajax(e,t,i,n){let r,s=()=>{this.reqs.delete(r),i()};r=kt.request(e,this.endpointURL(),"application/json",t,this.timeout,s,o=>{this.reqs.delete(r),this.isActive()&&n(o)}),this.reqs.add(r)}},gt={HEADER_LENGTH:1,META_LENGTH:4,KINDS:{push:0,reply:1,broadcast:2},encode(e,t){if(e.payload.constructor===ArrayBuffer)return t(this.binaryEncode(e));{let i=[e.join_ref,e.ref,e.topic,e.event,e.payload];return t(JSON.stringify(i))}},decode(e,t){if(e.constructor===ArrayBuffer)return t(this.binaryDecode(e));{let[i,n,r,s,o]=JSON.parse(e);return t({join_ref:i,ref:n,topic:r,event:s,payload:o})}},binaryEncode(e){let{join_ref:t,ref:i,event:n,topic:r,payload:s}=e,o=this.META_LENGTH+t.length+i.length+r.length+n.length,a=new ArrayBuffer(this.HEADER_LENGTH+o),l=new DataView(a),h=0;l.setUint8(h++,this.KINDS.push),l.setUint8(h++,t.length),l.setUint8(h++,i.length),l.setUint8(h++,r.length),l.setUint8(h++,n.length),Array.from(t,c=>l.setUint8(h++,c.charCodeAt(0))),Array.from(i,c=>l.setUint8(h++,c.charCodeAt(0))),Array.from(r,c=>l.setUint8(h++,c.charCodeAt(0))),Array.from(n,c=>l.setUint8(h++,c.charCodeAt(0)));var d=new Uint8Array(a.byteLength+s.byteLength);return d.set(new Uint8Array(a),0),d.set(new Uint8Array(s),a.byteLength),d.buffer},binaryDecode(e){let t=new DataView(e),i=t.getUint8(0),n=new TextDecoder;switch(i){case this.KINDS.push:return this.decodePush(e,t,n);case this.KINDS.reply:return this.decodeReply(e,t,n);case this.KINDS.broadcast:return this.decodeBroadcast(e,t,n)}},decodePush(e,t,i){let n=t.getUint8(1),r=t.getUint8(2),s=t.getUint8(3),o=this.HEADER_LENGTH+this.META_LENGTH-1,a=i.decode(e.slice(o,o+n));o=o+n;let l=i.decode(e.slice(o,o+r));o=o+r;let h=i.decode(e.slice(o,o+s));o=o+s;let d=e.slice(o,e.byteLength);return{join_ref:a,ref:null,topic:l,event:h,payload:d}},decodeReply(e,t,i){let n=t.getUint8(1),r=t.getUint8(2),s=t.getUint8(3),o=t.getUint8(4),a=this.HEADER_LENGTH+this.META_LENGTH,l=i.decode(e.slice(a,a+n));a=a+n;let h=i.decode(e.slice(a,a+r));a=a+r;let d=i.decode(e.slice(a,a+s));a=a+s;let c=i.decode(e.slice(a,a+o));a=a+o;let g=e.slice(a,e.byteLength),u={status:c,response:g};return{join_ref:l,ref:h,topic:d,event:Ce.reply,payload:u}},decodeBroadcast(e,t,i){let n=t.getUint8(1),r=t.getUint8(2),s=this.HEADER_LENGTH+2,o=i.decode(e.slice(s,s+n));s=s+n;let a=i.decode(e.slice(s,s+r));s=s+r;let l=e.slice(s,e.byteLength);return{join_ref:null,ref:null,topic:o,event:a,payload:l}}},dr=class{constructor(e,t={}){this.stateChangeCallbacks={open:[],close:[],error:[],message:[]},this.channels=[],this.sendBuffer=[],this.ref=0,this.timeout=t.timeout||ar,this.transport=t.transport||it.WebSocket||Kt,this.establishedConnections=0,this.defaultEncoder=gt.encode.bind(gt),this.defaultDecoder=gt.decode.bind(gt),this.closeWasClean=!1,this.binaryType=t.binaryType||"arraybuffer",this.connectClock=1,this.transport!==Kt?(this.encode=t.encode||this.defaultEncoder,this.decode=t.decode||this.defaultDecoder):(this.encode=this.defaultEncoder,this.decode=this.defaultDecoder);let i=null;et&&et.addEventListener&&(et.addEventListener("pagehide",n=>{this.conn&&(this.disconnect(),i=this.connectClock)}),et.addEventListener("pageshow",n=>{i===this.connectClock&&(i=null,this.connect())})),this.heartbeatIntervalMs=t.heartbeatIntervalMs||3e4,this.rejoinAfterMs=n=>t.rejoinAfterMs?t.rejoinAfterMs(n):[1e3,2e3,5e3][n-1]||1e4,this.reconnectAfterMs=n=>t.reconnectAfterMs?t.reconnectAfterMs(n):[10,50,100,150,200,250,500,1e3,2e3][n-1]||5e3,this.logger=t.logger||null,this.longpollerTimeout=t.longpollerTimeout||2e4,this.params=tt(t.params||{}),this.endPoint=`${e}/${ii.websocket}`,this.vsn=t.vsn||or,this.heartbeatTimeoutTimer=null,this.heartbeatTimer=null,this.pendingHeartbeatRef=null,this.reconnectTimer=new Cn(()=>{this.teardown(()=>this.connect())},this.reconnectAfterMs)}getLongPollTransport(){return Kt}replaceTransport(e){this.connectClock++,this.closeWasClean=!0,this.reconnectTimer.reset(),this.sendBuffer=[],this.conn&&(this.conn.close(),this.conn=null),this.transport=e}protocol(){return location.protocol.match(/^https/)?"wss":"ws"}endPointURL(){let e=kt.appendParams(kt.appendParams(this.endPoint,this.params()),{vsn:this.vsn});return e.charAt(0)!=="/"?e:e.charAt(1)==="/"?`${this.protocol()}:${e}`:`${this.protocol()}://${location.host}${e}`}disconnect(e,t,i){this.connectClock++,this.closeWasClean=!0,this.reconnectTimer.reset(),this.teardown(e,t,i)}connect(e){e&&(console&&console.log("passing params to connect is deprecated. Instead pass :params to the Socket constructor"),this.params=tt(e)),!this.conn&&(this.connectClock++,this.closeWasClean=!1,this.conn=new this.transport(this.endPointURL()),this.conn.binaryType=this.binaryType,this.conn.timeout=this.longpollerTimeout,this.conn.onopen=()=>this.onConnOpen(),this.conn.onerror=t=>this.onConnError(t),this.conn.onmessage=t=>this.onConnMessage(t),this.conn.onclose=t=>this.onConnClose(t))}log(e,t,i){this.logger(e,t,i)}hasLogger(){return this.logger!==null}onOpen(e){let t=this.makeRef();return this.stateChangeCallbacks.open.push([t,e]),t}onClose(e){let t=this.makeRef();return this.stateChangeCallbacks.close.push([t,e]),t}onError(e){let t=this.makeRef();return this.stateChangeCallbacks.error.push([t,e]),t}onMessage(e){let t=this.makeRef();return this.stateChangeCallbacks.message.push([t,e]),t}ping(e){if(!this.isConnected())return!1;let t=this.makeRef(),i=Date.now();this.push({topic:"phoenix",event:"heartbeat",payload:{},ref:t});let n=this.onMessage(r=>{r.ref===t&&(this.off([n]),e(Date.now()-i))});return!0}clearHeartbeats(){clearTimeout(this.heartbeatTimer),clearTimeout(this.heartbeatTimeoutTimer)}onConnOpen(){this.hasLogger()&&this.log("transport",`connected to ${this.endPointURL()}`),this.closeWasClean=!1,this.establishedConnections++,this.flushSendBuffer(),this.reconnectTimer.reset(),this.resetHeartbeat(),this.stateChangeCallbacks.open.forEach(([,e])=>e())}heartbeatTimeout(){this.pendingHeartbeatRef&&(this.pendingHeartbeatRef=null,this.hasLogger()&&this.log("transport","heartbeat timeout. Attempting to re-establish connection"),this.triggerChanError(),this.closeWasClean=!1,this.teardown(()=>this.reconnectTimer.scheduleTimeout(),lr,"heartbeat timeout"))}resetHeartbeat(){this.conn&&this.conn.skipHeartbeat||(this.pendingHeartbeatRef=null,this.clearHeartbeats(),this.heartbeatTimer=setTimeout(()=>this.sendHeartbeat(),this.heartbeatIntervalMs))}teardown(e,t,i){if(!this.conn)return e&&e();this.waitForBufferDone(()=>{this.conn&&(t?this.conn.close(t,i||""):this.conn.close()),this.waitForSocketClosed(()=>{this.conn&&(this.conn.onopen=function(){},this.conn.onerror=function(){},this.conn.onmessage=function(){},this.conn.onclose=function(){},this.conn=null),e&&e()})})}waitForBufferDone(e,t=1){if(t===5||!this.conn||!this.conn.bufferedAmount){e();return}setTimeout(()=>{this.waitForBufferDone(e,t+1)},150*t)}waitForSocketClosed(e,t=1){if(t===5||!this.conn||this.conn.readyState===Ee.closed){e();return}setTimeout(()=>{this.waitForSocketClosed(e,t+1)},150*t)}onConnClose(e){let t=e&&e.code;this.hasLogger()&&this.log("transport","close",e),this.triggerChanError(),this.clearHeartbeats(),!this.closeWasClean&&t!==1e3&&this.reconnectTimer.scheduleTimeout(),this.stateChangeCallbacks.close.forEach(([,i])=>i(e))}onConnError(e){this.hasLogger()&&this.log("transport",e);let t=this.transport,i=this.establishedConnections;this.stateChangeCallbacks.error.forEach(([,n])=>{n(e,t,i)}),(t===this.transport||i>0)&&this.triggerChanError()}triggerChanError(){this.channels.forEach(e=>{e.isErrored()||e.isLeaving()||e.isClosed()||e.trigger(Ce.error)})}connectionState(){switch(this.conn&&this.conn.readyState){case Ee.connecting:return"connecting";case Ee.open:return"open";case Ee.closing:return"closing";default:return"closed"}}isConnected(){return this.connectionState()==="open"}remove(e){this.off(e.stateChangeRefs),this.channels=this.channels.filter(t=>t.joinRef()!==e.joinRef())}off(e){for(let t in this.stateChangeCallbacks)this.stateChangeCallbacks[t]=this.stateChangeCallbacks[t].filter(([i])=>e.indexOf(i)===-1)}channel(e,t={}){let i=new hr(e,t,this);return this.channels.push(i),i}push(e){if(this.hasLogger()){let{topic:t,event:i,payload:n,ref:r,join_ref:s}=e;this.log("push",`${t} ${i} (${s}, ${r})`,n)}this.isConnected()?this.encode(e,t=>this.conn.send(t)):this.sendBuffer.push(()=>this.encode(e,t=>this.conn.send(t)))}makeRef(){let e=this.ref+1;return e===this.ref?this.ref=0:this.ref=e,this.ref.toString()}sendHeartbeat(){this.pendingHeartbeatRef&&!this.isConnected()||(this.pendingHeartbeatRef=this.makeRef(),this.push({topic:"phoenix",event:"heartbeat",payload:{},ref:this.pendingHeartbeatRef}),this.heartbeatTimeoutTimer=setTimeout(()=>this.heartbeatTimeout(),this.heartbeatIntervalMs))}flushSendBuffer(){this.isConnected()&&this.sendBuffer.length>0&&(this.sendBuffer.forEach(e=>e()),this.sendBuffer=[])}onConnMessage(e){this.decode(e.data,t=>{let{topic:i,event:n,payload:r,ref:s,join_ref:o}=t;s&&s===this.pendingHeartbeatRef&&(this.clearHeartbeats(),this.pendingHeartbeatRef=null,this.heartbeatTimer=setTimeout(()=>this.sendHeartbeat(),this.heartbeatIntervalMs)),this.hasLogger()&&this.log("receive",`${r.status||""} ${i} ${n} ${s&&"("+s+")"||""}`,r);for(let a=0;ai.topic===e&&(i.isJoined()||i.isJoining()));t&&(this.hasLogger()&&this.log("transport",`leaving duplicate topic "${e}"`),t.leave())}},Z=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"u"?global:typeof self<"u"?self:{};function ur(e){if(e.__esModule)return e;var t=e.default;if(typeof t=="function"){var i=function n(){if(this instanceof n){var r=[null];r.push.apply(r,arguments);var s=Function.bind.apply(t,r);return new s}return t.apply(this,arguments)};i.prototype=t.prototype}else i={};return Object.defineProperty(i,"__esModule",{value:!0}),Object.keys(e).forEach(function(n){var r=Object.getOwnPropertyDescriptor(e,n);Object.defineProperty(i,n,r.get?r:{enumerable:!0,get:function(){return e[n]}})}),i}var ni={},fr={get exports(){return ni},set exports(e){ni=e}};/** - * @license MIT - * topbar 1.0.0, 2021-01-06 - * http://buunguyen.github.io/topbar - * Copyright (c) 2021 Buu Nguyen - */(function(e){(function(t,i){(function(){for(var c=0,g=["ms","moz","webkit","o"],u=0;uthis.error(e)),this.uploadChannel.join().receive("ok",e=>this.readNextChunk()).receive("error",e=>this.error(e))}isDone(){return this.offset>=this.entry.file.size}readNextChunk(){let e=new window.FileReader,t=this.entry.file.slice(this.offset,this.chunkSize+this.offset);e.onload=i=>{if(i.target.error===null)this.offset+=i.target.result.byteLength,this.pushChunk(i.target.result);else return Q("Read error: "+i.target.error)},e.readAsArrayBuffer(t)}pushChunk(e){this.uploadChannel.isJoined()&&this.uploadChannel.push("chunk",e).receive("ok",()=>{this.entry.progress(this.offset/this.entry.file.size*100),this.isDone()||(this.chunkTimer=setTimeout(()=>this.readNextChunk(),this.liveSocket.getLatencySim()||0))})}},Q=(e,t)=>console.error&&console.error(e,t),De=e=>{let t=typeof e;return t==="number"||t==="string"&&/^(0|[1-9]\d*)$/.test(e)};function Nr(){let e=new Set,t=document.querySelectorAll("*[id]");for(let i=0,n=t.length;i{e.liveSocket.isDebugEnabled()&&console.log(`${e.id} ${t}: ${i} - `,n)},Qt=e=>typeof e=="function"?e:function(){return e},Tt=e=>JSON.parse(JSON.stringify(e)),rt=(e,t,i)=>{do{if(e.matches(`[${t}]`))return e;e=e.parentElement||e.parentNode}while(e!==null&&e.nodeType===1&&!(i&&i.isSameNode(e)||e.matches(Fe)));return null},Ge=e=>e!==null&&typeof e=="object"&&!(e instanceof Array),Mr=(e,t)=>JSON.stringify(e)===JSON.stringify(t),Xi=e=>{for(let t in e)return!1;return!0},Te=(e,t)=>e&&t(e),Hr=function(e,t,i,n){e.forEach(r=>{new Rr(r,i.config.chunk_size,n).upload()})},Pn={canPushState(){return typeof history.pushState<"u"},dropLocal(e,t,i){return e.removeItem(this.localKey(t,i))},updateLocal(e,t,i,n,r){let s=this.getLocal(e,t,i),o=this.localKey(t,i),a=s===null?n:r(s);return e.setItem(o,JSON.stringify(a)),a},getLocal(e,t,i){return JSON.parse(e.getItem(this.localKey(t,i)))},updateCurrentState(e){this.canPushState()&&history.replaceState(e(history.state||{}),"",window.location.href)},pushState(e,t,i){if(this.canPushState()){if(i!==window.location.href){if(t.type=="redirect"&&t.scroll){let r=history.state||{};r.scroll=t.scroll,history.replaceState(r,"",window.location.href)}delete t.scroll,history[e+"State"](t,"",i||null);let n=this.getHashTargetEl(window.location.hash);n?n.scrollIntoView():t.type==="redirect"&&window.scroll(0,0)}}else this.redirect(i)},setCookie(e,t){document.cookie=`${e}=${t}`},getCookie(e){return document.cookie.replace(new RegExp(`(?:(?:^|.*;s*)${e}s*=s*([^;]*).*$)|^.*$`),"$1")},redirect(e,t){t&&Pn.setCookie("__phoenix_flash__",t+"; max-age=60000; path=/"),window.location=e},localKey(e,t){return`${e}-${t}`},getHashTargetEl(e){let t=e.toString().substring(1);if(t!=="")return document.getElementById(t)||document.querySelector(`a[name="${t}"]`)}},Oe=Pn,ge={byId(e){return document.getElementById(e)||Q(`no id found for ${e}`)},removeClass(e,t){e.classList.remove(t),e.classList.length===0&&e.removeAttribute("class")},all(e,t,i){if(!e)return[];let n=Array.from(e.querySelectorAll(t));return i?n.forEach(i):n},childNodeLength(e){let t=document.createElement("template");return t.innerHTML=e,t.content.childElementCount},isUploadInput(e){return e.type==="file"&&e.getAttribute(Me)!==null},findUploadInputs(e){return this.all(e,`input[type="file"][${Me}]`)},findComponentNodeList(e,t){return this.filterWithinSameLiveView(this.all(e,`[${le}="${t}"]`),e)},isPhxDestroyed(e){return!!(e.id&&ge.private(e,"destroyed"))},markPhxChildDestroyed(e){this.isPhxChild(e)&&e.setAttribute(Le,""),this.putPrivate(e,"destroyed",!0)},findPhxChildrenInFragment(e,t){let i=document.createElement("template");return i.innerHTML=e,this.findPhxChildren(i.content,t)},isIgnored(e,t){return(e.getAttribute(t)||e.getAttribute("data-phx-update"))==="ignore"},isPhxUpdate(e,t,i){return e.getAttribute&&i.indexOf(e.getAttribute(t))>=0},findPhxSticky(e){return this.all(e,`[${Fi}]`)},findPhxChildren(e,t){return this.all(e,`${Fe}[${Be}="${t}"]`)},findParentCIDs(e,t){let i=new Set(t);return t.reduce((n,r)=>{let s=`[${le}="${r}"] [${le}]`;return this.filterWithinSameLiveView(this.all(e,s),e).map(o=>parseInt(o.getAttribute(le))).forEach(o=>n.delete(o)),n},i)},filterWithinSameLiveView(e,t){return t.querySelector(Fe)?e.filter(i=>this.withinSameLiveView(i,t)):e},withinSameLiveView(e,t){for(;e=e.parentNode;){if(e.isSameNode(t))return!0;if(e.getAttribute(Le)!==null)return!1}},private(e,t){return e[ve]&&e[ve][t]},deletePrivate(e,t){e[ve]&&delete e[ve][t]},putPrivate(e,t,i){e[ve]||(e[ve]={}),e[ve][t]=i},updatePrivate(e,t,i,n){let r=this.private(e,t);r===void 0?this.putPrivate(e,t,n(i)):this.putPrivate(e,t,n(r))},copyPrivates(e,t){t[ve]&&(e[ve]=t[ve])},putTitle(e){let t=document.querySelector("title"),{prefix:i,suffix:n}=t.dataset;document.title=`${i||""}${e}${n||""}`},debounce(e,t,i,n,r,s,o,a){let l=e.getAttribute(i),h=e.getAttribute(r);l===""&&(l=n),h===""&&(h=s);let d=l||h;switch(d){case null:return a();case"blur":this.once(e,"debounce-blur")&&e.addEventListener("blur",()=>a());return;default:let c=parseInt(d),g=()=>h?this.deletePrivate(e,_t):a(),u=this.incCycle(e,Ye,g);if(isNaN(c))return Q(`invalid throttle/debounce value: ${d}`);if(h){let m=!1;if(t.type==="keydown"){let y=this.private(e,Vi);this.putPrivate(e,Vi,t.key),m=y!==t.key}if(!m&&this.private(e,_t))return!1;a(),this.putPrivate(e,_t,!0),setTimeout(()=>{o()&&this.triggerCycle(e,Ye)},c)}else setTimeout(()=>{o()&&this.triggerCycle(e,Ye,u)},c);let v=e.form;v&&this.once(v,"bind-debounce")&&v.addEventListener("submit",()=>{Array.from(new FormData(v).entries(),([m])=>{let y=v.querySelector(`[name="${m}"]`);this.incCycle(y,Ye),this.deletePrivate(y,_t)})}),this.once(e,"bind-debounce")&&e.addEventListener("blur",()=>this.triggerCycle(e,Ye))}},triggerCycle(e,t,i){let[n,r]=this.private(e,t);i||(i=n),i===n&&(this.incCycle(e,t),r())},once(e,t){return this.private(e,t)===!0?!1:(this.putPrivate(e,t,!0),!0)},incCycle(e,t,i=function(){}){let[n]=this.private(e,t)||[0,i];return n++,this.putPrivate(e,t,[n,i]),n},discardError(e,t,i){let n=t.getAttribute&&t.getAttribute(i),r=n&&e.querySelector(`[id="${n}"], [name="${n}"]`);r&&(this.private(r,On)||this.private(r.form,Ln)||t.classList.add(ji))},showError(e,t){(e.id||e.name)&&this.all(e.form,`[${t}="${e.id}"], [${t}="${e.name}"]`,i=>{this.removeClass(i,ji)})},isPhxChild(e){return e.getAttribute&&e.getAttribute(Be)},isPhxSticky(e){return e.getAttribute&&e.getAttribute(Fi)!==null},firstPhxChild(e){return this.isPhxChild(e)?e:this.all(e,`[${Be}]`)[0]},dispatchEvent(e,t,i={}){let r={bubbles:i.bubbles===void 0?!0:!!i.bubbles,cancelable:!0,detail:i.detail||{}},s=t==="click"?new MouseEvent("click",r):new CustomEvent(t,r);e.dispatchEvent(s)},cloneNode(e,t){if(typeof t>"u")return e.cloneNode(!0);{let i=e.cloneNode(!1);return i.innerHTML=t,i}},mergeAttrs(e,t,i={}){let n=i.exclude||[],r=i.isIgnored,s=t.attributes;for(let a=s.length-1;a>=0;a--){let l=s[a].name;n.indexOf(l)<0&&e.setAttribute(l,t.getAttribute(l))}let o=e.attributes;for(let a=o.length-1;a>=0;a--){let l=o[a].name;r?l.startsWith("data-")&&!t.hasAttribute(l)&&e.removeAttribute(l):t.hasAttribute(l)||e.removeAttribute(l)}},mergeFocusedInput(e,t){e instanceof HTMLSelectElement||ge.mergeAttrs(e,t,{exclude:["value"]}),t.readOnly?e.setAttribute("readonly",!0):e.removeAttribute("readonly")},hasSelectionRange(e){return e.setSelectionRange&&(e.type==="text"||e.type==="textarea")},restoreFocus(e,t,i){if(!ge.isTextualInput(e))return;let n=e.matches(":focus");e.readOnly&&e.blur(),n||e.focus(),this.hasSelectionRange(e)&&e.setSelectionRange(t,i)},isFormInput(e){return/^(?:input|select|textarea)$/i.test(e.tagName)&&e.type!=="button"},syncAttrsToProps(e){e instanceof HTMLInputElement&&Dn.indexOf(e.type.toLocaleLowerCase())>=0&&(e.checked=e.getAttribute("checked")!==null)},isTextualInput(e){return Ar.indexOf(e.type)>=0},isNowTriggerFormExternal(e,t){return e.getAttribute&&e.getAttribute(t)!==null},syncPendingRef(e,t,i){let n=e.getAttribute(ye);if(n===null)return!0;let r=e.getAttribute(Ne);return ge.isFormInput(e)||e.getAttribute(i)!==null?(ge.isUploadInput(e)&&ge.mergeAttrs(e,t,{isIgnored:!0}),ge.putPrivate(e,ye,t),!1):(Sn.forEach(s=>{e.classList.contains(s)&&t.classList.add(s)}),t.setAttribute(ye,n),t.setAttribute(Ne,r),!0)},cleanChildNodes(e,t){if(ge.isPhxUpdate(e,t,["append","prepend"])){let i=[];e.childNodes.forEach(n=>{n.id||(n.nodeType===Node.TEXT_NODE&&n.nodeValue.trim()===""||Q(`only HTML element tags with an id are allowed inside containers with phx-update. - -removing illegal node: "${(n.outerHTML||n.nodeValue).trim()}" - -`),i.push(n))}),i.forEach(n=>n.remove())}},replaceRootContainer(e,t,i){let n=new Set(["id",Le,nt,vi,ct]);if(e.tagName.toLowerCase()===t.toLowerCase())return Array.from(e.attributes).filter(r=>!n.has(r.name.toLowerCase())).forEach(r=>e.removeAttribute(r.name)),Object.keys(i).filter(r=>!n.has(r.toLowerCase())).forEach(r=>e.setAttribute(r,i[r])),e;{let r=document.createElement(t);return Object.keys(i).forEach(s=>r.setAttribute(s,i[s])),n.forEach(s=>r.setAttribute(s,e.getAttribute(s))),r.innerHTML=e.innerHTML,e.replaceWith(r),r}},getSticky(e,t,i){let n=(ge.private(e,"sticky")||[]).find(([r])=>t===r);if(n){let[r,s,o]=n;return o}else return typeof i=="function"?i():i},deleteSticky(e,t){this.updatePrivate(e,"sticky",[],i=>i.filter(([n,r])=>n!==t))},putSticky(e,t,i){let n=i(e);this.updatePrivate(e,"sticky",[],r=>{let s=r.findIndex(([o])=>t===o);return s>=0?r[s]=[t,i,n]:r.push([t,i,n]),r})},applyStickyOperations(e){let t=ge.private(e,"sticky");t&&t.forEach(([i,n,r])=>this.putSticky(e,i,n))}},_=ge,Zt=class{static isActive(e,t){let i=t._phxRef===void 0,r=e.getAttribute(ri).split(",").indexOf(G.genFileRef(t))>=0;return t.size>0&&(i||r)}static isPreflighted(e,t){return e.getAttribute(mi).split(",").indexOf(G.genFileRef(t))>=0&&this.isActive(e,t)}constructor(e,t,i){this.ref=G.genFileRef(t),this.fileEl=e,this.file=t,this.view=i,this.meta=null,this._isCancelled=!1,this._isDone=!1,this._progress=0,this._lastProgressSent=-1,this._onDone=function(){},this._onElUpdated=this.onElUpdated.bind(this),this.fileEl.addEventListener(si,this._onElUpdated)}metadata(){return this.meta}progress(e){this._progress=Math.floor(e),this._progress>this._lastProgressSent&&(this._progress>=100?(this._progress=100,this._lastProgressSent=100,this._isDone=!0,this.view.pushFileProgress(this.fileEl,this.ref,100,()=>{G.untrackFile(this.fileEl,this.file),this._onDone()})):(this._lastProgressSent=this._progress,this.view.pushFileProgress(this.fileEl,this.ref,this._progress)))}cancel(){this._isCancelled=!0,this._isDone=!0,this._onDone()}isDone(){return this._isDone}error(e="failed"){this.view.pushFileProgress(this.fileEl,this.ref,{error:e}),G.clearFiles(this.fileEl)}onDone(e){this._onDone=()=>{this.fileEl.removeEventListener(si,this._onElUpdated),e()}}onElUpdated(){this.fileEl.getAttribute(ri).split(",").indexOf(this.ref)===-1&&this.cancel()}toPreflightPayload(){return{last_modified:this.file.lastModified,name:this.file.name,size:this.file.size,type:this.file.type,ref:this.ref}}uploader(e){if(this.meta.uploader){let t=e[this.meta.uploader]||Q(`no uploader configured for ${this.meta.uploader}`);return{name:this.meta.uploader,callback:t}}else return{name:"channel",callback:Hr}}zipPostFlight(e){this.meta=e.entries[this.ref],this.meta||Q(`no preflight upload response returned with ref ${this.ref}`,{input:this.fileEl,response:e})}},$r=0,G=class{static genFileRef(e){let t=e._phxRef;return t!==void 0?t:(e._phxRef=($r++).toString(),e._phxRef)}static getEntryDataURL(e,t,i){let n=this.activeFiles(e).find(r=>this.genFileRef(r)===t);i(URL.createObjectURL(n))}static hasUploadsInProgress(e){let t=0;return _.findUploadInputs(e).forEach(i=>{i.getAttribute(mi)!==i.getAttribute(yr)&&t++}),t>0}static serializeUploads(e){let t=this.activeFiles(e),i={};return t.forEach(n=>{let r={path:e.name},s=e.getAttribute(Me);i[s]=i[s]||[],r.ref=this.genFileRef(n),r.name=n.name||r.ref,r.type=n.type,r.size=n.size,i[s].push(r)}),i}static clearFiles(e){e.value=null,e.removeAttribute(Me),_.putPrivate(e,"files",[])}static untrackFile(e,t){_.putPrivate(e,"files",_.private(e,"files").filter(i=>!Object.is(i,t)))}static trackFiles(e,t){if(e.getAttribute("multiple")!==null){let i=t.filter(n=>!this.activeFiles(e).find(r=>Object.is(r,n)));_.putPrivate(e,"files",this.activeFiles(e).concat(i)),e.value=null}else _.putPrivate(e,"files",t)}static activeFileInputs(e){let t=_.findUploadInputs(e);return Array.from(t).filter(i=>i.files&&this.activeFiles(i).length>0)}static activeFiles(e){return(_.private(e,"files")||[]).filter(t=>Zt.isActive(e,t))}static inputsAwaitingPreflight(e){let t=_.findUploadInputs(e);return Array.from(t).filter(i=>this.filesAwaitingPreflight(i).length>0)}static filesAwaitingPreflight(e){return this.activeFiles(e).filter(t=>!Zt.isPreflighted(e,t))}constructor(e,t,i){this.view=t,this.onComplete=i,this._entries=Array.from(G.filesAwaitingPreflight(e)||[]).map(n=>new Zt(e,n,t)),this.numEntriesInProgress=this._entries.length}entries(){return this._entries}initAdapterUpload(e,t,i){this._entries=this._entries.map(r=>(r.zipPostFlight(e),r.onDone(()=>{this.numEntriesInProgress--,this.numEntriesInProgress===0&&this.onComplete()}),r));let n=this._entries.reduce((r,s)=>{let{name:o,callback:a}=s.uploader(i.uploaders);return r[o]=r[o]||{callback:a,entries:[]},r[o].entries.push(s),r},{});for(let r in n){let{callback:s,entries:o}=n[r];s(o,t,e,i)}}},jr={LiveFileUpload:{activeRefs(){return this.el.getAttribute(ri)},preflightedRefs(){return this.el.getAttribute(mi)},mounted(){this.preflightedWas=this.preflightedRefs()},updated(){let e=this.preflightedRefs();this.preflightedWas!==e&&(this.preflightedWas=e,e===""&&this.__view.cancelSubmit(this.el.form)),this.activeRefs()===""&&(this.el.value=null),this.el.dispatchEvent(new CustomEvent(si))}},LiveImgPreview:{mounted(){this.ref=this.el.getAttribute("data-phx-entry-ref"),this.inputEl=document.getElementById(this.el.getAttribute(Me)),G.getEntryDataURL(this.inputEl,this.ref,e=>{this.url=e,this.el.src=e})},destroyed(){URL.revokeObjectURL(this.url)}}},Br=jr,Fr=class{constructor(e,t,i){let n=new Set,r=new Set([...t.children].map(o=>o.id)),s=[];Array.from(e.children).forEach(o=>{if(o.id&&(n.add(o.id),r.has(o.id))){let a=o.previousElementSibling&&o.previousElementSibling.id;s.push({elementId:o.id,previousElementId:a})}}),this.containerId=t.id,this.updateType=i,this.elementsToModify=s,this.elementIdsToAdd=[...r].filter(o=>!n.has(o))}perform(){let e=_.byId(this.containerId);this.elementsToModify.forEach(t=>{t.previousElementId?Te(document.getElementById(t.previousElementId),i=>{Te(document.getElementById(t.elementId),n=>{n.previousElementSibling&&n.previousElementSibling.id==i.id||i.insertAdjacentElement("afterend",n)})}):Te(document.getElementById(t.elementId),i=>{i.previousElementSibling==null||e.insertAdjacentElement("afterbegin",i)})}),this.updateType=="prepend"&&this.elementIdsToAdd.reverse().forEach(t=>{Te(document.getElementById(t),i=>e.insertAdjacentElement("afterbegin",i))})}},zi=11;function Ur(e,t){var i=t.attributes,n,r,s,o,a;if(!(t.nodeType===zi||e.nodeType===zi)){for(var l=i.length-1;l>=0;l--)n=i[l],r=n.name,s=n.namespaceURI,o=n.value,s?(r=n.localName||r,a=e.getAttributeNS(s,r),a!==o&&(n.prefix==="xmlns"&&(r=n.name),e.setAttributeNS(s,r,o))):(a=e.getAttribute(r),a!==o&&e.setAttribute(r,o));for(var h=e.attributes,d=h.length-1;d>=0;d--)n=h[d],r=n.name,s=n.namespaceURI,s?(r=n.localName||r,t.hasAttributeNS(s,r)||e.removeAttributeNS(s,r)):t.hasAttribute(r)||e.removeAttribute(r)}}var yt,Vr="http://www.w3.org/1999/xhtml",se=typeof document>"u"?void 0:document,Wr=!!se&&"content"in se.createElement("template"),qr=!!se&&se.createRange&&"createContextualFragment"in se.createRange();function Kr(e){var t=se.createElement("template");return t.innerHTML=e,t.content.childNodes[0]}function Jr(e){yt||(yt=se.createRange(),yt.selectNode(se.body));var t=yt.createContextualFragment(e);return t.childNodes[0]}function Xr(e){var t=se.createElement("body");return t.innerHTML=e,t.childNodes[0]}function zr(e){return e=e.trim(),Wr?Kr(e):qr?Jr(e):Xr(e)}function Et(e,t){var i=e.nodeName,n=t.nodeName,r,s;return i===n?!0:(r=i.charCodeAt(0),s=n.charCodeAt(0),r<=90&&s>=97?i===n.toUpperCase():s<=90&&r>=97?n===i.toUpperCase():!1)}function Yr(e,t){return!t||t===Vr?se.createElement(e):se.createElementNS(t,e)}function Gr(e,t){for(var i=e.firstChild;i;){var n=i.nextSibling;t.appendChild(i),i=n}return t}function ei(e,t,i){e[i]!==t[i]&&(e[i]=t[i],e[i]?e.setAttribute(i,""):e.removeAttribute(i))}var Yi={OPTION:function(e,t){var i=e.parentNode;if(i){var n=i.nodeName.toUpperCase();n==="OPTGROUP"&&(i=i.parentNode,n=i&&i.nodeName.toUpperCase()),n==="SELECT"&&!i.hasAttribute("multiple")&&(e.hasAttribute("selected")&&!t.selected&&(e.setAttribute("selected","selected"),e.removeAttribute("selected")),i.selectedIndex=-1)}ei(e,t,"selected")},INPUT:function(e,t){ei(e,t,"checked"),ei(e,t,"disabled"),e.value!==t.value&&(e.value=t.value),t.hasAttribute("value")||e.removeAttribute("value")},TEXTAREA:function(e,t){var i=t.value;e.value!==i&&(e.value=i);var n=e.firstChild;if(n){var r=n.nodeValue;if(r==i||!i&&r==e.placeholder)return;n.nodeValue=i}},SELECT:function(e,t){if(!t.hasAttribute("multiple")){for(var i=-1,n=0,r=e.firstChild,s,o;r;)if(o=r.nodeName&&r.nodeName.toUpperCase(),o==="OPTGROUP")s=r,r=s.firstChild;else{if(o==="OPTION"){if(r.hasAttribute("selected")){i=n;break}n++}r=r.nextSibling,!r&&s&&(r=s.nextSibling,s=null)}e.selectedIndex=i}}},Qe=1,Qr=11,Gi=3,Qi=8;function Re(){}function Zr(e){if(e)return e.getAttribute&&e.getAttribute("id")||e.id}function es(e){return function(i,n,r){if(r||(r={}),typeof n=="string")if(i.nodeName==="#document"||i.nodeName==="HTML"||i.nodeName==="BODY"){var s=n;n=se.createElement("html"),n.innerHTML=s}else n=zr(n);var o=r.getNodeKey||Zr,a=r.onBeforeNodeAdded||Re,l=r.onNodeAdded||Re,h=r.onBeforeElUpdated||Re,d=r.onElUpdated||Re,c=r.onBeforeNodeDiscarded||Re,g=r.onNodeDiscarded||Re,u=r.onBeforeElChildrenUpdated||Re,v=r.childrenOnly===!0,m=Object.create(null),y=[];function S(T){y.push(T)}function N(T,w){if(T.nodeType===Qe)for(var b=T.firstChild;b;){var D=void 0;w&&(D=o(b))?S(D):(g(b),b.firstChild&&N(b,w)),b=b.nextSibling}}function f(T,w,b){c(T)!==!1&&(w&&w.removeChild(T),g(T),N(T,b))}function A(T){if(T.nodeType===Qe||T.nodeType===Qr)for(var w=T.firstChild;w;){var b=o(w);b&&(m[b]=w),A(w),w=w.nextSibling}}A(i);function P(T){l(T);for(var w=T.firstChild;w;){var b=w.nextSibling,D=o(w);if(D){var I=m[D];I&&Et(w,I)?(w.parentNode.replaceChild(I,w),C(I,w)):P(w)}else P(w);w=b}}function E(T,w,b){for(;w;){var D=w.nextSibling;(b=o(w))?S(b):f(w,T,!0),w=D}}function C(T,w,b){var D=o(w);D&&delete m[D],!(!b&&(h(T,w)===!1||(e(T,w),d(T),u(T,w)===!1)))&&(T.nodeName!=="TEXTAREA"?x(T,w):Yi.TEXTAREA(T,w))}function x(T,w){var b=w.firstChild,D=T.firstChild,I,U,B,J,F;e:for(;b;){for(J=b.nextSibling,I=o(b);D;){if(B=D.nextSibling,b.isSameNode&&b.isSameNode(D)){b=J,D=B;continue e}U=o(D);var ee=D.nodeType,W=void 0;if(ee===b.nodeType&&(ee===Qe?(I?I!==U&&((F=m[I])?B===F?W=!1:(T.insertBefore(F,D),U?S(U):f(D,T,!0),D=F):W=!1):U&&(W=!1),W=W!==!1&&Et(D,b),W&&C(D,b)):(ee===Gi||ee==Qi)&&(W=!0,D.nodeValue!==b.nodeValue&&(D.nodeValue=b.nodeValue))),W){b=J,D=B;continue e}U?S(U):f(D,T,!0),D=B}if(I&&(F=m[I])&&Et(F,b))T.appendChild(F),C(F,b);else{var K=a(b);K!==!1&&(K&&(b=K),b.actualize&&(b=b.actualize(T.ownerDocument||se)),T.appendChild(b),P(b))}b=J,D=B}E(T,D,U);var z=Yi[T.nodeName];z&&z(T,w)}var k=i,M=k.nodeType,H=n.nodeType;if(!v){if(M===Qe)H===Qe?Et(i,n)||(g(i),k=Gr(i,Yr(n.nodeName,n.namespaceURI))):k=n;else if(M===Gi||M===Qi){if(H===M)return k.nodeValue!==n.nodeValue&&(k.nodeValue=n.nodeValue),k;k=n}}if(k===n)g(i);else{if(n.isSameNode&&n.isSameNode(k))return;if(C(k,n,v),y)for(var p=0,O=y.length;p{if(i&&i.isSameNode(n)&&_.isFormInput(n))return _.mergeFocusedInput(n,r),!1}})}constructor(e,t,i,n,r){this.view=e,this.liveSocket=e.liveSocket,this.container=t,this.id=i,this.rootID=e.root.id,this.html=n,this.targetCID=r,this.cidPatch=De(this.targetCID),this.callbacks={beforeadded:[],beforeupdated:[],beforephxChildAdded:[],afteradded:[],afterupdated:[],afterdiscarded:[],afterphxChildAdded:[],aftertransitionsDiscarded:[]}}before(e,t){this.callbacks[`before${e}`].push(t)}after(e,t){this.callbacks[`after${e}`].push(t)}trackBefore(e,...t){this.callbacks[`before${e}`].forEach(i=>i(...t))}trackAfter(e,...t){this.callbacks[`after${e}`].forEach(i=>i(...t))}markPrunableContentForRemoval(){_.all(this.container,"[phx-update=append] > *, [phx-update=prepend] > *",e=>{e.setAttribute(Mi,"")})}perform(){let{view:e,liveSocket:t,container:i,html:n}=this,r=this.isCIDPatch()?this.targetCIDContainer(n):i;if(this.isCIDPatch()&&!r)return;let s=t.getActiveElement(),{selectionStart:o,selectionEnd:a}=s&&_.hasSelectionRange(s)?s:{},l=t.binding(ci),h=t.binding(ai),d=t.binding(li),c=t.binding(Er),g=t.binding("remove"),u=[],v=[],m=[],y=[],S=null,N=t.time("premorph container prep",()=>this.buildDiffHTML(i,n,l,r));return this.trackBefore("added",i),this.trackBefore("updated",i,i),t.time("morphdom",()=>{Zi(r,N,{childrenOnly:r.getAttribute(le)===null,getNodeKey:f=>_.isPhxDestroyed(f)?null:f.id,onBeforeNodeAdded:f=>(this.trackBefore("added",f),f),onNodeAdded:f=>{f instanceof HTMLImageElement&&f.srcset?f.srcset=f.srcset:f instanceof HTMLVideoElement&&f.autoplay&&f.play(),_.isNowTriggerFormExternal(f,c)&&(S=f),_.discardError(r,f,h),(_.isPhxChild(f)&&e.ownsElement(f)||_.isPhxSticky(f)&&e.ownsElement(f.parentNode))&&this.trackAfter("phxChildAdded",f),u.push(f)},onNodeDiscarded:f=>{(_.isPhxChild(f)||_.isPhxSticky(f))&&t.destroyViewByEl(f),this.trackAfter("discarded",f)},onBeforeNodeDiscarded:f=>f.getAttribute&&f.getAttribute(Mi)!==null?!0:f.parentNode!==null&&_.isPhxUpdate(f.parentNode,l,["append","prepend"])&&f.id?!1:f.getAttribute&&f.getAttribute(g)?(y.push(f),!1):!this.skipCIDSibling(f),onElUpdated:f=>{_.isNowTriggerFormExternal(f,c)&&(S=f),v.push(f)},onBeforeElUpdated:(f,A)=>{if(_.cleanChildNodes(A,l),this.skipCIDSibling(A)||_.isPhxSticky(f))return!1;if(_.isIgnored(f,l))return this.trackBefore("updated",f,A),_.mergeAttrs(f,A,{isIgnored:!0}),v.push(f),_.applyStickyOperations(f),!1;if(f.type==="number"&&f.validity&&f.validity.badInput)return!1;if(!_.syncPendingRef(f,A,d))return _.isUploadInput(f)&&(this.trackBefore("updated",f,A),v.push(f)),_.applyStickyOperations(f),!1;if(_.isPhxChild(A)){let E=f.getAttribute(Le);return _.mergeAttrs(f,A,{exclude:[nt]}),E!==""&&f.setAttribute(Le,E),f.setAttribute(ct,this.rootID),_.applyStickyOperations(f),!1}return _.copyPrivates(A,f),_.discardError(r,A,h),s&&f.isSameNode(s)&&_.isFormInput(f)?(this.trackBefore("updated",f,A),_.mergeFocusedInput(f,A),_.syncAttrsToProps(f),v.push(f),_.applyStickyOperations(f),!1):(_.isPhxUpdate(A,l,["append","prepend"])&&m.push(new Fr(f,A,A.getAttribute(l))),_.syncAttrsToProps(A),_.applyStickyOperations(A),this.trackBefore("updated",f,A),!0)}})}),t.isDebugEnabled()&&Nr(),m.length>0&&t.time("post-morph append/prepend restoration",()=>{m.forEach(f=>f.perform())}),t.silenceEvents(()=>_.restoreFocus(s,o,a)),_.dispatchEvent(document,"phx:update"),u.forEach(f=>this.trackAfter("added",f)),v.forEach(f=>this.trackAfter("updated",f)),y.length>0&&(t.transitionRemoves(y),t.requestDOMUpdate(()=>{y.forEach(f=>{let A=_.firstPhxChild(f);A&&t.destroyViewByEl(A),f.remove()}),this.trackAfter("transitionsDiscarded",y)})),S&&(t.disconnect(),S.submit()),!0}isCIDPatch(){return this.cidPatch}skipCIDSibling(e){return e.nodeType===Node.ELEMENT_NODE&&e.getAttribute(oi)!==null}targetCIDContainer(e){if(!this.isCIDPatch())return;let[t,...i]=_.findComponentNodeList(this.container,this.targetCID);return i.length===0&&_.childNodeLength(e)===1?t:t&&t.parentNode}buildDiffHTML(e,t,i,n){let r=this.isCIDPatch(),s=r&&n.getAttribute(le)===this.targetCID.toString();if(!r||s)return t;{let o=null,a=document.createElement("template");o=_.cloneNode(n);let[l,...h]=_.findComponentNodeList(o,this.targetCID);return a.innerHTML=t,h.forEach(d=>d.remove()),Array.from(o.childNodes).forEach(d=>{d.id&&d.nodeType===Node.ELEMENT_NODE&&d.getAttribute(le)!==this.targetCID.toString()&&(d.setAttribute(oi,""),d.innerHTML="")}),Array.from(a.content.childNodes).forEach(d=>o.insertBefore(d,l)),l.remove(),o.outerHTML}}},en=class{static extract(e){let{[Ki]:t,[qi]:i,[Ji]:n}=e;return delete e[Ki],delete e[qi],delete e[Ji],{diff:e,title:n,reply:t||null,events:i||[]}}constructor(e,t){this.viewId=e,this.rendered={},this.mergeDiff(t)}parentViewId(){return this.viewId}toString(e){return this.recursiveToString(this.rendered,this.rendered[ae],e)}recursiveToString(e,t=e[ae],i){i=i?new Set(i):null;let n={buffer:"",components:t,onlyCids:i};return this.toOutputBuffer(e,null,n),n.buffer}componentCIDs(e){return Object.keys(e[ae]||{}).map(t=>parseInt(t))}isComponentOnlyDiff(e){return e[ae]?Object.keys(e).length===1:!1}getComponent(e,t){return e[ae][t]}mergeDiff(e){let t=e[ae],i={};if(delete e[ae],this.rendered=this.mutableMerge(this.rendered,e),this.rendered[ae]=this.rendered[ae]||{},t){let n=this.rendered[ae];for(let r in t)t[r]=this.cachedFindComponent(r,t[r],n,t,i);for(let r in t)n[r]=t[r];e[ae]=t}}cachedFindComponent(e,t,i,n,r){if(r[e])return r[e];{let s,o,a=t[be];if(De(a)){let l;a>0?l=this.cachedFindComponent(a,n[a],i,n,r):l=i[-a],o=l[be],s=this.cloneMerge(l,t),s[be]=o}else s=t[be]!==void 0?t:this.cloneMerge(i[e]||{},t);return r[e]=s,s}}mutableMerge(e,t){return t[be]!==void 0?t:(this.doMutableMerge(e,t),e)}doMutableMerge(e,t){for(let i in t){let n=t[i],r=e[i];Ge(n)&&n[be]===void 0&&Ge(r)?this.doMutableMerge(r,n):e[i]=n}}cloneMerge(e,t){let i={...e,...t};for(let n in i){let r=t[n],s=e[n];Ge(r)&&r[be]===void 0&&Ge(s)&&(i[n]=this.cloneMerge(s,r))}return i}componentToString(e){return this.recursiveCIDToString(this.rendered[ae],e)}pruneCIDs(e){e.forEach(t=>delete this.rendered[ae][t])}get(){return this.rendered}isNewFingerprint(e={}){return!!e[be]}templateStatic(e,t){return typeof e=="number"?t[e]:e}toOutputBuffer(e,t,i){if(e[Wi])return this.comprehensionToBuffer(e,t,i);let{[be]:n}=e;n=this.templateStatic(n,t),i.buffer+=n[0];for(let r=1;rc.nodeType===Node.ELEMENT_NODE?c.getAttribute(le)?[h,!0]:(c.setAttribute(le,t),c.id||(c.id=`${this.parentViewId()}-${t}-${g}`),o&&(c.setAttribute(oi,""),c.innerHTML=""),[!0,d]):c.nodeValue.trim()!==""?(Q(`only HTML element tags are allowed at the root of components. - -got: "${c.nodeValue.trim()}" - -within: -`,r.innerHTML.trim()),c.replaceWith(this.createSpan(c.nodeValue,t)),[!0,d]):(c.remove(),[h,d]),[!1,!1]);return!a&&!l?(Q(`expected at least one HTML element tag inside a component, but the component is empty: -`,r.innerHTML.trim()),this.createSpan("",t).outerHTML):(!a&&l&&Q("expected at least one HTML element tag directly inside a component, but only subcomponents were found. A component must render at least one HTML tag directly inside itself.",r.innerHTML.trim()),r.innerHTML)}createSpan(e,t){let i=document.createElement("span");return i.innerText=e,i.setAttribute(le,t),i}},is=1,Ze=class{static makeID(){return is++}static elementID(e){return e.phxHookId}constructor(e,t,i){this.__view=e,this.liveSocket=e.liveSocket,this.__callbacks=i,this.__listeners=new Set,this.__isDisconnected=!1,this.el=t,this.el.phxHookId=this.constructor.makeID();for(let n in this.__callbacks)this[n]=this.__callbacks[n]}__mounted(){this.mounted&&this.mounted()}__updated(){this.updated&&this.updated()}__beforeUpdate(){this.beforeUpdate&&this.beforeUpdate()}__destroyed(){this.destroyed&&this.destroyed()}__reconnected(){this.__isDisconnected&&(this.__isDisconnected=!1,this.reconnected&&this.reconnected())}__disconnected(){this.__isDisconnected=!0,this.disconnected&&this.disconnected()}pushEvent(e,t={},i=function(){}){return this.__view.pushHookEvent(null,e,t,i)}pushEventTo(e,t,i={},n=function(){}){return this.__view.withinTargets(e,(r,s)=>r.pushHookEvent(s,t,i,n))}handleEvent(e,t){let i=(n,r)=>r?e:t(n.detail);return window.addEventListener(`phx:${e}`,i),this.__listeners.add(i),i}removeHandleEvent(e){let t=e(null,!0);window.removeEventListener(`phx:${t}`,e),this.__listeners.delete(e)}upload(e,t){return this.__view.dispatchUploads(e,t)}uploadTo(e,t,i){return this.__view.withinTargets(e,n=>n.dispatchUploads(t,i))}__cleanup__(){this.__listeners.forEach(e=>this.removeHandleEvent(e))}},ns={exec(e,t,i,n,r){let[s,o]=r||[null,{}];(t.charAt(0)==="["?JSON.parse(t):[[s,o]]).forEach(([l,h])=>{l===s&&o.data&&(h.data=Object.assign(h.data||{},o.data)),this.filterToEls(n,h).forEach(d=>{this[`exec_${l}`](e,t,i,n,d,h)})})},isVisible(e){return!!(e.offsetWidth||e.offsetHeight||e.getClientRects().length>0)},exec_dispatch(e,t,i,n,r,{to:s,event:o,detail:a,bubbles:l}){a=a||{},a.dispatcher=n,_.dispatchEvent(r,o,{detail:a,bubbles:l})},exec_push(e,t,i,n,r,s){if(!i.isConnected())return;let{event:o,data:a,target:l,page_loading:h,loading:d,value:c,dispatcher:g}=s,u={loading:d,value:c,target:l,page_loading:!!h},v=e==="change"&&g?g:n,m=l||v.getAttribute(i.binding("target"))||v;i.withinTargets(m,(y,S)=>{if(e==="change"){let{newCid:N,_target:f,callback:A}=s;f=f||(n instanceof HTMLInputElement?n.name:void 0),f&&(u._target=f),y.pushInput(n,S,N,o||t,u,A)}else e==="submit"?y.submitForm(n,S,o||t,u):y.pushEvent(e,n,S,o||t,a,u)})},exec_add_class(e,t,i,n,r,{names:s,transition:o,time:a}){this.addOrRemoveClasses(r,s,[],o,a,i)},exec_remove_class(e,t,i,n,r,{names:s,transition:o,time:a}){this.addOrRemoveClasses(r,[],s,o,a,i)},exec_transition(e,t,i,n,r,{time:s,transition:o}){let[a,l,h]=o,d=()=>this.addOrRemoveClasses(r,a.concat(l),[]),c=()=>this.addOrRemoveClasses(r,h,a.concat(l));i.transition(s,d,c)},exec_toggle(e,t,i,n,r,{display:s,ins:o,outs:a,time:l}){this.toggle(e,i,r,s,o,a,l)},exec_show(e,t,i,n,r,{display:s,transition:o,time:a}){this.show(e,i,r,s,o,a)},exec_hide(e,t,i,n,r,{display:s,transition:o,time:a}){this.hide(e,i,r,s,o,a)},exec_set_attr(e,t,i,n,r,{attr:[s,o]}){this.setOrRemoveAttrs(r,[[s,o]],[])},exec_remove_attr(e,t,i,n,r,{attr:s}){this.setOrRemoveAttrs(r,[],[s])},show(e,t,i,n,r,s){this.isVisible(i)||this.toggle(e,t,i,n,r,null,s)},hide(e,t,i,n,r,s){this.isVisible(i)&&this.toggle(e,t,i,n,null,r,s)},toggle(e,t,i,n,r,s,o){let[a,l,h]=r||[[],[],[]],[d,c,g]=s||[[],[],[]];if(a.length>0||d.length>0)if(this.isVisible(i)){let u=()=>{this.addOrRemoveClasses(i,c,a.concat(l).concat(h)),window.requestAnimationFrame(()=>{this.addOrRemoveClasses(i,d,[]),window.requestAnimationFrame(()=>this.addOrRemoveClasses(i,g,c))})};i.dispatchEvent(new Event("phx:hide-start")),t.transition(o,u,()=>{this.addOrRemoveClasses(i,[],d.concat(g)),_.putSticky(i,"toggle",v=>v.style.display="none"),i.dispatchEvent(new Event("phx:hide-end"))})}else{if(e==="remove")return;let u=()=>{this.addOrRemoveClasses(i,l,d.concat(c).concat(g)),_.putSticky(i,"toggle",v=>v.style.display=n||"block"),window.requestAnimationFrame(()=>{this.addOrRemoveClasses(i,a,[]),window.requestAnimationFrame(()=>this.addOrRemoveClasses(i,h,l))})};i.dispatchEvent(new Event("phx:show-start")),t.transition(o,u,()=>{this.addOrRemoveClasses(i,[],a.concat(h)),i.dispatchEvent(new Event("phx:show-end"))})}else this.isVisible(i)?window.requestAnimationFrame(()=>{i.dispatchEvent(new Event("phx:hide-start")),_.putSticky(i,"toggle",u=>u.style.display="none"),i.dispatchEvent(new Event("phx:hide-end"))}):window.requestAnimationFrame(()=>{i.dispatchEvent(new Event("phx:show-start")),_.putSticky(i,"toggle",u=>u.style.display=n||"block"),i.dispatchEvent(new Event("phx:show-end"))})},addOrRemoveClasses(e,t,i,n,r,s){let[o,a,l]=n||[[],[],[]];if(o.length>0){let h=()=>this.addOrRemoveClasses(e,a.concat(o),[]),d=()=>this.addOrRemoveClasses(e,t.concat(l),i.concat(o).concat(a));return s.transition(r,h,d)}window.requestAnimationFrame(()=>{let[h,d]=_.getSticky(e,"classes",[[],[]]),c=t.filter(m=>h.indexOf(m)<0&&!e.classList.contains(m)),g=i.filter(m=>d.indexOf(m)<0&&e.classList.contains(m)),u=h.filter(m=>i.indexOf(m)<0).concat(c),v=d.filter(m=>t.indexOf(m)<0).concat(g);_.putSticky(e,"classes",m=>(m.classList.remove(...v),m.classList.add(...u),[u,v]))})},setOrRemoveAttrs(e,t,i){let[n,r]=_.getSticky(e,"attrs",[[],[]]),s=t.map(([l,h])=>l).concat(i),o=n.filter(([l,h])=>!s.includes(l)).concat(t),a=r.filter(l=>!s.includes(l)).concat(i);_.putSticky(e,"attrs",l=>(a.forEach(h=>l.removeAttribute(h)),o.forEach(([h,d])=>l.setAttribute(h,d)),[o,a]))},hasAllClasses(e,t){return t.every(i=>e.classList.contains(i))},isToggledOut(e,t){return!this.isVisible(e)||this.hasAllClasses(e,t)},filterToEls(e,{to:t}){return t?_.all(document,t):[e]}},_e=ns,wt=(e,t,i=[])=>{let n=new FormData(e),r=[];n.forEach((o,a,l)=>{o instanceof File&&r.push(a)}),r.forEach(o=>n.delete(o));let s=new URLSearchParams;for(let[o,a]of n.entries())(i.length===0||i.indexOf(o)>=0)&&s.append(o,a);for(let o in t)s.append(o,t[o]);return s.toString()},xn=class{constructor(e,t,i,n){this.liveSocket=t,this.flash=n,this.parent=i,this.root=i?i.root:this,this.el=e,this.id=this.el.id,this.ref=0,this.childJoins=0,this.loaderTimer=null,this.pendingDiffs=[],this.pruningCIDs=[],this.redirect=!1,this.href=null,this.joinCount=this.parent?this.parent.joinCount-1:0,this.joinPending=!0,this.destroyed=!1,this.joinCallback=function(r){r&&r()},this.stopCallback=function(){},this.pendingJoinOps=this.parent?null:[],this.viewHooks={},this.uploaders={},this.formSubmits=[],this.children=this.parent?null:{},this.root.children[this.id]={},this.channel=this.liveSocket.channel(`lv:${this.id}`,()=>({redirect:this.redirect?this.href:void 0,url:this.redirect?void 0:this.href||void 0,params:this.connectParams(),session:this.getSession(),static:this.getStatic(),flash:this.flash})),this.showLoader(this.liveSocket.loaderTimeout),this.bindChannel()}setHref(e){this.href=e}setRedirect(e){this.redirect=!0,this.href=e}isMain(){return this.el.getAttribute(vi)!==null}connectParams(){let e=this.liveSocket.params(this.el),t=_.all(document,`[${this.binding(br)}]`).map(i=>i.src||i.href).filter(i=>typeof i=="string");return t.length>0&&(e._track_static=t),e._mounts=this.joinCount,e}isConnected(){return this.channel.canPush()}getSession(){return this.el.getAttribute(Le)}getStatic(){let e=this.el.getAttribute(nt);return e===""?null:e}destroy(e=function(){}){this.destroyAllChildren(),this.destroyed=!0,delete this.root.children[this.id],this.parent&&delete this.root.children[this.parent.id][this.id],clearTimeout(this.loaderTimer);let t=()=>{e();for(let i in this.viewHooks)this.destroyHook(this.viewHooks[i])};_.markPhxChildDestroyed(this.el),this.log("destroyed",()=>["the child has been removed from the parent"]),this.channel.leave().receive("ok",t).receive("error",t).receive("timeout",t)}setContainerClasses(...e){this.el.classList.remove($i,Xt,Bi),this.el.classList.add(...e)}showLoader(e){if(clearTimeout(this.loaderTimer),e)this.loaderTimer=setTimeout(()=>this.showLoader(),e);else{for(let t in this.viewHooks)this.viewHooks[t].__disconnected();this.setContainerClasses(Xt)}}hideLoader(){clearTimeout(this.loaderTimer),this.setContainerClasses($i)}triggerReconnected(){for(let e in this.viewHooks)this.viewHooks[e].__reconnected()}log(e,t){this.liveSocket.log(this,e,t)}transition(e,t,i=function(){}){this.liveSocket.transition(e,t,i)}withinTargets(e,t){if(e instanceof HTMLElement||e instanceof SVGElement)return this.liveSocket.owner(e,i=>t(i,e));if(De(e))_.findComponentNodeList(this.el,e).length===0?Q(`no component found matching phx-target of ${e}`):t(this,parseInt(e));else{let i=Array.from(document.querySelectorAll(e));i.length===0&&Q(`nothing found matching the phx-target selector "${e}"`),i.forEach(n=>this.liveSocket.owner(n,r=>t(r,n)))}}applyDiff(e,t,i){this.log(e,()=>["",Tt(t)]);let{diff:n,reply:r,events:s,title:o}=en.extract(t);return o&&_.putTitle(o),i({diff:n,reply:r,events:s}),r}onJoin(e){let{rendered:t,container:i}=e;if(i){let[n,r]=i;this.el=_.replaceRootContainer(this.el,n,r)}this.childJoins=0,this.joinPending=!0,this.flash=null,Oe.dropLocal(this.liveSocket.localStorage,window.location.pathname,Tn),this.applyDiff("mount",t,({diff:n,events:r})=>{this.rendered=new en(this.id,n);let s=this.renderContainer(null,"join");this.dropPendingRefs();let o=this.formsForRecovery(s);this.joinCount++,o.length>0?o.forEach(([a,l,h],d)=>{this.pushFormRecovery(a,h,c=>{d===o.length-1&&this.onJoinComplete(c,s,r)})}):this.onJoinComplete(e,s,r)})}dropPendingRefs(){_.all(document,`[${Ne}="${this.id}"][${ye}]`,e=>{e.removeAttribute(ye),e.removeAttribute(Ne)})}onJoinComplete({live_patch:e},t,i){if(this.joinCount>1||this.parent&&!this.parent.isJoinPending())return this.applyJoinPatch(e,t,i);_.findPhxChildrenInFragment(t,this.id).filter(r=>{let s=r.id&&this.el.querySelector(`[id="${r.id}"]`),o=s&&s.getAttribute(nt);return o&&r.setAttribute(nt,o),this.joinChild(r)}).length===0?this.parent?(this.root.pendingJoinOps.push([this,()=>this.applyJoinPatch(e,t,i)]),this.parent.ackJoin(this)):(this.onAllChildJoinsComplete(),this.applyJoinPatch(e,t,i)):this.root.pendingJoinOps.push([this,()=>this.applyJoinPatch(e,t,i)])}attachTrueDocEl(){this.el=_.byId(this.id),this.el.setAttribute(ct,this.root.id)}applyJoinPatch(e,t,i){this.attachTrueDocEl();let n=new At(this,this.el,this.id,t,null);if(n.markPrunableContentForRemoval(),this.performPatch(n,!1),this.joinNewChildren(),_.all(this.el,`[${this.binding(ze)}], [data-phx-${ze}]`,r=>{let s=this.addHook(r);s&&s.__mounted()}),this.joinPending=!1,this.liveSocket.dispatchEvents(i),this.applyPendingUpdates(),e){let{kind:r,to:s}=e;this.liveSocket.historyPatch(s,r)}this.hideLoader(),this.joinCount>1&&this.triggerReconnected(),this.stopCallback()}triggerBeforeUpdateHook(e,t){this.liveSocket.triggerDOM("onBeforeElUpdated",[e,t]);let i=this.getHook(e),n=i&&_.isIgnored(e,this.binding(ci));if(i&&!e.isEqualNode(t)&&!(n&&Mr(e.dataset,t.dataset)))return i.__beforeUpdate(),i}performPatch(e,t){let i=[],n=!1,r=new Set;return e.after("added",s=>{this.liveSocket.triggerDOM("onNodeAdded",[s]);let o=this.addHook(s);o&&o.__mounted()}),e.after("phxChildAdded",s=>{_.isPhxSticky(s)?this.liveSocket.joinRootViews():n=!0}),e.before("updated",(s,o)=>{this.triggerBeforeUpdateHook(s,o)&&r.add(s.id)}),e.after("updated",s=>{r.has(s.id)&&this.getHook(s).__updated()}),e.after("discarded",s=>{s.nodeType===Node.ELEMENT_NODE&&i.push(s)}),e.after("transitionsDiscarded",s=>this.afterElementsRemoved(s,t)),e.perform(),this.afterElementsRemoved(i,t),n}afterElementsRemoved(e,t){let i=[];e.forEach(n=>{let r=_.all(n,`[${le}]`),s=_.all(n,`[${this.binding(ze)}]`);r.concat(n).forEach(o=>{let a=this.componentID(o);De(a)&&i.indexOf(a)===-1&&i.push(a)}),s.concat(n).forEach(o=>{let a=this.getHook(o);a&&this.destroyHook(a)})}),t&&this.maybePushComponentsDestroyed(i)}joinNewChildren(){_.findPhxChildren(this.el,this.id).forEach(e=>this.joinChild(e))}getChildById(e){return this.root.children[this.id][e]}getDescendentByEl(e){return e.id===this.id?this:this.children[e.getAttribute(Be)][e.id]}destroyDescendent(e){for(let t in this.root.children)for(let i in this.root.children[t])if(i===e)return this.root.children[t][i].destroy()}joinChild(e){if(!this.getChildById(e.id)){let i=new xn(e,this.liveSocket,this);return this.root.children[this.id][i.id]=i,i.join(),this.childJoins++,!0}}isJoinPending(){return this.joinPending}ackJoin(e){this.childJoins--,this.childJoins===0&&(this.parent?this.parent.ackJoin(this):this.onAllChildJoinsComplete())}onAllChildJoinsComplete(){this.joinCallback(()=>{this.pendingJoinOps.forEach(([e,t])=>{e.isDestroyed()||t()}),this.pendingJoinOps=[]})}update(e,t){if(this.isJoinPending()||this.liveSocket.hasPendingLink()&&!_.isPhxSticky(this.el))return this.pendingDiffs.push({diff:e,events:t});this.rendered.mergeDiff(e);let i=!1;this.rendered.isComponentOnlyDiff(e)?this.liveSocket.time("component patch complete",()=>{_.findParentCIDs(this.el,this.rendered.componentCIDs(e)).forEach(r=>{this.componentPatch(this.rendered.getComponent(e,r),r)&&(i=!0)})}):Xi(e)||this.liveSocket.time("full patch complete",()=>{let n=this.renderContainer(e,"update"),r=new At(this,this.el,this.id,n,null);i=this.performPatch(r,!0)}),this.liveSocket.dispatchEvents(t),i&&this.joinNewChildren()}renderContainer(e,t){return this.liveSocket.time(`toString diff (${t})`,()=>{let i=this.el.tagName,n=e?this.rendered.componentCIDs(e).concat(this.pruningCIDs):null,r=this.rendered.toString(n);return`<${i}>${r}`})}componentPatch(e,t){if(Xi(e))return!1;let i=this.rendered.componentToString(t),n=new At(this,this.el,this.id,i,t);return this.performPatch(n,!0)}getHook(e){return this.viewHooks[Ze.elementID(e)]}addHook(e){if(Ze.elementID(e)||!e.getAttribute)return;let t=e.getAttribute(`data-phx-${ze}`)||e.getAttribute(this.binding(ze));if(t&&!this.ownsElement(e))return;let i=this.liveSocket.getHookCallbacks(t);if(i){e.id||Q(`no DOM ID for hook "${t}". Hooks require a unique ID on each element.`,e);let n=new Ze(this,e,i);return this.viewHooks[Ze.elementID(n.el)]=n,n}else t!==null&&Q(`unknown hook found for "${t}"`,e)}destroyHook(e){e.__destroyed(),e.__cleanup__(),delete this.viewHooks[Ze.elementID(e.el)]}applyPendingUpdates(){this.pendingDiffs.forEach(({diff:e,events:t})=>this.update(e,t)),this.pendingDiffs=[]}onChannel(e,t){this.liveSocket.onChannel(this.channel,e,i=>{this.isJoinPending()?this.root.pendingJoinOps.push([this,()=>t(i)]):this.liveSocket.requestDOMUpdate(()=>t(i))})}bindChannel(){this.liveSocket.onChannel(this.channel,"diff",e=>{this.liveSocket.requestDOMUpdate(()=>{this.applyDiff("update",e,({diff:t,events:i})=>this.update(t,i))})}),this.onChannel("redirect",({to:e,flash:t})=>this.onRedirect({to:e,flash:t})),this.onChannel("live_patch",e=>this.onLivePatch(e)),this.onChannel("live_redirect",e=>this.onLiveRedirect(e)),this.channel.onError(e=>this.onError(e)),this.channel.onClose(e=>this.onClose(e))}destroyAllChildren(){for(let e in this.root.children[this.id])this.getChildById(e).destroy()}onLiveRedirect(e){let{to:t,kind:i,flash:n}=e,r=this.expandURL(t);this.liveSocket.historyRedirect(r,i,n)}onLivePatch(e){let{to:t,kind:i}=e;this.href=this.expandURL(t),this.liveSocket.historyPatch(t,i)}expandURL(e){return e.startsWith("/")?`${window.location.protocol}//${window.location.host}${e}`:e}onRedirect({to:e,flash:t}){this.liveSocket.redirect(e,t)}isDestroyed(){return this.destroyed}join(e){this.isMain()&&(this.stopCallback=this.liveSocket.withPageLoading({to:this.href,kind:"initial"})),this.joinCallback=t=>{t=t||function(){},e?e(this.joinCount,t):t()},this.liveSocket.wrapPush(this,{timeout:!1},()=>this.channel.join().receive("ok",t=>{this.isDestroyed()||this.liveSocket.requestDOMUpdate(()=>this.onJoin(t))}).receive("error",t=>!this.isDestroyed()&&this.onJoinError(t)).receive("timeout",()=>!this.isDestroyed()&&this.onJoinError({reason:"timeout"})))}onJoinError(e){if(e.reason==="unauthorized"||e.reason==="stale")return this.log("error",()=>["unauthorized live_redirect. Falling back to page request",e]),this.onRedirect({to:this.href});if((e.redirect||e.live_redirect)&&(this.joinPending=!1,this.channel.leave()),e.redirect)return this.onRedirect(e.redirect);if(e.live_redirect)return this.onLiveRedirect(e.live_redirect);this.log("error",()=>["unable to join",e]),this.liveSocket.isConnected()&&this.liveSocket.reloadWithJitter(this)}onClose(e){if(!this.isDestroyed()){if(this.liveSocket.hasPendingLink()&&e!=="leave")return this.liveSocket.reloadWithJitter(this);this.destroyAllChildren(),this.liveSocket.dropActiveElement(this),document.activeElement&&document.activeElement.blur(),this.liveSocket.isUnloaded()&&this.showLoader(Or)}}onError(e){this.onClose(e),this.liveSocket.isConnected()&&this.log("error",()=>["view crashed",e]),this.liveSocket.isUnloaded()||this.displayError()}displayError(){this.isMain()&&_.dispatchEvent(window,"phx:page-loading-start",{detail:{to:this.href,kind:"error"}}),this.showLoader(),this.setContainerClasses(Xt,Bi)}pushWithReply(e,t,i,n=function(){}){if(!this.isConnected())return;let[r,[s],o]=e?e():[null,[],{}],a=function(){};return(o.page_loading||s&&s.getAttribute(this.binding(Hi))!==null)&&(a=this.liveSocket.withPageLoading({kind:"element",target:s})),typeof i.cid!="number"&&delete i.cid,this.liveSocket.wrapPush(this,{timeout:!0},()=>this.channel.push(t,i,Lr).receive("ok",l=>{r!==null&&this.undoRefs(r);let h=d=>{l.redirect&&this.onRedirect(l.redirect),l.live_patch&&this.onLivePatch(l.live_patch),l.live_redirect&&this.onLiveRedirect(l.live_redirect),a(),n(l,d)};l.diff?this.liveSocket.requestDOMUpdate(()=>{let d=this.applyDiff("update",l.diff,({diff:c,events:g})=>{this.update(c,g)});h(d)}):h(null)}))}undoRefs(e){_.all(document,`[${Ne}="${this.id}"][${ye}="${e}"]`,t=>{let i=t.getAttribute(mt);t.removeAttribute(ye),t.removeAttribute(Ne),t.getAttribute(zt)!==null&&(t.readOnly=!1,t.removeAttribute(zt)),i!==null&&(t.disabled=i==="true",t.removeAttribute(mt)),Sn.forEach(s=>_.removeClass(t,s));let n=t.getAttribute(vt);n!==null&&(t.innerText=n,t.removeAttribute(vt));let r=_.private(t,ye);if(r){let s=this.triggerBeforeUpdateHook(t,r);At.patchEl(t,r,this.liveSocket.getActiveElement()),s&&s.__updated(),_.deletePrivate(t,ye)}})}putRef(e,t,i={}){let n=this.ref++,r=this.binding(li);return i.loading&&(e=e.concat(_.all(document,i.loading))),e.forEach(s=>{s.classList.add(`phx-${t}-loading`),s.setAttribute(ye,n),s.setAttribute(Ne,this.el.id);let o=s.getAttribute(r);o!==null&&(s.getAttribute(vt)||s.setAttribute(vt,s.innerText),o!==""&&(s.innerText=o),s.setAttribute("disabled",""))}),[n,e,i]}componentID(e){let t=e.getAttribute&&e.getAttribute(le);return t?parseInt(t):null}targetComponentID(e,t,i={}){if(De(t))return t;let n=e.getAttribute(this.binding("target"));return De(n)?parseInt(n):t&&(n!==null||i.target)?this.closestComponentID(t):null}closestComponentID(e){return De(e)?e:e?Te(e.closest(`[${le}]`),t=>this.ownsElement(t)&&this.componentID(t)):null}pushHookEvent(e,t,i,n){if(!this.isConnected())return this.log("hook",()=>["unable to push hook event. LiveView not connected",t,i]),!1;let[r,s,o]=this.putRef([],"hook");return this.pushWithReply(()=>[r,s,o],"event",{type:"hook",event:t,value:i,cid:this.closestComponentID(e)},(a,l)=>n(l,r)),r}extractMeta(e,t,i){let n=this.binding("value-");for(let r=0;r=0&&!e.checked&&delete t.value),i){t||(t={});for(let r in i)t[r]=i[r]}return t}pushEvent(e,t,i,n,r,s={}){this.pushWithReply(()=>this.putRef([t],e,s),"event",{type:e,event:n,value:this.extractMeta(t,r,s.value),cid:this.targetComponentID(t,i,s)})}pushFileProgress(e,t,i,n=function(){}){this.liveSocket.withinOwners(e.form,(r,s)=>{r.pushWithReply(null,"progress",{event:e.getAttribute(r.binding(Sr)),ref:e.getAttribute(Me),entry_ref:t,progress:i,cid:r.targetComponentID(e.form,s)},n)})}pushInput(e,t,i,n,r,s){let o,a=De(i)?i:this.targetComponentID(e.form,t),l=()=>this.putRef([e,e.form],"change",r),h;e.getAttribute(this.binding("change"))?h=wt(e.form,{_target:r._target},[e.name]):h=wt(e.form,{_target:r._target}),_.isUploadInput(e)&&e.files&&e.files.length>0&&G.trackFiles(e,Array.from(e.files)),o=G.serializeUploads(e);let d={type:"form",event:n,value:h,uploads:o,cid:a};this.pushWithReply(l,"event",d,c=>{if(_.showError(e,this.liveSocket.binding(ai)),_.isUploadInput(e)&&e.getAttribute("data-phx-auto-upload")!==null){if(G.filesAwaitingPreflight(e).length>0){let[g,u]=l();this.uploadFiles(e.form,t,g,a,v=>{s&&s(c),this.triggerAwaitingSubmit(e.form)})}}else s&&s(c)})}triggerAwaitingSubmit(e){let t=this.getScheduledSubmit(e);if(t){let[i,n,r,s]=t;this.cancelSubmit(e),s()}}getScheduledSubmit(e){return this.formSubmits.find(([t,i,n,r])=>t.isSameNode(e))}scheduleSubmit(e,t,i,n){if(this.getScheduledSubmit(e))return!0;this.formSubmits.push([e,t,i,n])}cancelSubmit(e){this.formSubmits=this.formSubmits.filter(([t,i,n])=>t.isSameNode(e)?(this.undoRefs(i),!1):!0)}pushFormSubmit(e,t,i,n,r){let s=c=>!(rt(c,`${this.binding(ci)}=ignore`,c.form)||rt(c,"data-phx-update=ignore",c.form)),o=c=>c.hasAttribute(this.binding(li)),a=c=>c.tagName=="BUTTON",l=c=>["INPUT","TEXTAREA","SELECT"].includes(c.tagName),h=()=>{let c=Array.from(e.elements),g=c.filter(o),u=c.filter(a).filter(s),v=c.filter(l).filter(s);return u.forEach(m=>{m.setAttribute(mt,m.disabled),m.disabled=!0}),v.forEach(m=>{m.setAttribute(zt,m.readOnly),m.readOnly=!0,m.files&&(m.setAttribute(mt,m.disabled),m.disabled=!0)}),e.setAttribute(this.binding(Hi),""),this.putRef([e].concat(g).concat(u).concat(v),"submit",n)},d=this.targetComponentID(e,t);if(G.hasUploadsInProgress(e)){let[c,g]=h(),u=()=>this.pushFormSubmit(e,t,i,n,r);return this.scheduleSubmit(e,c,n,u)}else if(G.inputsAwaitingPreflight(e).length>0){let[c,g]=h(),u=()=>[c,g,n];this.uploadFiles(e,t,c,d,v=>{let m=wt(e,{});this.pushWithReply(u,"event",{type:"form",event:i,value:m,cid:d},r)})}else{let c=wt(e,{});this.pushWithReply(h,"event",{type:"form",event:i,value:c,cid:d},r)}}uploadFiles(e,t,i,n,r){let s=this.joinCount,o=G.activeFileInputs(e),a=o.length;o.forEach(l=>{let h=new G(l,this,()=>{a--,a===0&&r()});this.uploaders[l]=h;let d=h.entries().map(g=>g.toPreflightPayload()),c={ref:l.getAttribute(Me),entries:d,cid:this.targetComponentID(l.form,t)};this.log("upload",()=>["sending preflight request",c]),this.pushWithReply(null,"allow_upload",c,g=>{if(this.log("upload",()=>["got preflight response",g]),g.error){this.undoRefs(i);let[u,v]=g.error;this.log("upload",()=>[`error for entry ${u}`,v])}else{let u=v=>{this.channel.onError(()=>{this.joinCount===s&&v()})};h.initAdapterUpload(g,u,this.liveSocket)}})})}dispatchUploads(e,t){let i=_.findUploadInputs(this.el).filter(n=>n.name===e);i.length===0?Q(`no live file inputs found matching the name "${e}"`):i.length>1?Q(`duplicate live file inputs found matching the name "${e}"`):_.dispatchEvent(i[0],kn,{detail:{files:t}})}pushFormRecovery(e,t,i){this.liveSocket.withinOwners(e,(n,r)=>{let s=e.elements[0],o=e.getAttribute(this.binding(Ui))||e.getAttribute(this.binding("change"));_e.exec("change",o,n,s,["push",{_target:s.name,newCid:t,callback:i}])})}pushLinkPatch(e,t,i){let n=this.liveSocket.setPendingLink(e),r=t?()=>this.putRef([t],"click"):null,s=()=>this.liveSocket.redirect(window.location.href),o=this.pushWithReply(r,"live_patch",{url:e},a=>{this.liveSocket.requestDOMUpdate(()=>{a.link_redirect?this.liveSocket.replaceMain(e,null,i,n):(this.liveSocket.commitPendingLink(n)&&(this.href=e),this.applyPendingUpdates(),i&&i(n))})});o?o.receive("timeout",s):s()}formsForRecovery(e){if(this.joinCount===0)return[];let t=this.binding("change"),i=document.createElement("template");return i.innerHTML=e,_.all(this.el,`form[${t}]`).filter(n=>n.id&&this.ownsElement(n)).filter(n=>n.elements.length>0).filter(n=>n.getAttribute(this.binding(Ui))!=="ignore").map(n=>{let r=i.content.querySelector(`form[id="${n.id}"][${t}="${n.getAttribute(t)}"]`);return r?[n,r,this.targetComponentID(r)]:[n,null,null]}).filter(([n,r,s])=>r)}maybePushComponentsDestroyed(e){let t=e.filter(i=>_.findComponentNodeList(this.el,i).length===0);t.length>0&&(this.pruningCIDs.push(...t),this.pushWithReply(null,"cids_will_destroy",{cids:t},()=>{this.pruningCIDs=this.pruningCIDs.filter(n=>t.indexOf(n)!==-1);let i=t.filter(n=>_.findComponentNodeList(this.el,n).length===0);i.length>0&&this.pushWithReply(null,"cids_destroyed",{cids:i},n=>{this.rendered.pruneCIDs(n.cids)})}))}ownsElement(e){return e.getAttribute(Be)===this.id||Te(e.closest(Fe),t=>t.id)===this.id}submitForm(e,t,i,n={}){_.putPrivate(e,Ln,!0);let r=this.liveSocket.binding(ai),s=Array.from(e.elements);this.liveSocket.blurActiveElement(this),this.pushFormSubmit(e,t,i,n,()=>{s.forEach(o=>_.showError(o,r)),this.liveSocket.restorePreviouslyActiveFocus()})}binding(e){return this.liveSocket.binding(e)}},rs=class{constructor(e,t,i={}){if(this.unloaded=!1,!t||t.constructor.name==="Object")throw new Error(` - a phoenix Socket must be provided as the second argument to the LiveSocket constructor. For example: - - import {Socket} from "phoenix" - import {LiveSocket} from "phoenix_live_view" - let liveSocket = new LiveSocket("/live", Socket, {...}) - `);this.socket=new t(e,i),this.bindingPrefix=i.bindingPrefix||Dr,this.opts=i,this.params=Qt(i.params||{}),this.viewLogger=i.viewLogger,this.metadataCallbacks=i.metadata||{},this.defaults=Object.assign(Tt(Pr),i.defaults||{}),this.activeElement=null,this.prevActive=null,this.silenced=!1,this.main=null,this.outgoingMainEl=null,this.clickStartedAtTarget=null,this.linkRef=1,this.roots={},this.href=window.location.href,this.pendingLink=null,this.currentLocation=Tt(window.location),this.hooks=i.hooks||{},this.uploaders=i.uploaders||{},this.loaderTimeout=i.loaderTimeout||kr,this.reloadWithJitterTimer=null,this.maxReloads=i.maxReloads||pr,this.reloadJitterMin=i.reloadJitterMin||gr,this.reloadJitterMax=i.reloadJitterMax||mr,this.failsafeJitter=i.failsafeJitter||vr,this.localStorage=i.localStorage||window.localStorage,this.sessionStorage=i.sessionStorage||window.sessionStorage,this.boundTopLevelEvents=!1,this.domCallbacks=Object.assign({onNodeAdded:Qt(),onBeforeElUpdated:Qt()},i.dom||{}),this.transitions=new ss,window.addEventListener("pagehide",n=>{this.unloaded=!0}),this.socket.onOpen(()=>{this.isUnloaded()&&window.location.reload()})}isProfileEnabled(){return this.sessionStorage.getItem(Yt)==="true"}isDebugEnabled(){return this.sessionStorage.getItem(bt)==="true"}isDebugDisabled(){return this.sessionStorage.getItem(bt)==="false"}enableDebug(){this.sessionStorage.setItem(bt,"true")}enableProfiling(){this.sessionStorage.setItem(Yt,"true")}disableDebug(){this.sessionStorage.setItem(bt,"false")}disableProfiling(){this.sessionStorage.removeItem(Yt)}enableLatencySim(e){this.enableDebug(),console.log("latency simulator enabled for the duration of this browser session. Call disableLatencySim() to disable"),this.sessionStorage.setItem(Gt,e)}disableLatencySim(){this.sessionStorage.removeItem(Gt)}getLatencySim(){let e=this.sessionStorage.getItem(Gt);return e?parseInt(e):null}getSocket(){return this.socket}connect(){window.location.hostname==="localhost"&&!this.isDebugDisabled()&&this.enableDebug();let e=()=>{this.joinRootViews()?(this.bindTopLevelEvents(),this.socket.connect()):this.main&&this.socket.connect()};["complete","loaded","interactive"].indexOf(document.readyState)>=0?e():document.addEventListener("DOMContentLoaded",()=>e())}disconnect(e){clearTimeout(this.reloadWithJitterTimer),this.socket.disconnect(e)}replaceTransport(e){clearTimeout(this.reloadWithJitterTimer),this.socket.replaceTransport(e),this.connect()}execJS(e,t,i=null){this.owner(e,n=>_e.exec(i,t,n,e))}triggerDOM(e,t){this.domCallbacks[e](...t)}time(e,t){if(!this.isProfileEnabled()||!console.time)return t();console.time(e);let i=t();return console.timeEnd(e),i}log(e,t,i){if(this.viewLogger){let[n,r]=i();this.viewLogger(e,t,n,r)}else if(this.isDebugEnabled()){let[n,r]=i();Ir(e,t,n,r)}}requestDOMUpdate(e){this.transitions.after(e)}transition(e,t,i=function(){}){this.transitions.addTransition(e,t,i)}onChannel(e,t,i){e.on(t,n=>{let r=this.getLatencySim();r?(console.log(`simulating ${r}ms of latency from server to client`),setTimeout(()=>i(n),r)):i(n)})}wrapPush(e,t,i){let n=this.getLatencySim(),r=e.joinCount;if(!n)return this.isConnected()&&t.timeout?i().receive("timeout",()=>{e.joinCount===r&&!e.isDestroyed()&&this.reloadWithJitter(e,()=>{this.log(e,"timeout",()=>["received timeout while communicating with server. Falling back to hard refresh for recovery"])})}):i();console.log(`simulating ${n}ms of latency from client to server`);let s={receives:[],receive(o,a){this.receives.push([o,a])}};return setTimeout(()=>{e.isDestroyed()||s.receives.reduce((o,[a,l])=>o.receive(a,l),i())},n),s}reloadWithJitter(e,t){clearTimeout(this.reloadWithJitterTimer),this.disconnect();let i=this.reloadJitterMin,n=this.reloadJitterMax,r=Math.floor(Math.random()*(n-i+1))+i,s=Oe.updateLocal(this.localStorage,window.location.pathname,Tn,0,o=>o+1);s>this.maxReloads&&(r=this.failsafeJitter),this.reloadWithJitterTimer=setTimeout(()=>{e.isDestroyed()||e.isConnected()||(e.destroy(),t?t():this.log(e,"join",()=>[`encountered ${s} consecutive reloads`]),s>this.maxReloads&&this.log(e,"join",()=>[`exceeded ${this.maxReloads} consecutive reloads. Entering failsafe mode`]),this.hasPendingLink()?window.location=this.pendingLink:window.location.reload())},r)}getHookCallbacks(e){return e&&e.startsWith("Phoenix.")?Br[e.split(".")[1]]:this.hooks[e]}isUnloaded(){return this.unloaded}isConnected(){return this.socket.isConnected()}getBindingPrefix(){return this.bindingPrefix}binding(e){return`${this.getBindingPrefix()}${e}`}channel(e,t){return this.socket.channel(e,t)}joinRootViews(){let e=!1;return _.all(document,`${Fe}:not([${Be}])`,t=>{if(!this.getRootById(t.id)){let i=this.newRootView(t);i.setHref(this.getHref()),i.join(),t.getAttribute(vi)&&(this.main=i)}e=!0}),e}redirect(e,t){this.disconnect(),Oe.redirect(e,t)}replaceMain(e,t,i=null,n=this.setPendingLink(e)){this.outgoingMainEl=this.outgoingMainEl||this.main.el;let r=_.cloneNode(this.outgoingMainEl,"");this.main.showLoader(this.loaderTimeout),this.main.destroy(),this.main=this.newRootView(r,t),this.main.setRedirect(e),this.transitionRemoves(),this.main.join((s,o)=>{s===1&&this.commitPendingLink(n)&&this.requestDOMUpdate(()=>{_.findPhxSticky(document).forEach(a=>r.appendChild(a)),this.outgoingMainEl.replaceWith(r),this.outgoingMainEl=null,i&&requestAnimationFrame(i),o()})})}transitionRemoves(e){let t=this.binding("remove");e=e||_.all(document,`[${t}]`),e.forEach(i=>{document.body.contains(i)&&this.execJS(i,i.getAttribute(t),"remove")})}isPhxView(e){return e.getAttribute&&e.getAttribute(Le)!==null}newRootView(e,t){let i=new xn(e,this,null,t);return this.roots[i.id]=i,i}owner(e,t){let i=Te(e.closest(Fe),n=>this.getViewByEl(n))||this.main;i&&t(i)}withinOwners(e,t){this.owner(e,i=>t(i,e))}getViewByEl(e){let t=e.getAttribute(ct);return Te(this.getRootById(t),i=>i.getDescendentByEl(e))}getRootById(e){return this.roots[e]}destroyAllViews(){for(let e in this.roots)this.roots[e].destroy(),delete this.roots[e];this.main=null}destroyViewByEl(e){let t=this.getRootById(e.getAttribute(ct));t&&t.id===e.id?(t.destroy(),delete this.roots[t.id]):t&&t.destroyDescendent(e.id)}setActiveElement(e){if(this.activeElement===e)return;this.activeElement=e;let t=()=>{e===this.activeElement&&(this.activeElement=null),e.removeEventListener("mouseup",this),e.removeEventListener("touchend",this)};e.addEventListener("mouseup",t),e.addEventListener("touchend",t)}getActiveElement(){return document.activeElement===document.body?this.activeElement||document.activeElement:document.activeElement||document.body}dropActiveElement(e){this.prevActive&&e.ownsElement(this.prevActive)&&(this.prevActive=null)}restorePreviouslyActiveFocus(){this.prevActive&&this.prevActive!==document.body&&this.prevActive.focus()}blurActiveElement(){this.prevActive=this.getActiveElement(),this.prevActive!==document.body&&this.prevActive.blur()}bindTopLevelEvents(){this.boundTopLevelEvents||(this.boundTopLevelEvents=!0,this.socket.onClose(e=>{e&&e.code===1e3&&this.main&&this.reloadWithJitter(this.main)}),document.body.addEventListener("click",function(){}),window.addEventListener("pageshow",e=>{e.persisted&&(this.getSocket().disconnect(),this.withPageLoading({to:window.location.href,kind:"redirect"}),window.location.reload())},!0),this.bindNav(),this.bindClicks(),this.bindForms(),this.bind({keyup:"keyup",keydown:"keydown"},(e,t,i,n,r,s)=>{let o=n.getAttribute(this.binding(Tr)),a=e.key&&e.key.toLowerCase();if(o&&o.toLowerCase()!==a)return;let l={key:e.key,...this.eventMeta(t,e,n)};_e.exec(t,r,i,n,["push",{data:l}])}),this.bind({blur:"focusout",focus:"focusin"},(e,t,i,n,r,s)=>{if(!s){let o={key:e.key,...this.eventMeta(t,e,n)};_e.exec(t,r,i,n,["push",{data:o}])}}),this.bind({blur:"blur",focus:"focus"},(e,t,i,n,r,s,o)=>{if(o==="window"){let a=this.eventMeta(t,e,n);_e.exec(t,s,i,n,["push",{data:a}])}}),window.addEventListener("dragover",e=>e.preventDefault()),window.addEventListener("drop",e=>{e.preventDefault();let t=Te(rt(e.target,this.binding(Ii)),r=>r.getAttribute(this.binding(Ii))),i=t&&document.getElementById(t),n=Array.from(e.dataTransfer.files||[]);!i||i.disabled||n.length===0||!(i.files instanceof FileList)||(G.trackFiles(i,n),i.dispatchEvent(new Event("input",{bubbles:!0})))}),this.on(kn,e=>{let t=e.target;if(!_.isUploadInput(t))return;let i=Array.from(e.detail.files||[]).filter(n=>n instanceof File||n instanceof Blob);G.trackFiles(t,i),t.dispatchEvent(new Event("input",{bubbles:!0}))}))}eventMeta(e,t,i){let n=this.metadataCallbacks[e];return n?n(t,i):{}}setPendingLink(e){return this.linkRef++,this.pendingLink=e,this.linkRef}commitPendingLink(e){return this.linkRef!==e?!1:(this.href=this.pendingLink,this.pendingLink=null,!0)}getHref(){return this.href}hasPendingLink(){return!!this.pendingLink}bind(e,t){for(let i in e){let n=e[i];this.on(n,r=>{let s=this.binding(i),o=this.binding(`window-${i}`),a=r.target.getAttribute&&r.target.getAttribute(s);a?this.debounce(r.target,r,n,()=>{this.withinOwners(r.target,l=>{t(r,i,l,r.target,a,null)})}):_.all(document,`[${o}]`,l=>{let h=l.getAttribute(o);this.debounce(l,r,n,()=>{this.withinOwners(l,d=>{t(r,i,d,l,h,"window")})})})})}}bindClicks(){window.addEventListener("mousedown",e=>this.clickStartedAtTarget=e.target),this.bindClick("click","click",!1),this.bindClick("mousedown","capture-click",!0)}bindClick(e,t,i){let n=this.binding(t);window.addEventListener(e,r=>{let s=null;if(i)s=r.target.matches(`[${n}]`)?r.target:r.target.querySelector(`[${n}]`);else{let a=this.clickStartedAtTarget||r.target;s=rt(a,n),this.dispatchClickAway(r,a),this.clickStartedAtTarget=null}let o=s&&s.getAttribute(n);o&&(s.getAttribute("href")==="#"&&r.preventDefault(),this.debounce(s,r,"click",()=>{this.withinOwners(s,a=>{_e.exec("click",o,a,s,["push",{data:this.eventMeta("click",r,s)}])})}))},i)}dispatchClickAway(e,t){let i=this.binding("click-away");_.all(document,`[${i}]`,n=>{n.isSameNode(t)||n.contains(t)||this.withinOwners(e.target,r=>{let s=n.getAttribute(i);_e.isVisible(n)&&_e.exec("click",s,r,n,["push",{data:this.eventMeta("click",e,e.target)}])})})}bindNav(){if(!Oe.canPushState())return;history.scrollRestoration&&(history.scrollRestoration="manual");let e=null;window.addEventListener("scroll",t=>{clearTimeout(e),e=setTimeout(()=>{Oe.updateCurrentState(i=>Object.assign(i,{scroll:window.scrollY}))},100)}),window.addEventListener("popstate",t=>{if(!this.registerNewLocation(window.location))return;let{type:i,id:n,root:r,scroll:s}=t.state||{},o=window.location.href;this.requestDOMUpdate(()=>{this.main.isConnected()&&i==="patch"&&n===this.main.id?this.main.pushLinkPatch(o,null):this.replaceMain(o,null,()=>{r&&this.replaceRootHistory(),typeof s=="number"&&setTimeout(()=>{window.scrollTo(0,s)},0)})})},!1),window.addEventListener("click",t=>{let i=rt(t.target,Jt),n=i&&i.getAttribute(Jt),r=t.metaKey||t.ctrlKey||t.button===1;if(!n||!this.isConnected()||!this.main||r)return;let s=i.href,o=i.getAttribute(_r);t.preventDefault(),t.stopImmediatePropagation(),this.pendingLink!==s&&this.requestDOMUpdate(()=>{if(n==="patch")this.pushHistoryPatch(s,o,i);else if(n==="redirect")this.historyRedirect(s,o);else throw new Error(`expected ${Jt} to be "patch" or "redirect", got: ${n}`)})},!1)}dispatchEvent(e,t={}){_.dispatchEvent(window,`phx:${e}`,{detail:t})}dispatchEvents(e){e.forEach(([t,i])=>this.dispatchEvent(t,i))}withPageLoading(e,t){_.dispatchEvent(window,"phx:page-loading-start",{detail:e});let i=()=>_.dispatchEvent(window,"phx:page-loading-stop",{detail:e});return t?t(i):i}pushHistoryPatch(e,t,i){this.withPageLoading({to:e,kind:"patch"},n=>{this.main.pushLinkPatch(e,i,r=>{this.historyPatch(e,t,r),n()})})}historyPatch(e,t,i=this.setPendingLink(e)){this.commitPendingLink(i)&&(Oe.pushState(t,{type:"patch",id:this.main.id},e),this.registerNewLocation(window.location))}historyRedirect(e,t,i){let n=window.scrollY;this.withPageLoading({to:e,kind:"redirect"},r=>{this.replaceMain(e,i,()=>{Oe.pushState(t,{type:"redirect",id:this.main.id,scroll:n},e),this.registerNewLocation(window.location),r()})})}replaceRootHistory(){Oe.pushState("replace",{root:!0,type:"patch",id:this.main.id})}registerNewLocation(e){let{pathname:t,search:i}=this.currentLocation;return t+i===e.pathname+e.search?!1:(this.currentLocation=Tt(e),!0)}bindForms(){let e=0;this.on("submit",t=>{let i=t.target.getAttribute(this.binding("submit"));i&&(t.preventDefault(),t.target.disabled=!0,this.withinOwners(t.target,n=>{_e.exec("submit",i,n,t.target,["push",{}])}))},!1);for(let t of["change","input"])this.on(t,i=>{let n=this.binding("change"),r=i.target,s=r.getAttribute(n),o=r.form&&r.form.getAttribute(n),a=s||o;if(!a||r.type==="number"&&r.validity&&r.validity.badInput)return;let l=s?r:r.form,h=e;e++;let{at:d,type:c}=_.private(r,"prev-iteration")||{};d===h-1&&t!==c||(_.putPrivate(r,"prev-iteration",{at:h,type:t}),this.debounce(r,i,t,()=>{this.withinOwners(l,g=>{_.putPrivate(r,On,!0),_.isTextualInput(r)||this.setActiveElement(r),_e.exec("change",a,g,r,["push",{_target:i.target.name,dispatcher:l}])})}))},!1)}debounce(e,t,i,n){if(i==="blur"||i==="focusout")return n();let r=this.binding(wr),s=this.binding(Cr),o=this.defaults.debounce.toString(),a=this.defaults.throttle.toString();this.withinOwners(e,l=>{let h=()=>!l.isDestroyed()&&document.body.contains(e);_.debounce(e,t,r,o,s,a,h,()=>{n()})})}silenceEvents(e){this.silenced=!0,e(),this.silenced=!1}on(e,t){window.addEventListener(e,i=>{this.silenced||t(i)})}},ss=class{constructor(){this.transitions=new Set,this.pendingOps=[],this.reset()}reset(){this.transitions.forEach(e=>{cancelTimeout(e),this.transitions.delete(e)}),this.flushPendingOps()}after(e){this.size()===0?e():this.pushPendingOp(e)}addTransition(e,t,i){t();let n=setTimeout(()=>{this.transitions.delete(n),i(),this.size()===0&&this.flushPendingOps()},e);this.transitions.add(n)}pushPendingOp(e){this.pendingOps.push(e)}size(){return this.transitions.size}flushPendingOps(){this.pendingOps.forEach(e=>e()),this.pendingOps=[]}},tn={},os={get exports(){return tn},set exports(e){tn=e}},st={},as={get exports(){return st},set exports(e){st=e}};/*! - * Bootstrap index.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var nn;function me(){return nn||(nn=1,function(e,t){(function(i,n){n(t)})(Z,function(i){const s="transitionend",o=p=>p==null?`${p}`:Object.prototype.toString.call(p).match(/\s([a-z]+)/i)[1].toLowerCase(),a=p=>{do p+=Math.floor(Math.random()*1e6);while(document.getElementById(p));return p},l=p=>{let O=p.getAttribute("data-bs-target");if(!O||O==="#"){let R=p.getAttribute("href");if(!R||!R.includes("#")&&!R.startsWith("."))return null;R.includes("#")&&!R.startsWith("#")&&(R=`#${R.split("#")[1]}`),O=R&&R!=="#"?R.trim():null}return O},h=p=>{const O=l(p);return O&&document.querySelector(O)?O:null},d=p=>{const O=l(p);return O?document.querySelector(O):null},c=p=>{if(!p)return 0;let{transitionDuration:O,transitionDelay:R}=window.getComputedStyle(p);const T=Number.parseFloat(O),w=Number.parseFloat(R);return!T&&!w?0:(O=O.split(",")[0],R=R.split(",")[0],(Number.parseFloat(O)+Number.parseFloat(R))*1e3)},g=p=>{p.dispatchEvent(new Event(s))},u=p=>!p||typeof p!="object"?!1:(typeof p.jquery<"u"&&(p=p[0]),typeof p.nodeType<"u"),v=p=>u(p)?p.jquery?p[0]:p:typeof p=="string"&&p.length>0?document.querySelector(p):null,m=p=>{if(!u(p)||p.getClientRects().length===0)return!1;const O=getComputedStyle(p).getPropertyValue("visibility")==="visible",R=p.closest("details:not([open])");if(!R)return O;if(R!==p){const T=p.closest("summary");if(T&&T.parentNode!==R||T===null)return!1}return O},y=p=>!p||p.nodeType!==Node.ELEMENT_NODE||p.classList.contains("disabled")?!0:typeof p.disabled<"u"?p.disabled:p.hasAttribute("disabled")&&p.getAttribute("disabled")!=="false",S=p=>{if(!document.documentElement.attachShadow)return null;if(typeof p.getRootNode=="function"){const O=p.getRootNode();return O instanceof ShadowRoot?O:null}return p instanceof ShadowRoot?p:p.parentNode?S(p.parentNode):null},N=()=>{},f=p=>{p.offsetHeight},A=()=>window.jQuery&&!document.body.hasAttribute("data-bs-no-jquery")?window.jQuery:null,P=[],E=p=>{document.readyState==="loading"?(P.length||document.addEventListener("DOMContentLoaded",()=>{for(const O of P)O()}),P.push(p)):p()},C=()=>document.documentElement.dir==="rtl",x=p=>{E(()=>{const O=A();if(O){const R=p.NAME,T=O.fn[R];O.fn[R]=p.jQueryInterface,O.fn[R].Constructor=p,O.fn[R].noConflict=()=>(O.fn[R]=T,p.jQueryInterface)}})},k=p=>{typeof p=="function"&&p()},M=(p,O,R=!0)=>{if(!R){k(p);return}const T=5,w=c(O)+T;let b=!1;const D=({target:I})=>{I===O&&(b=!0,O.removeEventListener(s,D),k(p))};O.addEventListener(s,D),setTimeout(()=>{b||g(O)},w)},H=(p,O,R,T)=>{const w=p.length;let b=p.indexOf(O);return b===-1?!R&&T?p[w-1]:p[0]:(b+=R?1:-1,T&&(b=(b+w)%w),p[Math.max(0,Math.min(b,w-1))])};i.defineJQueryPlugin=x,i.execute=k,i.executeAfterTransition=M,i.findShadowRoot=S,i.getElement=v,i.getElementFromSelector=d,i.getNextActiveElement=H,i.getSelectorFromElement=h,i.getTransitionDurationFromElement=c,i.getUID=a,i.getjQuery=A,i.isDisabled=y,i.isElement=u,i.isRTL=C,i.isVisible=m,i.noop=N,i.onDOMContentLoaded=E,i.reflow=f,i.toType=o,i.triggerTransitionEnd=g,Object.defineProperties(i,{__esModule:{value:!0},[Symbol.toStringTag]:{value:"Module"}})})}(as,st)),st}var Ot={},ls={get exports(){return Ot},set exports(e){Ot=e}};/*! - * Bootstrap event-handler.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var rn;function Pe(){return rn||(rn=1,function(e,t){(function(i,n){e.exports=n(me())})(Z,function(i){const n=/[^.]*(?=\..*)\.|.*/,r=/\..*/,s=/::\d+$/,o={};let a=1;const l={mouseenter:"mouseover",mouseleave:"mouseout"},h=new Set(["click","dblclick","mouseup","mousedown","contextmenu","mousewheel","DOMMouseScroll","mouseover","mouseout","mousemove","selectstart","selectend","keydown","keypress","keyup","orientationchange","touchstart","touchmove","touchend","touchcancel","pointerdown","pointermove","pointerup","pointerleave","pointercancel","gesturestart","gesturechange","gestureend","focus","blur","change","reset","select","submit","focusin","focusout","load","unload","beforeunload","resize","move","DOMContentLoaded","readystatechange","error","abort","scroll"]);function d(E,C){return C&&`${C}::${a++}`||E.uidEvent||a++}function c(E){const C=d(E);return E.uidEvent=C,o[C]=o[C]||{},o[C]}function g(E,C){return function x(k){return P(k,{delegateTarget:E}),x.oneOff&&A.off(E,k.type,C),C.apply(E,[k])}}function u(E,C,x){return function k(M){const H=E.querySelectorAll(C);for(let{target:p}=M;p&&p!==this;p=p.parentNode)for(const O of H)if(O===p)return P(M,{delegateTarget:p}),k.oneOff&&A.off(E,M.type,C,x),x.apply(p,[M])}}function v(E,C,x=null){return Object.values(E).find(k=>k.callable===C&&k.delegationSelector===x)}function m(E,C,x){const k=typeof C=="string",M=k?x:C||x;let H=f(E);return h.has(H)||(H=E),[k,M,H]}function y(E,C,x,k,M){if(typeof C!="string"||!E)return;let[H,p,O]=m(C,x,k);C in l&&(p=(U=>function(B){if(!B.relatedTarget||B.relatedTarget!==B.delegateTarget&&!B.delegateTarget.contains(B.relatedTarget))return U.call(this,B)})(p));const R=c(E),T=R[O]||(R[O]={}),w=v(T,p,H?x:null);if(w){w.oneOff=w.oneOff&&M;return}const b=d(p,C.replace(n,"")),D=H?u(E,x,p):g(E,p);D.delegationSelector=H?x:null,D.callable=p,D.oneOff=M,D.uidEvent=b,T[b]=D,E.addEventListener(O,D,H)}function S(E,C,x,k,M){const H=v(C[x],k,M);H&&(E.removeEventListener(x,H,Boolean(M)),delete C[x][H.uidEvent])}function N(E,C,x,k){const M=C[x]||{};for(const H of Object.keys(M))if(H.includes(k)){const p=M[H];S(E,C,x,p.callable,p.delegationSelector)}}function f(E){return E=E.replace(r,""),l[E]||E}const A={on(E,C,x,k){y(E,C,x,k,!1)},one(E,C,x,k){y(E,C,x,k,!0)},off(E,C,x,k){if(typeof C!="string"||!E)return;const[M,H,p]=m(C,x,k),O=p!==C,R=c(E),T=R[p]||{},w=C.startsWith(".");if(typeof H<"u"){if(!Object.keys(T).length)return;S(E,R,p,H,M?x:null);return}if(w)for(const b of Object.keys(R))N(E,R,b,C.slice(1));for(const b of Object.keys(T)){const D=b.replace(s,"");if(!O||C.includes(D)){const I=T[b];S(E,R,p,I.callable,I.delegationSelector)}}},trigger(E,C,x){if(typeof C!="string"||!E)return null;const k=i.getjQuery(),M=f(C),H=C!==M;let p=null,O=!0,R=!0,T=!1;H&&k&&(p=k.Event(C,x),k(E).trigger(p),O=!p.isPropagationStopped(),R=!p.isImmediatePropagationStopped(),T=p.isDefaultPrevented());let w=new Event(C,{bubbles:O,cancelable:!0});return w=P(w,x),T&&w.preventDefault(),R&&E.dispatchEvent(w),w.defaultPrevented&&p&&p.preventDefault(),w}};function P(E,C){for(const[x,k]of Object.entries(C||{}))try{E[x]=k}catch{Object.defineProperty(E,x,{configurable:!0,get(){return k}})}return E}return A})}(ls)),Ot}var Dt={},cs={get exports(){return Dt},set exports(e){Dt=e}},Lt={},hs={get exports(){return Lt},set exports(e){Lt=e}};/*! - * Bootstrap data.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var sn;function ds(){return sn||(sn=1,function(e,t){(function(i,n){e.exports=n()})(Z,function(){const i=new Map;return{set(r,s,o){i.has(r)||i.set(r,new Map);const a=i.get(r);if(!a.has(s)&&a.size!==0){console.error(`Bootstrap doesn't allow more than one instance per element. Bound instance: ${Array.from(a.keys())[0]}.`);return}a.set(s,o)},get(r,s){return i.has(r)&&i.get(r).get(s)||null},remove(r,s){if(!i.has(r))return;const o=i.get(r);o.delete(s),o.size===0&&i.delete(r)}}})}(hs)),Lt}var Pt={},us={get exports(){return Pt},set exports(e){Pt=e}},xt={},fs={get exports(){return xt},set exports(e){xt=e}};/*! - * Bootstrap manipulator.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var on;function bi(){return on||(on=1,function(e,t){(function(i,n){e.exports=n()})(Z,function(){function i(s){if(s==="true")return!0;if(s==="false")return!1;if(s===Number(s).toString())return Number(s);if(s===""||s==="null")return null;if(typeof s!="string")return s;try{return JSON.parse(decodeURIComponent(s))}catch{return s}}function n(s){return s.replace(/[A-Z]/g,o=>`-${o.toLowerCase()}`)}return{setDataAttribute(s,o,a){s.setAttribute(`data-bs-${n(o)}`,a)},removeDataAttribute(s,o){s.removeAttribute(`data-bs-${n(o)}`)},getDataAttributes(s){if(!s)return{};const o={},a=Object.keys(s.dataset).filter(l=>l.startsWith("bs")&&!l.startsWith("bsConfig"));for(const l of a){let h=l.replace(/^bs/,"");h=h.charAt(0).toLowerCase()+h.slice(1,h.length),o[h]=i(s.dataset[l])}return o},getDataAttribute(s,o){return i(s.getAttribute(`data-bs-${n(o)}`))}}})}(fs)),xt}/*! - * Bootstrap config.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var an;function _i(){return an||(an=1,function(e,t){(function(i,n){e.exports=n(me(),bi())})(Z,function(i,n){const s=(a=>a&&typeof a=="object"&&"default"in a?a:{default:a})(n);class o{static get Default(){return{}}static get DefaultType(){return{}}static get NAME(){throw new Error('You have to implement the static method "NAME", for each component!')}_getConfig(l){return l=this._mergeConfigObj(l),l=this._configAfterMerge(l),this._typeCheckConfig(l),l}_configAfterMerge(l){return l}_mergeConfigObj(l,h){const d=i.isElement(h)?s.default.getDataAttribute(h,"config"):{};return{...this.constructor.Default,...typeof d=="object"?d:{},...i.isElement(h)?s.default.getDataAttributes(h):{},...typeof l=="object"?l:{}}}_typeCheckConfig(l,h=this.constructor.DefaultType){for(const d of Object.keys(h)){const c=h[d],g=l[d],u=i.isElement(g)?"element":i.toType(g);if(!new RegExp(c).test(u))throw new TypeError(`${this.constructor.NAME.toUpperCase()}: Option "${d}" provided type "${u}" but expected type "${c}".`)}}}return o})}(us)),Pt}/*! - * Bootstrap base-component.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var ln;function $t(){return ln||(ln=1,function(e,t){(function(i,n){e.exports=n(ds(),me(),Pe(),_i())})(Z,function(i,n,r,s){const o=g=>g&&typeof g=="object"&&"default"in g?g:{default:g},a=o(i),l=o(r),h=o(s),d="5.2.3";class c extends h.default{constructor(u,v){super(),u=n.getElement(u),u&&(this._element=u,this._config=this._getConfig(v),a.default.set(this._element,this.constructor.DATA_KEY,this))}dispose(){a.default.remove(this._element,this.constructor.DATA_KEY),l.default.off(this._element,this.constructor.EVENT_KEY);for(const u of Object.getOwnPropertyNames(this))this[u]=null}_queueCallback(u,v,m=!0){n.executeAfterTransition(u,v,m)}_getConfig(u){return u=this._mergeConfigObj(u,this._element),u=this._configAfterMerge(u),this._typeCheckConfig(u),u}static getInstance(u){return a.default.get(n.getElement(u),this.DATA_KEY)}static getOrCreateInstance(u,v={}){return this.getInstance(u)||new this(u,typeof v=="object"?v:null)}static get VERSION(){return d}static get DATA_KEY(){return`bs.${this.NAME}`}static get EVENT_KEY(){return`.${this.DATA_KEY}`}static eventName(u){return`${u}${this.EVENT_KEY}`}}return c})}(cs)),Dt}var ot={},ps={get exports(){return ot},set exports(e){ot=e}};/*! - * Bootstrap component-functions.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var cn;function Rn(){return cn||(cn=1,function(e,t){(function(i,n){n(t,Pe(),me())})(Z,function(i,n,r){const o=(l=>l&&typeof l=="object"&&"default"in l?l:{default:l})(n),a=(l,h="hide")=>{const d=`click.dismiss${l.EVENT_KEY}`,c=l.NAME;o.default.on(document,d,`[data-bs-dismiss="${c}"]`,function(g){if(["A","AREA"].includes(this.tagName)&&g.preventDefault(),r.isDisabled(this))return;const u=r.getElementFromSelector(this)||this.closest(`.${c}`);l.getOrCreateInstance(u)[h]()})};i.enableDismissTrigger=a,Object.defineProperties(i,{__esModule:{value:!0},[Symbol.toStringTag]:{value:"Module"}})})}(ps,ot)),ot}/*! - * Bootstrap alert.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */(function(e,t){(function(i,n){e.exports=n(me(),Pe(),$t(),Rn())})(Z,function(i,n,r,s){const o=S=>S&&typeof S=="object"&&"default"in S?S:{default:S},a=o(n),l=o(r),h="alert",c=".bs.alert",g=`close${c}`,u=`closed${c}`,v="fade",m="show";class y extends l.default{static get NAME(){return h}close(){if(a.default.trigger(this._element,g).defaultPrevented)return;this._element.classList.remove(m);const f=this._element.classList.contains(v);this._queueCallback(()=>this._destroyElement(),this._element,f)}_destroyElement(){this._element.remove(),a.default.trigger(this._element,u),this.dispose()}static jQueryInterface(N){return this.each(function(){const f=y.getOrCreateInstance(this);if(typeof N=="string"){if(f[N]===void 0||N.startsWith("_")||N==="constructor")throw new TypeError(`No method named "${N}"`);f[N](this)}})}}return s.enableDismissTrigger(y,"close"),i.defineJQueryPlugin(y),y})})(os);var hi={},gs={get exports(){return hi},set exports(e){hi=e}},Rt={},ms={get exports(){return Rt},set exports(e){Rt=e}};/*! - * Bootstrap selector-engine.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var hn;function ht(){return hn||(hn=1,function(e,t){(function(i,n){e.exports=n(me())})(Z,function(i){return{find(r,s=document.documentElement){return[].concat(...Element.prototype.querySelectorAll.call(s,r))},findOne(r,s=document.documentElement){return Element.prototype.querySelector.call(s,r)},children(r,s){return[].concat(...r.children).filter(o=>o.matches(s))},parents(r,s){const o=[];let a=r.parentNode.closest(s);for(;a;)o.push(a),a=a.parentNode.closest(s);return o},prev(r,s){let o=r.previousElementSibling;for(;o;){if(o.matches(s))return[o];o=o.previousElementSibling}return[]},next(r,s){let o=r.nextElementSibling;for(;o;){if(o.matches(s))return[o];o=o.nextElementSibling}return[]},focusableChildren(r){const s=["a","button","input","textarea","select","details","[tabindex]",'[contenteditable="true"]'].map(o=>`${o}:not([tabindex^="-"])`).join(",");return this.find(s,r).filter(o=>!i.isDisabled(o)&&i.isVisible(o))}}})}(ms)),Rt}/*! - * Bootstrap collapse.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */(function(e,t){(function(i,n){e.exports=n(me(),Pe(),ht(),$t())})(Z,function(i,n,r,s){const o=w=>w&&typeof w=="object"&&"default"in w?w:{default:w},a=o(n),l=o(r),h=o(s),d="collapse",g=".bs.collapse",u=".data-api",v=`show${g}`,m=`shown${g}`,y=`hide${g}`,S=`hidden${g}`,N=`click${g}${u}`,f="show",A="collapse",P="collapsing",E="collapsed",C=`:scope .${A} .${A}`,x="collapse-horizontal",k="width",M="height",H=".collapse.show, .collapse.collapsing",p='[data-bs-toggle="collapse"]',O={parent:null,toggle:!0},R={parent:"(null|element)",toggle:"boolean"};class T extends h.default{constructor(b,D){super(b,D),this._isTransitioning=!1,this._triggerArray=[];const I=l.default.find(p);for(const U of I){const B=i.getSelectorFromElement(U),J=l.default.find(B).filter(F=>F===this._element);B!==null&&J.length&&this._triggerArray.push(U)}this._initializeChildren(),this._config.parent||this._addAriaAndCollapsedClass(this._triggerArray,this._isShown()),this._config.toggle&&this.toggle()}static get Default(){return O}static get DefaultType(){return R}static get NAME(){return d}toggle(){this._isShown()?this.hide():this.show()}show(){if(this._isTransitioning||this._isShown())return;let b=[];if(this._config.parent&&(b=this._getFirstLevelChildren(H).filter(F=>F!==this._element).map(F=>T.getOrCreateInstance(F,{toggle:!1}))),b.length&&b[0]._isTransitioning||a.default.trigger(this._element,v).defaultPrevented)return;for(const F of b)F.hide();const I=this._getDimension();this._element.classList.remove(A),this._element.classList.add(P),this._element.style[I]=0,this._addAriaAndCollapsedClass(this._triggerArray,!0),this._isTransitioning=!0;const U=()=>{this._isTransitioning=!1,this._element.classList.remove(P),this._element.classList.add(A,f),this._element.style[I]="",a.default.trigger(this._element,m)},J=`scroll${I[0].toUpperCase()+I.slice(1)}`;this._queueCallback(U,this._element,!0),this._element.style[I]=`${this._element[J]}px`}hide(){if(this._isTransitioning||!this._isShown()||a.default.trigger(this._element,y).defaultPrevented)return;const D=this._getDimension();this._element.style[D]=`${this._element.getBoundingClientRect()[D]}px`,i.reflow(this._element),this._element.classList.add(P),this._element.classList.remove(A,f);for(const U of this._triggerArray){const B=i.getElementFromSelector(U);B&&!this._isShown(B)&&this._addAriaAndCollapsedClass([U],!1)}this._isTransitioning=!0;const I=()=>{this._isTransitioning=!1,this._element.classList.remove(P),this._element.classList.add(A),a.default.trigger(this._element,S)};this._element.style[D]="",this._queueCallback(I,this._element,!0)}_isShown(b=this._element){return b.classList.contains(f)}_configAfterMerge(b){return b.toggle=Boolean(b.toggle),b.parent=i.getElement(b.parent),b}_getDimension(){return this._element.classList.contains(x)?k:M}_initializeChildren(){if(!this._config.parent)return;const b=this._getFirstLevelChildren(p);for(const D of b){const I=i.getElementFromSelector(D);I&&this._addAriaAndCollapsedClass([D],this._isShown(I))}}_getFirstLevelChildren(b){const D=l.default.find(C,this._config.parent);return l.default.find(b,this._config.parent).filter(I=>!D.includes(I))}_addAriaAndCollapsedClass(b,D){if(b.length)for(const I of b)I.classList.toggle(E,!D),I.setAttribute("aria-expanded",D)}static jQueryInterface(b){const D={};return typeof b=="string"&&/show|hide/.test(b)&&(D.toggle=!1),this.each(function(){const I=T.getOrCreateInstance(this,D);if(typeof b=="string"){if(typeof I[b]>"u")throw new TypeError(`No method named "${b}"`);I[b]()}})}}return a.default.on(document,N,p,function(w){(w.target.tagName==="A"||w.delegateTarget&&w.delegateTarget.tagName==="A")&&w.preventDefault();const b=i.getSelectorFromElement(this),D=l.default.find(b);for(const I of D)T.getOrCreateInstance(I,{toggle:!1}).toggle()}),i.defineJQueryPlugin(T),T})})(gs);const vs=hi;var dn={},bs={get exports(){return dn},set exports(e){dn=e}},ie="top",ce="bottom",he="right",ne="left",jt="auto",Je=[ie,ce,he,ne],He="start",Ue="end",Nn="clippingParents",yi="viewport",je="popper",In="reference",di=Je.reduce(function(e,t){return e.concat([t+"-"+He,t+"-"+Ue])},[]),Ei=[].concat(Je,[jt]).reduce(function(e,t){return e.concat([t,t+"-"+He,t+"-"+Ue])},[]),Mn="beforeRead",Hn="read",$n="afterRead",jn="beforeMain",Bn="main",Fn="afterMain",Un="beforeWrite",Vn="write",Wn="afterWrite",qn=[Mn,Hn,$n,jn,Bn,Fn,Un,Vn,Wn];function we(e){return e?(e.nodeName||"").toLowerCase():null}function ue(e){if(e==null)return window;if(e.toString()!=="[object Window]"){var t=e.ownerDocument;return t&&t.defaultView||window}return e}function $e(e){var t=ue(e).Element;return e instanceof t||e instanceof Element}function de(e){var t=ue(e).HTMLElement;return e instanceof t||e instanceof HTMLElement}function Ai(e){if(typeof ShadowRoot>"u")return!1;var t=ue(e).ShadowRoot;return e instanceof t||e instanceof ShadowRoot}function _s(e){var t=e.state;Object.keys(t.elements).forEach(function(i){var n=t.styles[i]||{},r=t.attributes[i]||{},s=t.elements[i];!de(s)||!we(s)||(Object.assign(s.style,n),Object.keys(r).forEach(function(o){var a=r[o];a===!1?s.removeAttribute(o):s.setAttribute(o,a===!0?"":a)}))})}function ys(e){var t=e.state,i={popper:{position:t.options.strategy,left:"0",top:"0",margin:"0"},arrow:{position:"absolute"},reference:{}};return Object.assign(t.elements.popper.style,i.popper),t.styles=i,t.elements.arrow&&Object.assign(t.elements.arrow.style,i.arrow),function(){Object.keys(t.elements).forEach(function(n){var r=t.elements[n],s=t.attributes[n]||{},o=Object.keys(t.styles.hasOwnProperty(n)?t.styles[n]:i[n]),a=o.reduce(function(l,h){return l[h]="",l},{});!de(r)||!we(r)||(Object.assign(r.style,a),Object.keys(s).forEach(function(l){r.removeAttribute(l)}))})}}const wi={name:"applyStyles",enabled:!0,phase:"write",fn:_s,effect:ys,requires:["computeStyles"]};function Ae(e){return e.split("-")[0]}var Ie=Math.max,Nt=Math.min,Ve=Math.round;function ui(){var e=navigator.userAgentData;return e!=null&&e.brands?e.brands.map(function(t){return t.brand+"/"+t.version}).join(" "):navigator.userAgent}function Kn(){return!/^((?!chrome|android).)*safari/i.test(ui())}function We(e,t,i){t===void 0&&(t=!1),i===void 0&&(i=!1);var n=e.getBoundingClientRect(),r=1,s=1;t&&de(e)&&(r=e.offsetWidth>0&&Ve(n.width)/e.offsetWidth||1,s=e.offsetHeight>0&&Ve(n.height)/e.offsetHeight||1);var o=$e(e)?ue(e):window,a=o.visualViewport,l=!Kn()&&i,h=(n.left+(l&&a?a.offsetLeft:0))/r,d=(n.top+(l&&a?a.offsetTop:0))/s,c=n.width/r,g=n.height/s;return{width:c,height:g,top:d,right:h+c,bottom:d+g,left:h,x:h,y:d}}function Ci(e){var t=We(e),i=e.offsetWidth,n=e.offsetHeight;return Math.abs(t.width-i)<=1&&(i=t.width),Math.abs(t.height-n)<=1&&(n=t.height),{x:e.offsetLeft,y:e.offsetTop,width:i,height:n}}function Jn(e,t){var i=t.getRootNode&&t.getRootNode();if(e.contains(t))return!0;if(i&&Ai(i)){var n=t;do{if(n&&e.isSameNode(n))return!0;n=n.parentNode||n.host}while(n)}return!1}function Se(e){return ue(e).getComputedStyle(e)}function Es(e){return["table","td","th"].indexOf(we(e))>=0}function xe(e){return(($e(e)?e.ownerDocument:e.document)||window.document).documentElement}function Bt(e){return we(e)==="html"?e:e.assignedSlot||e.parentNode||(Ai(e)?e.host:null)||xe(e)}function un(e){return!de(e)||Se(e).position==="fixed"?null:e.offsetParent}function As(e){var t=/firefox/i.test(ui()),i=/Trident/i.test(ui());if(i&&de(e)){var n=Se(e);if(n.position==="fixed")return null}var r=Bt(e);for(Ai(r)&&(r=r.host);de(r)&&["html","body"].indexOf(we(r))<0;){var s=Se(r);if(s.transform!=="none"||s.perspective!=="none"||s.contain==="paint"||["transform","perspective"].indexOf(s.willChange)!==-1||t&&s.willChange==="filter"||t&&s.filter&&s.filter!=="none")return r;r=r.parentNode}return null}function dt(e){for(var t=ue(e),i=un(e);i&&Es(i)&&Se(i).position==="static";)i=un(i);return i&&(we(i)==="html"||we(i)==="body"&&Se(i).position==="static")?t:i||As(e)||t}function Ti(e){return["top","bottom"].indexOf(e)>=0?"x":"y"}function at(e,t,i){return Ie(e,Nt(t,i))}function ws(e,t,i){var n=at(e,t,i);return n>i?i:n}function Xn(){return{top:0,right:0,bottom:0,left:0}}function zn(e){return Object.assign({},Xn(),e)}function Yn(e,t){return t.reduce(function(i,n){return i[n]=e,i},{})}var Cs=function(t,i){return t=typeof t=="function"?t(Object.assign({},i.rects,{placement:i.placement})):t,zn(typeof t!="number"?t:Yn(t,Je))};function Ts(e){var t,i=e.state,n=e.name,r=e.options,s=i.elements.arrow,o=i.modifiersData.popperOffsets,a=Ae(i.placement),l=Ti(a),h=[ne,he].indexOf(a)>=0,d=h?"height":"width";if(!(!s||!o)){var c=Cs(r.padding,i),g=Ci(s),u=l==="y"?ie:ne,v=l==="y"?ce:he,m=i.rects.reference[d]+i.rects.reference[l]-o[l]-i.rects.popper[d],y=o[l]-i.rects.reference[l],S=dt(s),N=S?l==="y"?S.clientHeight||0:S.clientWidth||0:0,f=m/2-y/2,A=c[u],P=N-g[d]-c[v],E=N/2-g[d]/2+f,C=at(A,E,P),x=l;i.modifiersData[n]=(t={},t[x]=C,t.centerOffset=C-E,t)}}function Ss(e){var t=e.state,i=e.options,n=i.element,r=n===void 0?"[data-popper-arrow]":n;r!=null&&(typeof r=="string"&&(r=t.elements.popper.querySelector(r),!r)||Jn(t.elements.popper,r)&&(t.elements.arrow=r))}const Gn={name:"arrow",enabled:!0,phase:"main",fn:Ts,effect:Ss,requires:["popperOffsets"],requiresIfExists:["preventOverflow"]};function qe(e){return e.split("-")[1]}var ks={top:"auto",right:"auto",bottom:"auto",left:"auto"};function Os(e){var t=e.x,i=e.y,n=window,r=n.devicePixelRatio||1;return{x:Ve(t*r)/r||0,y:Ve(i*r)/r||0}}function fn(e){var t,i=e.popper,n=e.popperRect,r=e.placement,s=e.variation,o=e.offsets,a=e.position,l=e.gpuAcceleration,h=e.adaptive,d=e.roundOffsets,c=e.isFixed,g=o.x,u=g===void 0?0:g,v=o.y,m=v===void 0?0:v,y=typeof d=="function"?d({x:u,y:m}):{x:u,y:m};u=y.x,m=y.y;var S=o.hasOwnProperty("x"),N=o.hasOwnProperty("y"),f=ne,A=ie,P=window;if(h){var E=dt(i),C="clientHeight",x="clientWidth";if(E===ue(i)&&(E=xe(i),Se(E).position!=="static"&&a==="absolute"&&(C="scrollHeight",x="scrollWidth")),E=E,r===ie||(r===ne||r===he)&&s===Ue){A=ce;var k=c&&E===P&&P.visualViewport?P.visualViewport.height:E[C];m-=k-n.height,m*=l?1:-1}if(r===ne||(r===ie||r===ce)&&s===Ue){f=he;var M=c&&E===P&&P.visualViewport?P.visualViewport.width:E[x];u-=M-n.width,u*=l?1:-1}}var H=Object.assign({position:a},h&&ks),p=d===!0?Os({x:u,y:m}):{x:u,y:m};if(u=p.x,m=p.y,l){var O;return Object.assign({},H,(O={},O[A]=N?"0":"",O[f]=S?"0":"",O.transform=(P.devicePixelRatio||1)<=1?"translate("+u+"px, "+m+"px)":"translate3d("+u+"px, "+m+"px, 0)",O))}return Object.assign({},H,(t={},t[A]=N?m+"px":"",t[f]=S?u+"px":"",t.transform="",t))}function Ds(e){var t=e.state,i=e.options,n=i.gpuAcceleration,r=n===void 0?!0:n,s=i.adaptive,o=s===void 0?!0:s,a=i.roundOffsets,l=a===void 0?!0:a,h={placement:Ae(t.placement),variation:qe(t.placement),popper:t.elements.popper,popperRect:t.rects.popper,gpuAcceleration:r,isFixed:t.options.strategy==="fixed"};t.modifiersData.popperOffsets!=null&&(t.styles.popper=Object.assign({},t.styles.popper,fn(Object.assign({},h,{offsets:t.modifiersData.popperOffsets,position:t.options.strategy,adaptive:o,roundOffsets:l})))),t.modifiersData.arrow!=null&&(t.styles.arrow=Object.assign({},t.styles.arrow,fn(Object.assign({},h,{offsets:t.modifiersData.arrow,position:"absolute",adaptive:!1,roundOffsets:l})))),t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-placement":t.placement})}const Si={name:"computeStyles",enabled:!0,phase:"beforeWrite",fn:Ds,data:{}};var Ct={passive:!0};function Ls(e){var t=e.state,i=e.instance,n=e.options,r=n.scroll,s=r===void 0?!0:r,o=n.resize,a=o===void 0?!0:o,l=ue(t.elements.popper),h=[].concat(t.scrollParents.reference,t.scrollParents.popper);return s&&h.forEach(function(d){d.addEventListener("scroll",i.update,Ct)}),a&&l.addEventListener("resize",i.update,Ct),function(){s&&h.forEach(function(d){d.removeEventListener("scroll",i.update,Ct)}),a&&l.removeEventListener("resize",i.update,Ct)}}const ki={name:"eventListeners",enabled:!0,phase:"write",fn:function(){},effect:Ls,data:{}};var Ps={left:"right",right:"left",bottom:"top",top:"bottom"};function St(e){return e.replace(/left|right|bottom|top/g,function(t){return Ps[t]})}var xs={start:"end",end:"start"};function pn(e){return e.replace(/start|end/g,function(t){return xs[t]})}function Oi(e){var t=ue(e),i=t.pageXOffset,n=t.pageYOffset;return{scrollLeft:i,scrollTop:n}}function Di(e){return We(xe(e)).left+Oi(e).scrollLeft}function Rs(e,t){var i=ue(e),n=xe(e),r=i.visualViewport,s=n.clientWidth,o=n.clientHeight,a=0,l=0;if(r){s=r.width,o=r.height;var h=Kn();(h||!h&&t==="fixed")&&(a=r.offsetLeft,l=r.offsetTop)}return{width:s,height:o,x:a+Di(e),y:l}}function Ns(e){var t,i=xe(e),n=Oi(e),r=(t=e.ownerDocument)==null?void 0:t.body,s=Ie(i.scrollWidth,i.clientWidth,r?r.scrollWidth:0,r?r.clientWidth:0),o=Ie(i.scrollHeight,i.clientHeight,r?r.scrollHeight:0,r?r.clientHeight:0),a=-n.scrollLeft+Di(e),l=-n.scrollTop;return Se(r||i).direction==="rtl"&&(a+=Ie(i.clientWidth,r?r.clientWidth:0)-s),{width:s,height:o,x:a,y:l}}function Li(e){var t=Se(e),i=t.overflow,n=t.overflowX,r=t.overflowY;return/auto|scroll|overlay|hidden/.test(i+r+n)}function Qn(e){return["html","body","#document"].indexOf(we(e))>=0?e.ownerDocument.body:de(e)&&Li(e)?e:Qn(Bt(e))}function lt(e,t){var i;t===void 0&&(t=[]);var n=Qn(e),r=n===((i=e.ownerDocument)==null?void 0:i.body),s=ue(n),o=r?[s].concat(s.visualViewport||[],Li(n)?n:[]):n,a=t.concat(o);return r?a:a.concat(lt(Bt(o)))}function fi(e){return Object.assign({},e,{left:e.x,top:e.y,right:e.x+e.width,bottom:e.y+e.height})}function Is(e,t){var i=We(e,!1,t==="fixed");return i.top=i.top+e.clientTop,i.left=i.left+e.clientLeft,i.bottom=i.top+e.clientHeight,i.right=i.left+e.clientWidth,i.width=e.clientWidth,i.height=e.clientHeight,i.x=i.left,i.y=i.top,i}function gn(e,t,i){return t===yi?fi(Rs(e,i)):$e(t)?Is(t,i):fi(Ns(xe(e)))}function Ms(e){var t=lt(Bt(e)),i=["absolute","fixed"].indexOf(Se(e).position)>=0,n=i&&de(e)?dt(e):e;return $e(n)?t.filter(function(r){return $e(r)&&Jn(r,n)&&we(r)!=="body"}):[]}function Hs(e,t,i,n){var r=t==="clippingParents"?Ms(e):[].concat(t),s=[].concat(r,[i]),o=s[0],a=s.reduce(function(l,h){var d=gn(e,h,n);return l.top=Ie(d.top,l.top),l.right=Nt(d.right,l.right),l.bottom=Nt(d.bottom,l.bottom),l.left=Ie(d.left,l.left),l},gn(e,o,n));return a.width=a.right-a.left,a.height=a.bottom-a.top,a.x=a.left,a.y=a.top,a}function Zn(e){var t=e.reference,i=e.element,n=e.placement,r=n?Ae(n):null,s=n?qe(n):null,o=t.x+t.width/2-i.width/2,a=t.y+t.height/2-i.height/2,l;switch(r){case ie:l={x:o,y:t.y-i.height};break;case ce:l={x:o,y:t.y+t.height};break;case he:l={x:t.x+t.width,y:a};break;case ne:l={x:t.x-i.width,y:a};break;default:l={x:t.x,y:t.y}}var h=r?Ti(r):null;if(h!=null){var d=h==="y"?"height":"width";switch(s){case He:l[h]=l[h]-(t[d]/2-i[d]/2);break;case Ue:l[h]=l[h]+(t[d]/2-i[d]/2);break}}return l}function Ke(e,t){t===void 0&&(t={});var i=t,n=i.placement,r=n===void 0?e.placement:n,s=i.strategy,o=s===void 0?e.strategy:s,a=i.boundary,l=a===void 0?Nn:a,h=i.rootBoundary,d=h===void 0?yi:h,c=i.elementContext,g=c===void 0?je:c,u=i.altBoundary,v=u===void 0?!1:u,m=i.padding,y=m===void 0?0:m,S=zn(typeof y!="number"?y:Yn(y,Je)),N=g===je?In:je,f=e.rects.popper,A=e.elements[v?N:g],P=Hs($e(A)?A:A.contextElement||xe(e.elements.popper),l,d,o),E=We(e.elements.reference),C=Zn({reference:E,element:f,strategy:"absolute",placement:r}),x=fi(Object.assign({},f,C)),k=g===je?x:E,M={top:P.top-k.top+S.top,bottom:k.bottom-P.bottom+S.bottom,left:P.left-k.left+S.left,right:k.right-P.right+S.right},H=e.modifiersData.offset;if(g===je&&H){var p=H[r];Object.keys(M).forEach(function(O){var R=[he,ce].indexOf(O)>=0?1:-1,T=[ie,ce].indexOf(O)>=0?"y":"x";M[O]+=p[T]*R})}return M}function $s(e,t){t===void 0&&(t={});var i=t,n=i.placement,r=i.boundary,s=i.rootBoundary,o=i.padding,a=i.flipVariations,l=i.allowedAutoPlacements,h=l===void 0?Ei:l,d=qe(n),c=d?a?di:di.filter(function(v){return qe(v)===d}):Je,g=c.filter(function(v){return h.indexOf(v)>=0});g.length===0&&(g=c);var u=g.reduce(function(v,m){return v[m]=Ke(e,{placement:m,boundary:r,rootBoundary:s,padding:o})[Ae(m)],v},{});return Object.keys(u).sort(function(v,m){return u[v]-u[m]})}function js(e){if(Ae(e)===jt)return[];var t=St(e);return[pn(e),t,pn(t)]}function Bs(e){var t=e.state,i=e.options,n=e.name;if(!t.modifiersData[n]._skip){for(var r=i.mainAxis,s=r===void 0?!0:r,o=i.altAxis,a=o===void 0?!0:o,l=i.fallbackPlacements,h=i.padding,d=i.boundary,c=i.rootBoundary,g=i.altBoundary,u=i.flipVariations,v=u===void 0?!0:u,m=i.allowedAutoPlacements,y=t.options.placement,S=Ae(y),N=S===y,f=l||(N||!v?[St(y)]:js(y)),A=[y].concat(f).reduce(function(ee,W){return ee.concat(Ae(W)===jt?$s(t,{placement:W,boundary:d,rootBoundary:c,padding:h,flipVariations:v,allowedAutoPlacements:m}):W)},[]),P=t.rects.reference,E=t.rects.popper,C=new Map,x=!0,k=A[0],M=0;M=0,T=R?"width":"height",w=Ke(t,{placement:H,boundary:d,rootBoundary:c,altBoundary:g,padding:h}),b=R?O?he:ne:O?ce:ie;P[T]>E[T]&&(b=St(b));var D=St(b),I=[];if(s&&I.push(w[p]<=0),a&&I.push(w[b]<=0,w[D]<=0),I.every(function(ee){return ee})){k=H,x=!1;break}C.set(H,I)}if(x)for(var U=v?3:1,B=function(W){var K=A.find(function(z){var $=C.get(z);if($)return $.slice(0,W).every(function(V){return V})});if(K)return k=K,"break"},J=U;J>0;J--){var F=B(J);if(F==="break")break}t.placement!==k&&(t.modifiersData[n]._skip=!0,t.placement=k,t.reset=!0)}}const er={name:"flip",enabled:!0,phase:"main",fn:Bs,requiresIfExists:["offset"],data:{_skip:!1}};function mn(e,t,i){return i===void 0&&(i={x:0,y:0}),{top:e.top-t.height-i.y,right:e.right-t.width+i.x,bottom:e.bottom-t.height+i.y,left:e.left-t.width-i.x}}function vn(e){return[ie,he,ce,ne].some(function(t){return e[t]>=0})}function Fs(e){var t=e.state,i=e.name,n=t.rects.reference,r=t.rects.popper,s=t.modifiersData.preventOverflow,o=Ke(t,{elementContext:"reference"}),a=Ke(t,{altBoundary:!0}),l=mn(o,n),h=mn(a,r,s),d=vn(l),c=vn(h);t.modifiersData[i]={referenceClippingOffsets:l,popperEscapeOffsets:h,isReferenceHidden:d,hasPopperEscaped:c},t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-reference-hidden":d,"data-popper-escaped":c})}const tr={name:"hide",enabled:!0,phase:"main",requiresIfExists:["preventOverflow"],fn:Fs};function Us(e,t,i){var n=Ae(e),r=[ne,ie].indexOf(n)>=0?-1:1,s=typeof i=="function"?i(Object.assign({},t,{placement:e})):i,o=s[0],a=s[1];return o=o||0,a=(a||0)*r,[ne,he].indexOf(n)>=0?{x:a,y:o}:{x:o,y:a}}function Vs(e){var t=e.state,i=e.options,n=e.name,r=i.offset,s=r===void 0?[0,0]:r,o=Ei.reduce(function(d,c){return d[c]=Us(c,t.rects,s),d},{}),a=o[t.placement],l=a.x,h=a.y;t.modifiersData.popperOffsets!=null&&(t.modifiersData.popperOffsets.x+=l,t.modifiersData.popperOffsets.y+=h),t.modifiersData[n]=o}const ir={name:"offset",enabled:!0,phase:"main",requires:["popperOffsets"],fn:Vs};function Ws(e){var t=e.state,i=e.name;t.modifiersData[i]=Zn({reference:t.rects.reference,element:t.rects.popper,strategy:"absolute",placement:t.placement})}const Pi={name:"popperOffsets",enabled:!0,phase:"read",fn:Ws,data:{}};function qs(e){return e==="x"?"y":"x"}function Ks(e){var t=e.state,i=e.options,n=e.name,r=i.mainAxis,s=r===void 0?!0:r,o=i.altAxis,a=o===void 0?!1:o,l=i.boundary,h=i.rootBoundary,d=i.altBoundary,c=i.padding,g=i.tether,u=g===void 0?!0:g,v=i.tetherOffset,m=v===void 0?0:v,y=Ke(t,{boundary:l,rootBoundary:h,padding:c,altBoundary:d}),S=Ae(t.placement),N=qe(t.placement),f=!N,A=Ti(S),P=qs(A),E=t.modifiersData.popperOffsets,C=t.rects.reference,x=t.rects.popper,k=typeof m=="function"?m(Object.assign({},t.rects,{placement:t.placement})):m,M=typeof k=="number"?{mainAxis:k,altAxis:k}:Object.assign({mainAxis:0,altAxis:0},k),H=t.modifiersData.offset?t.modifiersData.offset[t.placement]:null,p={x:0,y:0};if(E){if(s){var O,R=A==="y"?ie:ne,T=A==="y"?ce:he,w=A==="y"?"height":"width",b=E[A],D=b+y[R],I=b-y[T],U=u?-x[w]/2:0,B=N===He?C[w]:x[w],J=N===He?-x[w]:-C[w],F=t.elements.arrow,ee=u&&F?Ci(F):{width:0,height:0},W=t.modifiersData["arrow#persistent"]?t.modifiersData["arrow#persistent"].padding:Xn(),K=W[R],z=W[T],$=at(0,C[w],ee[w]),V=f?C[w]/2-U-$-K-M.mainAxis:B-$-K-M.mainAxis,te=f?-C[w]/2+U+$+z+M.mainAxis:J+$+z+M.mainAxis,fe=t.elements.arrow&&dt(t.elements.arrow),Vt=fe?A==="y"?fe.clientTop||0:fe.clientLeft||0:0,ut=(O=H?.[A])!=null?O:0,Wt=b+V-ut-Vt,qt=b+te-ut,ft=at(u?Nt(D,Wt):D,b,u?Ie(I,qt):I);E[A]=ft,p[A]=ft-b}if(a){var re,X=A==="x"?ie:ne,L=A==="x"?ce:he,j=E[P],q=P==="y"?"height":"width",Y=j+y[X],ke=j-y[L],pe=[ie,ne].indexOf(S)!==-1,Xe=(re=H?.[P])!=null?re:0,xi=pe?Y:j-C[q]-x[q]-Xe+M.altAxis,Ri=pe?j+C[q]+x[q]-Xe-M.altAxis:ke,Ni=u&&pe?ws(xi,j,Ri):at(u?xi:Y,j,u?Ri:ke);E[P]=Ni,p[P]=Ni-j}t.modifiersData[n]=p}}const nr={name:"preventOverflow",enabled:!0,phase:"main",fn:Ks,requiresIfExists:["offset"]};function Js(e){return{scrollLeft:e.scrollLeft,scrollTop:e.scrollTop}}function Xs(e){return e===ue(e)||!de(e)?Oi(e):Js(e)}function zs(e){var t=e.getBoundingClientRect(),i=Ve(t.width)/e.offsetWidth||1,n=Ve(t.height)/e.offsetHeight||1;return i!==1||n!==1}function Ys(e,t,i){i===void 0&&(i=!1);var n=de(t),r=de(t)&&zs(t),s=xe(t),o=We(e,r,i),a={scrollLeft:0,scrollTop:0},l={x:0,y:0};return(n||!n&&!i)&&((we(t)!=="body"||Li(s))&&(a=Xs(t)),de(t)?(l=We(t,!0),l.x+=t.clientLeft,l.y+=t.clientTop):s&&(l.x=Di(s))),{x:o.left+a.scrollLeft-l.x,y:o.top+a.scrollTop-l.y,width:o.width,height:o.height}}function Gs(e){var t=new Map,i=new Set,n=[];e.forEach(function(s){t.set(s.name,s)});function r(s){i.add(s.name);var o=[].concat(s.requires||[],s.requiresIfExists||[]);o.forEach(function(a){if(!i.has(a)){var l=t.get(a);l&&r(l)}}),n.push(s)}return e.forEach(function(s){i.has(s.name)||r(s)}),n}function Qs(e){var t=Gs(e);return qn.reduce(function(i,n){return i.concat(t.filter(function(r){return r.phase===n}))},[])}function Zs(e){var t;return function(){return t||(t=new Promise(function(i){Promise.resolve().then(function(){t=void 0,i(e())})})),t}}function eo(e){var t=e.reduce(function(i,n){var r=i[n.name];return i[n.name]=r?Object.assign({},r,n,{options:Object.assign({},r.options,n.options),data:Object.assign({},r.data,n.data)}):n,i},{});return Object.keys(t).map(function(i){return t[i]})}var bn={placement:"bottom",modifiers:[],strategy:"absolute"};function _n(){for(var e=arguments.length,t=new Array(e),i=0;iX&&typeof X=="object"&&"default"in X?X:{default:X};function h(X){if(X&&X.__esModule)return X;const L=Object.create(null,{[Symbol.toStringTag]:{value:"Module"}});if(X){for(const j in X)if(j!=="default"){const q=Object.getOwnPropertyDescriptor(X,j);Object.defineProperty(L,j,q.get?q:{enumerable:!0,get:()=>X[j]})}}return L.default=X,Object.freeze(L)}const d=h(i),c=l(r),g=l(s),u=l(o),v=l(a),m="dropdown",S=".bs.dropdown",N=".data-api",f="Escape",A="Tab",P="ArrowUp",E="ArrowDown",C=2,x=`hide${S}`,k=`hidden${S}`,M=`show${S}`,H=`shown${S}`,p=`click${S}${N}`,O=`keydown${S}${N}`,R=`keyup${S}${N}`,T="show",w="dropup",b="dropend",D="dropstart",I="dropup-center",U="dropdown-center",B='[data-bs-toggle="dropdown"]:not(.disabled):not(:disabled)',J=`${B}.${T}`,F=".dropdown-menu",ee=".navbar",W=".navbar-nav",K=".dropdown-menu .dropdown-item:not(.disabled):not(:disabled)",z=n.isRTL()?"top-end":"top-start",$=n.isRTL()?"top-start":"top-end",V=n.isRTL()?"bottom-end":"bottom-start",te=n.isRTL()?"bottom-start":"bottom-end",fe=n.isRTL()?"left-start":"right-start",Vt=n.isRTL()?"right-start":"left-start",ut="top",Wt="bottom",qt={autoClose:!0,boundary:"clippingParents",display:"dynamic",offset:[0,2],popperConfig:null,reference:"toggle"},ft={autoClose:"(boolean|string)",boundary:"(string|element)",display:"string",offset:"(array|string|function)",popperConfig:"(null|object|function)",reference:"(string|element|object)"};class re extends v.default{constructor(L,j){super(L,j),this._popper=null,this._parent=this._element.parentNode,this._menu=u.default.next(this._element,F)[0]||u.default.prev(this._element,F)[0]||u.default.findOne(F,this._parent),this._inNavbar=this._detectNavbar()}static get Default(){return qt}static get DefaultType(){return ft}static get NAME(){return m}toggle(){return this._isShown()?this.hide():this.show()}show(){if(n.isDisabled(this._element)||this._isShown())return;const L={relatedTarget:this._element};if(!c.default.trigger(this._element,M,L).defaultPrevented){if(this._createPopper(),"ontouchstart"in document.documentElement&&!this._parent.closest(W))for(const q of[].concat(...document.body.children))c.default.on(q,"mouseover",n.noop);this._element.focus(),this._element.setAttribute("aria-expanded",!0),this._menu.classList.add(T),this._element.classList.add(T),c.default.trigger(this._element,H,L)}}hide(){if(n.isDisabled(this._element)||!this._isShown())return;const L={relatedTarget:this._element};this._completeHide(L)}dispose(){this._popper&&this._popper.destroy(),super.dispose()}update(){this._inNavbar=this._detectNavbar(),this._popper&&this._popper.update()}_completeHide(L){if(!c.default.trigger(this._element,x,L).defaultPrevented){if("ontouchstart"in document.documentElement)for(const q of[].concat(...document.body.children))c.default.off(q,"mouseover",n.noop);this._popper&&this._popper.destroy(),this._menu.classList.remove(T),this._element.classList.remove(T),this._element.setAttribute("aria-expanded","false"),g.default.removeDataAttribute(this._menu,"popper"),c.default.trigger(this._element,k,L)}}_getConfig(L){if(L=super._getConfig(L),typeof L.reference=="object"&&!n.isElement(L.reference)&&typeof L.reference.getBoundingClientRect!="function")throw new TypeError(`${m.toUpperCase()}: Option "reference" provided type "object" without a required "getBoundingClientRect" method.`);return L}_createPopper(){if(typeof d>"u")throw new TypeError("Bootstrap's dropdowns require Popper (https://popper.js.org)");let L=this._element;this._config.reference==="parent"?L=this._parent:n.isElement(this._config.reference)?L=n.getElement(this._config.reference):typeof this._config.reference=="object"&&(L=this._config.reference);const j=this._getPopperConfig();this._popper=d.createPopper(L,this._menu,j)}_isShown(){return this._menu.classList.contains(T)}_getPlacement(){const L=this._parent;if(L.classList.contains(b))return fe;if(L.classList.contains(D))return Vt;if(L.classList.contains(I))return ut;if(L.classList.contains(U))return Wt;const j=getComputedStyle(this._menu).getPropertyValue("--bs-position").trim()==="end";return L.classList.contains(w)?j?$:z:j?te:V}_detectNavbar(){return this._element.closest(ee)!==null}_getOffset(){const{offset:L}=this._config;return typeof L=="string"?L.split(",").map(j=>Number.parseInt(j,10)):typeof L=="function"?j=>L(j,this._element):L}_getPopperConfig(){const L={placement:this._getPlacement(),modifiers:[{name:"preventOverflow",options:{boundary:this._config.boundary}},{name:"offset",options:{offset:this._getOffset()}}]};return(this._inNavbar||this._config.display==="static")&&(g.default.setDataAttribute(this._menu,"popper","static"),L.modifiers=[{name:"applyStyles",enabled:!1}]),{...L,...typeof this._config.popperConfig=="function"?this._config.popperConfig(L):this._config.popperConfig}}_selectMenuItem({key:L,target:j}){const q=u.default.find(K,this._menu).filter(Y=>n.isVisible(Y));q.length&&n.getNextActiveElement(q,j,L===E,!q.includes(j)).focus()}static jQueryInterface(L){return this.each(function(){const j=re.getOrCreateInstance(this,L);if(typeof L=="string"){if(typeof j[L]>"u")throw new TypeError(`No method named "${L}"`);j[L]()}})}static clearMenus(L){if(L.button===C||L.type==="keyup"&&L.key!==A)return;const j=u.default.find(J);for(const q of j){const Y=re.getInstance(q);if(!Y||Y._config.autoClose===!1)continue;const ke=L.composedPath(),pe=ke.includes(Y._menu);if(ke.includes(Y._element)||Y._config.autoClose==="inside"&&!pe||Y._config.autoClose==="outside"&&pe||Y._menu.contains(L.target)&&(L.type==="keyup"&&L.key===A||/input|select|option|textarea|form/i.test(L.target.tagName)))continue;const Xe={relatedTarget:Y._element};L.type==="click"&&(Xe.clickEvent=L),Y._completeHide(Xe)}}static dataApiKeydownHandler(L){const j=/input|textarea/i.test(L.target.tagName),q=L.key===f,Y=[P,E].includes(L.key);if(!Y&&!q||j&&!q)return;L.preventDefault();const ke=this.matches(B)?this:u.default.prev(this,B)[0]||u.default.next(this,B)[0]||u.default.findOne(B,L.delegateTarget.parentNode),pe=re.getOrCreateInstance(ke);if(Y){L.stopPropagation(),pe.show(),pe._selectMenuItem(L);return}pe._isShown()&&(L.stopPropagation(),pe.hide(),ke.focus())}}return c.default.on(document,O,B,re.dataApiKeydownHandler),c.default.on(document,O,F,re.dataApiKeydownHandler),c.default.on(document,p,re.clearMenus),c.default.on(document,R,re.clearMenus),c.default.on(document,p,B,function(X){X.preventDefault(),re.getOrCreateInstance(this).toggle()}),n.defineJQueryPlugin(re),re})})(bs);const yn=document.getElementById("navbarSupportedContentToggler"),ti=document.getElementById("navbarSupportedContent");ti!=null&&(ti.addEventListener("show.bs.collapse",()=>{console.log("opening navbar content"),yn.classList.toggle("is-active")}),ti.addEventListener("hide.bs.collapse",()=>{console.log("closing navbar content"),yn.classList.toggle("is-active")}));let lo=document.querySelectorAll(".needs-validation");Array.prototype.slice.call(lo).forEach(function(e){e.addEventListener("submit",function(t){e.checkValidity()||(t.preventDefault(),t.stopPropagation(),e.classList.add("was-validated"))},!1)});const co={mounted(){this.el.addEventListener("closed.bs.alert",()=>{this.pushEvent("lv:clear-flash",this.el.dataset)})}};var pi={},ho={get exports(){return pi},set exports(e){pi=e}},It={},uo={get exports(){return It},set exports(e){It=e}};/*! - * Bootstrap scrollbar.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var En;function fo(){return En||(En=1,function(e,t){(function(i,n){e.exports=n(ht(),bi(),me())})(Z,function(i,n,r){const s=u=>u&&typeof u=="object"&&"default"in u?u:{default:u},o=s(i),a=s(n),l=".fixed-top, .fixed-bottom, .is-fixed, .sticky-top",h=".sticky-top",d="padding-right",c="margin-right";class g{constructor(){this._element=document.body}getWidth(){const v=document.documentElement.clientWidth;return Math.abs(window.innerWidth-v)}hide(){const v=this.getWidth();this._disableOverFlow(),this._setElementAttributes(this._element,d,m=>m+v),this._setElementAttributes(l,d,m=>m+v),this._setElementAttributes(h,c,m=>m-v)}reset(){this._resetElementAttributes(this._element,"overflow"),this._resetElementAttributes(this._element,d),this._resetElementAttributes(l,d),this._resetElementAttributes(h,c)}isOverflowing(){return this.getWidth()>0}_disableOverFlow(){this._saveInitialAttribute(this._element,"overflow"),this._element.style.overflow="hidden"}_setElementAttributes(v,m,y){const S=this.getWidth(),N=f=>{if(f!==this._element&&window.innerWidth>f.clientWidth+S)return;this._saveInitialAttribute(f,m);const A=window.getComputedStyle(f).getPropertyValue(m);f.style.setProperty(m,`${y(Number.parseFloat(A))}px`)};this._applyManipulationCallback(v,N)}_saveInitialAttribute(v,m){const y=v.style.getPropertyValue(m);y&&a.default.setDataAttribute(v,m,y)}_resetElementAttributes(v,m){const y=S=>{const N=a.default.getDataAttribute(S,m);if(N===null){S.style.removeProperty(m);return}a.default.removeDataAttribute(S,m),S.style.setProperty(m,N)};this._applyManipulationCallback(v,y)}_applyManipulationCallback(v,m){if(r.isElement(v)){m(v);return}for(const y of o.default.find(v,this._element))m(y)}}return g})}(uo)),It}var Mt={},po={get exports(){return Mt},set exports(e){Mt=e}};/*! - * Bootstrap backdrop.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var An;function go(){return An||(An=1,function(e,t){(function(i,n){e.exports=n(Pe(),me(),_i())})(Z,function(i,n,r){const s=m=>m&&typeof m=="object"&&"default"in m?m:{default:m},o=s(i),a=s(r),l="backdrop",h="fade",d="show",c=`mousedown.bs.${l}`,g={className:"modal-backdrop",clickCallback:null,isAnimated:!1,isVisible:!0,rootElement:"body"},u={className:"string",clickCallback:"(function|null)",isAnimated:"boolean",isVisible:"boolean",rootElement:"(element|string)"};class v extends a.default{constructor(y){super(),this._config=this._getConfig(y),this._isAppended=!1,this._element=null}static get Default(){return g}static get DefaultType(){return u}static get NAME(){return l}show(y){if(!this._config.isVisible){n.execute(y);return}this._append();const S=this._getElement();this._config.isAnimated&&n.reflow(S),S.classList.add(d),this._emulateAnimation(()=>{n.execute(y)})}hide(y){if(!this._config.isVisible){n.execute(y);return}this._getElement().classList.remove(d),this._emulateAnimation(()=>{this.dispose(),n.execute(y)})}dispose(){this._isAppended&&(o.default.off(this._element,c),this._element.remove(),this._isAppended=!1)}_getElement(){if(!this._element){const y=document.createElement("div");y.className=this._config.className,this._config.isAnimated&&y.classList.add(h),this._element=y}return this._element}_configAfterMerge(y){return y.rootElement=n.getElement(y.rootElement),y}_append(){if(this._isAppended)return;const y=this._getElement();this._config.rootElement.append(y),o.default.on(y,c,()=>{n.execute(this._config.clickCallback)}),this._isAppended=!0}_emulateAnimation(y){n.executeAfterTransition(y,this._getElement(),this._config.isAnimated)}}return v})}(po)),Mt}var Ht={},mo={get exports(){return Ht},set exports(e){Ht=e}};/*! - * Bootstrap focustrap.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var wn;function vo(){return wn||(wn=1,function(e,t){(function(i,n){e.exports=n(Pe(),ht(),_i())})(Z,function(i,n,r){const s=A=>A&&typeof A=="object"&&"default"in A?A:{default:A},o=s(i),a=s(n),l=s(r),h="focustrap",c=".bs.focustrap",g=`focusin${c}`,u=`keydown.tab${c}`,v="Tab",m="forward",y="backward",S={autofocus:!0,trapElement:null},N={autofocus:"boolean",trapElement:"element"};class f extends l.default{constructor(P){super(),this._config=this._getConfig(P),this._isActive=!1,this._lastTabNavDirection=null}static get Default(){return S}static get DefaultType(){return N}static get NAME(){return h}activate(){this._isActive||(this._config.autofocus&&this._config.trapElement.focus(),o.default.off(document,c),o.default.on(document,g,P=>this._handleFocusin(P)),o.default.on(document,u,P=>this._handleKeydown(P)),this._isActive=!0)}deactivate(){this._isActive&&(this._isActive=!1,o.default.off(document,c))}_handleFocusin(P){const{trapElement:E}=this._config;if(P.target===document||P.target===E||E.contains(P.target))return;const C=a.default.focusableChildren(E);C.length===0?E.focus():this._lastTabNavDirection===y?C[C.length-1].focus():C[0].focus()}_handleKeydown(P){P.key===v&&(this._lastTabNavDirection=P.shiftKey?y:m)}}return f})}(mo)),Ht}/*! - * Bootstrap modal.js v5.2.3 (https://getbootstrap.com/) - * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */(function(e,t){(function(i,n){e.exports=n(me(),Pe(),ht(),fo(),$t(),go(),vo(),Rn())})(Z,function(i,n,r,s,o,a,l,h){const d=z=>z&&typeof z=="object"&&"default"in z?z:{default:z},c=d(n),g=d(r),u=d(s),v=d(o),m=d(a),y=d(l),S="modal",f=".bs.modal",A=".data-api",P="Escape",E=`hide${f}`,C=`hidePrevented${f}`,x=`hidden${f}`,k=`show${f}`,M=`shown${f}`,H=`resize${f}`,p=`click.dismiss${f}`,O=`mousedown.dismiss${f}`,R=`keydown.dismiss${f}`,T=`click${f}${A}`,w="modal-open",b="fade",D="show",I="modal-static",U=".modal.show",B=".modal-dialog",J=".modal-body",F='[data-bs-toggle="modal"]',ee={backdrop:!0,focus:!0,keyboard:!0},W={backdrop:"(boolean|string)",focus:"boolean",keyboard:"boolean"};class K extends v.default{constructor($,V){super($,V),this._dialog=g.default.findOne(B,this._element),this._backdrop=this._initializeBackDrop(),this._focustrap=this._initializeFocusTrap(),this._isShown=!1,this._isTransitioning=!1,this._scrollBar=new u.default,this._addEventListeners()}static get Default(){return ee}static get DefaultType(){return W}static get NAME(){return S}toggle($){return this._isShown?this.hide():this.show($)}show($){this._isShown||this._isTransitioning||c.default.trigger(this._element,k,{relatedTarget:$}).defaultPrevented||(this._isShown=!0,this._isTransitioning=!0,this._scrollBar.hide(),document.body.classList.add(w),this._adjustDialog(),this._backdrop.show(()=>this._showElement($)))}hide(){!this._isShown||this._isTransitioning||c.default.trigger(this._element,E).defaultPrevented||(this._isShown=!1,this._isTransitioning=!0,this._focustrap.deactivate(),this._element.classList.remove(D),this._queueCallback(()=>this._hideModal(),this._element,this._isAnimated()))}dispose(){for(const $ of[window,this._dialog])c.default.off($,f);this._backdrop.dispose(),this._focustrap.deactivate(),super.dispose()}handleUpdate(){this._adjustDialog()}_initializeBackDrop(){return new m.default({isVisible:Boolean(this._config.backdrop),isAnimated:this._isAnimated()})}_initializeFocusTrap(){return new y.default({trapElement:this._element})}_showElement($){document.body.contains(this._element)||document.body.append(this._element),this._element.style.display="block",this._element.removeAttribute("aria-hidden"),this._element.setAttribute("aria-modal",!0),this._element.setAttribute("role","dialog"),this._element.scrollTop=0;const V=g.default.findOne(J,this._dialog);V&&(V.scrollTop=0),i.reflow(this._element),this._element.classList.add(D);const te=()=>{this._config.focus&&this._focustrap.activate(),this._isTransitioning=!1,c.default.trigger(this._element,M,{relatedTarget:$})};this._queueCallback(te,this._dialog,this._isAnimated())}_addEventListeners(){c.default.on(this._element,R,$=>{if($.key===P){if(this._config.keyboard){$.preventDefault(),this.hide();return}this._triggerBackdropTransition()}}),c.default.on(window,H,()=>{this._isShown&&!this._isTransitioning&&this._adjustDialog()}),c.default.on(this._element,O,$=>{c.default.one(this._element,p,V=>{if(!(this._element!==$.target||this._element!==V.target)){if(this._config.backdrop==="static"){this._triggerBackdropTransition();return}this._config.backdrop&&this.hide()}})})}_hideModal(){this._element.style.display="none",this._element.setAttribute("aria-hidden",!0),this._element.removeAttribute("aria-modal"),this._element.removeAttribute("role"),this._isTransitioning=!1,this._backdrop.hide(()=>{document.body.classList.remove(w),this._resetAdjustments(),this._scrollBar.reset(),c.default.trigger(this._element,x)})}_isAnimated(){return this._element.classList.contains(b)}_triggerBackdropTransition(){if(c.default.trigger(this._element,C).defaultPrevented)return;const V=this._element.scrollHeight>document.documentElement.clientHeight,te=this._element.style.overflowY;te==="hidden"||this._element.classList.contains(I)||(V||(this._element.style.overflowY="hidden"),this._element.classList.add(I),this._queueCallback(()=>{this._element.classList.remove(I),this._queueCallback(()=>{this._element.style.overflowY=te},this._dialog)},this._dialog),this._element.focus())}_adjustDialog(){const $=this._element.scrollHeight>document.documentElement.clientHeight,V=this._scrollBar.getWidth(),te=V>0;if(te&&!$){const fe=i.isRTL()?"paddingLeft":"paddingRight";this._element.style[fe]=`${V}px`}if(!te&&$){const fe=i.isRTL()?"paddingRight":"paddingLeft";this._element.style[fe]=`${V}px`}}_resetAdjustments(){this._element.style.paddingLeft="",this._element.style.paddingRight=""}static jQueryInterface($,V){return this.each(function(){const te=K.getOrCreateInstance(this,$);if(typeof $=="string"){if(typeof te[$]>"u")throw new TypeError(`No method named "${$}"`);te[$](V)}})}}return c.default.on(document,T,F,function(z){const $=i.getElementFromSelector(this);["A","AREA"].includes(this.tagName)&&z.preventDefault(),c.default.one($,k,fe=>{fe.defaultPrevented||c.default.one($,x,()=>{i.isVisible(this)&&this.focus()})});const V=g.default.findOne(U);V&&K.getInstance(V).hide(),K.getOrCreateInstance($).toggle(this)}),h.enableDismissTrigger(K),i.defineJQueryPlugin(K),K})})(ho);const bo=pi,_o={mounted(){const e=new bo(this.el);e.show(),this.el.addEventListener("hidden.bs.modal",t=>{this.pushEventTo(`#${this.el.getAttribute("id")}`,"close",{}),e.dispose()}),this.handleEvent("modal-please-hide",t=>{e.hide()})},destroyed(){const e=document.querySelector(".modal-backdrop");e&&e.parentElement.removeChild(e)}},yo={mounted(){const e=new vs(this.el,{toggle:!1});this.handleEvent("toggle-template-details",({targetId:t})=>{this.el.id==t&&e.toggle()}),this.el.addEventListener("shown.bs.collapse",t=>{this.pushEvent("collapse-shown",{target_id:t.target.id})}),this.el.addEventListener("hidden.bs.collapse",t=>{this.pushEvent("collapse-hidden",{target_id:t.target.id})})}};let Ut={};Ut.AlertRemover=co;Ut.BsModal=_o;Ut.BsCollapse=yo;let Eo=document.querySelector("meta[name='csrf-token']").getAttribute("content"),rr=new rs("/live",dr,{params:{_csrf_token:Eo},hooks:Ut});gi.config({barColors:{0:"#29d"},shadowColor:"rgba(0, 0, 0, .3)"});window.addEventListener("phx:page-loading-start",e=>gi.show());window.addEventListener("phx:page-loading-stop",e=>gi.hide());rr.connect();window.liveSocket=rr; diff --git a/priv/static/assets/app-e94dbfbd324cca1ea4e492e0a02b9cf8.js.gz b/priv/static/assets/app-e94dbfbd324cca1ea4e492e0a02b9cf8.js.gz deleted file mode 100644 index fcb8e935e5dba031b86009d792eb7efc4961ecf5..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 47341 zcmV(zK<2+6iwFP!000001GK$+U*ks7F#7*~3ZpYWRtk*=lFh!mb~HZBz)VQymVrrj ztiAXXGvGv_gRrOtxf$TnKFN4+huCA`Gs;;UI=gVwbi98FV)ooJrcwB|i zP$%}_VGB#H>rV@wRGbapBwg|t25Ec9+#ZVlC9e*ust^~;iig20 zsgm6)4`BSU2!pe0UM=!jz&gvR%qU_h6`q#G{H)5aa15OlumBccY@FFVFRr2US!-Zb zQa}RCdC`~Mb`M<-DF#f!@+10p5ZvTt6|hA=AsECt{4A^cl=o+%yh)RL3%uEA(U+aY zvq8DN9h%SJ>>^FFD;OTMb92M9*{g*}XJOh*NMHhbei!-d-pgEI>2i5-EnqX$3L%o& zjBw(uC@Y@vA`GUfm|g|UY^Or5SP9dX!x_Rp+A09u=E*XxJ{BD7^H~HC42Ll8(gV*> zFL=i9dH}4OMb0zvrJsuIs;~O88)(nlKznsWos|Tvq?#_|Cdi}6L2>H;P>v>yVEtjY z+#FwD^O=AJ{#fKU$z>ub1KZli2FnL=N;RFqUMq0PlOOs0dJWAk#Jqyv*hQ;XXt<2a z{!LOq^80+o>l)G`wh_!-aM%p{vpl_*;RAN|0+uQA7(wOQ92qQLMRWXlW zD3Zus3OM2ehny;a@S2rHtcsUBoqrcBgAx81WXm*VfT$jMrEK|A77$fj7V9;y)@xC* zyoiIZ`+NPpfF1F81q07G^q5@^_E-*BI{;#u<|QV4O~3eT@J-Ew!2-pd5~DH~U<&`)Swh$5Q zV!duH^9m4`3Ke|H#VwzG;^j?D>qp6zxaRq?iZk!?6#f)WDX9E?o?n&mcp?)@?0#z> zjwbju3%MGlZjI||CCA;QtIPmpt*&P z3z?y(6jlJk<^)#WkO6cq^z->V^zwCmgDbGnc~a=l7Gg&maJ}|1Zq+KK2jcf;q1}a* z*U1$pTxl$WSC%LXrN0M;%giqF@f^0b*9HS}{}2Lf7^k!7YM**5&7-;tK!9$#r7+U{ z!U=YHiN~MbylhoRwO2c;{e9qV5qB^OxZd`#*i-ASXq)-lTjlt$=|Wf-8yo~#H?cK) zN#do34NjwYm84TmZL0=tgzkA6@A*4YC9-ZrEPxD77ksu%`C~ZiBJ1WwfWGX{oqgub zBy?AVrV_e^BLvE#*mMG^2_ZCjob$dsmQ{mDST&%4S4ys7958s0p)?N3T@VZTbph-H z9LM$?Q3-&#@t%JmIkk0~EFe$)4}jW0q-@ehpqRvz-bm=dfluk~;C#eXIZ*HAay|#> zn!^p}`Uvr#JQi7&B)M9gWGRM0q5culAgDZ+Z>%1`dN9SYQV}8iC~c zwIJ$uXjjEQH6-`YwRH8yaVW;FVRp3?D?mW%VH;(?_g75)YY$kOUY@1*y$jyM^9^bwJrpWc$=(ewdTO7CTzabzi4Hde(iI5E7CNGu0P zfISg6j>4TCZ@l`@R6>E2V>rnv!j}w0jl8ktWz2Ewx1;!T5x>|9g%Tx!#oFH1`qb(L z$olIwrV8RiC5w(g2>r=DfNFB@V?s>>CvKtxFJfXB*w$kRa&8a=o9q4c*^1YH#m~Qb zd-1P;8gOLro>B(%d!K=Lx{_NM=_1$=6zLHN%JXQ5%aM6p1ZQo{Nd*GGk5UFWBYi{- z!mLw(bq+RyN(P5nRud6u?V5)V5wrI@*?dDUlm>*RR>l7@-J=mU$h@XkiYl1B5JnJQ-tn?bF1coE%~Fc;9lyTd zj=sgC6*$u^*c_v+{Xw?9oxyLP(vQOb0Gz?B$Zu{C^T8<9}EHxNhD=dtj zLNL|oAgfVB8KFkijKdqYb1uwlMa?>~OO$UVeuP%-q6UmBh5X?u4kxtGXd;-}XB`I; zDTX3fa+3f?R4ige9KCgcTvX_S#J^RvPY6xdO{JcuekGh2B{Zr*09#uEjrFecnV2Kt z04`;j>90WU^$nCUk6+}LE=EICg=6tN-W%rMl>nRUvRVxDot>y0=MyVw6*vVToF0at zipV=E%>i+aGm>h>GbCr{fQ@v-%$j7DfE`=5u68)`O(hklP+LO0sidU3wZpAFR1yl* z4&H1kst6AVmseW7iMe75%k=w_mz7>}RxrAJgM}AW|6hmsb%KziG7?!5A|tI#j|6|2 zxmjVtuyx&b&C`-MntJ#4`>ML>Y-&;X&DcTKwVFetyT(+sirw%U1>=3xf`>?a@OMTU zTO!ADSXxXi`41-_-iO?%22c5yDjMe7+j*D(NyVEatgl-xWpg)0ehD>7*<=lAwEut+ z=Vr)uTHbJ3;tW_1l5Oo_!=@K%uu}EE=gAD|D;)Y2AocDkunhq+{WuarI~qo^y`6-p zD3KWj)Ve1GnUYW{hYG8XbA_xEg*(%tua)D_fW(0GG5925ih7K^0i8V3kSH8TIL#2+ zZSnOQdk)N9F^+mz755r2SXlOs`mrhM%XAiMO!5?ls(wgPKTkxexD~8L4fOPo133B^ zX&m*4N?wR06@PG-EgVmX^5ESL9Fed(a|Mn+)|G5C9;jwu6yywFPEuCCCENK;`jln$P&> zPsgudv0&M=3Shhw#KBHSPDxZyo%M7a1>3+NsM*VF&5xv`kpO^ss%c*F`x01YMRQ@1 z_VgObX^EIi{bl(4|BjwVBWQOJi~_Zx&ylP?TZvk6E_N;zh|GX6KXzWdsM8S#1!Hw} z=5#CVD$B3L4Qz*^y5LFW2oS%QL}*TUrDZDIS+T=R);dFOn64bf6LjX$Ina@V7f(mo z?1sioDOp}z)0}m3Xs;X0wmaf|du3-^0_MG|x}_I*cqLQd(C*5?^XI_XEP$xuugJ}E z@=8Awf%J)A9(}n9gRuWq^gP%RqHiwCA{IQ`mudP|4T!lK$mdUQ?eTL}^*uCd0RtH; zSi6B;MvztsiU-;36Nk<2DLkiA)T5M#p;a4l6B@ygE16c`X))WT>1}^+?^|X$TfE8@ z?-rgWH8oUD9Z)mW6L=RVZ6Fw+_ zz1=g~2sw@61+rZv{{(QT)=eGk18}ML%p9O%SyvULikAhoX^pw^TE2+kng~p&I7%ww8PiJ`C z;B0zw;ZRls5v{J(l`Ho!;p2xBKn3pNK^tXZxxy`w&MS2f1F{b+XoPwKw+i0RsS%g^fW5^$wgkE8CchLB(_)y@apIQvMw%Rt?@J(pm_mQDf3L( zZ?U@sm~Eb9C`K_^i0dMi%@uW|Pe|g;iH|2^2$vEQA+z~mpbQM)6dw5HqMDY#mxfpw zyL#i_%l?cb1B7gg03tjr;w#kO8um>cPnHg{0LWh|reqrP{5P0Hz?>T^ygmV5Z$lSK z7SzNC3nfk$`4CMeo&fCL^og9t%u-qY#^q&R4LuBb|i`s z$`D%#wHo=V*H(tulu>NT$V>)}y+1GVYmjxO@ry>mDc&s?uK=zGRk(*2YEA|5XDbwc zwnFxl3S{y%BM4I|svjo(i~EYdl?zrn9|q56*lyUYh6gU|%mSM3Hj1S#XwfwS8bn`7 z6{EN2z-fw@%-!TvpckoMMX62JEHu*~6w}bah=I!q$xZoD>yxu+*sLPyO}ow~Oy5+= z5~p^>mpV^XHl)FfLddCS?nL(^R=D3^M?m78Z(u3Z?(?@zb3^X#qXBJS6Qh0!B%X&k z%Xi>p8Rjwk9ZCVYvrwT56;x=^U8q!rN-8vqZ65EyAWLHsNv22^BJz?da9%h=|5 z5N69*v)xl`wsKjwAfFQC7Ygh%1$J|3r=hqtvQygB#@SIsX*F+ zv{cJQxDif*d07#M7&IzcF19C4Q{b)rlNttjDVaTYoytA;_^FvR_io zC>r>!KGs%83rep7D6r-s1|;K@SFknuORc>o73GR;J(z!FCKGSr0= z^4uHSEf@KnY*)l_yDs!09L1FB$C~IYw4Ul1WwF~NeTOu*BXzz0hX2jI3RhN2F?8NA zTpBgLLB1J`QP%nz{{JoiW-`up_b2Q1zHLyAtkI^QI%+4$miIs+W*~vHefSH~DEsn~*oith>ALx6;u>HaC_x z5Djw6Yto-j^VCiN21n9!UuS8>^8b+H5|zt$Wf=_M-=Nm(EtQZ+F?ih6L3ZjSbwwAa z@Ire9Xfe=OQX77q6XQ=zKM>8}IXZKgw0-hVg0yp`-?o#g2Xv!2=*oEx=xHXq$jhph zw~r2a@>HS!D~o3^PBvYeo}v|+o^)TM+@KC8yX;9Y;dP3t))QrK#&4iQygl#tj^V85 z$*hMJdIMV=?}Fty+H?2;t&p`l8sv0kg3`pOM`ph7VjAo+AJ6qW7^VKQj zS;V&JlT%RLF*rIsWE057GxCbb8;8m(CUuFGUr=8__(k=VeWS3vk?@O3gDJFl!sT?4 zN|IxZ436D|r}>tp0P*RzOc|^iQIm=o1AFfdw~NOkHL$$A8dr=@VEC?0*MHU~&AQd7 zu>||i8l?qlHEK*H{?lgFayA-9I~08psuY2aHJ4IuZS4=c`UEBhWPRSx@;j}Ub=`2Z zTU?-6^}w8FfnnNLwRE|uwfU7oA3a;VH7JOk2Byd8p6By$oWbyUX#3wq#hnJj)?Q5( z_2zsmJ8kU!<2C9q*zY``(SpxzF5}JAu>BztW@rIg@@lvuX?nJ569;2d)lFr(B>+vC z<|%;w#GH|i$HzvZOdkeBp7B`c=FwL<;TVwztr-F2O$cd#bZ{to{T^ms9*3kwq@E&= z{oX-U@#`DB`a7l@csD z_3o9mY1YF~YoU851KD)}hkR8F2|DBgH0JV8aZ5CC)aGU$WF}1x?h;YG&I^f>hj8{d zOsGC;M@{w(ng*FNP**1|U#AAAT9qfeGMQ?(+dLWDx8>e}xG{V4J-m1Hb!RL7Q^KUi z|F%Jb>WO`24jaecuGbc(?r)`e<+Fq9e3@0iI2o#6ce)03_O!DP96pFoUsYx(9vmMW zj2%ns=9y|gc}&eN-BG!`gE{OFfPECuhfk#u+Q;|NE#KTXTWwMReE=5%LZ)?7dwBmp z#xXdQR3If4WGm_NV*JVH3Xj~w*<@%9L-(mMe2o2YMwsCUSB7yW+j=ct?CBA< zVO_VAJU715^oM2$+;urxueooiil5p}62BY^WEwi%D4UrQjzVwRHld5$T4Yw25S}T8 zx)lg)N-)%=NNuR{@wd&{0z)JzLU;pL0x-nm&XOS=7Lfmbyh2v9^;aL_Ww=K zFW-%{j2mE=Hm}IHTborhd3G&Wsa<>D+M-p`Oa(m!HjOf$DG{qug6pU_>o^5$>xGM#*1hiLH- zThkCT{wv91Lmzb)gS5%txwGWMtWt{|U$sG?odoQ{$}8#@dzyc7vK#_wIU!FcrVkKD zQlvuWCI;=R$gsyExwR3{a4QIGrA6|*jw=cUqmkqR&VB!1$N(BIo**47kAdE7DGix;kNW8asGST@GL~K`A=&5rs>9P0e-@56#6#U%xYDy20@8NXKT(Pf@0Rw3$Y zvvxQqOKpf<=>pKH(^NeaPM|Tz&Rkk~3OIIkbIQ&RCJW22?au+V0}GmfttfODMSo(h zO}7&e#0XAizN+9QuN=$vLtah`aU<_@vuL=f`%DH68x?~U&tO)C3O~glu`3YLIGf-m zK*oS*Ik0?#b~VKDZC1oY6Eu=XaH#sG_W99)+mC0*x#z`u9=;!2>G z1iG{Q?o!beJiE2&;Xx*@>Du6RkzDiP&dxI0kQZ0u%kgru6MX8*g-$BvxVWL(tB%ZI z0s^R)zoGHrhCw06v0=CdOtV&T0uWdeeO_=HCi96TrSyQEqGZ}KJFWBY&K4exiS zaOk{;t>TB0)d9v2^~AihBEV(R10p1M8fd?otRY% z7@7bQUi^X|usIeSu_^xct3@AB3`phlDuY8|C~<=}54rYyslwoE^p%_T%S8f&^JTg$ z;)V0Ubk3_h&21KaQFE7oOj8w{?=5W8qVkuk1t7KW_pO$E4%-m)M-!L>|Lva6|N3wHQ1zdG z$NErG<^La3|Lbpn1npxl-~7$w17$M#`%wQMm<8ozK2STe+=Kl+=B%))L`CgC{l7z_ zWP*dVz>!epHYtNBl5riQ{tbxj6zegVi!T^%Zi(zq zyaehvuiy_+X83yzN2ti)#|@w?urWYmm;FDEQGkv2_uxPK@NJ?*W_iXjj--JT#`mKS zH2NTOYbO)kom&AQ@wOrchPD)cKvS1-#$ZZS)UqBKE!zeq2s88`hODYeR3OHY_Z0@f zsO&&NC^eS9C-J2W$cOm7E!* z1=9FCz=_CUN=4SC_mx68XVg(BQDAP#f zX(Y;6sf|QnMe#bLow~efq+J00Yb4EKUZqK!FgOcjEKeGPc76=l50#US5kdoYQN$?w zz{sT!WWdgfMj^_91-W-y1#vuJ?;9z*WdRLbWx7d_pCtU=xdmmaY~fls88?uWA{FD5 z3-#{ZvCLo=D*YI%0dd|{QFK}1wv$ZN>S56mav*V#V$xgy1HQbWNCyGS-AZ`T1q1cR zvqVJv9$QGMIm?0~NDyw2yO#RGpSx(*gV|F&pW$zT z8v#)B5Vy;8!KYUj`4>u`31s!(I%AX@guwdNg-{73hNk$M$LHf`tGB$KoU_;7Dgp{$ z-3KhIyhMrFe|RwDz&>OcNA=oG1|oz~8g!jvyYg%I4x}MimX3my1&x&;4FUlEz^K(Z z#{0NK)a4iX5(EFRSGZ6MkYFnmMW@iT#KM4`LJn+mXq^)TJ{IDZGCo5gJgIi^isu&B zHTggt^;-gqtH|wb}&#l_Mt#8J9b#e zg@Lt@1n=M6PHa~pA5e|TP7r|ivv3MwxZquy<3|u?b@JewJ+#)6Rq&%`zhEtxC-eZL zNZ=2w+V7AE;P?^#KtDggA3)hJII4hsdMsQZPWZ$N{RexjxYt_bd_D(RDK>Fjm)X?` za4|Z>A|*8K9VPjCrQ+ZUt(FSU)7vH5x>2l?bM58JDbzD!4PCl&eWTX4@35Uk9UW_mno@`K=TV`-4g-UFd{h2!*s;wWm?>Y)}T-Ssx& zP!Y^u#Lh&JEccOptQ(!EYXX#iRUqouQ1lapePC6)39{jLdTFfdj*}G)P4o*P{f&hV ziY;&9CHEdVRd!-i1op`?tsGYYdov)1-Y5yZq0&mh;ioXbIY{5rK`+?xyN+rmLs1-* zo^zWFU?tnycGZa&s?- z7nthElX1o@2mbtj!oBr)fA^o0|2z9CdiK0uk;`l3C}H0h9*Rs(w z4A6>8R;c^EqpVyOytm8*jG@P+NZAv!vVR@{MM9xYw@!M3<03YGz;x;DtN|=39x+E5 z9gB!qu3;=1nPZ>i2}~z7nnRqTY$8e+M!w54jQ6(S~ov$rLt@_qVsVLb1J#w+Sa8XS|ml zhS-Ge@-@fn1t(lf&E62o*(MzjsJJHBEO!;`w9g~@DD@-1Cv`IPC>bcH zF6!Imc2uSXON-;$R|>$ZnWPOqX);ZX$ocz zua*U(qlBCBRPcbgy{+M=TpLv3P$!d&Cfz`SKtB&*ZR;_3V$BTf9jm#H&SVHIK;O=0 zsFHl31+_jiQAmug`sK91xF{;FT5Dv(LY0VhQPw%BV)G1Sq<~(t{+RCsR5zFaXrZ={ z?lqnzFRaA(Nx3+sgZ3y5TRlK#G|Vt^A~k-TRXO<%M*}@wZ@#L&ER0HIIGAMo5qY%9 zf}x1$n&uS<1wwi8+qYsUQF`jc6eoj_N|!Yl)u_-FwB|e<4d8$Ov+jR2EaA9<7R#^V z@~d$CKf}paQU9xF(fWVj-*bv&gE0}!2xXkk?d^|fsi8X$&d!u&!`U1-?8Vtxz^a{K z*t|2roEvm^o+O~T?%KI}OJZ&89NP|jTSjiZa9>8{ z+j1jh8Q4%0MB!iFAEUj=dfj~#hv&(d-V+LN7{LUCldumw{+Pjl;?)J#?tp!xeLMwz z3eU3~&eh%=BpUn|0}ykJcETj}dWFJ?oIZE7syhBL1_iUJHnJ3+Lb8nWI13fTg_B{m zjMb~A_v4AecE^LCx0#U2o>pRH4XH&m$Z9r4g)Sa)lBu-|vgvsvv~)&6(g|%VuXw&c zefJinEIc_Xs)$XidauxGv}U6GOee@OzW(GzbJE)ldCUNz;k{Gyjz`)PgP|>e(@NQl zdMkl-P7h3t<*QQE=ma>0cc?#zWE&<#7|mXkRr?(cX%qGf$onEgX5cL_Nkkyrj-c5T zHnTx349E);{kZsY$nkFG-hF&v3%CH_p0>Bq7edPY&;|(3swA3ev+Ja|g6gDe_u5b# zx6Y%tJ?PM~ka`QP86Tr%^|7lDjIbwRpj(2&=os~?m$b%CAh@Svf$*_Fg3s$A6dE<4 zeFV|*WkzO}4&1}W!dJw3b-Y<5)rzE0iO48XP-B4t{b$N*aTsnx#N#QwdaKvyMZ9M~ zbV4eo4R{92|5{kAa_8H^CshS%aEyib(nT9po!Hb@!05ZHphOKAm)&y!xFsA2I!d-= zf*fQlpw*uIoSYB;ELLM|#|Svy8;nRwoXs&lm*s;gMMl`rlN_VutH3@v#TG_`UAD0| z4>}Ec4J`JEJJF(PWOwa01Val&ICwhpsC{}$%nAg!)rZQ6#^LWP<7>1x6fJCcYlx5G zvunKT(L1Yh>^W}v1hypp8CMewfq>xn=oVFF6klVDdYhH7mhwQZroScN`@C5(gC) z15&lZO91g@AXvGaG}B&W;8NEuuD=yp~`189aVB|?a7`s#j)Ys3D{ z*(I@7qI{pc$ICRMsDhL8Hc0_fw5ImC9(YgMQvt^_1C9r4FC=`gWBDAO<(k#yRv`25 zn+W-{FfMxzvi%I(87;ITb{*eixNH2Vk>j~m%B>rBYF6q^!mbnVtfEk|O;?aSY`O{< zm>{0Zh`qf(QHw399%0CBOak@w@K%+k#lK|%n#Jv!+W~0nwqx<-HHcEoxnY@r{=bG+ zF}P898<9FraI|m@$JY~0{_o@4CfjSc-fKEzhCUkHp^5Wg|Y0!>d#+0#+a- zcx%PQ4A(n@^=3V@{Fz+-!Z<;y(G=`M7Ae;%lST;4-cm-xFyuGV!=NdQ8FI8DjuzQ8 z>`m_yVk2ZrQbmWuAjKgK%%)%^932xjLZB6-1p7^pw#nmqH!*Y#ivH4Y;w=vDk(#fC zD{mBK)zNvI86WXMgEM?d^2T^?LQCyDJSwqDyO9*JdAL;QM|tgey|p*k+A`_>yQcbK zV4)uEMXgJX;ggUE%f~=RNIl-=OD8@gy%Ab~{D-kQoHv2VV3#-ENG*}Nr64K2cY_kT z?{yf}Yu}cGO{60uddd5p0s{a8hJDS8OOk)f27Izu^!b-*y2Qvk;|W9KDI-2mxUNJm zUFq1$Yuor;I3Zr3LHq8m<_FLyo=|U?86hBzzT0cbQz>igyc8n}P(*&--D|$N*WC14 zj8geXM~R%Vl4+2nZqZ8)Zg*X(ffO}VjdHjH+vPM^UrQ?hC3q7f>T08L6(kWcI`d1s z$n+LurPg3D4u}&7=;O*f8i&aF_ysVlW#y0HCs;&~(7ttQ%)V1Uac)%pm9$x5waRsO+%tSAE99eTRB zE_m3%DV$;7R3fxKAg$Rb+-jtgTO&{@Jl`8?k>~#tjs~R1SeI03t>+azdoI-NRKH3t z-%G+P=a0HF0B@CNXh3y;_#_{zqiqt-nq?ly~kv2RaBvu~7sZ$qgPPPr@D(q5Q@WfW3jUmr$#q2{hL zlumjwP!tV^pSUOX2Tdx&6RX`T=~mC4-l%y=VBP6G=jO34-(>T5?>(ot)cnNv98L(y zAfY)!_DX9HZSZ`Wm9K#r2hw;HZHo#{zb29M)Bx`rEoA9Fy0^-Ru?REwf(}ddPmlg} zdiMUq;nDWC%={VY5i*}5g+!Y2%Ove#=L7T;f>DC7AkVY)+8I@(hE)fD`O7())9Tlk z(Cx#2V^C>{iA7c#|4(^N7V$J9A8EB#XdDQ#n_^kTZUviGlSpbY6lI|OYj!R=()lTo z*@li5*&c0?*25I>i!Hh|0TwZ9wd-ht3iO|C5_?%E@;z}xXX6jH>)~U;#JB)lVtl9= zsSOHCt2t|SZ}&^#w_QTpCAOVCSg5hTON^*nxVljLo0)qYI`m;D6*XOnX!g`y-O$$% zD>F9~F(#4phYNA)AZEde7Lr~`$wb9^&h(7)+O{J3~~!;nqEame{Y2 zr-w|8bNBVV{uxl0PZVHCg@$jPE(IWId6NoY+*uHrgYpfO%A{%3To0%X~m+dgoJhSyK-(mc55%&p#JnTNjIjW+Z>K?)ny-WsIF9Pd`}J8i~?R&|b1 z-kB(+BUTFBhmMwWCe4xTw|SgM8T_5WlEB$16HoA&tzBI-&!}oUlnUe=rSdqN=@3yS zK?X0yRBtkE#YidItwpsp74*bPOs*x+khde_IZHLq?56 zOxpx0o28+=XIF`~8!qfe&xlMy!#MC${7lkrz3DGAG8xA@?Xvhg@)m|3{8dVu_SpPc z{OMu&)g$vRyf(1(k!=GQ>_9uMAXRZ~5E`q8ngZ3upBU{*S`l(!Al^u?cdX+TMt6J} zbw|%Yp|`d9Q-~_h=_lYS!D)m-f~yb|tr1W$ig!CZD9^pvYrXNN2GR(#;Ln)3e)g3ok11UxS^y1{<`!RaYuRcHk#mmmAE~aR zqrVBj4EbbIP-pZ9SQVmfh1B9?YFpBdg)iE;*ra6a3h6bkCg>1BRB-f3Jtdiiwj=@r zWM>WI2*l75xlXfe?(syt(uOK$F3%{_BIo8>znLdWd0B1RH?3RIxv4|ZFHu`1is2ho z2e2qx4$QT1X&LI+(Q?-~y~ z=nMxS+sl^MN3umrC}XcD1(4d@fBFoTO0GpFs)Jc_1GARv;Z4d6+iw~N20JD!`pqK~ zXpmy2Ec4Vg*4^C)<`ElV$pVtzy~lScoYTjQN89&+G_NjrdcTug>#m;;uAGLXy|G{Q8H2ZPDwR}K%R>k>A;EaKk^_WA+uK~Jg53aei2 z_xsA2wcy!A8^z`5OM{;BMI!YME&VLEH_bZr2`^ zvUYizlc;qcmtOku3~~-;vlu~Dm{5wjQR(J@gg3lEG&g(ftbbw9#2JU$Wz8N9EHQ#y z)r7lw{@F`hj% z>#n)_b_i;w9kvK6r)9X%S(qODq)1p5`?-kq)6REycm2C>`gw8reE*;S{O9v8i|RTJ z7{2`=Z#6XXp;gLAst5);jr~%@TU#X@*MTxa4}hyF`DW90_PefON-5ieKz^xERm&vR zw)0+-@`B$9jP+xoo;U`1;h~P7fBa5 zs$4=L_dcR4dES~2pcuv!2`~E5&Ps-5a-X}TP2i^#-^Kp~X1;t8|MUNhsA|8;Ki}Nw z8_Pi{3lvlUjR-`e06w^FM*Hu=y^En&kDgH={X#<23@J7J{aI5W{2ZR=cE<8(2>TR!+hHsE4HzZw2&8UhJ)N$Ifv zK{}6v`L~EyA3mNQe|SG|9aQZCI>!5Gvg}MjEv66OA;LU>7TJzN#<1QP**v*XfU9^ zWOy$OOsy8hDOa=O_a8r>HlV4?8Pgo5Q%ndHqv|2+Yx+eamx6~%i5fINRMudfgk0y< z3~e?JJ{=u&uCZ!*XuB6q$3haRtbxmO8@1E1x4`rQ>aW*Z&_;pb#Ocm`k*72BV)D?b z5Tos(T<*r$=!uDqtM6{I-F?6sd3$R|h%Cvl7)HqZ$Av*RjJMW}dcan=h#Qr00Zo?f zq*41u!h|Xbn zefCoU3>teQ;&0ebBL0Ux=sw})mn9p&n$WdT=Z$mAYzr+~WVHR6LwsCUKeJHE2^=8+ z=Uzd6GKw3>Y;cE&qJ3znBkcYk%@+j7pSwADF0~S0emMNM3Z4sa0SePTA5MnH+uOiU-Ld0n6y7G!RQMW9Q<4Kbs8l&OD{_p=sG9Cp|=L? zn0;n1*$?dXkPiq9h|Bon2OlfhF`@JDP&zHXj1Rrs3&)9Zd)xhjHH=ml@ek1POALBg zi45by)SscfLrI7@$JP`^vS0KjLMn|2dSUYLAeJ~h3Xey}0F=*=6ut)ZIG#kKmyq>( z^h=B`HK$6vmy{!X%?=~>8J6%fF5#hC!o&D=G{ExF02`uT(El%Ls{yhd!jiIIwzpr= zFWAS_{~HwK;m1!RlGXOup*_X7^pJm6T#J+E=AeDvFWs!1L-tv&>L2mH#n@u-WcbJS_8)|n#A;u~g1w8c?7Dv+TkBdEW*JV1}XFQhWiy>89RR{_bR*s4&oM0DMOHNfRp$>CCQF3zj=8-qUgT-!~s)h<%-&2a2 z)>>oC%;Q6-gFlRR8@aSNQ}1$77?M{|NIi)>6|;{Br1((Tq?r<0V{TtCtD*Nz3R8TR;G=26fR zWlB*+H8s~=p0XOn$#&tT?gZ~g9_hz1V-X>hSB)H~j=S4%`|fIj0%a6S3RLz=>c#*M zKOvWvpzYonx#IbF!h*52=#M2~o%CMxzG6K$L#e+hhXNh08uI%)(rVO=i;WfCuL0w3 z&~#8S)Av9yL_hLyhe0vrs4q%DFv2_iB$GiqYx12NR5Xl{+|?XAM~TPl_BDBUA! z;Ur?KQu`g9px@abXC~n&o6%h|?&P-PQW=d(e9#DkIH9pCT2@WTf!=;6@I7{7^ zHaG_LwHBnT*Q$uJweKk79FdWA)i)$2@JJ{DZ7J#5oZQAe8JGar994S^In=PpL6z70Xgerwh#k7J+nhE` z#$XP*R?UQsptfunqB*n@Z6p|mDBwWYnd_woDJ?HOGZ`q_?RG*y#4*f`+p3C7ilC}39F2jhwl8z$OD40zuylwZ}My9c8HNg3Ih5;%dfq2I0u^taq!^bN%KQjQE6b% z5mpw1>9T9*-9dBS=Vi4kPkcF<=V~fF>CBzTxc77pU)#65kboL)Ou4iQXniW(8%na@ zJL`K6;WA2)T7Acm%G?@L6m=bG49*Ovw-%i@2Qn_HznWb~&v(j;${FA^}~e^XWoS#^V0yZ-)7hu@>ONAHf_YoFi7Z9#6Mb#yS!+<7Y8 z9h1W|k1G^F#6%hKwj%>JM2LoHXd_y<0Ugimy|#(1hyjL2AQIqmI1!0`?zJnHmpgD) z#sz9LI#^AAV2&pQ9TdfSU77<#V=;o5t=!sb-80G5V_@7GqS9kJ%Tl}7R0t5fEeKS%s**zlK9xn88}IR?iiB} z8x3!)xvwFeA zR0o-ZV$6K}?tVZOwweLzfzV1J*65*Op!S1GM%0yWw3Y*b_SgoiXix^(Ol=mSVb@;p>9QyVzNMxL075{$zj)pGosSbfLCc7C zC48%xQ#L9hV=>Z}o){4oW~|JySMtgGK@c$WpiT+E#-IYP#0(%(`{HH(VOhb!u44Cd zM$pUfLQu9;n`UHuM>9F^ZAu&%MRg`a)5?jySke0mW{aV~NicQjCRQFbp1L$NX@39= z5Ct1nEi_^mCNdJCT`cQ?C833WK|n_g?qH(7;BvK>_~<)-hwU_0Nc(iUixjs~aQfOw zI%{Y9X6aQ_jdjqlDQq%6d+ib;;NvhK{S26hnpHEZini-q4h0arqYXzpiTBK7KG9?p ze@jYAj0CiG0SS1A#xZ8NjQcZ8UhIw1%|lFBHclq0hd~;P@h*Jkaf*#G{c1W=UJ26_ z1Adg487trZQg-b6#WgF5u>tJR8GKx_vaY=)^TMY!o0SVX%ilF?;9l!UHj(Ougt%T* zv=u61v=$n^ky_-8CZxOC-hP8tfTOPN(3fdICPx{pmz|>HS-*l)Noo~qv*sC&K$v57 zoFQ!S3DzNXwY^=mM}X`;fKCT{b2=kqMlDYWySGmtBVMriyXlvvSo8>$CK24VuhqfO zo3&uuM!2)XW|y)EP>uKe4sZ^n?;GeB5Sl`3>5#-6=UwZQ{)A2%9}Dbr21-O7Re(DK zUbl#z4zI+=zlez^O(TQ~zTg?Y=yaNUHHLJU!6@YMr8a$IMCdAnuMtwkoj4osIiw)o z9~R$b`pO3VKqcnfXUVmg+U~~1?*2qR4&XLbOzMZmClA|S@OWi3%z{qY&S4g~!;~U+ zz2@UDg&k%d?+tT1%v?R2-AiByInWI=qQaeA3X@B}(+{){(@m30#wkv&^e0!0Q#iL< zfKVP$?Ul7PH{-47+anPje){@Qj0SJe=X}(CB4U>V+di*58}}nK0d8wwWYZ@(Q9~7a zgXA1fm5qU4JgZulaZg^UUiPwc+wCM4cW&DzH{!deWl0lY1ggsg3Trj z-?5BeOdn)UN7EK>I)d6;dy_#pZ3LtvVmp9%Cg#?!!Nq^*OMW_`YN( zJ3IB+SvJO?f|F=4ZN*h0rOYVY99PK=rj$V1g7;7>)5Di84Z8II@|VlJqL4}LE-*%t z4COrd%efmyN9E&i-4HsGu+V~^+$34(v`Bu1dNSeEa@e#gn6=Ng_9yx<+)7}9Q<@$B zazoZ`IER!cB}^dWt?BA;QHh-!>j7YC+7?qq*#iWu?l;Y+IfDS5XsrwYL&uS&+uJ{d z!4n52A9;Wk+B8C1K9JSzqV(?IoRDuC^m_-+@UNH9i#$gRQPgzKj@sTlNQy^ zte+5ZzJzkEX!96QF6Lwv+u9;%)hWt&pZ&^x8R|N@;>U;ftQ6(Wj&`usZZ3zOHsWUS z<@-Fp0?}lXr>ykud(w^d*_pjW)}FLysS3SO+GnL?h9K38es$6Ww&AJ1@5V>I^zdS> zr_f{U>$&<&P;(q~oERp@$-wvN&(0d&g6dPqs891SnaYHM@^V-yvQ%j| zO;z!WK|R;yPac6fLDg^yKyiFWQ9;f`a%n)+gvHqeX{QaZL2xjp|6T5v`8Ydj|H!#a3)-1um^UHW4;37J{s!0ska0Qyjo%WAgng z*q3D?BQP-PP_K;h&cLe5(H9;eJjiuC=7i~h&M9oKB$ks*%*x{X zqOCiJg5_-0)qv`pZg89j4y0lm&9PoN1j(wkS7uNET4+(KIR`1jw~f!#yTyYA)4yg+ z2Kb*cJIujl9hYnwuiAyWo7>u2)a*8<`%L*5cCfvDIl2VN=^CF;xNXEkwKgH@W#=e@ zLLdtHJL8&#_v}R70K1J#*$hri5I+X**_j&E+=fXwfEf(u@f;(GJ{0zR}JC?wY>e-c5El?JuF}pdSZ^^{+)_p5Rk=!v~qTrmOMS1?=PSkw#~< zeI9LLa|4&KcaUPio@xgnQEv?(cZF-SOTq5ZgVDX<4s#%$j|>ywI@43Wj8x<dby65XIag@|t)k&v$1fHp4(c^M zHL}$ipdTYaUB<$xH*3_}SZx_EoNB_W7FntUG-u|NtGdfws%U{7^Mgv^b^CSGe!qW< z23`K+0+70dbz8FAiA0?iFVK7dssUEyBwV1Pfji!f8(}kbf)!F^788$L71*N3qR_&y zL?%#|t|D^1Ri)F7gt~IaCJl3C2F>aaOWB{bYMQHqVpE*jnZpGrF`HPlh(Sekgfod~D4X(=dJa)BdmHTM^QX5bJSnD&j|psC^F9xO7+u5d8){ML+HJ{TO>#Tr7~&lG#!~s; z;Q*~BHJ2CKPG*In=^fHyY>8_2CEFBu3=O@SN@JzkrDvG6uadmoaebR&F%tBH?)r^h zm>WMRtsfS~G-j^jpwo5L4>^EYr^wKO_~u>VL|MO)R>f!zf|1TtVzJC15wECCntof_ z=uPqYZl|H&pf7p^ICf?;a(>$qyZeJZTS?h9Tm7ll@S2{eq7wG4Ub6sX1++onO9`aP zZ`!3ykasmv1j&b+(iX6SjM(hjwsr7>vIy4YB) z;lwnm!aK(eT+!*_d3rlg7lC3{pA*v+uJp1DyhR$B6;jF$wk*;{5fwejlw7Y>(Hq)O z1AWzidMCNZ&@z#iczZ50k%-H0%%S@gn<4MYBSttru;^ZE6(I5(Z)If5=9Dd}f<&&0 zqZa9v0!37#Qm>FPq%AUXO#WovKsT`uHRA3ux2!1N0Y!Zz=H#ulJZ*r&jU?#|T>?)B zM})D*4MIwf<>?6_@wg}=d_#^-JPL$c7E>frI7}~;tbNx*$GoudmK+0P-ajK7-!r)) zF+E8xuXq&Nn~lhL?Wq=hD_#j~3~2cgDKi)(?p`>8w1jDk)KN z=aNpCOFBbtB6s+h68iaLF#$R4tl#~1xWzX)gv-!<4jlU*2Xt?Z)i7dt?}GEJCz+X9 z4{aRiURzEvm_!~;0`yAoY8`LJI7Utm@+-Q=HsADMfuB@Kpvaif+`e(7xezqqQp<^0 z*5oyx3HGmwz0{XOUJ=E00+u;MM4Ev=ydI24t+TN45Nwk+VIApnt{1P`w0L%{s!6|j zYdF+uvKAoz1pum1UerCV9+||(mYxapx+N#9Pu|U_9y)(~=p2Xc-GJ7JPSzCIqtnvD zjS)xL)ChNNT&HrgI0|O|RhbH!-c;$E2MoQOlb_$H49_Ud>5v@nQCA9!3}Q2nB4x)3 zzaI1p;3;#>Z1+ZOYo%p2>(N_+_;eV08Ouurw2Yxk&S)UpV#e4PyC<}gx2TS-QTKb= z2l(bF>9<`U1R6<2y*36xyV(w;RL!7S4zGjr#?xfou*&d>rb>mDuWND=l7_>MWrV~I zNn!$aic;4^+WV2!xwbYhw4HgW%+T{X=D?*Zdv|*bX9-2!27czzoEw!JD40u zJwa!uORjZzn1(x|k1sG#h|beYhmAJC59llhy2=b-6hMmFDB_I8Hp)tHJgNhWWyW;T zmU4X1anu3MDo_Lq$8S9kF-W#Fb2NN#Ne=nboTS!L)iNB$&JMH6pph#lOO-o_#d^f_ zG!8Uq8cW!MP0{%SUjj4HOihsWAE*x%Xno4iT$dv3c4c#&-I~s-gFSoC>FHw4Y6lZY zyT^xqRhWRL3gDi1h4p*SvBSndR)_#+q=W+=#~9Q4Kzp&TUu;%<$(F}{ls{Ok3w?)H zLK4chci5=gK;ovE2596sGm$?{P!0E?KJzM@n3?Fn8{VNVB!tic5zPV0joe+1B7W&- zvOIDmJo073RdPwKD@}!#G4rK4{S+J$SgSegf`w*m6fA*FCgOo<=JBaK(|jfEbsNl| zZEjbg-G4c@I;kqy9jC>TALi2|^Ewp~DH}~21B>fb+2|^ZrRvUpl%~Gf)zIp24%A_# zNuVYk72T%ErwIFx#OBaaH+gHy?lW|0wF~~9-#Og76Uqa6Y)MIfz;42K#ZA2WXRAMG zOImc5)0)kQc?RB_(9tn&tD_F0z27wG^OfYNaC4SjRg(s5CGm!I>RiDn;aoyP5j<*| zO~NPanR^L^(wrwQ&(~0*yx2Dp4%+NoTi+2HzVD@DQAdF2WZYEY!w>I(m2bM@2W$+L zE5rm>t!4YhDf>N2zJ7d5_N7e%ky8)*LFq=JU^P=f-jn2&Gyxg?lSO#e=z57d4 zz!{%u3P&a%C!jJ4+w?M*QQtB4bQ^FYU0@UCBQBXjzc}Ky(d~9zYTAf}6f0lKTZ9=} zA<{EN#`~LXE{o4Fv8?XQ^YCWKJ08E1bSNVVlp=+}`v^C&O_uOsH+_}RcojnWekfI% z5*LmSfvX*o{}{#EQp)H=znLc-O?dfuyL!!_&BQm7rQ}4#|JT;M$^8XKeU6cJN~=Wx z8LUN^S1s-#Y#a+w%QDd(=V+0LHh1_zuLLxmraHAUc+&v2U|>^ZQ1O8QjB4f>Y~#}l z%5i!|8){%VbZn{NK>m_P&?q*o^-8vFY_~1idjpHwdYi_;Clr4c#>ArsrZ*XjiC&yg z!dipLy0H7;qL)Jy#v*4?2?Wr3qrnh3w z=~-*`N$YWJL;9&CM`R*-HFWv8jhvX~;WzMM$W?F1T3P(lN24`PXfS407NO&gSbO2@ z2E078TtnmjU_7bO{8vALZn^jd>=Y;OG6PAea^H&Vio$#OM}*epd6?wh)2NqVlvB5o z{i<5YURv_&yMDgvEZ^F1l<9UiZXHoFYKK*L5Q9Vt5Cppl)S(CkttWXmdUV2c*>sZj zp8sC?q*5OCe*K1nGd{9SKAbUzB0&N0U&3B|w&pMg2DW?nEoWr+RrbIH2q_-qkTcC8 z$8GkvpkOJ{V+<#HwkTrVBF1%lWDRTe=7i7nC1nrMr5BvxNM>O%`995?AsNo9`?F2(e=f*43$>94%+`V&oR%_T~D-pF3BxBO$tH9M=C@4lS- zlFoUg%-3y+CL=;zx6u~3vD3I~G_IlNV2YZkCYgwXN?pdu4N>Ylfl2NiAChb40!pJM zv8sc9k6_V5a~gsEfjz*7-@j5( zW}>3O0GHWS26L7}le*BkRCmH4&&he+;fl!d+H*I;OETC0!n-`$wB$6Px>GdtjvPt0 z&4JS<-HLH?4ix{`(f9Lk^65*^PQlJ*tK*kG7%9EA#jJNejh?Kx2vI{ZXm;2cwTK=S zg&pnP**;paC`e+U0DYG5FE>dxqc{JeP1+UH zVnH@HwGZHCCq_-Pux}$eowN>VPlZFbRkpY*n2?QTNxsX$^B@|XKU=kQ`$b;m(>$%8 zKW}F)^0KPw%4opr%{bPvH8ec&D$ZkLy~E2;Jd!>P=dO(*G>7gP(=_|Sd%BOwCF!n^ zh!9*gEG2vce44?YXzlRi2Nus1d4@QR^CTLLvLdCBM2?|EdZ z-+K)!jLaska<9sJ=sDI?Km;N-F?7yDY=b;C@f|c;nT^Bqx-b~prNwQSE67_JRnMK1 z)4fxIUPfs2=GXEGSEJ}~Gq^5Nj=-RMH46j>%{(g{wagwC;{87ol^;Y^sk=#BW=*o) z0C*0uhcS*T9Xi( zU6h|QGLf+0b4)ls;A4aKAY3)hyQi&2Yh95i>`e z5g0ptRmTPD)X@bQ$$T`BUdZDKIwG^gYfZ@lVcvHgPuJ`A{h}uVeGj~xk_eDWB#)n4 z3N#Y80`2cw(wU{K?J$_-mJ_&FNd=VtpSN^K z-OM}AMj0}9u<)`e&BsqQAAf1>926suF?itcScG`pF<8iVsbC#z13CU@uKHtXB{MlE zMnMV9jn~ML;&++?v{T~POJfbDWl^WXBxo2(!NgLuzZF2Wp0-?9!u8I6%>~Z;SI`-jJpiY13c)tzR10! z-E?zRF+lGFw4s&Hn80^yi?ts-FD47N<+TN>dX~VKcq6V@d$LMhZv~PcAP~R$T!rx0FAO` z6{R(qA_Gx+Bhq8-$g)x*nH-Mzfa9a)TsIRsH;$DSG8`pdrCE`w*PrUp587fJPaZs$ z9R?q@W^INQ8y>Z z3+i1~W&w2wEDfH+12sGu?V?igDFlNfc(7?9V863adK=-nRA6kXS{WO@yniqt?UnY>qnZHG0BOKqcBLR4WNO8gmd36j9uTD- zu)&5loxlN=^pp?U7>X1QhWxVNHZ;Z~rpnSV`2*U-LKQN5)Zvm=MPqK#gz`pp08^23 zXuj%hu#VVyr^a-QQerus#ziK z7_@SaR!y`9txRc+a3s`wKYNNqnzkA-#NcoPjNJ;03M8)chAq@oM0G64DDa$3OFDYD=~WA)O|19ktvx>|aSoZs|Xv!;XLpXgDV>Xi?vStzcoe;!P1Q~~{KX@1>84HY#D zPbM~tH=Q|5s$t(CA}GpxoY~V_nnH~!EDt`Ev2;(S4S4HuoUOe&g)&POWrR8wNL8Og z7#oAYZ`f-cWD-U)1yX;j5bc^yG`73v#*1kBV9SfA zv^;fMuA8&)=s@G52G2~Xs>SkjG~s%|j?GOlY=g(C0>y&N0N#YsEJGTlB)hv%iHyZi zL+YJ7z?YT34L7l zNz1E)vs&U#Vj0Hgh*gnIvpA<*GMpgZv-fPZtj{s9hsCmGd~58q8kf%YI^ISDpeT{I zAw?O&_$Z<}m?bwr9p&~8fxl=nJn}`Ux+~(Q(#1(rGlvbb9@m=oQk>09%0b+Bn^XRK z*kKO|WKZt-E)P0vz_`o}bR#eJv56UgP5^o1|3OPl)xH?-P1sdtRro}>2UT6$6WKUM zdER%Mq!gy#^wlz{KGCqJ{6WRYXAwPOZDd*b;Tg1y!A6Z7kOP${**L&q2bO0qX)&0J z<5=0~jiR1tVFfRwJWmxzI(H@tXOnw_MS(`DQI}8|Okstt0%e$1+S8)z=Dc+kj}G`O zk2|(*!91Ie6-HO!HPEf6+N>l{B)c*S^bTb?=>_N}NIf)zJmsKun>Wp`;UIItk(nz} z8R+0a{}p`g86R}U4L8h3dB?TZxYmzDo$3OK-P^wn0KNYeseTj z={uL1D~GC<-+p%yIo6rSTt?`)$~K%(MKl?VRkTC=XHrL243JV025H78l^<{ba1^yR z@Wf-j(ZY4u!%GqOwL987)tyZi?-s z?;aGxB`^E&4sWYkuPZN5zhXrK86Z1|szs6C^(Y1(P38PAJ^D}5yIJHs6JL6ADDs7d z3l3agek*49I7CSdMTstf@Kszc<;xH`CBHS3=(*ivT&^DflAy`^;4i8#{Eq;fFRI>3 z)~RJEkU)(g=qPAAXcRu9BN5Fa+-mf`jU7`=Q?_k{!E?+Fn3^u@;mb~Sq*^%FaWiDx zEUb&Tp`9|-G9kw=zQn@+Uat=oxy)}W^Av*&&=dazJeT@SkFnX{Pj7S7LqTKqLqBp? zC8)=EWnXtNY4YJMX$><^mMQe-M?ycX!jA>TU{v`|ubzpE8=DIdSfZ|zs2)7E(Xp<9 zM{x4t%)W%<_!3!%qtwYDR*0U4=d*)KM%i$(kskrJDb}wdl&tbYMkP?HDP*JIVkKyd-;+*Ukt$}KbMuDua0%E*X?c)^5 zan*TGn|HO8Id*?LXXN>Ol%Boz6x|G3$XhSV``V2661A5IkKE3Xo@d@bL@1?F67 zg9OG3!4O;eUJoNISdS(57#Z`46bNf_Sk!KR8jqTEc)i}zdm76dQx-rcH{JTYVvZ{0 z7C6dK++{*XH*+KLSkBK47^Uw(Z7$WL_)z-(z(syD3M%;a+&>D$wlgq`5 zdz!351u$uQV6?2^xuchm_~f@d4pfh`o=WfCEl^*K>bqrzT4aPHYH$_Q+O8Cfq?q-9 zsleXF4(&4^<0}Ut<-o+jEk$Gh0&3<=0fJGyJ`w+ zU7Odk8;jg_t9KgEPif}z&CLiOP}lvT`4$sMHpvRI?f`rBXQ`b-J-q-o4W6E59m&ZT zz`A!ywdl{&97J~d3EK;(Sr~m4X1ii%KZ zl=kF!%5x0r-k!?FCcjKMpHX{_I-RZedq>zm#XwX*>0N^)a;~r4njSBs2Jp47z9}-; zBpF0>G1_vMc9e5yjN|$Mew4bAeh`gb7Gub}NktU~@IBt2Oa@l|#h53qc;azmTEuxE zTyNRoyMiNq>8eB;bv$)RTPvmwJld^D55;==|F!p~-EAvLg6Q}86%tBM7bqnu`PP{^ zXTVDHP>Wl#wT&ci&1TyW35t+NfF?jmG>QK{5s@nvN_KV6mwVo+TNVN2o{_O-EVe6h z&0y^Bd5O7`oa^Qrg*D37`CH3(VeZFC=61K1`(fVmgf+e$CeAc%P&ACxvAy7g~z3 zD(Z4--buG29AGmXYXf{rV=iKDRqLSjM$1&I#Nn<9zD)%!jGz~#vecLy+p1Fx$Xyoq zMO3ELZc%K83Uq~0W8N6E=bD=?iT3L5*mU3`8COMtmI*i#V7f~Y-CxAv(fJ9BD^^HJ zJgY4t_A}bvu1_n1c`ICzy0AL^qLG`vDpSdcS|JZttGY1aWGil*4A944izT9UFG4u$?>^h_JN?&6_hb$A-;Q0X>6Shx0t_(kHXDyxPqN==laTuBzX ziOThcid_ps!R{zfRP1@yxoBZD6<3EB*7xICNqRA1fpfdDHNFdO-wgdGbgKvnZ#du5 zB3Hs#Q3twYO++jr2F9&YVa$3Dd>O%6)w7OiIh;9uHV0p9l`LJIZe>Q*`2!X~#+qVr zVW5yUIwrl)JB3asp9)>h4#P#U>e8}*k9Eyl)RUW7TdkU}VIlOoy8J3RnbtK+a;*;M zT9WK1$vh3`Q%6MHT30Gd=KT?7QWC}TR#>AXFilZpyvld05rUVJ*OP*odOum1Zvhds zs}o(V>Z|(oudU+PU|#j-Rf4OzwLlb6@L(x^_RRfo;hqDj(p7xb&7ZNz*wu3-zzD*bwH0LEqx#8Khn?eA3FA* z){E8pb5j8{|11)bDr^d?8dgv~ysWZECc}~8lc#`x@uN=7ZRsG3Y!rR1i#Abv6(ziR zb;uMmq&hZ!bI-a$JP#gS>+t}mm)dXeV!H6cT|R`1`P6slkHg>(^c2%G{%~?uaJrDH z70g|=-lXJaMkdZ-6B@w{gg?zJIZd9z*+GzE{s_#ihS5h0ZvpZGJHFGHX_@dD$oE*|?&@cHSs+%w}>dM{Zzhg)V z4ykTT_-}DMrO^mx5*H7()dDI+USSnPvpg1SC~3`50y&hmFh2kxAC)r%^C4jY_O^7 zmpBY(!mNC?>h`?WW`ur`%6@#ciVL~6Hr+@RE+_oL38SK+;E#hQZZD-NBSv~r4J6AMJj!Lr*-Rtkw$oGTe&TC=om!pbv&Dci61$H}eNDoiUQdxhVe z7XD|TvZ@cQSR){FCz*n{9aE?NGS4frWy$1)ZvA(5su%g%4~a_TRq?C7DZoZyd-IKN znIM*%USl+%Lhg}VUTB&^!<4l+I_rD6HKMSB!7s#Z4b}RE-AMAm05Wkog19;*k+%I* zZ@!B|+rWs0-$iOc0bwPZwu7+~@SrZH)*{+HY2bGa7B5${W6 zQpYu`wN6ndxJ;Wh2crJ!xbjvJs}rXmOaWHHhAO`2nUTKW2@E3Mx;cav*x(k3c!{Y2 z2{QhM!;jk#qoCeapS160C8dHaY4XCT(9t!Evs$TUTF`6e1}ruzZo)G(yUtU9=E{M( z%v)y!l*=#z)f5gC@Vp#Cz`-Nwkg37n97^6;B2}yiSt&r4+N?G3m6G|iF((&=F=b?0 zqP``Ht%_2T@1C@s#EY)#LRgxFqOOISXarEk!F(B&gB0OG!V9w4cBDfJ78@l?rqm84 ze_?gV4Zsu^Ga`1wr0qn#R(Ty#I-0+<4#EeV&W&7-Tr;`ElwE`>sT*Bsn=m~i5#+9! z_Gig>d___ian1k$Yrk=462$Xh?5O*EIu2{kzNjxEuobRu&=;q2RiW=u4umn87;wbj z7Hy9rwiN9u$v`}PB}jO)M?P)q<&$KJsq#Xns9v6hcUWY0j<>x+fT-B7Sv-Vrs)|@N zz(hruv=iV_j491|)}$`TdM&B7q*H;J*G9M`?P%#%lcK)}Cxq?oSZO&#Nf8%aJQSTP z5BbB$VuoE|lyGM@cB1Usg7<=uGNI*8R zcL2X->KMJxWDbgw1{2@UFmo`Rg%9C^>~FK#SpI|}8O6AJBkqcUHKpm5F1|MPngM>b zIYhEgL@6`jrGCH7(B{30|0ssy$z%fZXn>(;5|D!h6nPZ}Xp_98UVs41xMKENX#6PT zM=`TVf{}EUEkZ0Z+)Hs-)ESjxWuj=*k}1|p_Q>J$l$K>isJ9Bn5*kz+>hUA1*JK=5gp$Kb<%#6S9a0%?yA#$gi_HVcEWNes5$8&@M=1$ z`l#H?3}beQ^H}*7y?irOl?Ldx4AAvdla)+4no2JzzD?G`*yj|atOgCsMl26^qgT{Snx-zX&4a2jp#n&k&^#D1R|4DV06CcP zv8!DnrDQKdB9oC-RLnF`^@~GWaM=?|6D3|8$PXn)pCHeTe=7w7o~~925xIb51d*G^ z(CHZl%!vk3wy=LUZ>46Ws7XxQGhcMXMm%hVJ3GYd1ere&VAs#BcyBWdd=ox4A~dGN z&38QHcv^TtBvSVQq3f?!Zo$>4T8m)^Bhf*Ymt_eQK(qBy>K$GE7TUicS0)Obf^p1% zSrtm4nPS*0w@!c>D~_!Jy8|Y?;@GOTOZc}cx)9E!3RQtfuE%c&2q6ZJ^p~p@{nq+b zWy}`41s^O0Fi$gdyehmpm}!lLax&42X6349L8%N<{wy2YWm?sR4J|za#U~z@P2<*F zJ%=bz6(&CeJ_V#bHWHhtXpr=5F~nYMjrMohV>$<)? zJ;Y^ceT9J`CVHlR3R*$CIsBYgx~{ZlZ34xIuI?s)M27B=EJ^ti6XyaOoXqHsPW276 zJ+(gIpkp2)EFq7}f^`+stWptbK*iSX-#7oq#>U?__VJn=rZwFl3-soFy7Blwn}0U{ zvEh!gY?}JJyU_BjDurCwu17TwlIdbbAtC`twg;B?P# zsg3OEHr>_D?%u&aqjVQfFwqsLCVDxI`eB@cNH9mo)s3^0n_p?}cAVVqB0I8sdU9}d zetkrZ?LG#xjW}+pOT>+dwZAclUv3=pH|CC!&bX@|34vnx_1ts+-IM}&rh^Rfnw4gb zuF(@dF)*Fbv3ICVZBC}t2-L=cq#G;($fN-Z0Y#mW! ze!;J{x34y7gzYN~5jJt9ABybdA_qPLXDxQ|g5xHrCAqL@Oi^`u;k7SBJ8ZDNdV6hc zS+`GhadD<<+IvE`qe1CVItcj}%z7D)gN1*UD=|d+=EI5)uCoQ~_f%MBXB#*CocORN zIpVwnF)@Sg*;CEyD>d-V8(8P3_MY!v@C&u53>I~-$FBHQ>5W_0!A@QC2$BB)^n6FN zp02&0!YGt%j)gX-Kskl#XS&IqM7S~w)?dDE-qYIt)0t!N*eRdFn6$oVsD;uA(na-B!i)<&@O3!w*p6xv&d;i*$5YL1ZnQ(?yn_2ZtW&YuFY z3w*>=F;&Rx#%>{Cp_@w}+dTTyVgNU*I&NPHgXwRZ+F_Ah>z&hEtbV8z03vbm^(cUo zRzOZ@CZ+}`4cE@e1jbS1!SOU=C=@XsLKpT`uIK{`DeR(f^O{mqSOBv*?Q7S5R7mDr z*rerbD9>Fo9HMPZ(f|iwkCQ#)E;J9A0mM)V-&fx9!4Rih z9sK_Zw4jd|`-YhETdwiaA$ONjtHAbq52;*%SQ#SPq=sn6-c63KPpAPPN12g+55Pl+3oh2?YNJkor^O4WM&&$EIE4mnOlpyT`=OD0Xid)b%hqdW(W5L~;0@_TX|nzl&o2 z%p#K0;VAG2^Sgu6kr8(I8H>mq+?-Z^Eo`8b$>d|<@!c$$D7wN2;?sHfTvQYAWAQ;1 z#7gSZNPN1fa1M5%z9{tZX_HsibaxXV($>-+yP*xA|zNo$$6g!zI(USqx_dyEhfr!QFjeL@o^^ zKjIc2ewY^S3VrL>&+dbMdFejjMc_ERgLw(d8~+Fxqh~)gB+*Gc}cCepHl?I^(f>pzkUaGcnEiS!)W6%BCP z?IUGC1(o8r@zemfebv2y6XD_?N=WgFGvFUEtuP!+?G%MoyT^JoJ*%^G)tTz* zjALoKM>9w97>}Yn6hL=UY#f&P*y!gTJk`LIpLLIWEj5d&UL5#YT}AsSBG9W7c*KwN z#>^-H__%un!#a|i*WpWmPd#>X1n};Q!4}kh+rw{!8|1fFPYd5hbkRtkt|x3L@1jF5VRaH9ON_En%0S+w9D3d1tOX@0@Di z0%)hezl1KxGp!eD+~}=4tKv?p#9oCn7A{(=e4 z30IBm@DdC&h`C2)n;<}i>XKD=4`dcKVU_w%AjudmUN93HLb?Fr zJp&`540?V*A=JEVwpbnkhTso*AA4WcNo@lAy*;sp4o|#nWoV({&OaYP|mXf?a9}b_4q!5e2*S zw*EUOrRK%9R}HAluKR6g~#w*$J3 z-9**;QpKYQg-xNgg-Mvke?Ti3{(fTu0>VZHy#59d3awn-0La~t;bfbzTNqPaeM56Y z%V#GLnA5{6ki4mbCg%Z-9Ve6%uu}pg9aUP)P+F40FZz?BQ8#I71wj{eaEhuzffQ{d zW*riBL!Nppp;ZtU3xw?(af+cvalKRSdm zivH?vx)C7Hsj%+?ad^#rNNR|=Dv`F3ZperC*B9sFZqOZs=r;WE>O=>_ru#oZSyWw% zMT}i@piDZu-EODx@4ekS3}p1Zv9&CDtfHB)!8nJ2%`G=6Mq#E(c_zQBOOCB&?80IG z4rSBBJ31+z%lZGfv5en^g{k8Ks7ObBR;}-I)K+!-mpl8qGK%98E~!_Dbo zcE>$U-IMCv#kwiXSa$cRuAW3>LqueNX{sniuo{1TY!X=5mc4Z>wL~ZB*64 zVnJorfw8=0KMU z;`8cPye3#v0&m>N&Z_7<@WoC*4) z4V~O{^A9ioMmO;YN3Kx?$v8;gCgJQZ6kp+7LII|}2+*S&pffCl-^3SOwFAs}sas{^ zyso_NEU)y#Mrtz#+`5%WfYed>Eq1tXK7e`5>% zZCS$P7}4MOx6mKTIE-*0USqLuwTMupFjZ6;Gk$4Yc()E0-nH)xF1$lRo}hR482(_= zQuqV>`hYvMQI15DeETDHkgy-xL_>4J#7^Q%Vt-E7@RW?__O}>Tt*4D;O z5>*)l_vo=eA7T_*3bk4FGeDvSZHE1RI5#4=uUmoJJG zsKZ>t-MpSUsKuAF!5v#eE9UEH1#YTE`c9-EYV{r1NZ2hy1huNy+G^=yc0dV`OpEN1 zoaJm|=VFf_p<*Ts_<%DL;Qwf$^+%ziv?=wcqpRzai*qY-RDsgVap}+BZ_}nkt%y$Z z?{;au^`^KgtQs;ENYjP8Z&vC%;#*lkw*@s6j_o6k?IVso6f$x`qV9B^sGC$p-DI7p zt8sHfp_TLjk~nS0uaBks7M8w>&BFB&OZR`p&RXE)Is*Zb6jEVil7ci!9+d#wmATA+@lJ-Snuh@9+57_svl3rvB zT#)tNcQcDS68yRjW{jo8u~xoV;cOsN#%^!lRkgP>%T`CCxPppkE*!aPOp8Qm>4l_B zKJhU1bBx8@tVItVh;|~OVx$7oQ7Zq7p_-EVYWq<-AC=e)oe5H$qfsuhEcPl#WixQ~GoD)!T4T?{Ur_lW4H9w_2SS)KlNkW%C>r ziWaZu)Qeu{i4x<{^>KjG(m7@~ZD9{$7>F`*tsbmHR_+1=!z3x?gsd^}bQd05AmVWo zm=zMU5vE;Zck7seQB+|Dpav?;uZWA7tgCoc=ud5 z>5(l0VrgZHWprtDs;9P=>?3N)P859Y^L0)n?njTkFSoR>vBNw5_MM9Pr8QfveHn#+ zd;7h-43wVvg`o;6@zKlW^kSGHNI4*4TW_hED&cK(OS|Q*aTdHI7 z27~0XTMZ1i-MwDTEM5~{9@mR&2D0BFWZ!!4%*jk?89v7~_c22bMY5u)dB>q^Ee9e+n2BdD?)R*r2UOs*Po{L?7;iznu&dTdx zw^$E$%0~7VfJ==0usU)|ZiJR)m^og1h`Sz?#TjXjx#FmP6Edry4Vzu22UVaf5r{hV z;YYytD(9wN)qR!hW&H{0e(aH9_A4NN^8Xg(U)Pvid-=MZbR1R(#V1uL&h^UNmT;(| z3b%EdBh>sSuiI$^Eg>P#M zE4q3D;?<#1^y7HekDvHLSYky;Et~%nu}~-0j!7=#h;0H3c~UfHa{}m~0TM|NlfT>H zT0Nk(3fgF7L&_nyc5IAYWKvd$es_hr#4QG5IaDC3<73xr5>I$N6G47Ihqf;9wxmmx zuTQ$Sy|?H|@vC~mThbF^HMgK63~KLi&e_yRXHOvAJ*k*$@>&MJ$4)-K#+6kNBBvOq~|e5pWW#cGX@G}mcteihDZsYrsThQ4`rw5sWEfdNsM7? zhv5ukvpH-K@%N$13tE)w<&;9DQR`+qPQ%$bhL7~)W7q>WsN3_{QN)en?S06)_gT;T z)kfLcX3t=#!kzUhL}%7x8an>kf?pJoO?kc!}cjmHvW323W^UOb-~ZG2xCxx zf)`KX=Vw(^e)OR`IgFqk zXxl;cHsz)@OrEhh2+2=k^GW=5i{aQ)(I{plutzkj8Au`q67U&nbpt@ln{V1x^Xj#;1pnaG zL{dSTIVk!idQxdX|r0r+}hW z47Ucwa3hnalaQ-$IP5&*Djp8|B;U_aXf^H4(exbag**-(qdRitnWrF0-XU)jWPwIB zn^HX(Hg7RDVcJ$dNTZ~e%1Y@gzVA4@&Q8{R#Pn@RoU2QW4F^a_wM%mtKNtaLbN4@8 zx4qd1E)i%Ev^h(nf!Fl@o(4l;igzPv>r1Aex`EH3j#aAft0sK$N^jeQE;xJgQFZ@2JqwZiIQA#RthAaviRhWHFs z#IO=hG_6fkKqjl8)9@Ij^MEpaB7?-nd=r;#dplwy?qW`@VYcJKrUmUlwtR|+YR~g_ zXKa8)0AH0#+yDl{0x9crITa{;$JHozQ)P!v-~2uk@BKSMegj5~pg-E_Gr=DEgPl8p zAV=&O{=e`CmMhRfWRNay8SYJC;aFT+H3gCc(11z-iO@(Ik@ru``|Dy5aIpomw$`UU;DelaOtldNeFJc|Nw|vi3eYU!CT>-x(-VRn-XIEDIoOx5eS~pGa zXVxsJYn01I*<|drLugbWc$m*PL6)enMlSJPFcMrUVeh(HJr`#^k4^iVbkHI6#)D0%`C!HwuSc+B&c%*5;O$-5Z8>u z_TkF~HKt`E*%IbF6ZmRI^Y&Uq8n?H*V%3;~0RoHrIrF@K?zKeUDfTTqc4Yu%jO~tG ze4NA~`VvxlPV|8gIZe%b3GX5cNfc-Bvg_z3F!YeAXbk|vh>yny6vqd}g~prJD#I*O z=CznRYGfSwO+1-jdLU|XX02Jl5+b)3%`p4~Ubt=+?+qJ8V1XF}jznhcYs|q^*b1SK zaatY~j=sfD?6%FNSU}ksjK`03mqygJ#jSr0r0CobjF6hRnlQG~D zAh-Z$Flwv&cwb)8lZTbNnF2qZNR-s)2bgJa8VrzG!gQ5)`~Y2;*_@9Nf)`FZ3VrC} zQ9pyAGYZ*+%Oz}T`KLSR?NncmdyNGDQD4N&&@XJk3m@z%?3xeIVu_ve>$d9n8nf8J z>=kRZ=c_l8J=+7w9P-KTpN+-tpRB|C-Fc5)^7F;R8L zhaIs?k3I8otF#RWcrFoY~r6*B026Xju%646@}Wicarqq)8%i43D0pG@~Ly5qkj=241-p_zHu~09UUV=w~0e z|LpHG;Kl*|fbE3GNIlvSmEt0PkQ)%|pD3abn$U-wWQ|9>GQbu9M<^C0rCia9&HyR^ ziDx?R^!u=nBGf46Y-t9AV2U&ua6u@fMukrL92wGg$aTPZPhiq>erI5D59EMHc)fr_ z{%F5`gd=OYrWyo0aA6_lF#AdF`TA#T&KJ=31pZx+5OfWVmb3&w*6@&5-!I_(kOSiB z@F;{sY}Ak=v5rTGApl_=kj`171&2(P3|1hlcLcMThay$g5r4*C45;;yq1Ky*T7x8o z2uEvppbqpQF4(O;#0${}aDhksh+)9F2su>z5yKDsJ3=`VBQ<;k005j6(o#I|K5!xM z_HujsvLpny%P*vq;~#YodaX%=KQxpi$0mR0V+yK^;iy!%t{Mpb?c4niVK~(P*>CkP z;b)V;Az+c(xILV%gf!%y7P=8Wm|ByW6HL*Gv9Hh z&uqilncxo(+RozjgvLp=XmFVr>fF4rMvIR&H+T381g4A( z3WR2J&yR@((dZ%JY2h=Xm#By^#ylt#2>`)ZoD(o7na!MNq~-r8eUXaTDkU;V(9a5t z0xQkNpD~HLYLvJ}n95t(OB|JPFXQcu_>8i}+h%F^%_FwFky`+Cu`{5_d zUVC(sLo=>&!$gp)(-0JV{VW8(`J0mvm1>mVX3(2&){NSyk6&2gN+Gs%Y<@^XkmF}I zmoC|qYpu8~>RoHtmBN)9a4m-^qm;U+x+lpZL&H)S+9TPS8aCl{&B0TbHA2TFPa!f5 zf<9m_x5Ckx!Fh|DA{H(x01F=zIBD~+%BT^audg*T*|xl5HHYgG<<}1rB`(O z*64G^+Mbrc+>vP3^l3-6fsub=mxVp{?{H>1vgDtG6wUwx}f(CZ) z%$geM`7-ThJt-MK!+_{o-WON$Att>P_w-h$)40A3x`d1+v9wi8>2>i@*HQqb1!GUsnfqh6=EFDvJ1 zqkVbPbt;tRKD16+Wvjz+W}TT<>8h>UQ}=2#F3C)~ZuAP6Mbtays+_C*rR{F2X;@l1 ziK|t&$6$=H*N%PY6PVP1XR36fN!Y9%_+WQ|L%km0`Wd7A~eRuAN_@p1FjqP zUaFw)Eb_yV{|;Av~Q&MeMJ>{v**CS8kz;+oO z6-Aa2-3iUg2(af3UIF?l!slpHCQ1(5O?Rz(w-2Gfj3pX^raba~ofH&>T{Z%cwf#~@p@rjujw00WrLF=~3=e|Y zqNt}hk4aB~s*FU~gJ2P{RI0s}}_DSsDhipg(#ZrWH%vnjhkL`2+ z4lg$VS#6=qRJ-GMnlcZLylxk_;#FC4%myq$jpgUUXMHMBrwRvlX$;$rm@MTFnO=Jf zeVcuoVPX>wl%PU-hwK0*`Jg8G42_-%&HW`}i^c=dyKBN6k^ny_By%Z$z-NWmkcwXt z#(|nd46gZ7e3BJn!RIK#iDjYu;O^8#L%|4kHx8)^5gETSFo)-t1&IR z5T&npcZ3GgJu4|1GG!v;nY5lRe}p6JJI_w*tb5Vh;nVI-@9$S882g!J5u5(@$+FHx zT0RAd1*~|2hCtgsDXksq`w-fJiwy@IU|%m)tH3JLHK2s-qsRwX;)Ivs7!BG%dl319 zs6vPzH6ezwk9cQ30Gj(g#Dn%i;gMdgN3u-uT6b3dPFMh_F6KYycNOZ2vEo!qkKIX+ z6LzxHmJ_BH$e%HLc>t}*#qpEe>vk~kOpiSZo5Uh(Nl-BdSrmBK`mX2Q$6jL&{o5?$ zeJV|dJJR;$UU}_qxur`y{n!u9>BJMI0G?~yK1zq-X&?5TSwKAkkfM@(*FZMC)0x#uk(_%W{H8_5eD zP~^^IcH-eZ+_R?+)JOi<{)hjD?HhZQ&tiE$@Q!dE(jR_`4_o|z!btukW34S^__QUx zc=rJ2%A@$FsA@Y{O==a0AJN9F z&1XBknXT4|$d9T|u2eufCSjfVb=b{%MD|Q0@7CaZGBS#5kie{r1kj|vbVXIPz5pyQ z&TEk;_AOT}RK&|d_Ho6uIY0$q6Ht@{#1Fp$3aA2z{}FBQ0q4WtkypN)13{S^cJn|A z+WIa@-VPq6{a_lZw<8v%SE|Y}DbxU)03=;ng$I7W_I~MKxrEZ=YY6q71Kkx0grZBw z@9UeXOanayw_FSKzhV@FC*xgeLHoy&WnV{XxzQplvT!r0Puh()KANvfAtWl;Z`82s z1%!<#&yOrsM)yrm2b1CnTD}C_4dAc$_Zcf&q>28QLb;mczLcc{>u`MfMLveuT7d|P z{7H9@?e&O7If^QTdcgX|EwbD1aag%NlLv#qlUO_CX}T63>!Cae2OqT{i(kG^exX$J zd54cHH@U?kiyc0y-1ed!S|ULz(jX-f;;TSaV}u2u^vMRL&oAJWy2Dx&536WLiHl|A z^P=onceQ(|ukMOdsF}3z$Ap=Ewl3+69hqeZzd@GA&yEtmECt5zz~R5dDZi1NvSx#8 zG!#WPxNkAg$RcN9HiES*m~3qdn=SQGUcS|sZwaie*{^Yt{TgY8tH_9fv?dtmf-%QA zFPnD^`Q|yW%{P&IjXWu=dB-C@^d+N+gBr5+TqavOS?8pHxF$7-t7_Ss6)k%w!1K!1 z9=OrPEY*Jc4@~Zz|B(Bo4s@YCU1%@IOoYdkX^QjNu76!XG(xF4HT($~t%*EB(*6l} z?oPoV_eMVpgWM?>t{#tnI0bHCUj}<<;p5lhVJT z^8nq)17}xWs=6}jDEMSk{(*nS3H^jWFr6*5=G|j7$S{O|J@$zYX*#=qHa<4C8Xp>G z`q=vWr57v

    #tO-}$(+wexewD*nFof(^sULTqmjvWh`1j3VR1u&wrIXk7)N(elu~ z01{Tr^NhO}{J7nOee(oyX1$f;93|;ov4}Q50%D(b@ z0Ix4S_7L)WfUi>!9!1oE*kT5*g)a#E5^{GI(iAWC6lWpK@j2qtu>IA)hn@J*1HglS zzJ##w3ZY(6f%_f&ydyt1^k@GeWaklrBNTc{-RFqiLlw`b1$vJBukbu?Uqw(5SLL$D z&m&kB`rEkAYe?@@$uO~|y=Cs~C2{7%i{gw$quyII$~KV*t&4HXS|T(z;}$FRrA+AN z!u?6OLAA+Fz^9%p?~MZ4TjxF*akO<_>lzu0&ubka^`$5Pz?;Ql}wy&C*UF+C6 zz}rTky!3Z_`)4X{+@9%mA}(TQ=)(|jd-e9LB?C+}wy>=9ZHr-b;_dBCvJb}l^vv81 zu2!e$4-R5Iq06BLK9GqA5wedvX}_Xbztpp zV@x+c32DOvv%~OyA^jK=d3U7D7Sw%|ShIEX%xRnd{>UGUF%X`!8u*$n@0uq_!_e%R=N)CM2mrRP8kb#On7bqYdu4E zZQw&lY(+ae9*)CQz*rj6J2flme>9|RqUW&WQ{#H1Z1ci}I2iB9sxY)M zX{axYGIXZnIu^^Bnm^tkSrT;*B>tHxcA?$ZEMez1_Gc9s4j36WjO^Y=Tn2F;)b2qt z8vy4&IJ386EfC$tD6Icd)duhejC@1gtLRD%*SmG8Lsb z2>k(uPLeY=hM?EtNSt#kO@om|uHAu#Y5%%40g9<#RP{}%`N+<(WWjRR(uSdtP2jc1 zhzEt~lXb;QuS@UHBt=g*$l#kzxK( zSbW6XSke;L#lY*ytRH@)N87FzasHiH)N4M_Y%^ZYSi;~Cp2U1mEP^w5&W4__9PSsF z3YdsJ0PTkW;>r+4H&EK@H}KP_u?IERN7Xf{QlB%UY%1}RXA*B#py5nm zxt78%9l#x(f7Wy-?`b-CPXo)L#?C2qmNk6$EQ{iKC=w3yYI7(T9`VcOFa|mN zQbXi3KQM=UnfnJIfL}^&kbwOo8}{LV5BQO*505&!&y2X`2d1+(&vPKg1B_jsGXWkx zki#nZt0jC3Z#i#Tpaej+a0f)&m`v4SLl>SvjA@yZIKBCeFq6)xJ8#XK=8(IiG6{vw zHt*1CJ&7qyq3E*m0?OH35&-`4S72nJpnf5Et#kOH7Jo=Ww^@8tsVthp0^JJ9*C}BC zrP$$)*#uhpYisHCwhVLB%Gmbpt-j!@E?27~ipyuNR4`az?fB(7E+~8*;!wqq&4tZU zmhg8ZHUNwG5V6aMT}Qyd_E=0GmSyteM+r1EE0$)_jG>?8jQv~8vKbKQHI-*jStae& z0g8sRF#H)R9Z?}E(!yPS`$nl9zI_ww7ag3STa};CA|6{Lh=*%2!9Ix5k71LUe@`r19*SoXESlp6^9I^ zTYo>+WcU*K-PHdPGa>f*uyIqf3P+K`x%Z*`^>5e*#t!n|WvrkQ^kMf)0=5qjfC^s! zIJN?Aoy00s4M;2G^??|W86 z)l{XV3s2mDXqGGsD~>-;+~7&@5+KAx!@82E6kb70`p zROh+4&N1`UcXq+QgBUoFCB(ZcdN-e%H#aI9#*>)Te2S`Z`boZ0hvK)4YI>pyHAKh< zhkZ0_q2KM-WU$cd)1xdfnDvYJVvinu{rCq4Zr@t&=gqC<4UF#{uBPe$5Z2s5y}APo z!sBfKeSOxy8}P?rAIjx7%p)MS$;-Vv>?e<#QF?WA>UwSTQET8TkhfYxuEAEhgm~}k z((IF6LK;ShX5@oxDGO@~s@AM}s8qKKl0AhgCQLG9gP$_Hoc+nSYoR7x_}_ibOt9M@ z8DAo~KETvSc!u@EmIZu6So9G|?lFaX-`m95+BsgKT7_kRQ}23`!SWev2{sVwa2 z+$pnACr^2-O`ZbyNhMFgpECNkG`0}QTf`d?AH5jw+=O#tDv57A=W`uonQ})Jqr1Pu zc!{f(DMJaZUMZu}f4wUVM(2Ns&*^Y+l^zgzB=PE%#3VnmS2L3gv-PP-CMGpWAsqbg zWGIQtnMh5n`?YyW6b*!4F{;5p1j_acwT0-^e*gPmO0S+)J$-F-j zM-+(Wx?F5J!-3c-oyzR9X9Z#Zv5^c5$<_w8|C>p?=9yUl*YSfnlVqNT=#uBKxEUwO zw46MGQi+ulL%tl+-Q> z$Jphmoo(Dc;VK7!j6fu1aacLR2v*ulr4d^G!jWSy^q@6Mv0c80;2a&+F6vdg1F%TzN%Vk*A->(Kl_&}^l17yEb0 z1=timsBGt_Mlonh1)F#hRG5CNjHiVN>t($%ebZK_)aEnTT26|&b#i}0=#Mrm>&T7i zEO`WI98kiB4K>D%ClI!hdA1R3$ZN5|hEqEbM`lfEe%Gql)4YU3t+3;RwFwv;ElK{7 zY5_G>-EWAtj5H|W>^^NKGvG-)N@R6fq}3WNP+ARZD=;`D;%KL>YN*U@*2dIV_Ml2^ zCrnvW%vaI))(pWwgR90+X+t8vdy@?1(&Cle;sNA?W?|J&t&;~#j!7?5BHX2usRPE| zcm(WPA))hd6qgK1?rB~9TdlkthHDEQ>O!B^w{&9Epz8~L)P+80dfh6)X3dl-60MS0 zKcTqnIt>(zlp8N*AecoHmx5*@x39swuKOpiec#^lfBN@r)Y9Z7@~|#-j^GeNiaAPA zL2=22Vo9yH40Pk4<^?b*j z#c-kPN&y-2*M0;-CUVD~!Prkg{C1ZQ;lc-;A=sb~AUw}-om0g!G(}EdnESzMbxQku zCIASbQ{;i~%RBMj&g6rP-NwC|{Z~1AJ?kGd;mxnB)mIG=TE?e*7M{9(lifXp{1la~ z$P5oIgKPxH7{>V!n!Wlep#YmMy*G?~eSg5Nrs!k<%+NGkTL?H1SxOcX#7ZIEQ<-21 zPwARvgcqIFYL{{+uLQ`i1j1OUJjyGKU8ka9pO$hqd0u&4zJz629C56Sx% zvY6~YPz)#z%;DFPr1B*MaFM`*>bcG|`XCg9$H3Q)k(L{%mQzuKUpsF0gR2D?vah^* z$&Pwvhv<_83D|-ktJOXJQ2=+kF5MIW1)VvS?RsB``+kjTgYB0!8d@__{iKu~`|Pxw z3d`tQ2>#Zb>IV_3{HwPF>X#)`r0l_6AW#C-lS&BuRmOa$igC^HqvnzbrfQoK5-ocO z6{0eF?1I#;GlN~QeFo#M-CJAmDAsxR+jXW`!=RgW#jbv>*c3*s(drj(`K1CB>;)8C z$QKsZ8s&Tf6tI779C~X8H{yZ*C zZKnufuXT#d#?c@U{BTR=WX5}F#B##Pv)K=z z{5YuzHh@-LbxS(GokYO6*Ckg!b^< z0=q~Fd&r_`8eu%uQL-ih-ZZKtz=Il?0PlnXvCh|3Jjp5*p$1f}x%L%STL3M8?R#Ge zxE!1N)nQ_m>nH}mI*R!l_RE*UbQMgO!jrK6K3Gxbl+XFwxmM!L*WCoq+jDahJjWbW znBf6k6)`r&m^)1}{c2!zkq!A^#0$W&CT!MyyZ8aNK0XrWcN$ zUK@&|0`EDhmtU$jc%}6C)ebQE%TU42`4F%&aDKyb>iO;M3Y5Ja+EBT3t=QccCN*Re zML0S#ta~+u(Xd9D1l5Les;T+rPT2RY<-)bqF|e{2hyyUo^!dBaBu$EfvmlP9^D$96 zojdxGoqKuxXepG7WTg0`?7nVji|y@Ty;?)8dA<&a3cXxQz9ic?=cdWKa+BA%j<8K= zEGR;OUCZGK1-)4y&5Z{y>hQ5ac3r!|=fAXwIKh{`Pe@juSqkAt56v_m^#G0Vy+GkR zDN5&$B?X!{LF-E;DBJ;K;La1z1Nu$|h-XCRr|Zc4S(VJ6tt0a|0aT#>^{ITvqVjhZ zmG2;x@B9{(C(|!70{a%dM&%LnYbrlkN98B&iJ|h70+pW;l~?;j#CsTE$c2Hj`swrU zbm2x;dccEjEywwHcE^`Qw9iSGI7tSOQK7G)xNUeD7Ne9MO@KAcI-|ZX)EGbeVKQKE?s55q0CB@`NpHR-q0AJz@jXa z?S@xKn{F;ir2ccEZ6(sq6pg0B0h*c@`5RKYzho|P_o}tTe7&*6SQtGlYO>zz_3@T5 zfMM95lX+RRbmB(GI!Rc!^TU1uRuSaff{F3CumPY5T7`9e_(L7k)= zdqlb9%>Ly`*rTmp@V+t<`lhesS!rP93x2cHAkHU+8|)%?(l0Y5ax}FdBQC=99IRzf zxLs32%?*pII910PM2{dpFPi#v6|emCYqoYb7o{B>m1e*fdEFgTF5Bvmy?8jg3vFxo zrgb8Vx0;1d9$VxZ7LB2dS)`((dhsflT5UIFyKq_)TMe}U4!Z=4r6seF5-CzD8wU(* z1*jGlq|%z)VD^$od}GyduiFqq$sduDPmz+J2}*uUlzg&|k{?$o`SChRPWnY6)qiL|p9`N!v)btv7f4 zJ3U45*0K-8e6H<)n^|xx-aSfFk9m)0>PZKEN$&`$#(LUFD!ITw~d~Yq9wy!Ia6|F7rm++VVaK|qBThZ!>)c5ZM5Wr%st1>TF zk?Mb{QeNOaAcNuBnW9>|vLkD!0Fe`=`O@KhddrfQbAK{>;#+WPrXUkMJi! zr;-8smH=;uF#)f+5WC2M1QEP^>J*$yE{$`^k#ZXu0(w6X588}VynQy#Btzj_BAiKv z#LBr`d`pl)oGz5v$qz1AR%BO0q>drwJZR z;5GqLhyfhgXRA<+pF)`i>bm-sB7h%W@fg@*pA-qipG+yEac2Ck<{G;wAIL{FR<5j& zNPP#}xep%>;e)2Hnr)~QCCm&=>(r7}=*HTR+9)+lEi8ojAnt$mgBeAB(6{gMYxxQ+ zeZ`R=3}2k}}ZpX|CG zWq~Js-izx}L@b9&b(n?R=+hK@6hs~a!j)rMLr`9KvZ|t0bt_Xm(^*)UdfoZW>uA%m zV6{~2{fcdgTfr^K$6wn1U1IWz8Ss`{HFhS3_!O0ya<=>OWLerHiuY9*lf*5@mgR^- zoZ45cw6tn7N;sj^aB;F1G+Dbq`7U7XeR zM6BZoBn{L|0bRp(2qLh!aq=@fhO|L=^;kX&WN#g=b)E?|{v7#ByNf{bTJHxnj%)=D zz^9V0t(}VT?JJfhGE-a@mfI+p8+>hLWSuKvp#=8z-Y3BIeA1lHnr3y2FXQ8r^?c28 zT|Eg7zh1RGv@Fbv)TQ)T8nHHNEny)kV{iS}_egECfnUp_1NP_BTgqXI0gN`cRKLTJ zN5+R<+BRVjO2=1ESHiBTW;MFQu!rFbKB0|8P8T@P_{(iy$%wIbSFg97*BsZ{{jr** z#Odpc&_JNfI)4ZfPG9$kfQ9|A-Xmhm_K4W3_lU^C?$+Cy zGfJMH2IL~^ZtC4EnJ80LVQSp!IvrrZI#)*>$1-xKwNUo(+uJ{@WWGo=w?G&KNO-#( zhBcB;x$Ltb>yhR5LW7Z%Oz9Sl;b|S)_mMcg4+U3^Po5GP>$hu5n^seQz#NQZFuOyc z)VYz!_XF~bHHO#l{sWm^j}kSu+k{Ue_N`zVE53xJE4WR>YKCL4rETfun|k|Yz=f82 zEUTE#-X!k#zinyz+q(j}js}jGe`mr5*P(O=p(REs{*0t4X^1N{OH&YnQp$M|icXca zevXmzgimr|a`hI_uGUm3;|iGe_I4r2X& zg^7r-jVzo@k$-LsLZCzA)L|fa5kqzYGF+~)KCE3d;5@_8Sr+%}_lDGoMdR}7?zoQn z+Mx2V2cq+D5%jKnO`<{ma$g1xez7yfqOI>O&&hcGBVMw$K4#4h8fRb8M$C9W!B_h! zagF?&d^(V=^F=~+kJcH!0~CcAL>uqt|LCW)VIxZ(!uXG#OMsJLlKRVU*vdC*#Xm~W{yTX{{f`-DhojiMcx$%24Q4RLWCj)XeCKa}{_la4 zvvd@I^g!=@XLffRxO;3v{MY=4=Rgb69I?9W)6uh!dCVK*Bp?f58D0i(8}uqp@9$Md p^CD4O94BDrXE^+rf^Dm&aQ@dIhld%T&07EC{{k)6U0=gY0svCvu_OQh diff --git a/priv/static/cache_manifest.json b/priv/static/cache_manifest.json index 401c5d19..98a64ae4 100644 --- a/priv/static/cache_manifest.json +++ b/priv/static/cache_manifest.json @@ -1,6 +1,6 @@ { "!comment!":"This is file was auto-generated by `mix phx.digest`. Remove it and all generated artefacts with `mix phx.digest.clean --all`", "version":1, - "latest":{"android-chrome-192x192.png":"android-chrome-192x192-ad9b6d52871b4a4c0fd6fb5201305c76.png","android-chrome-512x512.png":"android-chrome-512x512-6261bb3fc199e55f5d0102b277987c34.png","apple-touch-icon.png":"apple-touch-icon-b7efe3be2bb053e29f9e835ef6acb2ef.png","assets/app.css":"assets/app-45f72a2fff6e25238dc5978eab4c8578.css","assets/app.js":"assets/app-e94dbfbd324cca1ea4e492e0a02b9cf8.js","assets/bootstrap-icons.woff":"assets/bootstrap-icons-52196284de1fcb5b044f001a75482dba.woff","assets/bootstrap-icons.woff2":"assets/bootstrap-icons-7f477633ddd12f84284654f2a2e89b8a.woff2","assets/lato-all-300-normal.woff":"assets/lato-all-300-normal-9a11e83d214374ed135f03abdf53b310.woff","assets/lato-all-400-normal.woff":"assets/lato-all-400-normal-a82dcb33d52ed6fa529e5ae8d5fda7f3.woff","assets/lato-all-700-normal.woff":"assets/lato-all-700-normal-8190ee0ec407348bfdc1daad2c035281.woff","assets/lato-latin-300-normal.woff2":"assets/lato-latin-300-normal-716309aab2bca045f9627f63ad79d0bf.woff2","assets/lato-latin-400-normal.woff2":"assets/lato-latin-400-normal-e1b3b5908c9cf23dfb2b9c52b9a023ab.woff2","assets/lato-latin-700-normal.woff2":"assets/lato-latin-700-normal-de69cf9e514df447d1b0bb16f49d2457.woff2","assets/lato-latin-ext-300-normal.woff2":"assets/lato-latin-ext-300-normal-eaf671bb69a0bad266fd6f06adeca94e.woff2","assets/lato-latin-ext-400-normal.woff2":"assets/lato-latin-ext-400-normal-4bde07f991ba6af69a1e009fd7ce9d1a.woff2","assets/lato-latin-ext-700-normal.woff2":"assets/lato-latin-ext-700-normal-a48b0f049358d7503c497abb4dcbc4d6.woff2","browserconfig.xml":"browserconfig-0f6acf2397cd9e1399718e0ee826b5eb.xml","favicon-16x16.png":"favicon-16x16-1dc7f8c2edaa8ef7c6b311d212113442.png","favicon-32x32.png":"favicon-32x32-daf21a099474d36810d7f5a37f122c04.png","favicon.ico":"favicon-d017b32aaddf3139532b004f276caff7.ico","mstile-144x144.png":"mstile-144x144-37c05cb7ac4dfe14539080f048288cd8.png","mstile-150x150.png":"mstile-150x150-ec10b87f703d3bc7abfd4088ba1173c7.png","mstile-310x150.png":"mstile-310x150-f31f3da0f7959db75a49ca2290d5f9fc.png","mstile-310x310.png":"mstile-310x310-91a0c8044b8015fb1c810c7da3b8ce19.png","mstile-70x70.png":"mstile-70x70-9d68ce610bb58a84c991a538ee5a2471.png","robots.txt":"robots-067185ba27a5d9139b10a759679045bf.txt","safari-pinned-tab.svg":"safari-pinned-tab-8fa7d8b22e234fb0dbab119e58511969.svg","site.webmanifest":"site-9bbcf6b3c39c82274c4b70a7d1afafc2.webmanifest"}, - "digests":{"android-chrome-192x192-ad9b6d52871b4a4c0fd6fb5201305c76.png":{"digest":"ad9b6d52871b4a4c0fd6fb5201305c76","logical_path":"android-chrome-192x192.png","mtime":63842077587,"sha512":"bMVECQ2akJf8MlSqQO+J2Ivoi6YJIA1rs8iDnrkYarnsUmedwacH6FLEoCJPYFnH2LwASyW65Rtiant7ndxU5g==","size":2112},"android-chrome-512x512-6261bb3fc199e55f5d0102b277987c34.png":{"digest":"6261bb3fc199e55f5d0102b277987c34","logical_path":"android-chrome-512x512.png","mtime":63842077587,"sha512":"NJ9wp/Irwf5/9PSarKL1LbFRyKQUpKx4LBil3Dbn6/AIZ9aQoQOR2LzjVToRaAAESYK9YN3ObomDS3CS932h/w==","size":5014},"apple-touch-icon-b7efe3be2bb053e29f9e835ef6acb2ef.png":{"digest":"b7efe3be2bb053e29f9e835ef6acb2ef","logical_path":"apple-touch-icon.png","mtime":63842077587,"sha512":"zK01Thuj0GaAB++/UVwpQ5YOJQyddSgBGfzYKtrYI2FBZZjqbD05Oa9t5DOwCwVF9bpbKVmIphAc4gMDFlLeag==","size":1891},"assets/app-45f72a2fff6e25238dc5978eab4c8578.css":{"digest":"45f72a2fff6e25238dc5978eab4c8578","logical_path":"assets/app.css","mtime":63842077587,"sha512":"6nmA1omq0fiLfWiH2zwlcW+Hg4w1a8hChs75kdsqCvrXxy0uXa4Q/NT7vOIviNMjuVEjmiY8W0ZEt0W4ezBbgA==","size":275408},"assets/app-e94dbfbd324cca1ea4e492e0a02b9cf8.js":{"digest":"e94dbfbd324cca1ea4e492e0a02b9cf8","logical_path":"assets/app.js","mtime":63842077587,"sha512":"HsU6EaxNXZP0vfmt7OUdgnTDWgvTh6wJqwGyWEszp2UfJCF3//EpcnfyLAnq7z0+an5pQLTddG5mEsMjWo9c8A==","size":150723},"assets/bootstrap-icons-52196284de1fcb5b044f001a75482dba.woff":{"digest":"52196284de1fcb5b044f001a75482dba","logical_path":"assets/bootstrap-icons.woff","mtime":63842077587,"sha512":"PWTZ144RJoX2b4UUDl7X7aSfEr1muv19Q7drsqszaLviUMfIZwMdXR+8xleol7QFmN6q/fA1KoRkl2QJo2iyJg==","size":164352},"assets/bootstrap-icons-7f477633ddd12f84284654f2a2e89b8a.woff2":{"digest":"7f477633ddd12f84284654f2a2e89b8a","logical_path":"assets/bootstrap-icons.woff2","mtime":63842077587,"sha512":"tGuqKj6jhRL4tTl3THUQBMyGbQhalzn0wl8q3p2XwQ1vSyDPh9y7agA+DfDKLfIA+QNqTHagE/JMV9NlmB9uAA==","size":121296},"assets/lato-all-300-normal-9a11e83d214374ed135f03abdf53b310.woff":{"digest":"9a11e83d214374ed135f03abdf53b310","logical_path":"assets/lato-all-300-normal.woff","mtime":63842077587,"sha512":"L0spusaNzJw+t0p5ahH7VTJPvmXpp/VqyyQiWv8OnOtAtUSUcRKKlCS2cxm8MfSouXSOpEP878ZTX45s5nBvSg==","size":35168},"assets/lato-all-400-normal-a82dcb33d52ed6fa529e5ae8d5fda7f3.woff":{"digest":"a82dcb33d52ed6fa529e5ae8d5fda7f3","logical_path":"assets/lato-all-400-normal.woff","mtime":63842077587,"sha512":"fyF2GpTKS6G5fF3g+/GaeGmaRzvp5RsLWXxRrXbuAnNjEvaKPNV3NTpg8Nvfpp0gHVIJ9ICahPHfLXtIfP70MQ==","size":34020},"assets/lato-all-700-normal-8190ee0ec407348bfdc1daad2c035281.woff":{"digest":"8190ee0ec407348bfdc1daad2c035281","logical_path":"assets/lato-all-700-normal.woff","mtime":63842077587,"sha512":"i0moLS7FrNbefzinYwOQ4Jsy0+1CqqYFpqJTmE53bZEn4sgyr9hwDFdWWqOMqSqg9WnIvTU3LR0zXDH26lkiaw==","size":33296},"assets/lato-latin-300-normal-716309aab2bca045f9627f63ad79d0bf.woff2":{"digest":"716309aab2bca045f9627f63ad79d0bf","logical_path":"assets/lato-latin-300-normal.woff2","mtime":63842077587,"sha512":"rbC8bLmyMO2l2sc5apSppNupyLoLLrc/XyGiDDyj0UZRQgvGoX5npxtbumJPWk6S1Vy7uJiYXcyoOBhPbfsrFQ==","size":23236},"assets/lato-latin-400-normal-e1b3b5908c9cf23dfb2b9c52b9a023ab.woff2":{"digest":"e1b3b5908c9cf23dfb2b9c52b9a023ab","logical_path":"assets/lato-latin-400-normal.woff2","mtime":63842077587,"sha512":"stp+92g4Vwev7WLKHxeO/GqhRRl2Lj8nASmzr+5NN4LLmR5vpms7CKL4H/fKugtMNMcm2VIZiyrEp4SzbrKoKA==","size":23580},"assets/lato-latin-700-normal-de69cf9e514df447d1b0bb16f49d2457.woff2":{"digest":"de69cf9e514df447d1b0bb16f49d2457","logical_path":"assets/lato-latin-700-normal.woff2","mtime":63842077587,"sha512":"Suu35U2Ign1KAoCPBJAcDQm3VsUYICsFamwPZklI9VhSIdFpZ/VG4GQYfGVFrO8V1Zto0KelmJe9iZ0+ndo3sQ==","size":23040},"assets/lato-latin-ext-300-normal-eaf671bb69a0bad266fd6f06adeca94e.woff2":{"digest":"eaf671bb69a0bad266fd6f06adeca94e","logical_path":"assets/lato-latin-ext-300-normal.woff2","mtime":63842077587,"sha512":"tkQAuPwt8ZuY2HXDeD1KVwiRAxNGSusCd5TZE8jS/4A50DBU+YrN/18rzMbDiNLSpDfN740YQHdtuxBEMGuO3Q==","size":5624},"assets/lato-latin-ext-400-normal-4bde07f991ba6af69a1e009fd7ce9d1a.woff2":{"digest":"4bde07f991ba6af69a1e009fd7ce9d1a","logical_path":"assets/lato-latin-ext-400-normal.woff2","mtime":63842077587,"sha512":"Xpy7gs44g/SEf0clQlUGP8te71qc/DKG5jch2YfafqrdSCpHl/YbtwaYx/GkPx8zn8VPahId+ZaQBRKtqVkpFA==","size":5472},"assets/lato-latin-ext-700-normal-a48b0f049358d7503c497abb4dcbc4d6.woff2":{"digest":"a48b0f049358d7503c497abb4dcbc4d6","logical_path":"assets/lato-latin-ext-700-normal.woff2","mtime":63842077587,"sha512":"+xVPnK5pSmMqkyy1qcrABWm3DPsNMchlalAZTFCMytyH2FJ2Oi6JGByli3iWZJtLp0zErBXSS35RRNuU1tLUWg==","size":5368},"browserconfig-0f6acf2397cd9e1399718e0ee826b5eb.xml":{"digest":"0f6acf2397cd9e1399718e0ee826b5eb","logical_path":"browserconfig.xml","mtime":63842077587,"sha512":"0lMz+70oDPhrjY7xjdYT24oAL27mnh03aFUFt1N28Njp4dV7xkCW4hCQrxRvfxrf4vI6khtoceyzlKrovQkBxQ==","size":246},"favicon-16x16-1dc7f8c2edaa8ef7c6b311d212113442.png":{"digest":"1dc7f8c2edaa8ef7c6b311d212113442","logical_path":"favicon-16x16.png","mtime":63842077587,"sha512":"KvQuqHTk5LsHuXcibnu47ZXwbvgBosiaYIGyRoowSg8I9oPsev/pPuwd0FFLoDVM75XQt7EDRdNOnOmwIyXAhA==","size":850},"favicon-32x32-daf21a099474d36810d7f5a37f122c04.png":{"digest":"daf21a099474d36810d7f5a37f122c04","logical_path":"favicon-32x32.png","mtime":63842077587,"sha512":"yjTgQ4+eH+x05PLuUNbPn5I5yomJOJgCqpy7dRJ5av/vwo7QDbMC4TUNHkAihyXnHez+tu4h2Q1b3evOw2cgfQ==","size":1253},"favicon-d017b32aaddf3139532b004f276caff7.ico":{"digest":"d017b32aaddf3139532b004f276caff7","logical_path":"favicon.ico","mtime":63842077587,"sha512":"6Su9HOCrZ3kmB5LBrluyizuYEHeURidHhMMAqLOsXjSNt960v1IosSW0xSAVPKyouwyycp4KIghLkOi0d1W0lQ==","size":15086},"mstile-144x144-37c05cb7ac4dfe14539080f048288cd8.png":{"digest":"37c05cb7ac4dfe14539080f048288cd8","logical_path":"mstile-144x144.png","mtime":63842077587,"sha512":"4ZD38f0dpoxJQsHykjrE+WED6BgDNOiXMhoV+mo8a7wAQ9/f8DI1Mmgnulyljr5UdTG/19LRwyGJHDwZzJOwVQ==","size":1746},"mstile-150x150-ec10b87f703d3bc7abfd4088ba1173c7.png":{"digest":"ec10b87f703d3bc7abfd4088ba1173c7","logical_path":"mstile-150x150.png","mtime":63842077587,"sha512":"xSGpSA9m6qythcbBtzbElB0oyxoxlNGU7ngVhbv5vguTszjAC+2xo9kDqgpDsA1uQNUKtSzF68y1BgrpFy0m/A==","size":2293},"mstile-310x150-f31f3da0f7959db75a49ca2290d5f9fc.png":{"digest":"f31f3da0f7959db75a49ca2290d5f9fc","logical_path":"mstile-310x150.png","mtime":63842077587,"sha512":"2+88rGZumXsgPlTmkOcuMJrGyD+tJzjXd9nfkNRd84mj4UvILlp7vmZvLXRM38sTN6dHQDZPQ5bOMxXBVZXbqg==","size":2476},"mstile-310x310-91a0c8044b8015fb1c810c7da3b8ce19.png":{"digest":"91a0c8044b8015fb1c810c7da3b8ce19","logical_path":"mstile-310x310.png","mtime":63842077587,"sha512":"93fGCNcnOZ9sbB9F4IDUWe7v3MuVqjF92appcWJggbAM0cURewz6VgB9067zlnF1Hxi1EnNB8gK0Ajwzs8Mp6Q==","size":4386},"mstile-70x70-9d68ce610bb58a84c991a538ee5a2471.png":{"digest":"9d68ce610bb58a84c991a538ee5a2471","logical_path":"mstile-70x70.png","mtime":63842077587,"sha512":"AnuZDA4cKpUudmsunmFscHHFN+hDfsb3xkHxJc4hSTtXXyvUGnApSLp8+C8fwdRXGowQZIP9LxiBQO1xOVlsLQ==","size":1606},"robots-067185ba27a5d9139b10a759679045bf.txt":{"digest":"067185ba27a5d9139b10a759679045bf","logical_path":"robots.txt","mtime":63842077587,"sha512":"8FA6TZeCo3hFYcQ+9knbh3TrhkqGzYJx/uD5yRvggwM7gwfBPrPGqqrbVTZjnnnvlsw1zs1WJTPYez1zr/U4ug==","size":202},"safari-pinned-tab-8fa7d8b22e234fb0dbab119e58511969.svg":{"digest":"8fa7d8b22e234fb0dbab119e58511969","logical_path":"safari-pinned-tab.svg","mtime":63842077587,"sha512":"ACQqw7PFCcPHSDX80Q6tHvXCulLyNwjRXIsLSzobFMHMbcYBq7lvrnZZH3ehE7cOlWhfIjPWsu3tkENWPnI6Kg==","size":2936},"site-9bbcf6b3c39c82274c4b70a7d1afafc2.webmanifest":{"digest":"9bbcf6b3c39c82274c4b70a7d1afafc2","logical_path":"site.webmanifest","mtime":63842077587,"sha512":"EijyGbrUn5JTFGXXdhXdNXjPNTmgVH7GgOZKq5RZYlFnyV4AW60C2oICmy9FY+tMr1/5CMet8BvqIFyUxjreCg==","size":413}} + "latest":{"android-chrome-192x192.png":"android-chrome-192x192-ad9b6d52871b4a4c0fd6fb5201305c76.png","android-chrome-512x512.png":"android-chrome-512x512-6261bb3fc199e55f5d0102b277987c34.png","apple-touch-icon.png":"apple-touch-icon-b7efe3be2bb053e29f9e835ef6acb2ef.png","assets/app.css":"assets/app-45f72a2fff6e25238dc5978eab4c8578.css","assets/app.js":"assets/app-6b490c3bfbd4fd9a3a19b678041545bf.js","assets/bootstrap-icons.woff":"assets/bootstrap-icons-52196284de1fcb5b044f001a75482dba.woff","assets/bootstrap-icons.woff2":"assets/bootstrap-icons-7f477633ddd12f84284654f2a2e89b8a.woff2","assets/lato-all-300-normal.woff":"assets/lato-all-300-normal-9a11e83d214374ed135f03abdf53b310.woff","assets/lato-all-400-normal.woff":"assets/lato-all-400-normal-a82dcb33d52ed6fa529e5ae8d5fda7f3.woff","assets/lato-all-700-normal.woff":"assets/lato-all-700-normal-8190ee0ec407348bfdc1daad2c035281.woff","assets/lato-latin-300-normal.woff2":"assets/lato-latin-300-normal-716309aab2bca045f9627f63ad79d0bf.woff2","assets/lato-latin-400-normal.woff2":"assets/lato-latin-400-normal-e1b3b5908c9cf23dfb2b9c52b9a023ab.woff2","assets/lato-latin-700-normal.woff2":"assets/lato-latin-700-normal-de69cf9e514df447d1b0bb16f49d2457.woff2","assets/lato-latin-ext-300-normal.woff2":"assets/lato-latin-ext-300-normal-eaf671bb69a0bad266fd6f06adeca94e.woff2","assets/lato-latin-ext-400-normal.woff2":"assets/lato-latin-ext-400-normal-4bde07f991ba6af69a1e009fd7ce9d1a.woff2","assets/lato-latin-ext-700-normal.woff2":"assets/lato-latin-ext-700-normal-a48b0f049358d7503c497abb4dcbc4d6.woff2","browserconfig.xml":"browserconfig-0f6acf2397cd9e1399718e0ee826b5eb.xml","favicon-16x16.png":"favicon-16x16-1dc7f8c2edaa8ef7c6b311d212113442.png","favicon-32x32.png":"favicon-32x32-daf21a099474d36810d7f5a37f122c04.png","favicon.ico":"favicon-d017b32aaddf3139532b004f276caff7.ico","mstile-144x144.png":"mstile-144x144-37c05cb7ac4dfe14539080f048288cd8.png","mstile-150x150.png":"mstile-150x150-ec10b87f703d3bc7abfd4088ba1173c7.png","mstile-310x150.png":"mstile-310x150-f31f3da0f7959db75a49ca2290d5f9fc.png","mstile-310x310.png":"mstile-310x310-91a0c8044b8015fb1c810c7da3b8ce19.png","mstile-70x70.png":"mstile-70x70-9d68ce610bb58a84c991a538ee5a2471.png","robots.txt":"robots-067185ba27a5d9139b10a759679045bf.txt","safari-pinned-tab.svg":"safari-pinned-tab-8fa7d8b22e234fb0dbab119e58511969.svg","site.webmanifest":"site-9bbcf6b3c39c82274c4b70a7d1afafc2.webmanifest"}, + "digests":{"android-chrome-192x192-ad9b6d52871b4a4c0fd6fb5201305c76.png":{"digest":"ad9b6d52871b4a4c0fd6fb5201305c76","logical_path":"android-chrome-192x192.png","mtime":63842127737,"sha512":"bMVECQ2akJf8MlSqQO+J2Ivoi6YJIA1rs8iDnrkYarnsUmedwacH6FLEoCJPYFnH2LwASyW65Rtiant7ndxU5g==","size":2112},"android-chrome-512x512-6261bb3fc199e55f5d0102b277987c34.png":{"digest":"6261bb3fc199e55f5d0102b277987c34","logical_path":"android-chrome-512x512.png","mtime":63842127737,"sha512":"NJ9wp/Irwf5/9PSarKL1LbFRyKQUpKx4LBil3Dbn6/AIZ9aQoQOR2LzjVToRaAAESYK9YN3ObomDS3CS932h/w==","size":5014},"apple-touch-icon-b7efe3be2bb053e29f9e835ef6acb2ef.png":{"digest":"b7efe3be2bb053e29f9e835ef6acb2ef","logical_path":"apple-touch-icon.png","mtime":63842127737,"sha512":"zK01Thuj0GaAB++/UVwpQ5YOJQyddSgBGfzYKtrYI2FBZZjqbD05Oa9t5DOwCwVF9bpbKVmIphAc4gMDFlLeag==","size":1891},"assets/app-45f72a2fff6e25238dc5978eab4c8578.css":{"digest":"45f72a2fff6e25238dc5978eab4c8578","logical_path":"assets/app.css","mtime":63842127737,"sha512":"6nmA1omq0fiLfWiH2zwlcW+Hg4w1a8hChs75kdsqCvrXxy0uXa4Q/NT7vOIviNMjuVEjmiY8W0ZEt0W4ezBbgA==","size":275408},"assets/app-6b490c3bfbd4fd9a3a19b678041545bf.js":{"digest":"6b490c3bfbd4fd9a3a19b678041545bf","logical_path":"assets/app.js","mtime":63842127737,"sha512":"dsxaY4qlQboxlYwIagugJhpVqoumKNlbPZ5Ase9fp+7dXhr0PMIY2YIITmB56DDrtN16snl3sb7y0tqkP09ydw==","size":155522},"assets/bootstrap-icons-52196284de1fcb5b044f001a75482dba.woff":{"digest":"52196284de1fcb5b044f001a75482dba","logical_path":"assets/bootstrap-icons.woff","mtime":63842127737,"sha512":"PWTZ144RJoX2b4UUDl7X7aSfEr1muv19Q7drsqszaLviUMfIZwMdXR+8xleol7QFmN6q/fA1KoRkl2QJo2iyJg==","size":164352},"assets/bootstrap-icons-7f477633ddd12f84284654f2a2e89b8a.woff2":{"digest":"7f477633ddd12f84284654f2a2e89b8a","logical_path":"assets/bootstrap-icons.woff2","mtime":63842127737,"sha512":"tGuqKj6jhRL4tTl3THUQBMyGbQhalzn0wl8q3p2XwQ1vSyDPh9y7agA+DfDKLfIA+QNqTHagE/JMV9NlmB9uAA==","size":121296},"assets/lato-all-300-normal-9a11e83d214374ed135f03abdf53b310.woff":{"digest":"9a11e83d214374ed135f03abdf53b310","logical_path":"assets/lato-all-300-normal.woff","mtime":63842127737,"sha512":"L0spusaNzJw+t0p5ahH7VTJPvmXpp/VqyyQiWv8OnOtAtUSUcRKKlCS2cxm8MfSouXSOpEP878ZTX45s5nBvSg==","size":35168},"assets/lato-all-400-normal-a82dcb33d52ed6fa529e5ae8d5fda7f3.woff":{"digest":"a82dcb33d52ed6fa529e5ae8d5fda7f3","logical_path":"assets/lato-all-400-normal.woff","mtime":63842127737,"sha512":"fyF2GpTKS6G5fF3g+/GaeGmaRzvp5RsLWXxRrXbuAnNjEvaKPNV3NTpg8Nvfpp0gHVIJ9ICahPHfLXtIfP70MQ==","size":34020},"assets/lato-all-700-normal-8190ee0ec407348bfdc1daad2c035281.woff":{"digest":"8190ee0ec407348bfdc1daad2c035281","logical_path":"assets/lato-all-700-normal.woff","mtime":63842127737,"sha512":"i0moLS7FrNbefzinYwOQ4Jsy0+1CqqYFpqJTmE53bZEn4sgyr9hwDFdWWqOMqSqg9WnIvTU3LR0zXDH26lkiaw==","size":33296},"assets/lato-latin-300-normal-716309aab2bca045f9627f63ad79d0bf.woff2":{"digest":"716309aab2bca045f9627f63ad79d0bf","logical_path":"assets/lato-latin-300-normal.woff2","mtime":63842127737,"sha512":"rbC8bLmyMO2l2sc5apSppNupyLoLLrc/XyGiDDyj0UZRQgvGoX5npxtbumJPWk6S1Vy7uJiYXcyoOBhPbfsrFQ==","size":23236},"assets/lato-latin-400-normal-e1b3b5908c9cf23dfb2b9c52b9a023ab.woff2":{"digest":"e1b3b5908c9cf23dfb2b9c52b9a023ab","logical_path":"assets/lato-latin-400-normal.woff2","mtime":63842127737,"sha512":"stp+92g4Vwev7WLKHxeO/GqhRRl2Lj8nASmzr+5NN4LLmR5vpms7CKL4H/fKugtMNMcm2VIZiyrEp4SzbrKoKA==","size":23580},"assets/lato-latin-700-normal-de69cf9e514df447d1b0bb16f49d2457.woff2":{"digest":"de69cf9e514df447d1b0bb16f49d2457","logical_path":"assets/lato-latin-700-normal.woff2","mtime":63842127737,"sha512":"Suu35U2Ign1KAoCPBJAcDQm3VsUYICsFamwPZklI9VhSIdFpZ/VG4GQYfGVFrO8V1Zto0KelmJe9iZ0+ndo3sQ==","size":23040},"assets/lato-latin-ext-300-normal-eaf671bb69a0bad266fd6f06adeca94e.woff2":{"digest":"eaf671bb69a0bad266fd6f06adeca94e","logical_path":"assets/lato-latin-ext-300-normal.woff2","mtime":63842127737,"sha512":"tkQAuPwt8ZuY2HXDeD1KVwiRAxNGSusCd5TZE8jS/4A50DBU+YrN/18rzMbDiNLSpDfN740YQHdtuxBEMGuO3Q==","size":5624},"assets/lato-latin-ext-400-normal-4bde07f991ba6af69a1e009fd7ce9d1a.woff2":{"digest":"4bde07f991ba6af69a1e009fd7ce9d1a","logical_path":"assets/lato-latin-ext-400-normal.woff2","mtime":63842127737,"sha512":"Xpy7gs44g/SEf0clQlUGP8te71qc/DKG5jch2YfafqrdSCpHl/YbtwaYx/GkPx8zn8VPahId+ZaQBRKtqVkpFA==","size":5472},"assets/lato-latin-ext-700-normal-a48b0f049358d7503c497abb4dcbc4d6.woff2":{"digest":"a48b0f049358d7503c497abb4dcbc4d6","logical_path":"assets/lato-latin-ext-700-normal.woff2","mtime":63842127737,"sha512":"+xVPnK5pSmMqkyy1qcrABWm3DPsNMchlalAZTFCMytyH2FJ2Oi6JGByli3iWZJtLp0zErBXSS35RRNuU1tLUWg==","size":5368},"browserconfig-0f6acf2397cd9e1399718e0ee826b5eb.xml":{"digest":"0f6acf2397cd9e1399718e0ee826b5eb","logical_path":"browserconfig.xml","mtime":63842127737,"sha512":"0lMz+70oDPhrjY7xjdYT24oAL27mnh03aFUFt1N28Njp4dV7xkCW4hCQrxRvfxrf4vI6khtoceyzlKrovQkBxQ==","size":246},"favicon-16x16-1dc7f8c2edaa8ef7c6b311d212113442.png":{"digest":"1dc7f8c2edaa8ef7c6b311d212113442","logical_path":"favicon-16x16.png","mtime":63842127737,"sha512":"KvQuqHTk5LsHuXcibnu47ZXwbvgBosiaYIGyRoowSg8I9oPsev/pPuwd0FFLoDVM75XQt7EDRdNOnOmwIyXAhA==","size":850},"favicon-32x32-daf21a099474d36810d7f5a37f122c04.png":{"digest":"daf21a099474d36810d7f5a37f122c04","logical_path":"favicon-32x32.png","mtime":63842127737,"sha512":"yjTgQ4+eH+x05PLuUNbPn5I5yomJOJgCqpy7dRJ5av/vwo7QDbMC4TUNHkAihyXnHez+tu4h2Q1b3evOw2cgfQ==","size":1253},"favicon-d017b32aaddf3139532b004f276caff7.ico":{"digest":"d017b32aaddf3139532b004f276caff7","logical_path":"favicon.ico","mtime":63842127737,"sha512":"6Su9HOCrZ3kmB5LBrluyizuYEHeURidHhMMAqLOsXjSNt960v1IosSW0xSAVPKyouwyycp4KIghLkOi0d1W0lQ==","size":15086},"mstile-144x144-37c05cb7ac4dfe14539080f048288cd8.png":{"digest":"37c05cb7ac4dfe14539080f048288cd8","logical_path":"mstile-144x144.png","mtime":63842127737,"sha512":"4ZD38f0dpoxJQsHykjrE+WED6BgDNOiXMhoV+mo8a7wAQ9/f8DI1Mmgnulyljr5UdTG/19LRwyGJHDwZzJOwVQ==","size":1746},"mstile-150x150-ec10b87f703d3bc7abfd4088ba1173c7.png":{"digest":"ec10b87f703d3bc7abfd4088ba1173c7","logical_path":"mstile-150x150.png","mtime":63842127737,"sha512":"xSGpSA9m6qythcbBtzbElB0oyxoxlNGU7ngVhbv5vguTszjAC+2xo9kDqgpDsA1uQNUKtSzF68y1BgrpFy0m/A==","size":2293},"mstile-310x150-f31f3da0f7959db75a49ca2290d5f9fc.png":{"digest":"f31f3da0f7959db75a49ca2290d5f9fc","logical_path":"mstile-310x150.png","mtime":63842127737,"sha512":"2+88rGZumXsgPlTmkOcuMJrGyD+tJzjXd9nfkNRd84mj4UvILlp7vmZvLXRM38sTN6dHQDZPQ5bOMxXBVZXbqg==","size":2476},"mstile-310x310-91a0c8044b8015fb1c810c7da3b8ce19.png":{"digest":"91a0c8044b8015fb1c810c7da3b8ce19","logical_path":"mstile-310x310.png","mtime":63842127737,"sha512":"93fGCNcnOZ9sbB9F4IDUWe7v3MuVqjF92appcWJggbAM0cURewz6VgB9067zlnF1Hxi1EnNB8gK0Ajwzs8Mp6Q==","size":4386},"mstile-70x70-9d68ce610bb58a84c991a538ee5a2471.png":{"digest":"9d68ce610bb58a84c991a538ee5a2471","logical_path":"mstile-70x70.png","mtime":63842127737,"sha512":"AnuZDA4cKpUudmsunmFscHHFN+hDfsb3xkHxJc4hSTtXXyvUGnApSLp8+C8fwdRXGowQZIP9LxiBQO1xOVlsLQ==","size":1606},"robots-067185ba27a5d9139b10a759679045bf.txt":{"digest":"067185ba27a5d9139b10a759679045bf","logical_path":"robots.txt","mtime":63842127737,"sha512":"8FA6TZeCo3hFYcQ+9knbh3TrhkqGzYJx/uD5yRvggwM7gwfBPrPGqqrbVTZjnnnvlsw1zs1WJTPYez1zr/U4ug==","size":202},"safari-pinned-tab-8fa7d8b22e234fb0dbab119e58511969.svg":{"digest":"8fa7d8b22e234fb0dbab119e58511969","logical_path":"safari-pinned-tab.svg","mtime":63842127737,"sha512":"ACQqw7PFCcPHSDX80Q6tHvXCulLyNwjRXIsLSzobFMHMbcYBq7lvrnZZH3ehE7cOlWhfIjPWsu3tkENWPnI6Kg==","size":2936},"site-9bbcf6b3c39c82274c4b70a7d1afafc2.webmanifest":{"digest":"9bbcf6b3c39c82274c4b70a7d1afafc2","logical_path":"site.webmanifest","mtime":63842127737,"sha512":"EijyGbrUn5JTFGXXdhXdNXjPNTmgVH7GgOZKq5RZYlFnyV4AW60C2oICmy9FY+tMr1/5CMet8BvqIFyUxjreCg==","size":413}} } diff --git a/rel/overlays/bin/migrate b/rel/overlays/bin/migrate new file mode 100755 index 00000000..38aab45a --- /dev/null +++ b/rel/overlays/bin/migrate @@ -0,0 +1,3 @@ +#!/bin/sh +cd -P -- "$(dirname -- "$0")" +exec ./shift73k eval Shift73k.Release.migrate diff --git a/rel/overlays/bin/migrate.bat b/rel/overlays/bin/migrate.bat new file mode 100755 index 00000000..b606b8e6 --- /dev/null +++ b/rel/overlays/bin/migrate.bat @@ -0,0 +1 @@ +call "%~dp0\shift73k" eval Shift73k.Release.migrate diff --git a/rel/overlays/bin/server b/rel/overlays/bin/server new file mode 100755 index 00000000..d839d5c6 --- /dev/null +++ b/rel/overlays/bin/server @@ -0,0 +1,3 @@ +#!/bin/sh +cd -P -- "$(dirname -- "$0")" +PHX_SERVER=true exec ./shift73k start diff --git a/rel/overlays/bin/server.bat b/rel/overlays/bin/server.bat new file mode 100755 index 00000000..49ef6a41 --- /dev/null +++ b/rel/overlays/bin/server.bat @@ -0,0 +1,2 @@ +set PHX_SERVER=true +call "%~dp0\shift73k" start

    #tO-}$(+wexewD*nFof(^sULTqmjvWh`1j3VR1u&wrIXk7)N(elu~ z01{Tr^NhO}{J7nOee(oyX1$f;93|;ov4}Q50%D(b@ z0Ix4S_7L)WfUi>!9!1oE*kT5*g)a#E5^{GI(iAWC6lWpK@j2qtu>IA)hn@J*1HglS zzJ##w3ZY(6f%_f&ydyt1^k@GeWaklrBNTc{-RFqiLlw`b1$vJBukbu?Uqw(5SLL$D z&m&kB`rEkAYe?@@$uO~|y=Cs~C2{7%i{gw$quyII$~KV*t&4HXS|T(z;}$FRrA+AN z!u?6OLAA+Fz^9%p?~MZ4TjxF*akO<_>lzu0&ubka^`$5Pz?;Ql}wy&C*UF+C6 zz}rTky!3Z_`)4X{+@9%mA}(TQ=)(|jd-e9LB?C+}wy>=9ZHr-b;_dBCvJb}l^vv81 zu2!e$4-R5Iq06BLK9GqA5wedvX}_Xbztpp zV@x+c32DOvv%~OyA^jK=d3U7D7Sw%|ShIEX%xRnd{>UGUF%X`!8u*$n@0uq_!_e%R=N)CM2mrRP8kb#On7bqYdu4E zZQw&lY(+ae9*)CQz*rj6J2flme>9|RqUW&WQ{#H1Z1ci}I2iB9sxY)M zX{axYGIXZnIu^^Bnm^tkSrT;*B>tHxcA?$ZEMez1_Gc9s4j36WjO^Y=Tn2F;)b2qt z8vy4&IJ386EfC$tD6Icd)duhejC@1gtLRD%*SmG8Lsb z2>k(uPLeY=hM?EtNSt#kO@om|uHAu#Y5%%40g9<#RP{}%`N+<(WWjRR(uSdtP2jc1 zhzEt~lXb;QuS@UHBt=g*$l#kzxK( zSbW6XSke;L#lY*ytRH@)N87FzasHiH)N4M_Y%^ZYSi;~Cp2U1mEP^w5&W4__9PSsF z3YdsJ0PTkW;>r+4H&EK@H}KP_u?IERN7Xf{QlB%UY%1}RXA*B#py5nm zxt78%9l#x(f7Wy-?`b-CPXo)L#?C2qmNk6$EQ{iKC=w3yYI7(T9`VcOFa|mN zQbXi3KQM=UnfnJIfL}^&kbwOo8}{LV5BQO*505&!&y2X`2d1+(&vPKg1B_jsGXWkx zki#nZt0jC3Z#i#Tpaej+a0f)&m`v4SLl>SvjA@yZIKBCeFq6)xJ8#XK=8(IiG6{vw zHt*1CJ&7qyq3E*m0?OH35&-`4S72nJpnf5Et#kOH7Jo=Ww^@8tsVthp0^JJ9*C}BC zrP$$)*#uhpYisHCwhVLB%Gmbpt-j!@E?27~ipyuNR4`az?fB(7E+~8*;!wqq&4tZU zmhg8ZHUNwG5V6aMT}Qyd_E=0GmSyteM+r1EE0$)_jG>?8jQv~8vKbKQHI-*jStae& z0g8sRF#H)R9Z?}E(!yPS`$nl9zI_ww7ag3STa};CA|6{Lh=*%2!9Ix5k71LUe@`r19*SoXESlp6^9I^ zTYo>+WcU*K-PHdPGa>f*uyIqf3P+K`x%Z*`^>5e*#t!n|WvrkQ^kMf)0=5qjfC^s! zIJN?Aoy00s4M;2G^??|W86 z)l{XV3s2mDXqGGsD~>-;+~7&@5+KAx!@82E6kb70`p zROh+4&N1`UcXq+QgBUoFCB(ZcdN-e%H#aI9#*>)Te2S`Z`boZ0hvK)4YI>pyHAKh< zhkZ0_q2KM-WU$cd)1xdfnDvYJVvinu{rCq4Zr@t&=gqC<4UF#{uBPe$5Z2s5y}APo z!sBfKeSOxy8}P?rAIjx7%p)MS$;-Vv>?e<#QF?WA>UwSTQET8TkhfYxuEAEhgm~}k z((IF6LK;ShX5@oxDGO@~s@AM}s8qKKl0AhgCQLG9gP$_Hoc+nSYoR7x_}_ibOt9M@ z8DAo~KETvSc!u@EmIZu6So9G|?lFaX-`m95+BsgKT7_kRQ}23`!SWev2{sVwa2 z+$pnACr^2-O`ZbyNhMFgpECNkG`0}QTf`d?AH5jw+=O#tDv57A=W`uonQ})Jqr1Pu zc!{f(DMJaZUMZu}f4wUVM(2Ns&*^Y+l^zgzB=PE%#3VnmS2L3gv-PP-CMGpWAsqbg zWGIQtnMh5n`?YyW6b*!4F{;5p1j_acwT0-^e*gPmO0S+)J$-F-j zM-+(Wx?F5J!-3c-oyzR9X9Z#Zv5^c5$<_w8|C>p?=9yUl*YSfnlVqNT=#uBKxEUwO zw46MGQi+ulL%tl+-Q> z$Jphmoo(Dc;VK7!j6fu1aacLR2v*ulr4d^G!jWSy^q@6Mv0c80;2a&+F6vdg1F%TzN%Vk*A->(Kl_&}^l17yEb0 z1=timsBGt_Mlonh1)F#hRG5CNjHiVN>t($%ebZK_)aEnTT26|&b#i}0=#Mrm>&T7i zEO`WI98kiB4K>D%ClI!hdA1R3$ZN5|hEqEbM`lfEe%Gql)4YU3t+3;RwFwv;ElK{7 zY5_G>-EWAtj5H|W>^^NKGvG-)N@R6fq}3WNP+ARZD=;`D;%KL>YN*U@*2dIV_Ml2^ zCrnvW%vaI))(pWwgR90+X+t8vdy@?1(&Cle;sNA?W?|J&t&;~#j!7?5BHX2usRPE| zcm(WPA))hd6qgK1?rB~9TdlkthHDEQ>O!B^w{&9Epz8~L)P+80dfh6)X3dl-60MS0 zKcTqnIt>(zlp8N*AecoHmx5*@x39swuKOpiec#^lfBN@r)Y9Z7@~|#-j^GeNiaAPA zL2=22Vo9yH40Pk4<^?b*j z#c-kPN&y-2*M0;-CUVD~!Prkg{C1ZQ;lc-;A=sb~AUw}-om0g!G(}EdnESzMbxQku zCIASbQ{;i~%RBMj&g6rP-NwC|{Z~1AJ?kGd;mxnB)mIG=TE?e*7M{9(lifXp{1la~ z$P5oIgKPxH7{>V!n!Wlep#YmMy*G?~eSg5Nrs!k<%+NGkTL?H1SxOcX#7ZIEQ<-21 zPwARvgcqIFYL{{+uLQ`i1j1OUJjyGKU8ka9pO$hqd0u&4zJz629C56Sx% zvY6~YPz)#z%;DFPr1B*MaFM`*>bcG|`XCg9$H3Q)k(L{%mQzuKUpsF0gR2D?vah^* z$&Pwvhv<_83D|-ktJOXJQ2=+kF5MIW1)VvS?RsB``+kjTgYB0!8d@__{iKu~`|Pxw z3d`tQ2>#Zb>IV_3{HwPF>X#)`r0l_6AW#C-lS&BuRmOa$igC^HqvnzbrfQoK5-ocO z6{0eF?1I#;GlN~QeFo#M-CJAmDAsxR+jXW`!=RgW#jbv>*c3*s(drj(`K1CB>;)8C z$QKsZ8s&Tf6tI779C~X8H{yZ*C zZKnufuXT#d#?c@U{BTR=WX5}F#B##Pv)K=z z{5YuzHh@-LbxS(GokYO6*Ckg!b^< z0=q~Fd&r_`8eu%uQL-ih-ZZKtz=Il?0PlnXvCh|3Jjp5*p$1f}x%L%STL3M8?R#Ge zxE!1N)nQ_m>nH}mI*R!l_RE*UbQMgO!jrK6K3Gxbl+XFwxmM!L*WCoq+jDahJjWbW znBf6k6)`r&m^)1}{c2!zkq!A^#0$W&CT!MyyZ8aNK0XrWcN$ zUK@&|0`EDhmtU$jc%}6C)ebQE%TU42`4F%&aDKyb>iO;M3Y5Ja+EBT3t=QccCN*Re zML0S#ta~+u(Xd9D1l5Les;T+rPT2RY<-)bqF|e{2hyyUo^!dBaBu$EfvmlP9^D$96 zojdxGoqKuxXepG7WTg0`?7nVji|y@Ty;?)8dA<&a3cXxQz9ic?=cdWKa+BA%j<8K= zEGR;OUCZGK1-)4y&5Z{y>hQ5ac3r!|=fAXwIKh{`Pe@juSqkAt56v_m^#G0Vy+GkR zDN5&$B?X!{LF-E;DBJ;K;La1z1Nu$|h-XCRr|Zc4S(VJ6tt0a|0aT#>^{ITvqVjhZ zmG2;x@B9{(C(|!70{a%dM&%LnYbrlkN98B&iJ|h70+pW;l~?;j#CsTE$c2Hj`swrU zbm2x;dccEjEywwHcE^`Qw9iSGI7tSOQK7G)xNUeD7Ne9MO@KAcI-|ZX)EGbeVKQKE?s55q0CB@`NpHR-q0AJz@jXa z?S@xKn{F;ir2ccEZ6(sq6pg0B0h*c@`5RKYzho|P_o}tTe7&*6SQtGlYO>zz_3@T5 zfMM95lX+RRbmB(GI!Rc!^TU1uRuSaff{F3CumPY5T7`9e_(L7k)= zdqlb9%>Ly`*rTmp@V+t<`lhesS!rP93x2cHAkHU+8|)%?(l0Y5ax}FdBQC=99IRzf zxLs32%?*pII910PM2{dpFPi#v6|emCYqoYb7o{B>m1e*fdEFgTF5Bvmy?8jg3vFxo zrgb8Vx0;1d9$VxZ7LB2dS)`((dhsflT5UIFyKq_)TMe}U4!Z=4r6seF5-CzD8wU(* z1*jGlq|%z)VD^$od}GyduiFqq$sduDPmz+J2}*uUlzg&|k{?$o`SChRPWnY6)qiL|p9`N!v)btv7f4 zJ3U45*0K-8e6H<)n^|xx-aSfFk9m)0>PZKEN$&`$#(LUFD!ITw~d~Yq9wy!Ia6|F7rm++VVaK|qBThZ!>)c5ZM5Wr%st1>TF zk?Mb{QeNOaAcNuBnW9>|vLkD!0Fe`=`O@KhddrfQbAK{>;#+WPrXUkMJi! zr;-8smH=;uF#)f+5WC2M1QEP^>J*$yE{$`^k#ZXu0(w6X588}VynQy#Btzj_BAiKv z#LBr`d`pl)oGz5v$qz1AR%BO0q>drwJZR z;5GqLhyfhgXRA<+pF)`i>bm-sB7h%W@fg@*pA-qipG+yEac2Ck<{G;wAIL{FR<5j& zNPP#}xep%>;e)2Hnr)~QCCm&=>(r7}=*HTR+9)+lEi8ojAnt$mgBeAB(6{gMYxxQ+ zeZ`R=3}2k}}ZpX|CG zWq~Js-izx}L@b9&b(n?R=+hK@6hs~a!j)rMLr`9KvZ|t0bt_Xm(^*)UdfoZW>uA%m zV6{~2{fcdgTfr^K$6wn1U1IWz8Ss`{HFhS3_!O0ya<=>OWLerHiuY9*lf*5@mgR^- zoZ45cw6tn7N;sj^aB;F1G+Dbq`7U7XeR zM6BZoBn{L|0bRp(2qLh!aq=@fhO|L=^;kX&WN#g=b)E?|{v7#ByNf{bTJHxnj%)=D zz^9V0t(}VT?JJfhGE-a@mfI+p8+>hLWSuKvp#=8z-Y3BIeA1lHnr3y2FXQ8r^?c28 zT|Eg7zh1RGv@Fbv)TQ)T8nHHNEny)kV{iS}_egECfnUp_1NP_BTgqXI0gN`cRKLTJ zN5+R<+BRVjO2=1ESHiBTW;MFQu!rFbKB0|8P8T@P_{(iy$%wIbSFg97*BsZ{{jr** z#Odpc&_JNfI)4ZfPG9$kfQ9|A-Xmhm_K4W3_lU^C?$+Cy zGfJMH2IL~^ZtC4EnJ80LVQSp!IvrrZI#)*>$1-xKwNUo(+uJ{@WWGo=w?G&KNO-#( zhBcB;x$Ltb>yhR5LW7Z%Oz9Sl;b|S)_mMcg4+U3^Po5GP>$hu5n^seQz#NQZFuOyc z)VYz!_XF~bHHO#l{sWm^j}kSu+k{Ue_N`zVE53xJE4WR>YKCL4rETfun|k|Yz=f82 zEUTE#-X!k#zinyz+q(j}js}jGe`mr5*P(O=p(REs{*0t4X^1N{OH&YnQp$M|icXca zevXmzgimr|a`hI_uGUm3;|iGe_I4r2X& zg^7r-jVzo@k$-LsLZCzA)L|fa5kqzYGF+~)KCE3d;5@_8Sr+%}_lDGoMdR}7?zoQn z+Mx2V2cq+D5%jKnO`<{ma$g1xez7yfqOI>O&&hcGBVMw$K4#4h8fRb8M$C9W!B_h! zagF?&d^(V=^F=~+kJcH!0~CcAL>uqt|LCW)VIxZ(!uXG#OMsJLlKRVU*vdC*#Xm~W{yTX{{f`-DhojiMcx$%24Q4RLWCj)XeCKa}{_la4 zvvd@I^g!=@XLffRxO;3v{MY=4=Rgb69I?9W)6uh!dCVK*Bp?f58D0i(8}uqp@9$Md p^CD4O94BDrXE^+rf^Dm&aQ@dIhld%T&07EC{{k)6U0=gY0svCvu_OQh diff --git a/priv/static/assets/app.js b/priv/static/assets/app.js index 6e6b151f..4a5bcb15 100644 --- a/priv/static/assets/app.js +++ b/priv/static/assets/app.js @@ -1,82 +1,82 @@ -(function(){var e=t();function t(){if(typeof window.CustomEvent=="function")return window.CustomEvent;function r(s,o){o=o||{bubbles:!1,cancelable:!1,detail:void 0};var a=document.createEvent("CustomEvent");return a.initCustomEvent(s,o.bubbles,o.cancelable,o.detail),a}return r.prototype=window.Event.prototype,r}function i(r,s){var o=document.createElement("input");return o.type="hidden",o.name=r,o.value=s,o}function n(r,s){var o=r.getAttribute("data-to"),a=i("_method",r.getAttribute("data-method")),l=i("_csrf_token",r.getAttribute("data-csrf")),h=document.createElement("form"),d=r.getAttribute("target");h.method=r.getAttribute("data-method")==="get"?"get":"post",h.action=o,h.style.display="hidden",d?h.target=d:s&&(h.target="_blank"),h.appendChild(l),h.appendChild(a),document.body.appendChild(h),h.submit()}window.addEventListener("click",function(r){var s=r.target;if(!r.defaultPrevented)for(;s&&s.getAttribute;){var o=new e("phoenix.link.click",{bubbles:!0,cancelable:!0});if(!s.dispatchEvent(o))return r.preventDefault(),r.stopImmediatePropagation(),!1;if(s.getAttribute("data-method"))return n(s,r.metaKey||r.shiftKey),r.preventDefault(),!1;s=s.parentNode}},!1),window.addEventListener("phoenix.link.click",function(r){var s=r.target.getAttribute("data-confirm");s&&!window.confirm(s)&&r.preventDefault()},!1)})();var tt=e=>typeof e=="function"?e:function(){return e},sr=typeof self<"u"?self:null,et=typeof window<"u"?window:null,it=sr||et||it,or="2.0.0",Ee={connecting:0,open:1,closing:2,closed:3},ar=1e4,lr=1e3,oe={closed:"closed",errored:"errored",joined:"joined",joining:"joining",leaving:"leaving"},Ce={close:"phx_close",error:"phx_error",join:"phx_join",reply:"phx_reply",leave:"phx_leave"},ii={longpoll:"longpoll",websocket:"websocket"},cr={complete:4},pt=class{constructor(e,t,i,n){this.channel=e,this.event=t,this.payload=i||function(){return{}},this.receivedResp=null,this.timeout=n,this.timeoutTimer=null,this.recHooks=[],this.sent=!1}resend(e){this.timeout=e,this.reset(),this.send()}send(){this.hasReceived("timeout")||(this.startTimeout(),this.sent=!0,this.channel.socket.push({topic:this.channel.topic,event:this.event,payload:this.payload(),ref:this.ref,join_ref:this.channel.joinRef()}))}receive(e,t){return this.hasReceived(e)&&t(this.receivedResp.response),this.recHooks.push({status:e,callback:t}),this}reset(){this.cancelRefEvent(),this.ref=null,this.refEvent=null,this.receivedResp=null,this.sent=!1}matchReceive({status:e,response:t,_ref:i}){this.recHooks.filter(n=>n.status===e).forEach(n=>n.callback(t))}cancelRefEvent(){this.refEvent&&this.channel.off(this.refEvent)}cancelTimeout(){clearTimeout(this.timeoutTimer),this.timeoutTimer=null}startTimeout(){this.timeoutTimer&&this.cancelTimeout(),this.ref=this.channel.socket.makeRef(),this.refEvent=this.channel.replyEventName(this.ref),this.channel.on(this.refEvent,e=>{this.cancelRefEvent(),this.cancelTimeout(),this.receivedResp=e,this.matchReceive(e)}),this.timeoutTimer=setTimeout(()=>{this.trigger("timeout",{})},this.timeout)}hasReceived(e){return this.receivedResp&&this.receivedResp.status===e}trigger(e,t){this.channel.trigger(this.refEvent,{status:e,response:t})}},Cn=class{constructor(e,t){this.callback=e,this.timerCalc=t,this.timer=null,this.tries=0}reset(){this.tries=0,clearTimeout(this.timer)}scheduleTimeout(){clearTimeout(this.timer),this.timer=setTimeout(()=>{this.tries=this.tries+1,this.callback()},this.timerCalc(this.tries+1))}},hr=class{constructor(e,t,i){this.state=oe.closed,this.topic=e,this.params=tt(t||{}),this.socket=i,this.bindings=[],this.bindingRef=0,this.timeout=this.socket.timeout,this.joinedOnce=!1,this.joinPush=new pt(this,Ce.join,this.params,this.timeout),this.pushBuffer=[],this.stateChangeRefs=[],this.rejoinTimer=new Cn(()=>{this.socket.isConnected()&&this.rejoin()},this.socket.rejoinAfterMs),this.stateChangeRefs.push(this.socket.onError(()=>this.rejoinTimer.reset())),this.stateChangeRefs.push(this.socket.onOpen(()=>{this.rejoinTimer.reset(),this.isErrored()&&this.rejoin()})),this.joinPush.receive("ok",()=>{this.state=oe.joined,this.rejoinTimer.reset(),this.pushBuffer.forEach(n=>n.send()),this.pushBuffer=[]}),this.joinPush.receive("error",()=>{this.state=oe.errored,this.socket.isConnected()&&this.rejoinTimer.scheduleTimeout()}),this.onClose(()=>{this.rejoinTimer.reset(),this.socket.hasLogger()&&this.socket.log("channel",`close ${this.topic} ${this.joinRef()}`),this.state=oe.closed,this.socket.remove(this)}),this.onError(n=>{this.socket.hasLogger()&&this.socket.log("channel",`error ${this.topic}`,n),this.isJoining()&&this.joinPush.reset(),this.state=oe.errored,this.socket.isConnected()&&this.rejoinTimer.scheduleTimeout()}),this.joinPush.receive("timeout",()=>{this.socket.hasLogger()&&this.socket.log("channel",`timeout ${this.topic} (${this.joinRef()})`,this.joinPush.timeout),new pt(this,Ce.leave,tt({}),this.timeout).send(),this.state=oe.errored,this.joinPush.reset(),this.socket.isConnected()&&this.rejoinTimer.scheduleTimeout()}),this.on(Ce.reply,(n,r)=>{this.trigger(this.replyEventName(r),n)})}join(e=this.timeout){if(this.joinedOnce)throw new Error("tried to join multiple times. 'join' can only be called a single time per channel instance");return this.timeout=e,this.joinedOnce=!0,this.rejoin(),this.joinPush}onClose(e){this.on(Ce.close,e)}onError(e){return this.on(Ce.error,t=>e(t))}on(e,t){let i=this.bindingRef++;return this.bindings.push({event:e,ref:i,callback:t}),i}off(e,t){this.bindings=this.bindings.filter(i=>!(i.event===e&&(typeof t>"u"||t===i.ref)))}canPush(){return this.socket.isConnected()&&this.isJoined()}push(e,t,i=this.timeout){if(t=t||{},!this.joinedOnce)throw new Error(`tried to push '${e}' to '${this.topic}' before joining. Use channel.join() before pushing events`);let n=new pt(this,e,function(){return t},i);return this.canPush()?n.send():(n.startTimeout(),this.pushBuffer.push(n)),n}leave(e=this.timeout){this.rejoinTimer.reset(),this.joinPush.cancelTimeout(),this.state=oe.leaving;let t=()=>{this.socket.hasLogger()&&this.socket.log("channel",`leave ${this.topic}`),this.trigger(Ce.close,"leave")},i=new pt(this,Ce.leave,tt({}),e);return i.receive("ok",()=>t()).receive("timeout",()=>t()),i.send(),this.canPush()||i.trigger("ok",{}),i}onMessage(e,t,i){return t}isMember(e,t,i,n){return this.topic!==e?!1:n&&n!==this.joinRef()?(this.socket.hasLogger()&&this.socket.log("channel","dropping outdated message",{topic:e,event:t,payload:i,joinRef:n}),!1):!0}joinRef(){return this.joinPush.ref}rejoin(e=this.timeout){this.isLeaving()||(this.socket.leaveOpenTopic(this.topic),this.state=oe.joining,this.joinPush.resend(e))}trigger(e,t,i,n){let r=this.onMessage(e,t,i,n);if(t&&!r)throw new Error("channel onMessage callbacks must return the payload, modified or unmodified");let s=this.bindings.filter(o=>o.event===e);for(let o=0;o{let a=this.parseJSON(e.responseText);o&&o(a)},s&&(e.ontimeout=s),e.onprogress=()=>{},e.send(n),e}static xhrRequest(e,t,i,n,r,s,o,a){return e.open(t,i,!0),e.timeout=s,e.setRequestHeader("Content-Type",n),e.onerror=()=>a&&a(null),e.onreadystatechange=()=>{if(e.readyState===cr.complete&&a){let l=this.parseJSON(e.responseText);a(l)}},o&&(e.ontimeout=o),e.send(r),e}static parseJSON(e){if(!e||e==="")return null;try{return JSON.parse(e)}catch{return console&&console.log("failed to parse JSON response",e),null}}static serialize(e,t){let i=[];for(var n in e){if(!Object.prototype.hasOwnProperty.call(e,n))continue;let r=t?`${t}[${n}]`:n,s=e[n];typeof s=="object"?i.push(this.serialize(s,r)):i.push(encodeURIComponent(r)+"="+encodeURIComponent(s))}return i.join("&")}static appendParams(e,t){if(Object.keys(t).length===0)return e;let i=e.match(/\?/)?"&":"?";return`${e}${i}${this.serialize(t)}`}},Kt=class{constructor(e){this.endPoint=null,this.token=null,this.skipHeartbeat=!0,this.reqs=new Set,this.onopen=function(){},this.onerror=function(){},this.onmessage=function(){},this.onclose=function(){},this.pollEndpoint=this.normalizeEndpoint(e),this.readyState=Ee.connecting,this.poll()}normalizeEndpoint(e){return e.replace("ws://","http://").replace("wss://","https://").replace(new RegExp("(.*)/"+ii.websocket),"$1/"+ii.longpoll)}endpointURL(){return kt.appendParams(this.pollEndpoint,{token:this.token})}closeAndRetry(e,t,i){this.close(e,t,i),this.readyState=Ee.connecting}ontimeout(){this.onerror("timeout"),this.closeAndRetry(1005,"timeout",!1)}isActive(){return this.readyState===Ee.open||this.readyState===Ee.connecting}poll(){this.ajax("GET",null,()=>this.ontimeout(),e=>{if(e){var{status:t,token:i,messages:n}=e;this.token=i}else t=0;switch(t){case 200:n.forEach(r=>{setTimeout(()=>this.onmessage({data:r}),0)}),this.poll();break;case 204:this.poll();break;case 410:this.readyState=Ee.open,this.onopen({}),this.poll();break;case 403:this.onerror(403),this.close(1008,"forbidden",!1);break;case 0:case 500:this.onerror(500),this.closeAndRetry(1011,"internal server error",500);break;default:throw new Error(`unhandled poll status ${t}`)}})}send(e){this.ajax("POST",e,()=>this.onerror("timeout"),t=>{(!t||t.status!==200)&&(this.onerror(t&&t.status),this.closeAndRetry(1011,"internal server error",!1))})}close(e,t,i){for(let r of this.reqs)r.abort();this.readyState=Ee.closed;let n=Object.assign({code:1e3,reason:void 0,wasClean:!0},{code:e,reason:t,wasClean:i});typeof CloseEvent<"u"?this.onclose(new CloseEvent("close",n)):this.onclose(n)}ajax(e,t,i,n){let r,s=()=>{this.reqs.delete(r),i()};r=kt.request(e,this.endpointURL(),"application/json",t,this.timeout,s,o=>{this.reqs.delete(r),this.isActive()&&n(o)}),this.reqs.add(r)}},gt={HEADER_LENGTH:1,META_LENGTH:4,KINDS:{push:0,reply:1,broadcast:2},encode(e,t){if(e.payload.constructor===ArrayBuffer)return t(this.binaryEncode(e));{let i=[e.join_ref,e.ref,e.topic,e.event,e.payload];return t(JSON.stringify(i))}},decode(e,t){if(e.constructor===ArrayBuffer)return t(this.binaryDecode(e));{let[i,n,r,s,o]=JSON.parse(e);return t({join_ref:i,ref:n,topic:r,event:s,payload:o})}},binaryEncode(e){let{join_ref:t,ref:i,event:n,topic:r,payload:s}=e,o=this.META_LENGTH+t.length+i.length+r.length+n.length,a=new ArrayBuffer(this.HEADER_LENGTH+o),l=new DataView(a),h=0;l.setUint8(h++,this.KINDS.push),l.setUint8(h++,t.length),l.setUint8(h++,i.length),l.setUint8(h++,r.length),l.setUint8(h++,n.length),Array.from(t,c=>l.setUint8(h++,c.charCodeAt(0))),Array.from(i,c=>l.setUint8(h++,c.charCodeAt(0))),Array.from(r,c=>l.setUint8(h++,c.charCodeAt(0))),Array.from(n,c=>l.setUint8(h++,c.charCodeAt(0)));var d=new Uint8Array(a.byteLength+s.byteLength);return d.set(new Uint8Array(a),0),d.set(new Uint8Array(s),a.byteLength),d.buffer},binaryDecode(e){let t=new DataView(e),i=t.getUint8(0),n=new TextDecoder;switch(i){case this.KINDS.push:return this.decodePush(e,t,n);case this.KINDS.reply:return this.decodeReply(e,t,n);case this.KINDS.broadcast:return this.decodeBroadcast(e,t,n)}},decodePush(e,t,i){let n=t.getUint8(1),r=t.getUint8(2),s=t.getUint8(3),o=this.HEADER_LENGTH+this.META_LENGTH-1,a=i.decode(e.slice(o,o+n));o=o+n;let l=i.decode(e.slice(o,o+r));o=o+r;let h=i.decode(e.slice(o,o+s));o=o+s;let d=e.slice(o,e.byteLength);return{join_ref:a,ref:null,topic:l,event:h,payload:d}},decodeReply(e,t,i){let n=t.getUint8(1),r=t.getUint8(2),s=t.getUint8(3),o=t.getUint8(4),a=this.HEADER_LENGTH+this.META_LENGTH,l=i.decode(e.slice(a,a+n));a=a+n;let h=i.decode(e.slice(a,a+r));a=a+r;let d=i.decode(e.slice(a,a+s));a=a+s;let c=i.decode(e.slice(a,a+o));a=a+o;let g=e.slice(a,e.byteLength),u={status:c,response:g};return{join_ref:l,ref:h,topic:d,event:Ce.reply,payload:u}},decodeBroadcast(e,t,i){let n=t.getUint8(1),r=t.getUint8(2),s=this.HEADER_LENGTH+2,o=i.decode(e.slice(s,s+n));s=s+n;let a=i.decode(e.slice(s,s+r));s=s+r;let l=e.slice(s,e.byteLength);return{join_ref:null,ref:null,topic:o,event:a,payload:l}}},dr=class{constructor(e,t={}){this.stateChangeCallbacks={open:[],close:[],error:[],message:[]},this.channels=[],this.sendBuffer=[],this.ref=0,this.timeout=t.timeout||ar,this.transport=t.transport||it.WebSocket||Kt,this.establishedConnections=0,this.defaultEncoder=gt.encode.bind(gt),this.defaultDecoder=gt.decode.bind(gt),this.closeWasClean=!1,this.binaryType=t.binaryType||"arraybuffer",this.connectClock=1,this.transport!==Kt?(this.encode=t.encode||this.defaultEncoder,this.decode=t.decode||this.defaultDecoder):(this.encode=this.defaultEncoder,this.decode=this.defaultDecoder);let i=null;et&&et.addEventListener&&(et.addEventListener("pagehide",n=>{this.conn&&(this.disconnect(),i=this.connectClock)}),et.addEventListener("pageshow",n=>{i===this.connectClock&&(i=null,this.connect())})),this.heartbeatIntervalMs=t.heartbeatIntervalMs||3e4,this.rejoinAfterMs=n=>t.rejoinAfterMs?t.rejoinAfterMs(n):[1e3,2e3,5e3][n-1]||1e4,this.reconnectAfterMs=n=>t.reconnectAfterMs?t.reconnectAfterMs(n):[10,50,100,150,200,250,500,1e3,2e3][n-1]||5e3,this.logger=t.logger||null,this.longpollerTimeout=t.longpollerTimeout||2e4,this.params=tt(t.params||{}),this.endPoint=`${e}/${ii.websocket}`,this.vsn=t.vsn||or,this.heartbeatTimeoutTimer=null,this.heartbeatTimer=null,this.pendingHeartbeatRef=null,this.reconnectTimer=new Cn(()=>{this.teardown(()=>this.connect())},this.reconnectAfterMs)}getLongPollTransport(){return Kt}replaceTransport(e){this.connectClock++,this.closeWasClean=!0,this.reconnectTimer.reset(),this.sendBuffer=[],this.conn&&(this.conn.close(),this.conn=null),this.transport=e}protocol(){return location.protocol.match(/^https/)?"wss":"ws"}endPointURL(){let e=kt.appendParams(kt.appendParams(this.endPoint,this.params()),{vsn:this.vsn});return e.charAt(0)!=="/"?e:e.charAt(1)==="/"?`${this.protocol()}:${e}`:`${this.protocol()}://${location.host}${e}`}disconnect(e,t,i){this.connectClock++,this.closeWasClean=!0,this.reconnectTimer.reset(),this.teardown(e,t,i)}connect(e){e&&(console&&console.log("passing params to connect is deprecated. Instead pass :params to the Socket constructor"),this.params=tt(e)),!this.conn&&(this.connectClock++,this.closeWasClean=!1,this.conn=new this.transport(this.endPointURL()),this.conn.binaryType=this.binaryType,this.conn.timeout=this.longpollerTimeout,this.conn.onopen=()=>this.onConnOpen(),this.conn.onerror=t=>this.onConnError(t),this.conn.onmessage=t=>this.onConnMessage(t),this.conn.onclose=t=>this.onConnClose(t))}log(e,t,i){this.logger(e,t,i)}hasLogger(){return this.logger!==null}onOpen(e){let t=this.makeRef();return this.stateChangeCallbacks.open.push([t,e]),t}onClose(e){let t=this.makeRef();return this.stateChangeCallbacks.close.push([t,e]),t}onError(e){let t=this.makeRef();return this.stateChangeCallbacks.error.push([t,e]),t}onMessage(e){let t=this.makeRef();return this.stateChangeCallbacks.message.push([t,e]),t}ping(e){if(!this.isConnected())return!1;let t=this.makeRef(),i=Date.now();this.push({topic:"phoenix",event:"heartbeat",payload:{},ref:t});let n=this.onMessage(r=>{r.ref===t&&(this.off([n]),e(Date.now()-i))});return!0}clearHeartbeats(){clearTimeout(this.heartbeatTimer),clearTimeout(this.heartbeatTimeoutTimer)}onConnOpen(){this.hasLogger()&&this.log("transport",`connected to ${this.endPointURL()}`),this.closeWasClean=!1,this.establishedConnections++,this.flushSendBuffer(),this.reconnectTimer.reset(),this.resetHeartbeat(),this.stateChangeCallbacks.open.forEach(([,e])=>e())}heartbeatTimeout(){this.pendingHeartbeatRef&&(this.pendingHeartbeatRef=null,this.hasLogger()&&this.log("transport","heartbeat timeout. Attempting to re-establish connection"),this.triggerChanError(),this.closeWasClean=!1,this.teardown(()=>this.reconnectTimer.scheduleTimeout(),lr,"heartbeat timeout"))}resetHeartbeat(){this.conn&&this.conn.skipHeartbeat||(this.pendingHeartbeatRef=null,this.clearHeartbeats(),this.heartbeatTimer=setTimeout(()=>this.sendHeartbeat(),this.heartbeatIntervalMs))}teardown(e,t,i){if(!this.conn)return e&&e();this.waitForBufferDone(()=>{this.conn&&(t?this.conn.close(t,i||""):this.conn.close()),this.waitForSocketClosed(()=>{this.conn&&(this.conn.onopen=function(){},this.conn.onerror=function(){},this.conn.onmessage=function(){},this.conn.onclose=function(){},this.conn=null),e&&e()})})}waitForBufferDone(e,t=1){if(t===5||!this.conn||!this.conn.bufferedAmount){e();return}setTimeout(()=>{this.waitForBufferDone(e,t+1)},150*t)}waitForSocketClosed(e,t=1){if(t===5||!this.conn||this.conn.readyState===Ee.closed){e();return}setTimeout(()=>{this.waitForSocketClosed(e,t+1)},150*t)}onConnClose(e){let t=e&&e.code;this.hasLogger()&&this.log("transport","close",e),this.triggerChanError(),this.clearHeartbeats(),!this.closeWasClean&&t!==1e3&&this.reconnectTimer.scheduleTimeout(),this.stateChangeCallbacks.close.forEach(([,i])=>i(e))}onConnError(e){this.hasLogger()&&this.log("transport",e);let t=this.transport,i=this.establishedConnections;this.stateChangeCallbacks.error.forEach(([,n])=>{n(e,t,i)}),(t===this.transport||i>0)&&this.triggerChanError()}triggerChanError(){this.channels.forEach(e=>{e.isErrored()||e.isLeaving()||e.isClosed()||e.trigger(Ce.error)})}connectionState(){switch(this.conn&&this.conn.readyState){case Ee.connecting:return"connecting";case Ee.open:return"open";case Ee.closing:return"closing";default:return"closed"}}isConnected(){return this.connectionState()==="open"}remove(e){this.off(e.stateChangeRefs),this.channels=this.channels.filter(t=>t.joinRef()!==e.joinRef())}off(e){for(let t in this.stateChangeCallbacks)this.stateChangeCallbacks[t]=this.stateChangeCallbacks[t].filter(([i])=>e.indexOf(i)===-1)}channel(e,t={}){let i=new hr(e,t,this);return this.channels.push(i),i}push(e){if(this.hasLogger()){let{topic:t,event:i,payload:n,ref:r,join_ref:s}=e;this.log("push",`${t} ${i} (${s}, ${r})`,n)}this.isConnected()?this.encode(e,t=>this.conn.send(t)):this.sendBuffer.push(()=>this.encode(e,t=>this.conn.send(t)))}makeRef(){let e=this.ref+1;return e===this.ref?this.ref=0:this.ref=e,this.ref.toString()}sendHeartbeat(){this.pendingHeartbeatRef&&!this.isConnected()||(this.pendingHeartbeatRef=this.makeRef(),this.push({topic:"phoenix",event:"heartbeat",payload:{},ref:this.pendingHeartbeatRef}),this.heartbeatTimeoutTimer=setTimeout(()=>this.heartbeatTimeout(),this.heartbeatIntervalMs))}flushSendBuffer(){this.isConnected()&&this.sendBuffer.length>0&&(this.sendBuffer.forEach(e=>e()),this.sendBuffer=[])}onConnMessage(e){this.decode(e.data,t=>{let{topic:i,event:n,payload:r,ref:s,join_ref:o}=t;s&&s===this.pendingHeartbeatRef&&(this.clearHeartbeats(),this.pendingHeartbeatRef=null,this.heartbeatTimer=setTimeout(()=>this.sendHeartbeat(),this.heartbeatIntervalMs)),this.hasLogger()&&this.log("receive",`${r.status||""} ${i} ${n} ${s&&"("+s+")"||""}`,r);for(let a=0;ai.topic===e&&(i.isJoined()||i.isJoining()));t&&(this.hasLogger()&&this.log("transport",`leaving duplicate topic "${e}"`),t.leave())}},Z=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"u"?global:typeof self<"u"?self:{};function ur(e){if(e.__esModule)return e;var t=e.default;if(typeof t=="function"){var i=function n(){if(this instanceof n){var r=[null];r.push.apply(r,arguments);var s=Function.bind.apply(t,r);return new s}return t.apply(this,arguments)};i.prototype=t.prototype}else i={};return Object.defineProperty(i,"__esModule",{value:!0}),Object.keys(e).forEach(function(n){var r=Object.getOwnPropertyDescriptor(e,n);Object.defineProperty(i,n,r.get?r:{enumerable:!0,get:function(){return e[n]}})}),i}var ni={},fr={get exports(){return ni},set exports(e){ni=e}};/** +(function(){var e=t();function t(){if(typeof window.CustomEvent=="function")return window.CustomEvent;function r(s,o){o=o||{bubbles:!1,cancelable:!1,detail:void 0};var a=document.createEvent("CustomEvent");return a.initCustomEvent(s,o.bubbles,o.cancelable,o.detail),a}return r.prototype=window.Event.prototype,r}function i(r,s){var o=document.createElement("input");return o.type="hidden",o.name=r,o.value=s,o}function n(r,s){var o=r.getAttribute("data-to"),a=i("_method",r.getAttribute("data-method")),l=i("_csrf_token",r.getAttribute("data-csrf")),h=document.createElement("form"),c=r.getAttribute("target");h.method=r.getAttribute("data-method")==="get"?"get":"post",h.action=o,h.style.display="hidden",c?h.target=c:s&&(h.target="_blank"),h.appendChild(l),h.appendChild(a),document.body.appendChild(h),h.submit()}window.addEventListener("click",function(r){var s=r.target;if(!r.defaultPrevented)for(;s&&s.getAttribute;){var o=new e("phoenix.link.click",{bubbles:!0,cancelable:!0});if(!s.dispatchEvent(o))return r.preventDefault(),r.stopImmediatePropagation(),!1;if(s.getAttribute("data-method"))return n(s,r.metaKey||r.shiftKey),r.preventDefault(),!1;s=s.parentNode}},!1),window.addEventListener("phoenix.link.click",function(r){var s=r.target.getAttribute("data-confirm");s&&!window.confirm(s)&&r.preventDefault()},!1)})();var it=e=>typeof e=="function"?e:function(){return e},lr=typeof self<"u"?self:null,tt=typeof window<"u"?window:null,nt=lr||tt||nt,cr="2.0.0",we={connecting:0,open:1,closing:2,closed:3},hr=1e4,dr=1e3,oe={closed:"closed",errored:"errored",joined:"joined",joining:"joining",leaving:"leaving"},Te={close:"phx_close",error:"phx_error",join:"phx_join",reply:"phx_reply",leave:"phx_leave"},si={longpoll:"longpoll",websocket:"websocket"},ur={complete:4},gt=class{constructor(e,t,i,n){this.channel=e,this.event=t,this.payload=i||function(){return{}},this.receivedResp=null,this.timeout=n,this.timeoutTimer=null,this.recHooks=[],this.sent=!1}resend(e){this.timeout=e,this.reset(),this.send()}send(){this.hasReceived("timeout")||(this.startTimeout(),this.sent=!0,this.channel.socket.push({topic:this.channel.topic,event:this.event,payload:this.payload(),ref:this.ref,join_ref:this.channel.joinRef()}))}receive(e,t){return this.hasReceived(e)&&t(this.receivedResp.response),this.recHooks.push({status:e,callback:t}),this}reset(){this.cancelRefEvent(),this.ref=null,this.refEvent=null,this.receivedResp=null,this.sent=!1}matchReceive({status:e,response:t,_ref:i}){this.recHooks.filter(n=>n.status===e).forEach(n=>n.callback(t))}cancelRefEvent(){this.refEvent&&this.channel.off(this.refEvent)}cancelTimeout(){clearTimeout(this.timeoutTimer),this.timeoutTimer=null}startTimeout(){this.timeoutTimer&&this.cancelTimeout(),this.ref=this.channel.socket.makeRef(),this.refEvent=this.channel.replyEventName(this.ref),this.channel.on(this.refEvent,e=>{this.cancelRefEvent(),this.cancelTimeout(),this.receivedResp=e,this.matchReceive(e)}),this.timeoutTimer=setTimeout(()=>{this.trigger("timeout",{})},this.timeout)}hasReceived(e){return this.receivedResp&&this.receivedResp.status===e}trigger(e,t){this.channel.trigger(this.refEvent,{status:e,response:t})}},Dn=class{constructor(e,t){this.callback=e,this.timerCalc=t,this.timer=null,this.tries=0}reset(){this.tries=0,clearTimeout(this.timer)}scheduleTimeout(){clearTimeout(this.timer),this.timer=setTimeout(()=>{this.tries=this.tries+1,this.callback()},this.timerCalc(this.tries+1))}},fr=class{constructor(e,t,i){this.state=oe.closed,this.topic=e,this.params=it(t||{}),this.socket=i,this.bindings=[],this.bindingRef=0,this.timeout=this.socket.timeout,this.joinedOnce=!1,this.joinPush=new gt(this,Te.join,this.params,this.timeout),this.pushBuffer=[],this.stateChangeRefs=[],this.rejoinTimer=new Dn(()=>{this.socket.isConnected()&&this.rejoin()},this.socket.rejoinAfterMs),this.stateChangeRefs.push(this.socket.onError(()=>this.rejoinTimer.reset())),this.stateChangeRefs.push(this.socket.onOpen(()=>{this.rejoinTimer.reset(),this.isErrored()&&this.rejoin()})),this.joinPush.receive("ok",()=>{this.state=oe.joined,this.rejoinTimer.reset(),this.pushBuffer.forEach(n=>n.send()),this.pushBuffer=[]}),this.joinPush.receive("error",()=>{this.state=oe.errored,this.socket.isConnected()&&this.rejoinTimer.scheduleTimeout()}),this.onClose(()=>{this.rejoinTimer.reset(),this.socket.hasLogger()&&this.socket.log("channel",`close ${this.topic} ${this.joinRef()}`),this.state=oe.closed,this.socket.remove(this)}),this.onError(n=>{this.socket.hasLogger()&&this.socket.log("channel",`error ${this.topic}`,n),this.isJoining()&&this.joinPush.reset(),this.state=oe.errored,this.socket.isConnected()&&this.rejoinTimer.scheduleTimeout()}),this.joinPush.receive("timeout",()=>{this.socket.hasLogger()&&this.socket.log("channel",`timeout ${this.topic} (${this.joinRef()})`,this.joinPush.timeout),new gt(this,Te.leave,it({}),this.timeout).send(),this.state=oe.errored,this.joinPush.reset(),this.socket.isConnected()&&this.rejoinTimer.scheduleTimeout()}),this.on(Te.reply,(n,r)=>{this.trigger(this.replyEventName(r),n)})}join(e=this.timeout){if(this.joinedOnce)throw new Error("tried to join multiple times. 'join' can only be called a single time per channel instance");return this.timeout=e,this.joinedOnce=!0,this.rejoin(),this.joinPush}onClose(e){this.on(Te.close,e)}onError(e){return this.on(Te.error,t=>e(t))}on(e,t){let i=this.bindingRef++;return this.bindings.push({event:e,ref:i,callback:t}),i}off(e,t){this.bindings=this.bindings.filter(i=>!(i.event===e&&(typeof t>"u"||t===i.ref)))}canPush(){return this.socket.isConnected()&&this.isJoined()}push(e,t,i=this.timeout){if(t=t||{},!this.joinedOnce)throw new Error(`tried to push '${e}' to '${this.topic}' before joining. Use channel.join() before pushing events`);let n=new gt(this,e,function(){return t},i);return this.canPush()?n.send():(n.startTimeout(),this.pushBuffer.push(n)),n}leave(e=this.timeout){this.rejoinTimer.reset(),this.joinPush.cancelTimeout(),this.state=oe.leaving;let t=()=>{this.socket.hasLogger()&&this.socket.log("channel",`leave ${this.topic}`),this.trigger(Te.close,"leave")},i=new gt(this,Te.leave,it({}),e);return i.receive("ok",()=>t()).receive("timeout",()=>t()),i.send(),this.canPush()||i.trigger("ok",{}),i}onMessage(e,t,i){return t}isMember(e,t,i,n){return this.topic!==e?!1:n&&n!==this.joinRef()?(this.socket.hasLogger()&&this.socket.log("channel","dropping outdated message",{topic:e,event:t,payload:i,joinRef:n}),!1):!0}joinRef(){return this.joinPush.ref}rejoin(e=this.timeout){this.isLeaving()||(this.socket.leaveOpenTopic(this.topic),this.state=oe.joining,this.joinPush.resend(e))}trigger(e,t,i,n){let r=this.onMessage(e,t,i,n);if(t&&!r)throw new Error("channel onMessage callbacks must return the payload, modified or unmodified");let s=this.bindings.filter(o=>o.event===e);for(let o=0;o{let a=this.parseJSON(e.responseText);o&&o(a)},s&&(e.ontimeout=s),e.onprogress=()=>{},e.send(n),e}static xhrRequest(e,t,i,n,r,s,o,a){return e.open(t,i,!0),e.timeout=s,e.setRequestHeader("Content-Type",n),e.onerror=()=>a&&a(null),e.onreadystatechange=()=>{if(e.readyState===ur.complete&&a){let l=this.parseJSON(e.responseText);a(l)}},o&&(e.ontimeout=o),e.send(r),e}static parseJSON(e){if(!e||e==="")return null;try{return JSON.parse(e)}catch{return console&&console.log("failed to parse JSON response",e),null}}static serialize(e,t){let i=[];for(var n in e){if(!Object.prototype.hasOwnProperty.call(e,n))continue;let r=t?`${t}[${n}]`:n,s=e[n];typeof s=="object"?i.push(this.serialize(s,r)):i.push(encodeURIComponent(r)+"="+encodeURIComponent(s))}return i.join("&")}static appendParams(e,t){if(Object.keys(t).length===0)return e;let i=e.match(/\?/)?"&":"?";return`${e}${i}${this.serialize(t)}`}},zt=class{constructor(e){this.endPoint=null,this.token=null,this.skipHeartbeat=!0,this.reqs=new Set,this.onopen=function(){},this.onerror=function(){},this.onmessage=function(){},this.onclose=function(){},this.pollEndpoint=this.normalizeEndpoint(e),this.readyState=we.connecting,this.poll()}normalizeEndpoint(e){return e.replace("ws://","http://").replace("wss://","https://").replace(new RegExp("(.*)/"+si.websocket),"$1/"+si.longpoll)}endpointURL(){return Ot.appendParams(this.pollEndpoint,{token:this.token})}closeAndRetry(e,t,i){this.close(e,t,i),this.readyState=we.connecting}ontimeout(){this.onerror("timeout"),this.closeAndRetry(1005,"timeout",!1)}isActive(){return this.readyState===we.open||this.readyState===we.connecting}poll(){this.ajax("GET",null,()=>this.ontimeout(),e=>{if(e){var{status:t,token:i,messages:n}=e;this.token=i}else t=0;switch(t){case 200:n.forEach(r=>{setTimeout(()=>this.onmessage({data:r}),0)}),this.poll();break;case 204:this.poll();break;case 410:this.readyState=we.open,this.onopen({}),this.poll();break;case 403:this.onerror(403),this.close(1008,"forbidden",!1);break;case 0:case 500:this.onerror(500),this.closeAndRetry(1011,"internal server error",500);break;default:throw new Error(`unhandled poll status ${t}`)}})}send(e){this.ajax("POST",e,()=>this.onerror("timeout"),t=>{(!t||t.status!==200)&&(this.onerror(t&&t.status),this.closeAndRetry(1011,"internal server error",!1))})}close(e,t,i){for(let r of this.reqs)r.abort();this.readyState=we.closed;let n=Object.assign({code:1e3,reason:void 0,wasClean:!0},{code:e,reason:t,wasClean:i});typeof CloseEvent<"u"?this.onclose(new CloseEvent("close",n)):this.onclose(n)}ajax(e,t,i,n){let r,s=()=>{this.reqs.delete(r),i()};r=Ot.request(e,this.endpointURL(),"application/json",t,this.timeout,s,o=>{this.reqs.delete(r),this.isActive()&&n(o)}),this.reqs.add(r)}},mt={HEADER_LENGTH:1,META_LENGTH:4,KINDS:{push:0,reply:1,broadcast:2},encode(e,t){if(e.payload.constructor===ArrayBuffer)return t(this.binaryEncode(e));{let i=[e.join_ref,e.ref,e.topic,e.event,e.payload];return t(JSON.stringify(i))}},decode(e,t){if(e.constructor===ArrayBuffer)return t(this.binaryDecode(e));{let[i,n,r,s,o]=JSON.parse(e);return t({join_ref:i,ref:n,topic:r,event:s,payload:o})}},binaryEncode(e){let{join_ref:t,ref:i,event:n,topic:r,payload:s}=e,o=this.META_LENGTH+t.length+i.length+r.length+n.length,a=new ArrayBuffer(this.HEADER_LENGTH+o),l=new DataView(a),h=0;l.setUint8(h++,this.KINDS.push),l.setUint8(h++,t.length),l.setUint8(h++,i.length),l.setUint8(h++,r.length),l.setUint8(h++,n.length),Array.from(t,d=>l.setUint8(h++,d.charCodeAt(0))),Array.from(i,d=>l.setUint8(h++,d.charCodeAt(0))),Array.from(r,d=>l.setUint8(h++,d.charCodeAt(0))),Array.from(n,d=>l.setUint8(h++,d.charCodeAt(0)));var c=new Uint8Array(a.byteLength+s.byteLength);return c.set(new Uint8Array(a),0),c.set(new Uint8Array(s),a.byteLength),c.buffer},binaryDecode(e){let t=new DataView(e),i=t.getUint8(0),n=new TextDecoder;switch(i){case this.KINDS.push:return this.decodePush(e,t,n);case this.KINDS.reply:return this.decodeReply(e,t,n);case this.KINDS.broadcast:return this.decodeBroadcast(e,t,n)}},decodePush(e,t,i){let n=t.getUint8(1),r=t.getUint8(2),s=t.getUint8(3),o=this.HEADER_LENGTH+this.META_LENGTH-1,a=i.decode(e.slice(o,o+n));o=o+n;let l=i.decode(e.slice(o,o+r));o=o+r;let h=i.decode(e.slice(o,o+s));o=o+s;let c=e.slice(o,e.byteLength);return{join_ref:a,ref:null,topic:l,event:h,payload:c}},decodeReply(e,t,i){let n=t.getUint8(1),r=t.getUint8(2),s=t.getUint8(3),o=t.getUint8(4),a=this.HEADER_LENGTH+this.META_LENGTH,l=i.decode(e.slice(a,a+n));a=a+n;let h=i.decode(e.slice(a,a+r));a=a+r;let c=i.decode(e.slice(a,a+s));a=a+s;let d=i.decode(e.slice(a,a+o));a=a+o;let g=e.slice(a,e.byteLength),u={status:d,response:g};return{join_ref:l,ref:h,topic:c,event:Te.reply,payload:u}},decodeBroadcast(e,t,i){let n=t.getUint8(1),r=t.getUint8(2),s=this.HEADER_LENGTH+2,o=i.decode(e.slice(s,s+n));s=s+n;let a=i.decode(e.slice(s,s+r));s=s+r;let l=e.slice(s,e.byteLength);return{join_ref:null,ref:null,topic:o,event:a,payload:l}}},pr=class{constructor(e,t={}){this.stateChangeCallbacks={open:[],close:[],error:[],message:[]},this.channels=[],this.sendBuffer=[],this.ref=0,this.timeout=t.timeout||hr,this.transport=t.transport||nt.WebSocket||zt,this.establishedConnections=0,this.defaultEncoder=mt.encode.bind(mt),this.defaultDecoder=mt.decode.bind(mt),this.closeWasClean=!1,this.binaryType=t.binaryType||"arraybuffer",this.connectClock=1,this.transport!==zt?(this.encode=t.encode||this.defaultEncoder,this.decode=t.decode||this.defaultDecoder):(this.encode=this.defaultEncoder,this.decode=this.defaultDecoder);let i=null;tt&&tt.addEventListener&&(tt.addEventListener("pagehide",n=>{this.conn&&(this.disconnect(),i=this.connectClock)}),tt.addEventListener("pageshow",n=>{i===this.connectClock&&(i=null,this.connect())})),this.heartbeatIntervalMs=t.heartbeatIntervalMs||3e4,this.rejoinAfterMs=n=>t.rejoinAfterMs?t.rejoinAfterMs(n):[1e3,2e3,5e3][n-1]||1e4,this.reconnectAfterMs=n=>t.reconnectAfterMs?t.reconnectAfterMs(n):[10,50,100,150,200,250,500,1e3,2e3][n-1]||5e3,this.logger=t.logger||null,this.longpollerTimeout=t.longpollerTimeout||2e4,this.params=it(t.params||{}),this.endPoint=`${e}/${si.websocket}`,this.vsn=t.vsn||cr,this.heartbeatTimeoutTimer=null,this.heartbeatTimer=null,this.pendingHeartbeatRef=null,this.reconnectTimer=new Dn(()=>{this.teardown(()=>this.connect())},this.reconnectAfterMs)}getLongPollTransport(){return zt}replaceTransport(e){this.connectClock++,this.closeWasClean=!0,this.reconnectTimer.reset(),this.sendBuffer=[],this.conn&&(this.conn.close(),this.conn=null),this.transport=e}protocol(){return location.protocol.match(/^https/)?"wss":"ws"}endPointURL(){let e=Ot.appendParams(Ot.appendParams(this.endPoint,this.params()),{vsn:this.vsn});return e.charAt(0)!=="/"?e:e.charAt(1)==="/"?`${this.protocol()}:${e}`:`${this.protocol()}://${location.host}${e}`}disconnect(e,t,i){this.connectClock++,this.closeWasClean=!0,this.reconnectTimer.reset(),this.teardown(e,t,i)}connect(e){e&&(console&&console.log("passing params to connect is deprecated. Instead pass :params to the Socket constructor"),this.params=it(e)),!this.conn&&(this.connectClock++,this.closeWasClean=!1,this.conn=new this.transport(this.endPointURL()),this.conn.binaryType=this.binaryType,this.conn.timeout=this.longpollerTimeout,this.conn.onopen=()=>this.onConnOpen(),this.conn.onerror=t=>this.onConnError(t),this.conn.onmessage=t=>this.onConnMessage(t),this.conn.onclose=t=>this.onConnClose(t))}log(e,t,i){this.logger(e,t,i)}hasLogger(){return this.logger!==null}onOpen(e){let t=this.makeRef();return this.stateChangeCallbacks.open.push([t,e]),t}onClose(e){let t=this.makeRef();return this.stateChangeCallbacks.close.push([t,e]),t}onError(e){let t=this.makeRef();return this.stateChangeCallbacks.error.push([t,e]),t}onMessage(e){let t=this.makeRef();return this.stateChangeCallbacks.message.push([t,e]),t}ping(e){if(!this.isConnected())return!1;let t=this.makeRef(),i=Date.now();this.push({topic:"phoenix",event:"heartbeat",payload:{},ref:t});let n=this.onMessage(r=>{r.ref===t&&(this.off([n]),e(Date.now()-i))});return!0}clearHeartbeats(){clearTimeout(this.heartbeatTimer),clearTimeout(this.heartbeatTimeoutTimer)}onConnOpen(){this.hasLogger()&&this.log("transport",`connected to ${this.endPointURL()}`),this.closeWasClean=!1,this.establishedConnections++,this.flushSendBuffer(),this.reconnectTimer.reset(),this.resetHeartbeat(),this.stateChangeCallbacks.open.forEach(([,e])=>e())}heartbeatTimeout(){this.pendingHeartbeatRef&&(this.pendingHeartbeatRef=null,this.hasLogger()&&this.log("transport","heartbeat timeout. Attempting to re-establish connection"),this.triggerChanError(),this.closeWasClean=!1,this.teardown(()=>this.reconnectTimer.scheduleTimeout(),dr,"heartbeat timeout"))}resetHeartbeat(){this.conn&&this.conn.skipHeartbeat||(this.pendingHeartbeatRef=null,this.clearHeartbeats(),this.heartbeatTimer=setTimeout(()=>this.sendHeartbeat(),this.heartbeatIntervalMs))}teardown(e,t,i){if(!this.conn)return e&&e();this.waitForBufferDone(()=>{this.conn&&(t?this.conn.close(t,i||""):this.conn.close()),this.waitForSocketClosed(()=>{this.conn&&(this.conn.onopen=function(){},this.conn.onerror=function(){},this.conn.onmessage=function(){},this.conn.onclose=function(){},this.conn=null),e&&e()})})}waitForBufferDone(e,t=1){if(t===5||!this.conn||!this.conn.bufferedAmount){e();return}setTimeout(()=>{this.waitForBufferDone(e,t+1)},150*t)}waitForSocketClosed(e,t=1){if(t===5||!this.conn||this.conn.readyState===we.closed){e();return}setTimeout(()=>{this.waitForSocketClosed(e,t+1)},150*t)}onConnClose(e){let t=e&&e.code;this.hasLogger()&&this.log("transport","close",e),this.triggerChanError(),this.clearHeartbeats(),!this.closeWasClean&&t!==1e3&&this.reconnectTimer.scheduleTimeout(),this.stateChangeCallbacks.close.forEach(([,i])=>i(e))}onConnError(e){this.hasLogger()&&this.log("transport",e);let t=this.transport,i=this.establishedConnections;this.stateChangeCallbacks.error.forEach(([,n])=>{n(e,t,i)}),(t===this.transport||i>0)&&this.triggerChanError()}triggerChanError(){this.channels.forEach(e=>{e.isErrored()||e.isLeaving()||e.isClosed()||e.trigger(Te.error)})}connectionState(){switch(this.conn&&this.conn.readyState){case we.connecting:return"connecting";case we.open:return"open";case we.closing:return"closing";default:return"closed"}}isConnected(){return this.connectionState()==="open"}remove(e){this.off(e.stateChangeRefs),this.channels=this.channels.filter(t=>t.joinRef()!==e.joinRef())}off(e){for(let t in this.stateChangeCallbacks)this.stateChangeCallbacks[t]=this.stateChangeCallbacks[t].filter(([i])=>e.indexOf(i)===-1)}channel(e,t={}){let i=new fr(e,t,this);return this.channels.push(i),i}push(e){if(this.hasLogger()){let{topic:t,event:i,payload:n,ref:r,join_ref:s}=e;this.log("push",`${t} ${i} (${s}, ${r})`,n)}this.isConnected()?this.encode(e,t=>this.conn.send(t)):this.sendBuffer.push(()=>this.encode(e,t=>this.conn.send(t)))}makeRef(){let e=this.ref+1;return e===this.ref?this.ref=0:this.ref=e,this.ref.toString()}sendHeartbeat(){this.pendingHeartbeatRef&&!this.isConnected()||(this.pendingHeartbeatRef=this.makeRef(),this.push({topic:"phoenix",event:"heartbeat",payload:{},ref:this.pendingHeartbeatRef}),this.heartbeatTimeoutTimer=setTimeout(()=>this.heartbeatTimeout(),this.heartbeatIntervalMs))}flushSendBuffer(){this.isConnected()&&this.sendBuffer.length>0&&(this.sendBuffer.forEach(e=>e()),this.sendBuffer=[])}onConnMessage(e){this.decode(e.data,t=>{let{topic:i,event:n,payload:r,ref:s,join_ref:o}=t;s&&s===this.pendingHeartbeatRef&&(this.clearHeartbeats(),this.pendingHeartbeatRef=null,this.heartbeatTimer=setTimeout(()=>this.sendHeartbeat(),this.heartbeatIntervalMs)),this.hasLogger()&&this.log("receive",`${r.status||""} ${i} ${n} ${s&&"("+s+")"||""}`,r);for(let a=0;ai.topic===e&&(i.isJoined()||i.isJoining()));t&&(this.hasLogger()&&this.log("transport",`leaving duplicate topic "${e}"`),t.leave())}},Z=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"u"?global:typeof self<"u"?self:{};function gr(e){if(e.__esModule)return e;var t=e.default;if(typeof t=="function"){var i=function n(){if(this instanceof n){var r=[null];r.push.apply(r,arguments);var s=Function.bind.apply(t,r);return new s}return t.apply(this,arguments)};i.prototype=t.prototype}else i={};return Object.defineProperty(i,"__esModule",{value:!0}),Object.keys(e).forEach(function(n){var r=Object.getOwnPropertyDescriptor(e,n);Object.defineProperty(i,n,r.get?r:{enumerable:!0,get:function(){return e[n]}})}),i}var oi={},mr={get exports(){return oi},set exports(e){oi=e}};/** * @license MIT * topbar 1.0.0, 2021-01-06 * http://buunguyen.github.io/topbar * Copyright (c) 2021 Buu Nguyen - */(function(e){(function(t,i){(function(){for(var c=0,g=["ms","moz","webkit","o"],u=0;uthis.error(e)),this.uploadChannel.join().receive("ok",e=>this.readNextChunk()).receive("error",e=>this.error(e))}isDone(){return this.offset>=this.entry.file.size}readNextChunk(){let e=new window.FileReader,t=this.entry.file.slice(this.offset,this.chunkSize+this.offset);e.onload=i=>{if(i.target.error===null)this.offset+=i.target.result.byteLength,this.pushChunk(i.target.result);else return Q("Read error: "+i.target.error)},e.readAsArrayBuffer(t)}pushChunk(e){this.uploadChannel.isJoined()&&this.uploadChannel.push("chunk",e).receive("ok",()=>{this.entry.progress(this.offset/this.entry.file.size*100),this.isDone()||(this.chunkTimer=setTimeout(()=>this.readNextChunk(),this.liveSocket.getLatencySim()||0))})}},Q=(e,t)=>console.error&&console.error(e,t),De=e=>{let t=typeof e;return t==="number"||t==="string"&&/^(0|[1-9]\d*)$/.test(e)};function Nr(){let e=new Set,t=document.querySelectorAll("*[id]");for(let i=0,n=t.length;i{e.liveSocket.isDebugEnabled()&&console.log(`${e.id} ${t}: ${i} - `,n)},Qt=e=>typeof e=="function"?e:function(){return e},Tt=e=>JSON.parse(JSON.stringify(e)),rt=(e,t,i)=>{do{if(e.matches(`[${t}]`))return e;e=e.parentElement||e.parentNode}while(e!==null&&e.nodeType===1&&!(i&&i.isSameNode(e)||e.matches(Fe)));return null},Ge=e=>e!==null&&typeof e=="object"&&!(e instanceof Array),Mr=(e,t)=>JSON.stringify(e)===JSON.stringify(t),Xi=e=>{for(let t in e)return!1;return!0},Te=(e,t)=>e&&t(e),Hr=function(e,t,i,n){e.forEach(r=>{new Rr(r,i.config.chunk_size,n).upload()})},Pn={canPushState(){return typeof history.pushState<"u"},dropLocal(e,t,i){return e.removeItem(this.localKey(t,i))},updateLocal(e,t,i,n,r){let s=this.getLocal(e,t,i),o=this.localKey(t,i),a=s===null?n:r(s);return e.setItem(o,JSON.stringify(a)),a},getLocal(e,t,i){return JSON.parse(e.getItem(this.localKey(t,i)))},updateCurrentState(e){this.canPushState()&&history.replaceState(e(history.state||{}),"",window.location.href)},pushState(e,t,i){if(this.canPushState()){if(i!==window.location.href){if(t.type=="redirect"&&t.scroll){let r=history.state||{};r.scroll=t.scroll,history.replaceState(r,"",window.location.href)}delete t.scroll,history[e+"State"](t,"",i||null);let n=this.getHashTargetEl(window.location.hash);n?n.scrollIntoView():t.type==="redirect"&&window.scroll(0,0)}}else this.redirect(i)},setCookie(e,t){document.cookie=`${e}=${t}`},getCookie(e){return document.cookie.replace(new RegExp(`(?:(?:^|.*;s*)${e}s*=s*([^;]*).*$)|^.*$`),"$1")},redirect(e,t){t&&Pn.setCookie("__phoenix_flash__",t+"; max-age=60000; path=/"),window.location=e},localKey(e,t){return`${e}-${t}`},getHashTargetEl(e){let t=e.toString().substring(1);if(t!=="")return document.getElementById(t)||document.querySelector(`a[name="${t}"]`)}},Oe=Pn,ge={byId(e){return document.getElementById(e)||Q(`no id found for ${e}`)},removeClass(e,t){e.classList.remove(t),e.classList.length===0&&e.removeAttribute("class")},all(e,t,i){if(!e)return[];let n=Array.from(e.querySelectorAll(t));return i?n.forEach(i):n},childNodeLength(e){let t=document.createElement("template");return t.innerHTML=e,t.content.childElementCount},isUploadInput(e){return e.type==="file"&&e.getAttribute(Me)!==null},findUploadInputs(e){return this.all(e,`input[type="file"][${Me}]`)},findComponentNodeList(e,t){return this.filterWithinSameLiveView(this.all(e,`[${le}="${t}"]`),e)},isPhxDestroyed(e){return!!(e.id&&ge.private(e,"destroyed"))},markPhxChildDestroyed(e){this.isPhxChild(e)&&e.setAttribute(Le,""),this.putPrivate(e,"destroyed",!0)},findPhxChildrenInFragment(e,t){let i=document.createElement("template");return i.innerHTML=e,this.findPhxChildren(i.content,t)},isIgnored(e,t){return(e.getAttribute(t)||e.getAttribute("data-phx-update"))==="ignore"},isPhxUpdate(e,t,i){return e.getAttribute&&i.indexOf(e.getAttribute(t))>=0},findPhxSticky(e){return this.all(e,`[${Fi}]`)},findPhxChildren(e,t){return this.all(e,`${Fe}[${Be}="${t}"]`)},findParentCIDs(e,t){let i=new Set(t);return t.reduce((n,r)=>{let s=`[${le}="${r}"] [${le}]`;return this.filterWithinSameLiveView(this.all(e,s),e).map(o=>parseInt(o.getAttribute(le))).forEach(o=>n.delete(o)),n},i)},filterWithinSameLiveView(e,t){return t.querySelector(Fe)?e.filter(i=>this.withinSameLiveView(i,t)):e},withinSameLiveView(e,t){for(;e=e.parentNode;){if(e.isSameNode(t))return!0;if(e.getAttribute(Le)!==null)return!1}},private(e,t){return e[ve]&&e[ve][t]},deletePrivate(e,t){e[ve]&&delete e[ve][t]},putPrivate(e,t,i){e[ve]||(e[ve]={}),e[ve][t]=i},updatePrivate(e,t,i,n){let r=this.private(e,t);r===void 0?this.putPrivate(e,t,n(i)):this.putPrivate(e,t,n(r))},copyPrivates(e,t){t[ve]&&(e[ve]=t[ve])},putTitle(e){let t=document.querySelector("title"),{prefix:i,suffix:n}=t.dataset;document.title=`${i||""}${e}${n||""}`},debounce(e,t,i,n,r,s,o,a){let l=e.getAttribute(i),h=e.getAttribute(r);l===""&&(l=n),h===""&&(h=s);let d=l||h;switch(d){case null:return a();case"blur":this.once(e,"debounce-blur")&&e.addEventListener("blur",()=>a());return;default:let c=parseInt(d),g=()=>h?this.deletePrivate(e,_t):a(),u=this.incCycle(e,Ye,g);if(isNaN(c))return Q(`invalid throttle/debounce value: ${d}`);if(h){let m=!1;if(t.type==="keydown"){let y=this.private(e,Vi);this.putPrivate(e,Vi,t.key),m=y!==t.key}if(!m&&this.private(e,_t))return!1;a(),this.putPrivate(e,_t,!0),setTimeout(()=>{o()&&this.triggerCycle(e,Ye)},c)}else setTimeout(()=>{o()&&this.triggerCycle(e,Ye,u)},c);let v=e.form;v&&this.once(v,"bind-debounce")&&v.addEventListener("submit",()=>{Array.from(new FormData(v).entries(),([m])=>{let y=v.querySelector(`[name="${m}"]`);this.incCycle(y,Ye),this.deletePrivate(y,_t)})}),this.once(e,"bind-debounce")&&e.addEventListener("blur",()=>this.triggerCycle(e,Ye))}},triggerCycle(e,t,i){let[n,r]=this.private(e,t);i||(i=n),i===n&&(this.incCycle(e,t),r())},once(e,t){return this.private(e,t)===!0?!1:(this.putPrivate(e,t,!0),!0)},incCycle(e,t,i=function(){}){let[n]=this.private(e,t)||[0,i];return n++,this.putPrivate(e,t,[n,i]),n},discardError(e,t,i){let n=t.getAttribute&&t.getAttribute(i),r=n&&e.querySelector(`[id="${n}"], [name="${n}"]`);r&&(this.private(r,On)||this.private(r.form,Ln)||t.classList.add(ji))},showError(e,t){(e.id||e.name)&&this.all(e.form,`[${t}="${e.id}"], [${t}="${e.name}"]`,i=>{this.removeClass(i,ji)})},isPhxChild(e){return e.getAttribute&&e.getAttribute(Be)},isPhxSticky(e){return e.getAttribute&&e.getAttribute(Fi)!==null},firstPhxChild(e){return this.isPhxChild(e)?e:this.all(e,`[${Be}]`)[0]},dispatchEvent(e,t,i={}){let r={bubbles:i.bubbles===void 0?!0:!!i.bubbles,cancelable:!0,detail:i.detail||{}},s=t==="click"?new MouseEvent("click",r):new CustomEvent(t,r);e.dispatchEvent(s)},cloneNode(e,t){if(typeof t>"u")return e.cloneNode(!0);{let i=e.cloneNode(!1);return i.innerHTML=t,i}},mergeAttrs(e,t,i={}){let n=i.exclude||[],r=i.isIgnored,s=t.attributes;for(let a=s.length-1;a>=0;a--){let l=s[a].name;n.indexOf(l)<0&&e.setAttribute(l,t.getAttribute(l))}let o=e.attributes;for(let a=o.length-1;a>=0;a--){let l=o[a].name;r?l.startsWith("data-")&&!t.hasAttribute(l)&&e.removeAttribute(l):t.hasAttribute(l)||e.removeAttribute(l)}},mergeFocusedInput(e,t){e instanceof HTMLSelectElement||ge.mergeAttrs(e,t,{exclude:["value"]}),t.readOnly?e.setAttribute("readonly",!0):e.removeAttribute("readonly")},hasSelectionRange(e){return e.setSelectionRange&&(e.type==="text"||e.type==="textarea")},restoreFocus(e,t,i){if(!ge.isTextualInput(e))return;let n=e.matches(":focus");e.readOnly&&e.blur(),n||e.focus(),this.hasSelectionRange(e)&&e.setSelectionRange(t,i)},isFormInput(e){return/^(?:input|select|textarea)$/i.test(e.tagName)&&e.type!=="button"},syncAttrsToProps(e){e instanceof HTMLInputElement&&Dn.indexOf(e.type.toLocaleLowerCase())>=0&&(e.checked=e.getAttribute("checked")!==null)},isTextualInput(e){return Ar.indexOf(e.type)>=0},isNowTriggerFormExternal(e,t){return e.getAttribute&&e.getAttribute(t)!==null},syncPendingRef(e,t,i){let n=e.getAttribute(ye);if(n===null)return!0;let r=e.getAttribute(Ne);return ge.isFormInput(e)||e.getAttribute(i)!==null?(ge.isUploadInput(e)&&ge.mergeAttrs(e,t,{isIgnored:!0}),ge.putPrivate(e,ye,t),!1):(Sn.forEach(s=>{e.classList.contains(s)&&t.classList.add(s)}),t.setAttribute(ye,n),t.setAttribute(Ne,r),!0)},cleanChildNodes(e,t){if(ge.isPhxUpdate(e,t,["append","prepend"])){let i=[];e.childNodes.forEach(n=>{n.id||(n.nodeType===Node.TEXT_NODE&&n.nodeValue.trim()===""||Q(`only HTML element tags with an id are allowed inside containers with phx-update. + */(function(e){(function(t,i){(function(){for(var d=0,g=["ms","moz","webkit","o"],u=0;uthis.error(e)),this.uploadChannel.join().receive("ok",e=>this.readNextChunk()).receive("error",e=>this.error(e))}isDone(){return this.offset>=this.entry.file.size}readNextChunk(){let e=new window.FileReader,t=this.entry.file.slice(this.offset,this.chunkSize+this.offset);e.onload=i=>{if(i.target.error===null)this.offset+=i.target.result.byteLength,this.pushChunk(i.target.result);else return Q("Read error: "+i.target.error)},e.readAsArrayBuffer(t)}pushChunk(e){this.uploadChannel.isJoined()&&this.uploadChannel.push("chunk",e).receive("ok",()=>{this.entry.progress(this.offset/this.entry.file.size*100),this.isDone()||(this.chunkTimer=setTimeout(()=>this.readNextChunk(),this.liveSocket.getLatencySim()||0))})}},Q=(e,t)=>console.error&&console.error(e,t),De=e=>{let t=typeof e;return t==="number"||t==="string"&&/^(0|[1-9]\d*)$/.test(e)};function Hr(){let e=new Set,t=document.querySelectorAll("*[id]");for(let i=0,n=t.length;i{e.liveSocket.isDebugEnabled()&&console.log(`${e.id} ${t}: ${i} - `,n)},ti=e=>typeof e=="function"?e:function(){return e},Dt=e=>JSON.parse(JSON.stringify(e)),st=(e,t,i)=>{do{if(e.matches(`[${t}]`)&&!e.disabled)return e;e=e.parentElement||e.parentNode}while(e!==null&&e.nodeType===1&&!(i&&i.isSameNode(e)||e.matches(Ue)));return null},Qe=e=>e!==null&&typeof e=="object"&&!(e instanceof Array),Fr=(e,t)=>JSON.stringify(e)===JSON.stringify(t),Qi=e=>{for(let t in e)return!1;return!0},Le=(e,t)=>e&&t(e),jr=function(e,t,i,n){e.forEach(r=>{new Mr(r,i.config.chunk_size,n).upload()})},Nn={canPushState(){return typeof history.pushState<"u"},dropLocal(e,t,i){return e.removeItem(this.localKey(t,i))},updateLocal(e,t,i,n,r){let s=this.getLocal(e,t,i),o=this.localKey(t,i),a=s===null?n:r(s);return e.setItem(o,JSON.stringify(a)),a},getLocal(e,t,i){return JSON.parse(e.getItem(this.localKey(t,i)))},updateCurrentState(e){this.canPushState()&&history.replaceState(e(history.state||{}),"",window.location.href)},pushState(e,t,i){if(this.canPushState()){if(i!==window.location.href){if(t.type=="redirect"&&t.scroll){let r=history.state||{};r.scroll=t.scroll,history.replaceState(r,"",window.location.href)}delete t.scroll,history[e+"State"](t,"",i||null);let n=this.getHashTargetEl(window.location.hash);n?n.scrollIntoView():t.type==="redirect"&&window.scroll(0,0)}}else this.redirect(i)},setCookie(e,t){document.cookie=`${e}=${t}`},getCookie(e){return document.cookie.replace(new RegExp(`(?:(?:^|.*;s*)${e}s*=s*([^;]*).*$)|^.*$`),"$1")},redirect(e,t){t&&Nn.setCookie("__phoenix_flash__",t+"; max-age=60000; path=/"),window.location=e},localKey(e,t){return`${e}-${t}`},getHashTargetEl(e){let t=e.toString().substring(1);if(t!=="")return document.getElementById(t)||document.querySelector(`a[name="${t}"]`)}},_e=Nn,ge={byId(e){return document.getElementById(e)||Q(`no id found for ${e}`)},removeClass(e,t){e.classList.remove(t),e.classList.length===0&&e.removeAttribute("class")},all(e,t,i){if(!e)return[];let n=Array.from(e.querySelectorAll(t));return i?n.forEach(i):n},childNodeLength(e){let t=document.createElement("template");return t.innerHTML=e,t.content.childElementCount},isUploadInput(e){return e.type==="file"&&e.getAttribute(Me)!==null},findUploadInputs(e){return this.all(e,`input[type="file"][${Me}]`)},findComponentNodeList(e,t){return this.filterWithinSameLiveView(this.all(e,`[${le}="${t}"]`),e)},isPhxDestroyed(e){return!!(e.id&&ge.private(e,"destroyed"))},wantsNewTab(e){return e.ctrlKey||e.shiftKey||e.metaKey||e.button&&e.button===1||e.target.getAttribute("target")==="_blank"},isUnloadableFormSubmit(e){return!e.defaultPrevented&&!this.wantsNewTab(e)},isNewPageHref(e,t){let i;try{i=new URL(e)}catch{try{i=new URL(e,t)}catch{return!0}}return i.host===t.host&&i.protocol===t.protocol&&i.pathname===t.pathname&&i.search===t.search?i.hash===""&&!i.href.endsWith("#"):!0},markPhxChildDestroyed(e){this.isPhxChild(e)&&e.setAttribute(Oe,""),this.putPrivate(e,"destroyed",!0)},findPhxChildrenInFragment(e,t){let i=document.createElement("template");return i.innerHTML=e,this.findPhxChildren(i.content,t)},isIgnored(e,t){return(e.getAttribute(t)||e.getAttribute("data-phx-update"))==="ignore"},isPhxUpdate(e,t,i){return e.getAttribute&&i.indexOf(e.getAttribute(t))>=0},findPhxSticky(e){return this.all(e,`[${Wi}]`)},findPhxChildren(e,t){return this.all(e,`${Ue}[${je}="${t}"]`)},findParentCIDs(e,t){let i=new Set(t),n=t.reduce((r,s)=>{let o=`[${le}="${s}"] [${le}]`;return this.filterWithinSameLiveView(this.all(e,o),e).map(a=>parseInt(a.getAttribute(le))).forEach(a=>r.delete(a)),r},i);return n.size===0?new Set(t):n},filterWithinSameLiveView(e,t){return t.querySelector(Ue)?e.filter(i=>this.withinSameLiveView(i,t)):e},withinSameLiveView(e,t){for(;e=e.parentNode;){if(e.isSameNode(t))return!0;if(e.getAttribute(Oe)!==null)return!1}},private(e,t){return e[ve]&&e[ve][t]},deletePrivate(e,t){e[ve]&&delete e[ve][t]},putPrivate(e,t,i){e[ve]||(e[ve]={}),e[ve][t]=i},updatePrivate(e,t,i,n){let r=this.private(e,t);r===void 0?this.putPrivate(e,t,n(i)):this.putPrivate(e,t,n(r))},copyPrivates(e,t){t[ve]&&(e[ve]=t[ve])},putTitle(e){let t=document.querySelector("title");if(t){let{prefix:i,suffix:n}=t.dataset;document.title=`${i||""}${e}${n||""}`}else document.title=e},debounce(e,t,i,n,r,s,o,a){let l=e.getAttribute(i),h=e.getAttribute(r);l===""&&(l=n),h===""&&(h=s);let c=l||h;switch(c){case null:return a();case"blur":this.once(e,"debounce-blur")&&e.addEventListener("blur",()=>a());return;default:let d=parseInt(c),g=()=>h?this.deletePrivate(e,yt):a(),u=this.incCycle(e,Ge,g);if(isNaN(d))return Q(`invalid throttle/debounce value: ${c}`);if(h){let v=!1;if(t.type==="keydown"){let _=this.private(e,Ji);this.putPrivate(e,Ji,t.key),v=_!==t.key}if(!v&&this.private(e,yt))return!1;a(),this.putPrivate(e,yt,!0),setTimeout(()=>{o()&&this.triggerCycle(e,Ge)},d)}else setTimeout(()=>{o()&&this.triggerCycle(e,Ge,u)},d);let y=e.form;y&&this.once(y,"bind-debounce")&&y.addEventListener("submit",()=>{Array.from(new FormData(y).entries(),([v])=>{let _=y.querySelector(`[name="${v}"]`);this.incCycle(_,Ge),this.deletePrivate(_,yt)})}),this.once(e,"bind-debounce")&&e.addEventListener("blur",()=>this.triggerCycle(e,Ge))}},triggerCycle(e,t,i){let[n,r]=this.private(e,t);i||(i=n),i===n&&(this.incCycle(e,t),r())},once(e,t){return this.private(e,t)===!0?!1:(this.putPrivate(e,t,!0),!0)},incCycle(e,t,i=function(){}){let[n]=this.private(e,t)||[0,i];return n++,this.putPrivate(e,t,[n,i]),n},discardError(e,t,i){let n=t.getAttribute&&t.getAttribute(i),r=n&&e.querySelector(`[id="${n}"], [name="${n}"], [name="${n}[]"]`);r&&(this.private(r,Pn)||this.private(r,hi)||t.classList.add(Ui))},showError(e,t){(e.id||e.name)&&this.all(e.form,`[${t}="${e.id}"], [${t}="${e.name}"]`,i=>{this.removeClass(i,Ui)})},isPhxChild(e){return e.getAttribute&&e.getAttribute(je)},isPhxSticky(e){return e.getAttribute&&e.getAttribute(Wi)!==null},firstPhxChild(e){return this.isPhxChild(e)?e:this.all(e,`[${je}]`)[0]},dispatchEvent(e,t,i={}){let r={bubbles:i.bubbles===void 0?!0:!!i.bubbles,cancelable:!0,detail:i.detail||{}},s=t==="click"?new MouseEvent("click",r):new CustomEvent(t,r);e.dispatchEvent(s)},cloneNode(e,t){if(typeof t>"u")return e.cloneNode(!0);{let i=e.cloneNode(!1);return i.innerHTML=t,i}},mergeAttrs(e,t,i={}){let n=i.exclude||[],r=i.isIgnored,s=t.attributes;for(let a=s.length-1;a>=0;a--){let l=s[a].name;n.indexOf(l)<0&&e.setAttribute(l,t.getAttribute(l))}let o=e.attributes;for(let a=o.length-1;a>=0;a--){let l=o[a].name;r?l.startsWith("data-")&&!t.hasAttribute(l)&&e.removeAttribute(l):t.hasAttribute(l)||e.removeAttribute(l)}},mergeFocusedInput(e,t){e instanceof HTMLSelectElement||ge.mergeAttrs(e,t,{exclude:["value"]}),t.readOnly?e.setAttribute("readonly",!0):e.removeAttribute("readonly")},hasSelectionRange(e){return e.setSelectionRange&&(e.type==="text"||e.type==="textarea")},restoreFocus(e,t,i){if(!ge.isTextualInput(e))return;let n=e.matches(":focus");e.readOnly&&e.blur(),n||e.focus(),this.hasSelectionRange(e)&&e.setSelectionRange(t,i)},isFormInput(e){return/^(?:input|select|textarea)$/i.test(e.tagName)&&e.type!=="button"},syncAttrsToProps(e){e instanceof HTMLInputElement&&Rn.indexOf(e.type.toLocaleLowerCase())>=0&&(e.checked=e.getAttribute("checked")!==null)},isTextualInput(e){return Tr.indexOf(e.type)>=0},isNowTriggerFormExternal(e,t){return e.getAttribute&&e.getAttribute(t)!==null},syncPendingRef(e,t,i){let n=e.getAttribute(Ee);if(n===null)return!0;let r=e.getAttribute(Ne);return ge.isFormInput(e)||e.getAttribute(i)!==null?(ge.isUploadInput(e)&&ge.mergeAttrs(e,t,{isIgnored:!0}),ge.putPrivate(e,Ee,t),!1):(On.forEach(s=>{e.classList.contains(s)&&t.classList.add(s)}),t.setAttribute(Ee,n),t.setAttribute(Ne,r),!0)},cleanChildNodes(e,t){if(ge.isPhxUpdate(e,t,["append","prepend"])){let i=[];e.childNodes.forEach(n=>{n.id||(n.nodeType===Node.TEXT_NODE&&n.nodeValue.trim()===""||Q(`only HTML element tags with an id are allowed inside containers with phx-update. removing illegal node: "${(n.outerHTML||n.nodeValue).trim()}" -`),i.push(n))}),i.forEach(n=>n.remove())}},replaceRootContainer(e,t,i){let n=new Set(["id",Le,nt,vi,ct]);if(e.tagName.toLowerCase()===t.toLowerCase())return Array.from(e.attributes).filter(r=>!n.has(r.name.toLowerCase())).forEach(r=>e.removeAttribute(r.name)),Object.keys(i).filter(r=>!n.has(r.toLowerCase())).forEach(r=>e.setAttribute(r,i[r])),e;{let r=document.createElement(t);return Object.keys(i).forEach(s=>r.setAttribute(s,i[s])),n.forEach(s=>r.setAttribute(s,e.getAttribute(s))),r.innerHTML=e.innerHTML,e.replaceWith(r),r}},getSticky(e,t,i){let n=(ge.private(e,"sticky")||[]).find(([r])=>t===r);if(n){let[r,s,o]=n;return o}else return typeof i=="function"?i():i},deleteSticky(e,t){this.updatePrivate(e,"sticky",[],i=>i.filter(([n,r])=>n!==t))},putSticky(e,t,i){let n=i(e);this.updatePrivate(e,"sticky",[],r=>{let s=r.findIndex(([o])=>t===o);return s>=0?r[s]=[t,i,n]:r.push([t,i,n]),r})},applyStickyOperations(e){let t=ge.private(e,"sticky");t&&t.forEach(([i,n,r])=>this.putSticky(e,i,n))}},_=ge,Zt=class{static isActive(e,t){let i=t._phxRef===void 0,r=e.getAttribute(ri).split(",").indexOf(G.genFileRef(t))>=0;return t.size>0&&(i||r)}static isPreflighted(e,t){return e.getAttribute(mi).split(",").indexOf(G.genFileRef(t))>=0&&this.isActive(e,t)}constructor(e,t,i){this.ref=G.genFileRef(t),this.fileEl=e,this.file=t,this.view=i,this.meta=null,this._isCancelled=!1,this._isDone=!1,this._progress=0,this._lastProgressSent=-1,this._onDone=function(){},this._onElUpdated=this.onElUpdated.bind(this),this.fileEl.addEventListener(si,this._onElUpdated)}metadata(){return this.meta}progress(e){this._progress=Math.floor(e),this._progress>this._lastProgressSent&&(this._progress>=100?(this._progress=100,this._lastProgressSent=100,this._isDone=!0,this.view.pushFileProgress(this.fileEl,this.ref,100,()=>{G.untrackFile(this.fileEl,this.file),this._onDone()})):(this._lastProgressSent=this._progress,this.view.pushFileProgress(this.fileEl,this.ref,this._progress)))}cancel(){this._isCancelled=!0,this._isDone=!0,this._onDone()}isDone(){return this._isDone}error(e="failed"){this.view.pushFileProgress(this.fileEl,this.ref,{error:e}),G.clearFiles(this.fileEl)}onDone(e){this._onDone=()=>{this.fileEl.removeEventListener(si,this._onElUpdated),e()}}onElUpdated(){this.fileEl.getAttribute(ri).split(",").indexOf(this.ref)===-1&&this.cancel()}toPreflightPayload(){return{last_modified:this.file.lastModified,name:this.file.name,size:this.file.size,type:this.file.type,ref:this.ref}}uploader(e){if(this.meta.uploader){let t=e[this.meta.uploader]||Q(`no uploader configured for ${this.meta.uploader}`);return{name:this.meta.uploader,callback:t}}else return{name:"channel",callback:Hr}}zipPostFlight(e){this.meta=e.entries[this.ref],this.meta||Q(`no preflight upload response returned with ref ${this.ref}`,{input:this.fileEl,response:e})}},$r=0,G=class{static genFileRef(e){let t=e._phxRef;return t!==void 0?t:(e._phxRef=($r++).toString(),e._phxRef)}static getEntryDataURL(e,t,i){let n=this.activeFiles(e).find(r=>this.genFileRef(r)===t);i(URL.createObjectURL(n))}static hasUploadsInProgress(e){let t=0;return _.findUploadInputs(e).forEach(i=>{i.getAttribute(mi)!==i.getAttribute(yr)&&t++}),t>0}static serializeUploads(e){let t=this.activeFiles(e),i={};return t.forEach(n=>{let r={path:e.name},s=e.getAttribute(Me);i[s]=i[s]||[],r.ref=this.genFileRef(n),r.name=n.name||r.ref,r.type=n.type,r.size=n.size,i[s].push(r)}),i}static clearFiles(e){e.value=null,e.removeAttribute(Me),_.putPrivate(e,"files",[])}static untrackFile(e,t){_.putPrivate(e,"files",_.private(e,"files").filter(i=>!Object.is(i,t)))}static trackFiles(e,t){if(e.getAttribute("multiple")!==null){let i=t.filter(n=>!this.activeFiles(e).find(r=>Object.is(r,n)));_.putPrivate(e,"files",this.activeFiles(e).concat(i)),e.value=null}else _.putPrivate(e,"files",t)}static activeFileInputs(e){let t=_.findUploadInputs(e);return Array.from(t).filter(i=>i.files&&this.activeFiles(i).length>0)}static activeFiles(e){return(_.private(e,"files")||[]).filter(t=>Zt.isActive(e,t))}static inputsAwaitingPreflight(e){let t=_.findUploadInputs(e);return Array.from(t).filter(i=>this.filesAwaitingPreflight(i).length>0)}static filesAwaitingPreflight(e){return this.activeFiles(e).filter(t=>!Zt.isPreflighted(e,t))}constructor(e,t,i){this.view=t,this.onComplete=i,this._entries=Array.from(G.filesAwaitingPreflight(e)||[]).map(n=>new Zt(e,n,t)),this.numEntriesInProgress=this._entries.length}entries(){return this._entries}initAdapterUpload(e,t,i){this._entries=this._entries.map(r=>(r.zipPostFlight(e),r.onDone(()=>{this.numEntriesInProgress--,this.numEntriesInProgress===0&&this.onComplete()}),r));let n=this._entries.reduce((r,s)=>{let{name:o,callback:a}=s.uploader(i.uploaders);return r[o]=r[o]||{callback:a,entries:[]},r[o].entries.push(s),r},{});for(let r in n){let{callback:s,entries:o}=n[r];s(o,t,e,i)}}},jr={LiveFileUpload:{activeRefs(){return this.el.getAttribute(ri)},preflightedRefs(){return this.el.getAttribute(mi)},mounted(){this.preflightedWas=this.preflightedRefs()},updated(){let e=this.preflightedRefs();this.preflightedWas!==e&&(this.preflightedWas=e,e===""&&this.__view.cancelSubmit(this.el.form)),this.activeRefs()===""&&(this.el.value=null),this.el.dispatchEvent(new CustomEvent(si))}},LiveImgPreview:{mounted(){this.ref=this.el.getAttribute("data-phx-entry-ref"),this.inputEl=document.getElementById(this.el.getAttribute(Me)),G.getEntryDataURL(this.inputEl,this.ref,e=>{this.url=e,this.el.src=e})},destroyed(){URL.revokeObjectURL(this.url)}}},Br=jr,Fr=class{constructor(e,t,i){let n=new Set,r=new Set([...t.children].map(o=>o.id)),s=[];Array.from(e.children).forEach(o=>{if(o.id&&(n.add(o.id),r.has(o.id))){let a=o.previousElementSibling&&o.previousElementSibling.id;s.push({elementId:o.id,previousElementId:a})}}),this.containerId=t.id,this.updateType=i,this.elementsToModify=s,this.elementIdsToAdd=[...r].filter(o=>!n.has(o))}perform(){let e=_.byId(this.containerId);this.elementsToModify.forEach(t=>{t.previousElementId?Te(document.getElementById(t.previousElementId),i=>{Te(document.getElementById(t.elementId),n=>{n.previousElementSibling&&n.previousElementSibling.id==i.id||i.insertAdjacentElement("afterend",n)})}):Te(document.getElementById(t.elementId),i=>{i.previousElementSibling==null||e.insertAdjacentElement("afterbegin",i)})}),this.updateType=="prepend"&&this.elementIdsToAdd.reverse().forEach(t=>{Te(document.getElementById(t),i=>e.insertAdjacentElement("afterbegin",i))})}},zi=11;function Ur(e,t){var i=t.attributes,n,r,s,o,a;if(!(t.nodeType===zi||e.nodeType===zi)){for(var l=i.length-1;l>=0;l--)n=i[l],r=n.name,s=n.namespaceURI,o=n.value,s?(r=n.localName||r,a=e.getAttributeNS(s,r),a!==o&&(n.prefix==="xmlns"&&(r=n.name),e.setAttributeNS(s,r,o))):(a=e.getAttribute(r),a!==o&&e.setAttribute(r,o));for(var h=e.attributes,d=h.length-1;d>=0;d--)n=h[d],r=n.name,s=n.namespaceURI,s?(r=n.localName||r,t.hasAttributeNS(s,r)||e.removeAttributeNS(s,r)):t.hasAttribute(r)||e.removeAttribute(r)}}var yt,Vr="http://www.w3.org/1999/xhtml",se=typeof document>"u"?void 0:document,Wr=!!se&&"content"in se.createElement("template"),qr=!!se&&se.createRange&&"createContextualFragment"in se.createRange();function Kr(e){var t=se.createElement("template");return t.innerHTML=e,t.content.childNodes[0]}function Jr(e){yt||(yt=se.createRange(),yt.selectNode(se.body));var t=yt.createContextualFragment(e);return t.childNodes[0]}function Xr(e){var t=se.createElement("body");return t.innerHTML=e,t.childNodes[0]}function zr(e){return e=e.trim(),Wr?Kr(e):qr?Jr(e):Xr(e)}function Et(e,t){var i=e.nodeName,n=t.nodeName,r,s;return i===n?!0:(r=i.charCodeAt(0),s=n.charCodeAt(0),r<=90&&s>=97?i===n.toUpperCase():s<=90&&r>=97?n===i.toUpperCase():!1)}function Yr(e,t){return!t||t===Vr?se.createElement(e):se.createElementNS(t,e)}function Gr(e,t){for(var i=e.firstChild;i;){var n=i.nextSibling;t.appendChild(i),i=n}return t}function ei(e,t,i){e[i]!==t[i]&&(e[i]=t[i],e[i]?e.setAttribute(i,""):e.removeAttribute(i))}var Yi={OPTION:function(e,t){var i=e.parentNode;if(i){var n=i.nodeName.toUpperCase();n==="OPTGROUP"&&(i=i.parentNode,n=i&&i.nodeName.toUpperCase()),n==="SELECT"&&!i.hasAttribute("multiple")&&(e.hasAttribute("selected")&&!t.selected&&(e.setAttribute("selected","selected"),e.removeAttribute("selected")),i.selectedIndex=-1)}ei(e,t,"selected")},INPUT:function(e,t){ei(e,t,"checked"),ei(e,t,"disabled"),e.value!==t.value&&(e.value=t.value),t.hasAttribute("value")||e.removeAttribute("value")},TEXTAREA:function(e,t){var i=t.value;e.value!==i&&(e.value=i);var n=e.firstChild;if(n){var r=n.nodeValue;if(r==i||!i&&r==e.placeholder)return;n.nodeValue=i}},SELECT:function(e,t){if(!t.hasAttribute("multiple")){for(var i=-1,n=0,r=e.firstChild,s,o;r;)if(o=r.nodeName&&r.nodeName.toUpperCase(),o==="OPTGROUP")s=r,r=s.firstChild;else{if(o==="OPTION"){if(r.hasAttribute("selected")){i=n;break}n++}r=r.nextSibling,!r&&s&&(r=s.nextSibling,s=null)}e.selectedIndex=i}}},Qe=1,Qr=11,Gi=3,Qi=8;function Re(){}function Zr(e){if(e)return e.getAttribute&&e.getAttribute("id")||e.id}function es(e){return function(i,n,r){if(r||(r={}),typeof n=="string")if(i.nodeName==="#document"||i.nodeName==="HTML"||i.nodeName==="BODY"){var s=n;n=se.createElement("html"),n.innerHTML=s}else n=zr(n);var o=r.getNodeKey||Zr,a=r.onBeforeNodeAdded||Re,l=r.onNodeAdded||Re,h=r.onBeforeElUpdated||Re,d=r.onElUpdated||Re,c=r.onBeforeNodeDiscarded||Re,g=r.onNodeDiscarded||Re,u=r.onBeforeElChildrenUpdated||Re,v=r.childrenOnly===!0,m=Object.create(null),y=[];function S(T){y.push(T)}function N(T,w){if(T.nodeType===Qe)for(var b=T.firstChild;b;){var D=void 0;w&&(D=o(b))?S(D):(g(b),b.firstChild&&N(b,w)),b=b.nextSibling}}function f(T,w,b){c(T)!==!1&&(w&&w.removeChild(T),g(T),N(T,b))}function A(T){if(T.nodeType===Qe||T.nodeType===Qr)for(var w=T.firstChild;w;){var b=o(w);b&&(m[b]=w),A(w),w=w.nextSibling}}A(i);function P(T){l(T);for(var w=T.firstChild;w;){var b=w.nextSibling,D=o(w);if(D){var I=m[D];I&&Et(w,I)?(w.parentNode.replaceChild(I,w),C(I,w)):P(w)}else P(w);w=b}}function E(T,w,b){for(;w;){var D=w.nextSibling;(b=o(w))?S(b):f(w,T,!0),w=D}}function C(T,w,b){var D=o(w);D&&delete m[D],!(!b&&(h(T,w)===!1||(e(T,w),d(T),u(T,w)===!1)))&&(T.nodeName!=="TEXTAREA"?x(T,w):Yi.TEXTAREA(T,w))}function x(T,w){var b=w.firstChild,D=T.firstChild,I,U,B,J,F;e:for(;b;){for(J=b.nextSibling,I=o(b);D;){if(B=D.nextSibling,b.isSameNode&&b.isSameNode(D)){b=J,D=B;continue e}U=o(D);var ee=D.nodeType,W=void 0;if(ee===b.nodeType&&(ee===Qe?(I?I!==U&&((F=m[I])?B===F?W=!1:(T.insertBefore(F,D),U?S(U):f(D,T,!0),D=F):W=!1):U&&(W=!1),W=W!==!1&&Et(D,b),W&&C(D,b)):(ee===Gi||ee==Qi)&&(W=!0,D.nodeValue!==b.nodeValue&&(D.nodeValue=b.nodeValue))),W){b=J,D=B;continue e}U?S(U):f(D,T,!0),D=B}if(I&&(F=m[I])&&Et(F,b))T.appendChild(F),C(F,b);else{var K=a(b);K!==!1&&(K&&(b=K),b.actualize&&(b=b.actualize(T.ownerDocument||se)),T.appendChild(b),P(b))}b=J,D=B}E(T,D,U);var z=Yi[T.nodeName];z&&z(T,w)}var k=i,M=k.nodeType,H=n.nodeType;if(!v){if(M===Qe)H===Qe?Et(i,n)||(g(i),k=Gr(i,Yr(n.nodeName,n.namespaceURI))):k=n;else if(M===Gi||M===Qi){if(H===M)return k.nodeValue!==n.nodeValue&&(k.nodeValue=n.nodeValue),k;k=n}}if(k===n)g(i);else{if(n.isSameNode&&n.isSameNode(k))return;if(C(k,n,v),y)for(var p=0,O=y.length;p{if(i&&i.isSameNode(n)&&_.isFormInput(n))return _.mergeFocusedInput(n,r),!1}})}constructor(e,t,i,n,r){this.view=e,this.liveSocket=e.liveSocket,this.container=t,this.id=i,this.rootID=e.root.id,this.html=n,this.targetCID=r,this.cidPatch=De(this.targetCID),this.callbacks={beforeadded:[],beforeupdated:[],beforephxChildAdded:[],afteradded:[],afterupdated:[],afterdiscarded:[],afterphxChildAdded:[],aftertransitionsDiscarded:[]}}before(e,t){this.callbacks[`before${e}`].push(t)}after(e,t){this.callbacks[`after${e}`].push(t)}trackBefore(e,...t){this.callbacks[`before${e}`].forEach(i=>i(...t))}trackAfter(e,...t){this.callbacks[`after${e}`].forEach(i=>i(...t))}markPrunableContentForRemoval(){_.all(this.container,"[phx-update=append] > *, [phx-update=prepend] > *",e=>{e.setAttribute(Mi,"")})}perform(){let{view:e,liveSocket:t,container:i,html:n}=this,r=this.isCIDPatch()?this.targetCIDContainer(n):i;if(this.isCIDPatch()&&!r)return;let s=t.getActiveElement(),{selectionStart:o,selectionEnd:a}=s&&_.hasSelectionRange(s)?s:{},l=t.binding(ci),h=t.binding(ai),d=t.binding(li),c=t.binding(Er),g=t.binding("remove"),u=[],v=[],m=[],y=[],S=null,N=t.time("premorph container prep",()=>this.buildDiffHTML(i,n,l,r));return this.trackBefore("added",i),this.trackBefore("updated",i,i),t.time("morphdom",()=>{Zi(r,N,{childrenOnly:r.getAttribute(le)===null,getNodeKey:f=>_.isPhxDestroyed(f)?null:f.id,onBeforeNodeAdded:f=>(this.trackBefore("added",f),f),onNodeAdded:f=>{f instanceof HTMLImageElement&&f.srcset?f.srcset=f.srcset:f instanceof HTMLVideoElement&&f.autoplay&&f.play(),_.isNowTriggerFormExternal(f,c)&&(S=f),_.discardError(r,f,h),(_.isPhxChild(f)&&e.ownsElement(f)||_.isPhxSticky(f)&&e.ownsElement(f.parentNode))&&this.trackAfter("phxChildAdded",f),u.push(f)},onNodeDiscarded:f=>{(_.isPhxChild(f)||_.isPhxSticky(f))&&t.destroyViewByEl(f),this.trackAfter("discarded",f)},onBeforeNodeDiscarded:f=>f.getAttribute&&f.getAttribute(Mi)!==null?!0:f.parentNode!==null&&_.isPhxUpdate(f.parentNode,l,["append","prepend"])&&f.id?!1:f.getAttribute&&f.getAttribute(g)?(y.push(f),!1):!this.skipCIDSibling(f),onElUpdated:f=>{_.isNowTriggerFormExternal(f,c)&&(S=f),v.push(f)},onBeforeElUpdated:(f,A)=>{if(_.cleanChildNodes(A,l),this.skipCIDSibling(A)||_.isPhxSticky(f))return!1;if(_.isIgnored(f,l))return this.trackBefore("updated",f,A),_.mergeAttrs(f,A,{isIgnored:!0}),v.push(f),_.applyStickyOperations(f),!1;if(f.type==="number"&&f.validity&&f.validity.badInput)return!1;if(!_.syncPendingRef(f,A,d))return _.isUploadInput(f)&&(this.trackBefore("updated",f,A),v.push(f)),_.applyStickyOperations(f),!1;if(_.isPhxChild(A)){let E=f.getAttribute(Le);return _.mergeAttrs(f,A,{exclude:[nt]}),E!==""&&f.setAttribute(Le,E),f.setAttribute(ct,this.rootID),_.applyStickyOperations(f),!1}return _.copyPrivates(A,f),_.discardError(r,A,h),s&&f.isSameNode(s)&&_.isFormInput(f)?(this.trackBefore("updated",f,A),_.mergeFocusedInput(f,A),_.syncAttrsToProps(f),v.push(f),_.applyStickyOperations(f),!1):(_.isPhxUpdate(A,l,["append","prepend"])&&m.push(new Fr(f,A,A.getAttribute(l))),_.syncAttrsToProps(A),_.applyStickyOperations(A),this.trackBefore("updated",f,A),!0)}})}),t.isDebugEnabled()&&Nr(),m.length>0&&t.time("post-morph append/prepend restoration",()=>{m.forEach(f=>f.perform())}),t.silenceEvents(()=>_.restoreFocus(s,o,a)),_.dispatchEvent(document,"phx:update"),u.forEach(f=>this.trackAfter("added",f)),v.forEach(f=>this.trackAfter("updated",f)),y.length>0&&(t.transitionRemoves(y),t.requestDOMUpdate(()=>{y.forEach(f=>{let A=_.firstPhxChild(f);A&&t.destroyViewByEl(A),f.remove()}),this.trackAfter("transitionsDiscarded",y)})),S&&(t.disconnect(),S.submit()),!0}isCIDPatch(){return this.cidPatch}skipCIDSibling(e){return e.nodeType===Node.ELEMENT_NODE&&e.getAttribute(oi)!==null}targetCIDContainer(e){if(!this.isCIDPatch())return;let[t,...i]=_.findComponentNodeList(this.container,this.targetCID);return i.length===0&&_.childNodeLength(e)===1?t:t&&t.parentNode}buildDiffHTML(e,t,i,n){let r=this.isCIDPatch(),s=r&&n.getAttribute(le)===this.targetCID.toString();if(!r||s)return t;{let o=null,a=document.createElement("template");o=_.cloneNode(n);let[l,...h]=_.findComponentNodeList(o,this.targetCID);return a.innerHTML=t,h.forEach(d=>d.remove()),Array.from(o.childNodes).forEach(d=>{d.id&&d.nodeType===Node.ELEMENT_NODE&&d.getAttribute(le)!==this.targetCID.toString()&&(d.setAttribute(oi,""),d.innerHTML="")}),Array.from(a.content.childNodes).forEach(d=>o.insertBefore(d,l)),l.remove(),o.outerHTML}}},en=class{static extract(e){let{[Ki]:t,[qi]:i,[Ji]:n}=e;return delete e[Ki],delete e[qi],delete e[Ji],{diff:e,title:n,reply:t||null,events:i||[]}}constructor(e,t){this.viewId=e,this.rendered={},this.mergeDiff(t)}parentViewId(){return this.viewId}toString(e){return this.recursiveToString(this.rendered,this.rendered[ae],e)}recursiveToString(e,t=e[ae],i){i=i?new Set(i):null;let n={buffer:"",components:t,onlyCids:i};return this.toOutputBuffer(e,null,n),n.buffer}componentCIDs(e){return Object.keys(e[ae]||{}).map(t=>parseInt(t))}isComponentOnlyDiff(e){return e[ae]?Object.keys(e).length===1:!1}getComponent(e,t){return e[ae][t]}mergeDiff(e){let t=e[ae],i={};if(delete e[ae],this.rendered=this.mutableMerge(this.rendered,e),this.rendered[ae]=this.rendered[ae]||{},t){let n=this.rendered[ae];for(let r in t)t[r]=this.cachedFindComponent(r,t[r],n,t,i);for(let r in t)n[r]=t[r];e[ae]=t}}cachedFindComponent(e,t,i,n,r){if(r[e])return r[e];{let s,o,a=t[be];if(De(a)){let l;a>0?l=this.cachedFindComponent(a,n[a],i,n,r):l=i[-a],o=l[be],s=this.cloneMerge(l,t),s[be]=o}else s=t[be]!==void 0?t:this.cloneMerge(i[e]||{},t);return r[e]=s,s}}mutableMerge(e,t){return t[be]!==void 0?t:(this.doMutableMerge(e,t),e)}doMutableMerge(e,t){for(let i in t){let n=t[i],r=e[i];Ge(n)&&n[be]===void 0&&Ge(r)?this.doMutableMerge(r,n):e[i]=n}}cloneMerge(e,t){let i={...e,...t};for(let n in i){let r=t[n],s=e[n];Ge(r)&&r[be]===void 0&&Ge(s)&&(i[n]=this.cloneMerge(s,r))}return i}componentToString(e){return this.recursiveCIDToString(this.rendered[ae],e)}pruneCIDs(e){e.forEach(t=>delete this.rendered[ae][t])}get(){return this.rendered}isNewFingerprint(e={}){return!!e[be]}templateStatic(e,t){return typeof e=="number"?t[e]:e}toOutputBuffer(e,t,i){if(e[Wi])return this.comprehensionToBuffer(e,t,i);let{[be]:n}=e;n=this.templateStatic(n,t),i.buffer+=n[0];for(let r=1;rc.nodeType===Node.ELEMENT_NODE?c.getAttribute(le)?[h,!0]:(c.setAttribute(le,t),c.id||(c.id=`${this.parentViewId()}-${t}-${g}`),o&&(c.setAttribute(oi,""),c.innerHTML=""),[!0,d]):c.nodeValue.trim()!==""?(Q(`only HTML element tags are allowed at the root of components. +`),i.push(n))}),i.forEach(n=>n.remove())}},replaceRootContainer(e,t,i){let n=new Set(["id",Oe,rt,yi,ht]);if(e.tagName.toLowerCase()===t.toLowerCase())return Array.from(e.attributes).filter(r=>!n.has(r.name.toLowerCase())).forEach(r=>e.removeAttribute(r.name)),Object.keys(i).filter(r=>!n.has(r.toLowerCase())).forEach(r=>e.setAttribute(r,i[r])),e;{let r=document.createElement(t);return Object.keys(i).forEach(s=>r.setAttribute(s,i[s])),n.forEach(s=>r.setAttribute(s,e.getAttribute(s))),r.innerHTML=e.innerHTML,e.replaceWith(r),r}},getSticky(e,t,i){let n=(ge.private(e,"sticky")||[]).find(([r])=>t===r);if(n){let[r,s,o]=n;return o}else return typeof i=="function"?i():i},deleteSticky(e,t){this.updatePrivate(e,"sticky",[],i=>i.filter(([n,r])=>n!==t))},putSticky(e,t,i){let n=i(e);this.updatePrivate(e,"sticky",[],r=>{let s=r.findIndex(([o])=>t===o);return s>=0?r[s]=[t,i,n]:r.push([t,i,n]),r})},applyStickyOperations(e){let t=ge.private(e,"sticky");t&&t.forEach(([i,n,r])=>this.putSticky(e,i,n))}},m=ge,ii=class{static isActive(e,t){let i=t._phxRef===void 0,r=e.getAttribute(ai).split(",").indexOf(G.genFileRef(t))>=0;return t.size>0&&(i||r)}static isPreflighted(e,t){return e.getAttribute(_i).split(",").indexOf(G.genFileRef(t))>=0&&this.isActive(e,t)}constructor(e,t,i){this.ref=G.genFileRef(t),this.fileEl=e,this.file=t,this.view=i,this.meta=null,this._isCancelled=!1,this._isDone=!1,this._progress=0,this._lastProgressSent=-1,this._onDone=function(){},this._onElUpdated=this.onElUpdated.bind(this),this.fileEl.addEventListener(kt,this._onElUpdated)}metadata(){return this.meta}progress(e){this._progress=Math.floor(e),this._progress>this._lastProgressSent&&(this._progress>=100?(this._progress=100,this._lastProgressSent=100,this._isDone=!0,this.view.pushFileProgress(this.fileEl,this.ref,100,()=>{G.untrackFile(this.fileEl,this.file),this._onDone()})):(this._lastProgressSent=this._progress,this.view.pushFileProgress(this.fileEl,this.ref,this._progress)))}cancel(){this._isCancelled=!0,this._isDone=!0,this._onDone()}isDone(){return this._isDone}error(e="failed"){this.fileEl.removeEventListener(kt,this._onElUpdated),this.view.pushFileProgress(this.fileEl,this.ref,{error:e}),G.clearFiles(this.fileEl)}onDone(e){this._onDone=()=>{this.fileEl.removeEventListener(kt,this._onElUpdated),e()}}onElUpdated(){this.fileEl.getAttribute(ai).split(",").indexOf(this.ref)===-1&&this.cancel()}toPreflightPayload(){return{last_modified:this.file.lastModified,name:this.file.name,relative_path:this.file.webkitRelativePath,size:this.file.size,type:this.file.type,ref:this.ref}}uploader(e){if(this.meta.uploader){let t=e[this.meta.uploader]||Q(`no uploader configured for ${this.meta.uploader}`);return{name:this.meta.uploader,callback:t}}else return{name:"channel",callback:jr}}zipPostFlight(e){this.meta=e.entries[this.ref],this.meta||Q(`no preflight upload response returned with ref ${this.ref}`,{input:this.fileEl,response:e})}},Br=0,G=class{static genFileRef(e){let t=e._phxRef;return t!==void 0?t:(e._phxRef=(Br++).toString(),e._phxRef)}static getEntryDataURL(e,t,i){let n=this.activeFiles(e).find(r=>this.genFileRef(r)===t);i(URL.createObjectURL(n))}static hasUploadsInProgress(e){let t=0;return m.findUploadInputs(e).forEach(i=>{i.getAttribute(_i)!==i.getAttribute(Ar)&&t++}),t>0}static serializeUploads(e){let t=this.activeFiles(e),i={};return t.forEach(n=>{let r={path:e.name},s=e.getAttribute(Me);i[s]=i[s]||[],r.ref=this.genFileRef(n),r.last_modified=n.lastModified,r.name=n.name||r.ref,r.relative_path=n.webkitRelativePath,r.type=n.type,r.size=n.size,i[s].push(r)}),i}static clearFiles(e){e.value=null,e.removeAttribute(Me),m.putPrivate(e,"files",[])}static untrackFile(e,t){m.putPrivate(e,"files",m.private(e,"files").filter(i=>!Object.is(i,t)))}static trackFiles(e,t){if(e.getAttribute("multiple")!==null){let i=t.filter(n=>!this.activeFiles(e).find(r=>Object.is(r,n)));m.putPrivate(e,"files",this.activeFiles(e).concat(i)),e.value=null}else m.putPrivate(e,"files",t)}static activeFileInputs(e){let t=m.findUploadInputs(e);return Array.from(t).filter(i=>i.files&&this.activeFiles(i).length>0)}static activeFiles(e){return(m.private(e,"files")||[]).filter(t=>ii.isActive(e,t))}static inputsAwaitingPreflight(e){let t=m.findUploadInputs(e);return Array.from(t).filter(i=>this.filesAwaitingPreflight(i).length>0)}static filesAwaitingPreflight(e){return this.activeFiles(e).filter(t=>!ii.isPreflighted(e,t))}constructor(e,t,i){this.view=t,this.onComplete=i,this._entries=Array.from(G.filesAwaitingPreflight(e)||[]).map(n=>new ii(e,n,t)),this.numEntriesInProgress=this._entries.length}entries(){return this._entries}initAdapterUpload(e,t,i){this._entries=this._entries.map(r=>(r.zipPostFlight(e),r.onDone(()=>{this.numEntriesInProgress--,this.numEntriesInProgress===0&&this.onComplete()}),r));let n=this._entries.reduce((r,s)=>{let{name:o,callback:a}=s.uploader(i.uploaders);return r[o]=r[o]||{callback:a,entries:[]},r[o].entries.push(s),r},{});for(let r in n){let{callback:s,entries:o}=n[r];s(o,t,e,i)}}},Ur={focusMain(){let e=document.querySelector("main h1, main, h1");if(e){let t=e.tabIndex;e.tabIndex=-1,e.focus(),e.tabIndex=t}},anyOf(e,t){return t.find(i=>e instanceof i)},isFocusable(e,t){return e instanceof HTMLAnchorElement&&e.rel!=="ignore"||e instanceof HTMLAreaElement&&e.href!==void 0||!e.disabled&&this.anyOf(e,[HTMLInputElement,HTMLSelectElement,HTMLTextAreaElement,HTMLButtonElement])||e instanceof HTMLIFrameElement||e.tabIndex>0||!t&&e.tabIndex===0&&e.getAttribute("tabindex")!==null&&e.getAttribute("aria-hidden")!=="true"},attemptFocus(e,t){if(this.isFocusable(e,t))try{e.focus()}catch{}return!!document.activeElement&&document.activeElement.isSameNode(e)},focusFirstInteractive(e){let t=e.firstElementChild;for(;t;){if(this.attemptFocus(t,!0)||this.focusFirstInteractive(t,!0))return!0;t=t.nextElementSibling}},focusFirst(e){let t=e.firstElementChild;for(;t;){if(this.attemptFocus(t)||this.focusFirst(t))return!0;t=t.nextElementSibling}},focusLast(e){let t=e.lastElementChild;for(;t;){if(this.attemptFocus(t)||this.focusLast(t))return!0;t=t.previousElementSibling}}},Be=Ur,Vr={LiveFileUpload:{activeRefs(){return this.el.getAttribute(ai)},preflightedRefs(){return this.el.getAttribute(_i)},mounted(){this.preflightedWas=this.preflightedRefs()},updated(){let e=this.preflightedRefs();this.preflightedWas!==e&&(this.preflightedWas=e,e===""&&this.__view.cancelSubmit(this.el.form)),this.activeRefs()===""&&(this.el.value=null),this.el.dispatchEvent(new CustomEvent(kt))}},LiveImgPreview:{mounted(){this.ref=this.el.getAttribute("data-phx-entry-ref"),this.inputEl=document.getElementById(this.el.getAttribute(Me)),G.getEntryDataURL(this.inputEl,this.ref,e=>{this.url=e,this.el.src=e})},destroyed(){URL.revokeObjectURL(this.url)}},FocusWrap:{mounted(){this.focusStart=this.el.firstElementChild,this.focusEnd=this.el.lastElementChild,this.focusStart.addEventListener("focus",()=>Be.focusLast(this.el)),this.focusEnd.addEventListener("focus",()=>Be.focusFirst(this.el)),this.el.addEventListener("phx:show-end",()=>this.el.focus()),window.getComputedStyle(this.el).display!=="none"&&Be.focusFirst(this.el)}}},Wr=Vr,qr=class{constructor(e,t,i){let n=new Set,r=new Set([...t.children].map(o=>o.id)),s=[];Array.from(e.children).forEach(o=>{if(o.id&&(n.add(o.id),r.has(o.id))){let a=o.previousElementSibling&&o.previousElementSibling.id;s.push({elementId:o.id,previousElementId:a})}}),this.containerId=t.id,this.updateType=i,this.elementsToModify=s,this.elementIdsToAdd=[...r].filter(o=>!n.has(o))}perform(){let e=m.byId(this.containerId);this.elementsToModify.forEach(t=>{t.previousElementId?Le(document.getElementById(t.previousElementId),i=>{Le(document.getElementById(t.elementId),n=>{n.previousElementSibling&&n.previousElementSibling.id==i.id||i.insertAdjacentElement("afterend",n)})}):Le(document.getElementById(t.elementId),i=>{i.previousElementSibling==null||e.insertAdjacentElement("afterbegin",i)})}),this.updateType=="prepend"&&this.elementIdsToAdd.reverse().forEach(t=>{Le(document.getElementById(t),i=>e.insertAdjacentElement("afterbegin",i))})}},Zi=11;function Kr(e,t){var i=t.attributes,n,r,s,o,a;if(!(t.nodeType===Zi||e.nodeType===Zi)){for(var l=i.length-1;l>=0;l--)n=i[l],r=n.name,s=n.namespaceURI,o=n.value,s?(r=n.localName||r,a=e.getAttributeNS(s,r),a!==o&&(n.prefix==="xmlns"&&(r=n.name),e.setAttributeNS(s,r,o))):(a=e.getAttribute(r),a!==o&&e.setAttribute(r,o));for(var h=e.attributes,c=h.length-1;c>=0;c--)n=h[c],r=n.name,s=n.namespaceURI,s?(r=n.localName||r,t.hasAttributeNS(s,r)||e.removeAttributeNS(s,r)):t.hasAttribute(r)||e.removeAttribute(r)}}var Et,Jr="http://www.w3.org/1999/xhtml",se=typeof document>"u"?void 0:document,Xr=!!se&&"content"in se.createElement("template"),zr=!!se&&se.createRange&&"createContextualFragment"in se.createRange();function Yr(e){var t=se.createElement("template");return t.innerHTML=e,t.content.childNodes[0]}function Gr(e){Et||(Et=se.createRange(),Et.selectNode(se.body));var t=Et.createContextualFragment(e);return t.childNodes[0]}function Qr(e){var t=se.createElement("body");return t.innerHTML=e,t.childNodes[0]}function Zr(e){return e=e.trim(),Xr?Yr(e):zr?Gr(e):Qr(e)}function wt(e,t){var i=e.nodeName,n=t.nodeName,r,s;return i===n?!0:(r=i.charCodeAt(0),s=n.charCodeAt(0),r<=90&&s>=97?i===n.toUpperCase():s<=90&&r>=97?n===i.toUpperCase():!1)}function es(e,t){return!t||t===Jr?se.createElement(e):se.createElementNS(t,e)}function ts(e,t){for(var i=e.firstChild;i;){var n=i.nextSibling;t.appendChild(i),i=n}return t}function ni(e,t,i){e[i]!==t[i]&&(e[i]=t[i],e[i]?e.setAttribute(i,""):e.removeAttribute(i))}var en={OPTION:function(e,t){var i=e.parentNode;if(i){var n=i.nodeName.toUpperCase();n==="OPTGROUP"&&(i=i.parentNode,n=i&&i.nodeName.toUpperCase()),n==="SELECT"&&!i.hasAttribute("multiple")&&(e.hasAttribute("selected")&&!t.selected&&(e.setAttribute("selected","selected"),e.removeAttribute("selected")),i.selectedIndex=-1)}ni(e,t,"selected")},INPUT:function(e,t){ni(e,t,"checked"),ni(e,t,"disabled"),e.value!==t.value&&(e.value=t.value),t.hasAttribute("value")||e.removeAttribute("value")},TEXTAREA:function(e,t){var i=t.value;e.value!==i&&(e.value=i);var n=e.firstChild;if(n){var r=n.nodeValue;if(r==i||!i&&r==e.placeholder)return;n.nodeValue=i}},SELECT:function(e,t){if(!t.hasAttribute("multiple")){for(var i=-1,n=0,r=e.firstChild,s,o;r;)if(o=r.nodeName&&r.nodeName.toUpperCase(),o==="OPTGROUP")s=r,r=s.firstChild;else{if(o==="OPTION"){if(r.hasAttribute("selected")){i=n;break}n++}r=r.nextSibling,!r&&s&&(r=s.nextSibling,s=null)}e.selectedIndex=i}}},Ze=1,is=11,tn=3,nn=8;function Re(){}function ns(e){if(e)return e.getAttribute&&e.getAttribute("id")||e.id}function rs(e){return function(i,n,r){if(r||(r={}),typeof n=="string")if(i.nodeName==="#document"||i.nodeName==="HTML"||i.nodeName==="BODY"){var s=n;n=se.createElement("html"),n.innerHTML=s}else n=Zr(n);var o=r.getNodeKey||ns,a=r.onBeforeNodeAdded||Re,l=r.onNodeAdded||Re,h=r.onBeforeElUpdated||Re,c=r.onElUpdated||Re,d=r.onBeforeNodeDiscarded||Re,g=r.onNodeDiscarded||Re,u=r.onBeforeElChildrenUpdated||Re,y=r.childrenOnly===!0,v=Object.create(null),_=[];function S(T){_.push(T)}function N(T,A){if(T.nodeType===Ze)for(var b=T.firstChild;b;){var L=void 0;A&&(L=o(b))?S(L):(g(b),b.firstChild&&N(b,A)),b=b.nextSibling}}function f(T,A,b){d(T)!==!1&&(A&&A.removeChild(T),g(T),N(T,b))}function w(T){if(T.nodeType===Ze||T.nodeType===is)for(var A=T.firstChild;A;){var b=o(A);b&&(v[b]=A),w(A),A=A.nextSibling}}w(i);function x(T){l(T);for(var A=T.firstChild;A;){var b=A.nextSibling,L=o(A);if(L){var I=v[L];I&&wt(A,I)?(A.parentNode.replaceChild(I,A),C(I,A)):x(A)}else x(A);A=b}}function E(T,A,b){for(;A;){var L=A.nextSibling;(b=o(A))?S(b):f(A,T,!0),A=L}}function C(T,A,b){var L=o(A);L&&delete v[L],!(!b&&(h(T,A)===!1||(e(T,A),c(T),u(T,A)===!1)))&&(T.nodeName!=="TEXTAREA"?P(T,A):en.TEXTAREA(T,A))}function P(T,A){var b=A.firstChild,L=T.firstChild,I,U,j,J,B;e:for(;b;){for(J=b.nextSibling,I=o(b);L;){if(j=L.nextSibling,b.isSameNode&&b.isSameNode(L)){b=J,L=j;continue e}U=o(L);var ee=L.nodeType,W=void 0;if(ee===b.nodeType&&(ee===Ze?(I?I!==U&&((B=v[I])?j===B?W=!1:(T.insertBefore(B,L),U?S(U):f(L,T,!0),L=B):W=!1):U&&(W=!1),W=W!==!1&&wt(L,b),W&&C(L,b)):(ee===tn||ee==nn)&&(W=!0,L.nodeValue!==b.nodeValue&&(L.nodeValue=b.nodeValue))),W){b=J,L=j;continue e}U?S(U):f(L,T,!0),L=j}if(I&&(B=v[I])&&wt(B,b))T.appendChild(B),C(B,b);else{var K=a(b);K!==!1&&(K&&(b=K),b.actualize&&(b=b.actualize(T.ownerDocument||se)),T.appendChild(b),x(b))}b=J,L=j}E(T,L,U);var z=en[T.nodeName];z&&z(T,A)}var k=i,M=k.nodeType,H=n.nodeType;if(!y){if(M===Ze)H===Ze?wt(i,n)||(g(i),k=ts(i,es(n.nodeName,n.namespaceURI))):k=n;else if(M===tn||M===nn){if(H===M)return k.nodeValue!==n.nodeValue&&(k.nodeValue=n.nodeValue),k;k=n}}if(k===n)g(i);else{if(n.isSameNode&&n.isSameNode(k))return;if(C(k,n,y),_)for(var p=0,D=_.length;p{if(i&&i.isSameNode(n)&&m.isFormInput(n))return m.mergeFocusedInput(n,r),!1}})}constructor(e,t,i,n,r){this.view=e,this.liveSocket=e.liveSocket,this.container=t,this.id=i,this.rootID=e.root.id,this.html=n,this.targetCID=r,this.cidPatch=De(this.targetCID),this.callbacks={beforeadded:[],beforeupdated:[],beforephxChildAdded:[],afteradded:[],afterupdated:[],afterdiscarded:[],afterphxChildAdded:[],aftertransitionsDiscarded:[]}}before(e,t){this.callbacks[`before${e}`].push(t)}after(e,t){this.callbacks[`after${e}`].push(t)}trackBefore(e,...t){this.callbacks[`before${e}`].forEach(i=>i(...t))}trackAfter(e,...t){this.callbacks[`after${e}`].forEach(i=>i(...t))}markPrunableContentForRemoval(){m.all(this.container,"[phx-update=append] > *, [phx-update=prepend] > *",e=>{e.setAttribute(Fi,"")})}perform(){let{view:e,liveSocket:t,container:i,html:n}=this,r=this.isCIDPatch()?this.targetCIDContainer(n):i;if(this.isCIDPatch()&&!r)return;let s=t.getActiveElement(),{selectionStart:o,selectionEnd:a}=s&&m.hasSelectionRange(s)?s:{},l=t.binding(ui),h=t.binding(ci),c=t.binding(di),d=t.binding(Cr),g=t.binding("remove"),u=[],y=[],v=[],_=[],S=null,N=t.time("premorph container prep",()=>this.buildDiffHTML(i,n,l,r));return this.trackBefore("added",i),this.trackBefore("updated",i,i),t.time("morphdom",()=>{rn(r,N,{childrenOnly:r.getAttribute(le)===null,getNodeKey:f=>m.isPhxDestroyed(f)?null:f.id,onBeforeNodeAdded:f=>(this.trackBefore("added",f),f),onNodeAdded:f=>{f instanceof HTMLImageElement&&f.srcset?f.srcset=f.srcset:f instanceof HTMLVideoElement&&f.autoplay&&f.play(),m.isNowTriggerFormExternal(f,d)&&(S=f),m.discardError(r,f,h),(m.isPhxChild(f)&&e.ownsElement(f)||m.isPhxSticky(f)&&e.ownsElement(f.parentNode))&&this.trackAfter("phxChildAdded",f),u.push(f)},onNodeDiscarded:f=>{(m.isPhxChild(f)||m.isPhxSticky(f))&&t.destroyViewByEl(f),this.trackAfter("discarded",f)},onBeforeNodeDiscarded:f=>f.getAttribute&&f.getAttribute(Fi)!==null?!0:f.parentNode!==null&&m.isPhxUpdate(f.parentNode,l,["append","prepend"])&&f.id?!1:f.getAttribute&&f.getAttribute(g)?(_.push(f),!1):!this.skipCIDSibling(f),onElUpdated:f=>{m.isNowTriggerFormExternal(f,d)&&(S=f),y.push(f)},onBeforeElUpdated:(f,w)=>{if(m.cleanChildNodes(w,l),this.skipCIDSibling(w)||m.isPhxSticky(f))return!1;if(m.isIgnored(f,l)||f.form&&f.form.isSameNode(S))return this.trackBefore("updated",f,w),m.mergeAttrs(f,w,{isIgnored:!0}),y.push(f),m.applyStickyOperations(f),!1;if(f.type==="number"&&f.validity&&f.validity.badInput)return!1;if(!m.syncPendingRef(f,w,c))return m.isUploadInput(f)&&(this.trackBefore("updated",f,w),y.push(f)),m.applyStickyOperations(f),!1;if(m.isPhxChild(w)){let E=f.getAttribute(Oe);return m.mergeAttrs(f,w,{exclude:[rt]}),E!==""&&f.setAttribute(Oe,E),f.setAttribute(ht,this.rootID),m.applyStickyOperations(f),!1}return m.copyPrivates(w,f),m.discardError(r,w,h),s&&f.isSameNode(s)&&m.isFormInput(f)&&f.type!=="hidden"?(this.trackBefore("updated",f,w),m.mergeFocusedInput(f,w),m.syncAttrsToProps(f),y.push(f),m.applyStickyOperations(f),!1):(m.isPhxUpdate(w,l,["append","prepend"])&&v.push(new qr(f,w,w.getAttribute(l))),m.syncAttrsToProps(w),m.applyStickyOperations(w),this.trackBefore("updated",f,w),!0)}})}),t.isDebugEnabled()&&Hr(),v.length>0&&t.time("post-morph append/prepend restoration",()=>{v.forEach(f=>f.perform())}),t.silenceEvents(()=>m.restoreFocus(s,o,a)),m.dispatchEvent(document,"phx:update"),u.forEach(f=>this.trackAfter("added",f)),y.forEach(f=>this.trackAfter("updated",f)),_.length>0&&(t.transitionRemoves(_),t.requestDOMUpdate(()=>{_.forEach(f=>{let w=m.firstPhxChild(f);w&&t.destroyViewByEl(w),f.remove()}),this.trackAfter("transitionsDiscarded",_)})),S&&(t.unload(),S.submit()),!0}isCIDPatch(){return this.cidPatch}skipCIDSibling(e){return e.nodeType===Node.ELEMENT_NODE&&e.getAttribute(li)!==null}targetCIDContainer(e){if(!this.isCIDPatch())return;let[t,...i]=m.findComponentNodeList(this.container,this.targetCID);return i.length===0&&m.childNodeLength(e)===1?t:t&&t.parentNode}buildDiffHTML(e,t,i,n){let r=this.isCIDPatch(),s=r&&n.getAttribute(le)===this.targetCID.toString();if(!r||s)return t;{let o=null,a=document.createElement("template");o=m.cloneNode(n);let[l,...h]=m.findComponentNodeList(o,this.targetCID);return a.innerHTML=t,h.forEach(c=>c.remove()),Array.from(o.childNodes).forEach(c=>{c.id&&c.nodeType===Node.ELEMENT_NODE&&c.getAttribute(le)!==this.targetCID.toString()&&(c.setAttribute(li,""),c.innerHTML="")}),Array.from(a.content.childNodes).forEach(c=>o.insertBefore(c,l)),l.remove(),o.outerHTML}}},sn=class{static extract(e){let{[Yi]:t,[zi]:i,[Gi]:n}=e;return delete e[Yi],delete e[zi],delete e[Gi],{diff:e,title:n,reply:t||null,events:i||[]}}constructor(e,t){this.viewId=e,this.rendered={},this.mergeDiff(t)}parentViewId(){return this.viewId}toString(e){return this.recursiveToString(this.rendered,this.rendered[ae],e)}recursiveToString(e,t=e[ae],i){i=i?new Set(i):null;let n={buffer:"",components:t,onlyCids:i};return this.toOutputBuffer(e,null,n),n.buffer}componentCIDs(e){return Object.keys(e[ae]||{}).map(t=>parseInt(t))}isComponentOnlyDiff(e){return e[ae]?Object.keys(e).length===1:!1}getComponent(e,t){return e[ae][t]}mergeDiff(e){let t=e[ae],i={};if(delete e[ae],this.rendered=this.mutableMerge(this.rendered,e),this.rendered[ae]=this.rendered[ae]||{},t){let n=this.rendered[ae];for(let r in t)t[r]=this.cachedFindComponent(r,t[r],n,t,i);for(let r in t)n[r]=t[r];e[ae]=t}}cachedFindComponent(e,t,i,n,r){if(r[e])return r[e];{let s,o,a=t[be];if(De(a)){let l;a>0?l=this.cachedFindComponent(a,n[a],i,n,r):l=i[-a],o=l[be],s=this.cloneMerge(l,t),s[be]=o}else s=t[be]!==void 0?t:this.cloneMerge(i[e]||{},t);return r[e]=s,s}}mutableMerge(e,t){return t[be]!==void 0?t:(this.doMutableMerge(e,t),e)}doMutableMerge(e,t){for(let i in t){let n=t[i],r=e[i];Qe(n)&&n[be]===void 0&&Qe(r)?this.doMutableMerge(r,n):e[i]=n}}cloneMerge(e,t){let i={...e,...t};for(let n in i){let r=t[n],s=e[n];Qe(r)&&r[be]===void 0&&Qe(s)&&(i[n]=this.cloneMerge(s,r))}return i}componentToString(e){return this.recursiveCIDToString(this.rendered[ae],e)}pruneCIDs(e){e.forEach(t=>delete this.rendered[ae][t])}get(){return this.rendered}isNewFingerprint(e={}){return!!e[be]}templateStatic(e,t){return typeof e=="number"?t[e]:e}toOutputBuffer(e,t,i){if(e[Xi])return this.comprehensionToBuffer(e,t,i);let{[be]:n}=e;n=this.templateStatic(n,t),i.buffer+=n[0];for(let r=1;rd.nodeType===Node.ELEMENT_NODE?d.getAttribute(le)?[h,!0]:(d.setAttribute(le,t),d.id||(d.id=`${this.parentViewId()}-${t}-${g}`),o&&(d.setAttribute(li,""),d.innerHTML=""),[!0,c]):d.nodeValue.trim()!==""?(Q(`only HTML element tags are allowed at the root of components. -got: "${c.nodeValue.trim()}" +got: "${d.nodeValue.trim()}" within: -`,r.innerHTML.trim()),c.replaceWith(this.createSpan(c.nodeValue,t)),[!0,d]):(c.remove(),[h,d]),[!1,!1]);return!a&&!l?(Q(`expected at least one HTML element tag inside a component, but the component is empty: -`,r.innerHTML.trim()),this.createSpan("",t).outerHTML):(!a&&l&&Q("expected at least one HTML element tag directly inside a component, but only subcomponents were found. A component must render at least one HTML tag directly inside itself.",r.innerHTML.trim()),r.innerHTML)}createSpan(e,t){let i=document.createElement("span");return i.innerText=e,i.setAttribute(le,t),i}},is=1,Ze=class{static makeID(){return is++}static elementID(e){return e.phxHookId}constructor(e,t,i){this.__view=e,this.liveSocket=e.liveSocket,this.__callbacks=i,this.__listeners=new Set,this.__isDisconnected=!1,this.el=t,this.el.phxHookId=this.constructor.makeID();for(let n in this.__callbacks)this[n]=this.__callbacks[n]}__mounted(){this.mounted&&this.mounted()}__updated(){this.updated&&this.updated()}__beforeUpdate(){this.beforeUpdate&&this.beforeUpdate()}__destroyed(){this.destroyed&&this.destroyed()}__reconnected(){this.__isDisconnected&&(this.__isDisconnected=!1,this.reconnected&&this.reconnected())}__disconnected(){this.__isDisconnected=!0,this.disconnected&&this.disconnected()}pushEvent(e,t={},i=function(){}){return this.__view.pushHookEvent(null,e,t,i)}pushEventTo(e,t,i={},n=function(){}){return this.__view.withinTargets(e,(r,s)=>r.pushHookEvent(s,t,i,n))}handleEvent(e,t){let i=(n,r)=>r?e:t(n.detail);return window.addEventListener(`phx:${e}`,i),this.__listeners.add(i),i}removeHandleEvent(e){let t=e(null,!0);window.removeEventListener(`phx:${t}`,e),this.__listeners.delete(e)}upload(e,t){return this.__view.dispatchUploads(e,t)}uploadTo(e,t,i){return this.__view.withinTargets(e,n=>n.dispatchUploads(t,i))}__cleanup__(){this.__listeners.forEach(e=>this.removeHandleEvent(e))}},ns={exec(e,t,i,n,r){let[s,o]=r||[null,{}];(t.charAt(0)==="["?JSON.parse(t):[[s,o]]).forEach(([l,h])=>{l===s&&o.data&&(h.data=Object.assign(h.data||{},o.data)),this.filterToEls(n,h).forEach(d=>{this[`exec_${l}`](e,t,i,n,d,h)})})},isVisible(e){return!!(e.offsetWidth||e.offsetHeight||e.getClientRects().length>0)},exec_dispatch(e,t,i,n,r,{to:s,event:o,detail:a,bubbles:l}){a=a||{},a.dispatcher=n,_.dispatchEvent(r,o,{detail:a,bubbles:l})},exec_push(e,t,i,n,r,s){if(!i.isConnected())return;let{event:o,data:a,target:l,page_loading:h,loading:d,value:c,dispatcher:g}=s,u={loading:d,value:c,target:l,page_loading:!!h},v=e==="change"&&g?g:n,m=l||v.getAttribute(i.binding("target"))||v;i.withinTargets(m,(y,S)=>{if(e==="change"){let{newCid:N,_target:f,callback:A}=s;f=f||(n instanceof HTMLInputElement?n.name:void 0),f&&(u._target=f),y.pushInput(n,S,N,o||t,u,A)}else e==="submit"?y.submitForm(n,S,o||t,u):y.pushEvent(e,n,S,o||t,a,u)})},exec_add_class(e,t,i,n,r,{names:s,transition:o,time:a}){this.addOrRemoveClasses(r,s,[],o,a,i)},exec_remove_class(e,t,i,n,r,{names:s,transition:o,time:a}){this.addOrRemoveClasses(r,[],s,o,a,i)},exec_transition(e,t,i,n,r,{time:s,transition:o}){let[a,l,h]=o,d=()=>this.addOrRemoveClasses(r,a.concat(l),[]),c=()=>this.addOrRemoveClasses(r,h,a.concat(l));i.transition(s,d,c)},exec_toggle(e,t,i,n,r,{display:s,ins:o,outs:a,time:l}){this.toggle(e,i,r,s,o,a,l)},exec_show(e,t,i,n,r,{display:s,transition:o,time:a}){this.show(e,i,r,s,o,a)},exec_hide(e,t,i,n,r,{display:s,transition:o,time:a}){this.hide(e,i,r,s,o,a)},exec_set_attr(e,t,i,n,r,{attr:[s,o]}){this.setOrRemoveAttrs(r,[[s,o]],[])},exec_remove_attr(e,t,i,n,r,{attr:s}){this.setOrRemoveAttrs(r,[],[s])},show(e,t,i,n,r,s){this.isVisible(i)||this.toggle(e,t,i,n,r,null,s)},hide(e,t,i,n,r,s){this.isVisible(i)&&this.toggle(e,t,i,n,null,r,s)},toggle(e,t,i,n,r,s,o){let[a,l,h]=r||[[],[],[]],[d,c,g]=s||[[],[],[]];if(a.length>0||d.length>0)if(this.isVisible(i)){let u=()=>{this.addOrRemoveClasses(i,c,a.concat(l).concat(h)),window.requestAnimationFrame(()=>{this.addOrRemoveClasses(i,d,[]),window.requestAnimationFrame(()=>this.addOrRemoveClasses(i,g,c))})};i.dispatchEvent(new Event("phx:hide-start")),t.transition(o,u,()=>{this.addOrRemoveClasses(i,[],d.concat(g)),_.putSticky(i,"toggle",v=>v.style.display="none"),i.dispatchEvent(new Event("phx:hide-end"))})}else{if(e==="remove")return;let u=()=>{this.addOrRemoveClasses(i,l,d.concat(c).concat(g)),_.putSticky(i,"toggle",v=>v.style.display=n||"block"),window.requestAnimationFrame(()=>{this.addOrRemoveClasses(i,a,[]),window.requestAnimationFrame(()=>this.addOrRemoveClasses(i,h,l))})};i.dispatchEvent(new Event("phx:show-start")),t.transition(o,u,()=>{this.addOrRemoveClasses(i,[],a.concat(h)),i.dispatchEvent(new Event("phx:show-end"))})}else this.isVisible(i)?window.requestAnimationFrame(()=>{i.dispatchEvent(new Event("phx:hide-start")),_.putSticky(i,"toggle",u=>u.style.display="none"),i.dispatchEvent(new Event("phx:hide-end"))}):window.requestAnimationFrame(()=>{i.dispatchEvent(new Event("phx:show-start")),_.putSticky(i,"toggle",u=>u.style.display=n||"block"),i.dispatchEvent(new Event("phx:show-end"))})},addOrRemoveClasses(e,t,i,n,r,s){let[o,a,l]=n||[[],[],[]];if(o.length>0){let h=()=>this.addOrRemoveClasses(e,a.concat(o),[]),d=()=>this.addOrRemoveClasses(e,t.concat(l),i.concat(o).concat(a));return s.transition(r,h,d)}window.requestAnimationFrame(()=>{let[h,d]=_.getSticky(e,"classes",[[],[]]),c=t.filter(m=>h.indexOf(m)<0&&!e.classList.contains(m)),g=i.filter(m=>d.indexOf(m)<0&&e.classList.contains(m)),u=h.filter(m=>i.indexOf(m)<0).concat(c),v=d.filter(m=>t.indexOf(m)<0).concat(g);_.putSticky(e,"classes",m=>(m.classList.remove(...v),m.classList.add(...u),[u,v]))})},setOrRemoveAttrs(e,t,i){let[n,r]=_.getSticky(e,"attrs",[[],[]]),s=t.map(([l,h])=>l).concat(i),o=n.filter(([l,h])=>!s.includes(l)).concat(t),a=r.filter(l=>!s.includes(l)).concat(i);_.putSticky(e,"attrs",l=>(a.forEach(h=>l.removeAttribute(h)),o.forEach(([h,d])=>l.setAttribute(h,d)),[o,a]))},hasAllClasses(e,t){return t.every(i=>e.classList.contains(i))},isToggledOut(e,t){return!this.isVisible(e)||this.hasAllClasses(e,t)},filterToEls(e,{to:t}){return t?_.all(document,t):[e]}},_e=ns,wt=(e,t,i=[])=>{let n=new FormData(e),r=[];n.forEach((o,a,l)=>{o instanceof File&&r.push(a)}),r.forEach(o=>n.delete(o));let s=new URLSearchParams;for(let[o,a]of n.entries())(i.length===0||i.indexOf(o)>=0)&&s.append(o,a);for(let o in t)s.append(o,t[o]);return s.toString()},xn=class{constructor(e,t,i,n){this.liveSocket=t,this.flash=n,this.parent=i,this.root=i?i.root:this,this.el=e,this.id=this.el.id,this.ref=0,this.childJoins=0,this.loaderTimer=null,this.pendingDiffs=[],this.pruningCIDs=[],this.redirect=!1,this.href=null,this.joinCount=this.parent?this.parent.joinCount-1:0,this.joinPending=!0,this.destroyed=!1,this.joinCallback=function(r){r&&r()},this.stopCallback=function(){},this.pendingJoinOps=this.parent?null:[],this.viewHooks={},this.uploaders={},this.formSubmits=[],this.children=this.parent?null:{},this.root.children[this.id]={},this.channel=this.liveSocket.channel(`lv:${this.id}`,()=>({redirect:this.redirect?this.href:void 0,url:this.redirect?void 0:this.href||void 0,params:this.connectParams(),session:this.getSession(),static:this.getStatic(),flash:this.flash})),this.showLoader(this.liveSocket.loaderTimeout),this.bindChannel()}setHref(e){this.href=e}setRedirect(e){this.redirect=!0,this.href=e}isMain(){return this.el.getAttribute(vi)!==null}connectParams(){let e=this.liveSocket.params(this.el),t=_.all(document,`[${this.binding(br)}]`).map(i=>i.src||i.href).filter(i=>typeof i=="string");return t.length>0&&(e._track_static=t),e._mounts=this.joinCount,e}isConnected(){return this.channel.canPush()}getSession(){return this.el.getAttribute(Le)}getStatic(){let e=this.el.getAttribute(nt);return e===""?null:e}destroy(e=function(){}){this.destroyAllChildren(),this.destroyed=!0,delete this.root.children[this.id],this.parent&&delete this.root.children[this.parent.id][this.id],clearTimeout(this.loaderTimer);let t=()=>{e();for(let i in this.viewHooks)this.destroyHook(this.viewHooks[i])};_.markPhxChildDestroyed(this.el),this.log("destroyed",()=>["the child has been removed from the parent"]),this.channel.leave().receive("ok",t).receive("error",t).receive("timeout",t)}setContainerClasses(...e){this.el.classList.remove($i,Xt,Bi),this.el.classList.add(...e)}showLoader(e){if(clearTimeout(this.loaderTimer),e)this.loaderTimer=setTimeout(()=>this.showLoader(),e);else{for(let t in this.viewHooks)this.viewHooks[t].__disconnected();this.setContainerClasses(Xt)}}hideLoader(){clearTimeout(this.loaderTimer),this.setContainerClasses($i)}triggerReconnected(){for(let e in this.viewHooks)this.viewHooks[e].__reconnected()}log(e,t){this.liveSocket.log(this,e,t)}transition(e,t,i=function(){}){this.liveSocket.transition(e,t,i)}withinTargets(e,t){if(e instanceof HTMLElement||e instanceof SVGElement)return this.liveSocket.owner(e,i=>t(i,e));if(De(e))_.findComponentNodeList(this.el,e).length===0?Q(`no component found matching phx-target of ${e}`):t(this,parseInt(e));else{let i=Array.from(document.querySelectorAll(e));i.length===0&&Q(`nothing found matching the phx-target selector "${e}"`),i.forEach(n=>this.liveSocket.owner(n,r=>t(r,n)))}}applyDiff(e,t,i){this.log(e,()=>["",Tt(t)]);let{diff:n,reply:r,events:s,title:o}=en.extract(t);return o&&_.putTitle(o),i({diff:n,reply:r,events:s}),r}onJoin(e){let{rendered:t,container:i}=e;if(i){let[n,r]=i;this.el=_.replaceRootContainer(this.el,n,r)}this.childJoins=0,this.joinPending=!0,this.flash=null,Oe.dropLocal(this.liveSocket.localStorage,window.location.pathname,Tn),this.applyDiff("mount",t,({diff:n,events:r})=>{this.rendered=new en(this.id,n);let s=this.renderContainer(null,"join");this.dropPendingRefs();let o=this.formsForRecovery(s);this.joinCount++,o.length>0?o.forEach(([a,l,h],d)=>{this.pushFormRecovery(a,h,c=>{d===o.length-1&&this.onJoinComplete(c,s,r)})}):this.onJoinComplete(e,s,r)})}dropPendingRefs(){_.all(document,`[${Ne}="${this.id}"][${ye}]`,e=>{e.removeAttribute(ye),e.removeAttribute(Ne)})}onJoinComplete({live_patch:e},t,i){if(this.joinCount>1||this.parent&&!this.parent.isJoinPending())return this.applyJoinPatch(e,t,i);_.findPhxChildrenInFragment(t,this.id).filter(r=>{let s=r.id&&this.el.querySelector(`[id="${r.id}"]`),o=s&&s.getAttribute(nt);return o&&r.setAttribute(nt,o),this.joinChild(r)}).length===0?this.parent?(this.root.pendingJoinOps.push([this,()=>this.applyJoinPatch(e,t,i)]),this.parent.ackJoin(this)):(this.onAllChildJoinsComplete(),this.applyJoinPatch(e,t,i)):this.root.pendingJoinOps.push([this,()=>this.applyJoinPatch(e,t,i)])}attachTrueDocEl(){this.el=_.byId(this.id),this.el.setAttribute(ct,this.root.id)}applyJoinPatch(e,t,i){this.attachTrueDocEl();let n=new At(this,this.el,this.id,t,null);if(n.markPrunableContentForRemoval(),this.performPatch(n,!1),this.joinNewChildren(),_.all(this.el,`[${this.binding(ze)}], [data-phx-${ze}]`,r=>{let s=this.addHook(r);s&&s.__mounted()}),this.joinPending=!1,this.liveSocket.dispatchEvents(i),this.applyPendingUpdates(),e){let{kind:r,to:s}=e;this.liveSocket.historyPatch(s,r)}this.hideLoader(),this.joinCount>1&&this.triggerReconnected(),this.stopCallback()}triggerBeforeUpdateHook(e,t){this.liveSocket.triggerDOM("onBeforeElUpdated",[e,t]);let i=this.getHook(e),n=i&&_.isIgnored(e,this.binding(ci));if(i&&!e.isEqualNode(t)&&!(n&&Mr(e.dataset,t.dataset)))return i.__beforeUpdate(),i}performPatch(e,t){let i=[],n=!1,r=new Set;return e.after("added",s=>{this.liveSocket.triggerDOM("onNodeAdded",[s]);let o=this.addHook(s);o&&o.__mounted()}),e.after("phxChildAdded",s=>{_.isPhxSticky(s)?this.liveSocket.joinRootViews():n=!0}),e.before("updated",(s,o)=>{this.triggerBeforeUpdateHook(s,o)&&r.add(s.id)}),e.after("updated",s=>{r.has(s.id)&&this.getHook(s).__updated()}),e.after("discarded",s=>{s.nodeType===Node.ELEMENT_NODE&&i.push(s)}),e.after("transitionsDiscarded",s=>this.afterElementsRemoved(s,t)),e.perform(),this.afterElementsRemoved(i,t),n}afterElementsRemoved(e,t){let i=[];e.forEach(n=>{let r=_.all(n,`[${le}]`),s=_.all(n,`[${this.binding(ze)}]`);r.concat(n).forEach(o=>{let a=this.componentID(o);De(a)&&i.indexOf(a)===-1&&i.push(a)}),s.concat(n).forEach(o=>{let a=this.getHook(o);a&&this.destroyHook(a)})}),t&&this.maybePushComponentsDestroyed(i)}joinNewChildren(){_.findPhxChildren(this.el,this.id).forEach(e=>this.joinChild(e))}getChildById(e){return this.root.children[this.id][e]}getDescendentByEl(e){return e.id===this.id?this:this.children[e.getAttribute(Be)][e.id]}destroyDescendent(e){for(let t in this.root.children)for(let i in this.root.children[t])if(i===e)return this.root.children[t][i].destroy()}joinChild(e){if(!this.getChildById(e.id)){let i=new xn(e,this.liveSocket,this);return this.root.children[this.id][i.id]=i,i.join(),this.childJoins++,!0}}isJoinPending(){return this.joinPending}ackJoin(e){this.childJoins--,this.childJoins===0&&(this.parent?this.parent.ackJoin(this):this.onAllChildJoinsComplete())}onAllChildJoinsComplete(){this.joinCallback(()=>{this.pendingJoinOps.forEach(([e,t])=>{e.isDestroyed()||t()}),this.pendingJoinOps=[]})}update(e,t){if(this.isJoinPending()||this.liveSocket.hasPendingLink()&&!_.isPhxSticky(this.el))return this.pendingDiffs.push({diff:e,events:t});this.rendered.mergeDiff(e);let i=!1;this.rendered.isComponentOnlyDiff(e)?this.liveSocket.time("component patch complete",()=>{_.findParentCIDs(this.el,this.rendered.componentCIDs(e)).forEach(r=>{this.componentPatch(this.rendered.getComponent(e,r),r)&&(i=!0)})}):Xi(e)||this.liveSocket.time("full patch complete",()=>{let n=this.renderContainer(e,"update"),r=new At(this,this.el,this.id,n,null);i=this.performPatch(r,!0)}),this.liveSocket.dispatchEvents(t),i&&this.joinNewChildren()}renderContainer(e,t){return this.liveSocket.time(`toString diff (${t})`,()=>{let i=this.el.tagName,n=e?this.rendered.componentCIDs(e).concat(this.pruningCIDs):null,r=this.rendered.toString(n);return`<${i}>${r}`})}componentPatch(e,t){if(Xi(e))return!1;let i=this.rendered.componentToString(t),n=new At(this,this.el,this.id,i,t);return this.performPatch(n,!0)}getHook(e){return this.viewHooks[Ze.elementID(e)]}addHook(e){if(Ze.elementID(e)||!e.getAttribute)return;let t=e.getAttribute(`data-phx-${ze}`)||e.getAttribute(this.binding(ze));if(t&&!this.ownsElement(e))return;let i=this.liveSocket.getHookCallbacks(t);if(i){e.id||Q(`no DOM ID for hook "${t}". Hooks require a unique ID on each element.`,e);let n=new Ze(this,e,i);return this.viewHooks[Ze.elementID(n.el)]=n,n}else t!==null&&Q(`unknown hook found for "${t}"`,e)}destroyHook(e){e.__destroyed(),e.__cleanup__(),delete this.viewHooks[Ze.elementID(e.el)]}applyPendingUpdates(){this.pendingDiffs.forEach(({diff:e,events:t})=>this.update(e,t)),this.pendingDiffs=[]}onChannel(e,t){this.liveSocket.onChannel(this.channel,e,i=>{this.isJoinPending()?this.root.pendingJoinOps.push([this,()=>t(i)]):this.liveSocket.requestDOMUpdate(()=>t(i))})}bindChannel(){this.liveSocket.onChannel(this.channel,"diff",e=>{this.liveSocket.requestDOMUpdate(()=>{this.applyDiff("update",e,({diff:t,events:i})=>this.update(t,i))})}),this.onChannel("redirect",({to:e,flash:t})=>this.onRedirect({to:e,flash:t})),this.onChannel("live_patch",e=>this.onLivePatch(e)),this.onChannel("live_redirect",e=>this.onLiveRedirect(e)),this.channel.onError(e=>this.onError(e)),this.channel.onClose(e=>this.onClose(e))}destroyAllChildren(){for(let e in this.root.children[this.id])this.getChildById(e).destroy()}onLiveRedirect(e){let{to:t,kind:i,flash:n}=e,r=this.expandURL(t);this.liveSocket.historyRedirect(r,i,n)}onLivePatch(e){let{to:t,kind:i}=e;this.href=this.expandURL(t),this.liveSocket.historyPatch(t,i)}expandURL(e){return e.startsWith("/")?`${window.location.protocol}//${window.location.host}${e}`:e}onRedirect({to:e,flash:t}){this.liveSocket.redirect(e,t)}isDestroyed(){return this.destroyed}join(e){this.isMain()&&(this.stopCallback=this.liveSocket.withPageLoading({to:this.href,kind:"initial"})),this.joinCallback=t=>{t=t||function(){},e?e(this.joinCount,t):t()},this.liveSocket.wrapPush(this,{timeout:!1},()=>this.channel.join().receive("ok",t=>{this.isDestroyed()||this.liveSocket.requestDOMUpdate(()=>this.onJoin(t))}).receive("error",t=>!this.isDestroyed()&&this.onJoinError(t)).receive("timeout",()=>!this.isDestroyed()&&this.onJoinError({reason:"timeout"})))}onJoinError(e){if(e.reason==="unauthorized"||e.reason==="stale")return this.log("error",()=>["unauthorized live_redirect. Falling back to page request",e]),this.onRedirect({to:this.href});if((e.redirect||e.live_redirect)&&(this.joinPending=!1,this.channel.leave()),e.redirect)return this.onRedirect(e.redirect);if(e.live_redirect)return this.onLiveRedirect(e.live_redirect);this.log("error",()=>["unable to join",e]),this.liveSocket.isConnected()&&this.liveSocket.reloadWithJitter(this)}onClose(e){if(!this.isDestroyed()){if(this.liveSocket.hasPendingLink()&&e!=="leave")return this.liveSocket.reloadWithJitter(this);this.destroyAllChildren(),this.liveSocket.dropActiveElement(this),document.activeElement&&document.activeElement.blur(),this.liveSocket.isUnloaded()&&this.showLoader(Or)}}onError(e){this.onClose(e),this.liveSocket.isConnected()&&this.log("error",()=>["view crashed",e]),this.liveSocket.isUnloaded()||this.displayError()}displayError(){this.isMain()&&_.dispatchEvent(window,"phx:page-loading-start",{detail:{to:this.href,kind:"error"}}),this.showLoader(),this.setContainerClasses(Xt,Bi)}pushWithReply(e,t,i,n=function(){}){if(!this.isConnected())return;let[r,[s],o]=e?e():[null,[],{}],a=function(){};return(o.page_loading||s&&s.getAttribute(this.binding(Hi))!==null)&&(a=this.liveSocket.withPageLoading({kind:"element",target:s})),typeof i.cid!="number"&&delete i.cid,this.liveSocket.wrapPush(this,{timeout:!0},()=>this.channel.push(t,i,Lr).receive("ok",l=>{r!==null&&this.undoRefs(r);let h=d=>{l.redirect&&this.onRedirect(l.redirect),l.live_patch&&this.onLivePatch(l.live_patch),l.live_redirect&&this.onLiveRedirect(l.live_redirect),a(),n(l,d)};l.diff?this.liveSocket.requestDOMUpdate(()=>{let d=this.applyDiff("update",l.diff,({diff:c,events:g})=>{this.update(c,g)});h(d)}):h(null)}))}undoRefs(e){_.all(document,`[${Ne}="${this.id}"][${ye}="${e}"]`,t=>{let i=t.getAttribute(mt);t.removeAttribute(ye),t.removeAttribute(Ne),t.getAttribute(zt)!==null&&(t.readOnly=!1,t.removeAttribute(zt)),i!==null&&(t.disabled=i==="true",t.removeAttribute(mt)),Sn.forEach(s=>_.removeClass(t,s));let n=t.getAttribute(vt);n!==null&&(t.innerText=n,t.removeAttribute(vt));let r=_.private(t,ye);if(r){let s=this.triggerBeforeUpdateHook(t,r);At.patchEl(t,r,this.liveSocket.getActiveElement()),s&&s.__updated(),_.deletePrivate(t,ye)}})}putRef(e,t,i={}){let n=this.ref++,r=this.binding(li);return i.loading&&(e=e.concat(_.all(document,i.loading))),e.forEach(s=>{s.classList.add(`phx-${t}-loading`),s.setAttribute(ye,n),s.setAttribute(Ne,this.el.id);let o=s.getAttribute(r);o!==null&&(s.getAttribute(vt)||s.setAttribute(vt,s.innerText),o!==""&&(s.innerText=o),s.setAttribute("disabled",""))}),[n,e,i]}componentID(e){let t=e.getAttribute&&e.getAttribute(le);return t?parseInt(t):null}targetComponentID(e,t,i={}){if(De(t))return t;let n=e.getAttribute(this.binding("target"));return De(n)?parseInt(n):t&&(n!==null||i.target)?this.closestComponentID(t):null}closestComponentID(e){return De(e)?e:e?Te(e.closest(`[${le}]`),t=>this.ownsElement(t)&&this.componentID(t)):null}pushHookEvent(e,t,i,n){if(!this.isConnected())return this.log("hook",()=>["unable to push hook event. LiveView not connected",t,i]),!1;let[r,s,o]=this.putRef([],"hook");return this.pushWithReply(()=>[r,s,o],"event",{type:"hook",event:t,value:i,cid:this.closestComponentID(e)},(a,l)=>n(l,r)),r}extractMeta(e,t,i){let n=this.binding("value-");for(let r=0;r=0&&!e.checked&&delete t.value),i){t||(t={});for(let r in i)t[r]=i[r]}return t}pushEvent(e,t,i,n,r,s={}){this.pushWithReply(()=>this.putRef([t],e,s),"event",{type:e,event:n,value:this.extractMeta(t,r,s.value),cid:this.targetComponentID(t,i,s)})}pushFileProgress(e,t,i,n=function(){}){this.liveSocket.withinOwners(e.form,(r,s)=>{r.pushWithReply(null,"progress",{event:e.getAttribute(r.binding(Sr)),ref:e.getAttribute(Me),entry_ref:t,progress:i,cid:r.targetComponentID(e.form,s)},n)})}pushInput(e,t,i,n,r,s){let o,a=De(i)?i:this.targetComponentID(e.form,t),l=()=>this.putRef([e,e.form],"change",r),h;e.getAttribute(this.binding("change"))?h=wt(e.form,{_target:r._target},[e.name]):h=wt(e.form,{_target:r._target}),_.isUploadInput(e)&&e.files&&e.files.length>0&&G.trackFiles(e,Array.from(e.files)),o=G.serializeUploads(e);let d={type:"form",event:n,value:h,uploads:o,cid:a};this.pushWithReply(l,"event",d,c=>{if(_.showError(e,this.liveSocket.binding(ai)),_.isUploadInput(e)&&e.getAttribute("data-phx-auto-upload")!==null){if(G.filesAwaitingPreflight(e).length>0){let[g,u]=l();this.uploadFiles(e.form,t,g,a,v=>{s&&s(c),this.triggerAwaitingSubmit(e.form)})}}else s&&s(c)})}triggerAwaitingSubmit(e){let t=this.getScheduledSubmit(e);if(t){let[i,n,r,s]=t;this.cancelSubmit(e),s()}}getScheduledSubmit(e){return this.formSubmits.find(([t,i,n,r])=>t.isSameNode(e))}scheduleSubmit(e,t,i,n){if(this.getScheduledSubmit(e))return!0;this.formSubmits.push([e,t,i,n])}cancelSubmit(e){this.formSubmits=this.formSubmits.filter(([t,i,n])=>t.isSameNode(e)?(this.undoRefs(i),!1):!0)}pushFormSubmit(e,t,i,n,r){let s=c=>!(rt(c,`${this.binding(ci)}=ignore`,c.form)||rt(c,"data-phx-update=ignore",c.form)),o=c=>c.hasAttribute(this.binding(li)),a=c=>c.tagName=="BUTTON",l=c=>["INPUT","TEXTAREA","SELECT"].includes(c.tagName),h=()=>{let c=Array.from(e.elements),g=c.filter(o),u=c.filter(a).filter(s),v=c.filter(l).filter(s);return u.forEach(m=>{m.setAttribute(mt,m.disabled),m.disabled=!0}),v.forEach(m=>{m.setAttribute(zt,m.readOnly),m.readOnly=!0,m.files&&(m.setAttribute(mt,m.disabled),m.disabled=!0)}),e.setAttribute(this.binding(Hi),""),this.putRef([e].concat(g).concat(u).concat(v),"submit",n)},d=this.targetComponentID(e,t);if(G.hasUploadsInProgress(e)){let[c,g]=h(),u=()=>this.pushFormSubmit(e,t,i,n,r);return this.scheduleSubmit(e,c,n,u)}else if(G.inputsAwaitingPreflight(e).length>0){let[c,g]=h(),u=()=>[c,g,n];this.uploadFiles(e,t,c,d,v=>{let m=wt(e,{});this.pushWithReply(u,"event",{type:"form",event:i,value:m,cid:d},r)})}else{let c=wt(e,{});this.pushWithReply(h,"event",{type:"form",event:i,value:c,cid:d},r)}}uploadFiles(e,t,i,n,r){let s=this.joinCount,o=G.activeFileInputs(e),a=o.length;o.forEach(l=>{let h=new G(l,this,()=>{a--,a===0&&r()});this.uploaders[l]=h;let d=h.entries().map(g=>g.toPreflightPayload()),c={ref:l.getAttribute(Me),entries:d,cid:this.targetComponentID(l.form,t)};this.log("upload",()=>["sending preflight request",c]),this.pushWithReply(null,"allow_upload",c,g=>{if(this.log("upload",()=>["got preflight response",g]),g.error){this.undoRefs(i);let[u,v]=g.error;this.log("upload",()=>[`error for entry ${u}`,v])}else{let u=v=>{this.channel.onError(()=>{this.joinCount===s&&v()})};h.initAdapterUpload(g,u,this.liveSocket)}})})}dispatchUploads(e,t){let i=_.findUploadInputs(this.el).filter(n=>n.name===e);i.length===0?Q(`no live file inputs found matching the name "${e}"`):i.length>1?Q(`duplicate live file inputs found matching the name "${e}"`):_.dispatchEvent(i[0],kn,{detail:{files:t}})}pushFormRecovery(e,t,i){this.liveSocket.withinOwners(e,(n,r)=>{let s=e.elements[0],o=e.getAttribute(this.binding(Ui))||e.getAttribute(this.binding("change"));_e.exec("change",o,n,s,["push",{_target:s.name,newCid:t,callback:i}])})}pushLinkPatch(e,t,i){let n=this.liveSocket.setPendingLink(e),r=t?()=>this.putRef([t],"click"):null,s=()=>this.liveSocket.redirect(window.location.href),o=this.pushWithReply(r,"live_patch",{url:e},a=>{this.liveSocket.requestDOMUpdate(()=>{a.link_redirect?this.liveSocket.replaceMain(e,null,i,n):(this.liveSocket.commitPendingLink(n)&&(this.href=e),this.applyPendingUpdates(),i&&i(n))})});o?o.receive("timeout",s):s()}formsForRecovery(e){if(this.joinCount===0)return[];let t=this.binding("change"),i=document.createElement("template");return i.innerHTML=e,_.all(this.el,`form[${t}]`).filter(n=>n.id&&this.ownsElement(n)).filter(n=>n.elements.length>0).filter(n=>n.getAttribute(this.binding(Ui))!=="ignore").map(n=>{let r=i.content.querySelector(`form[id="${n.id}"][${t}="${n.getAttribute(t)}"]`);return r?[n,r,this.targetComponentID(r)]:[n,null,null]}).filter(([n,r,s])=>r)}maybePushComponentsDestroyed(e){let t=e.filter(i=>_.findComponentNodeList(this.el,i).length===0);t.length>0&&(this.pruningCIDs.push(...t),this.pushWithReply(null,"cids_will_destroy",{cids:t},()=>{this.pruningCIDs=this.pruningCIDs.filter(n=>t.indexOf(n)!==-1);let i=t.filter(n=>_.findComponentNodeList(this.el,n).length===0);i.length>0&&this.pushWithReply(null,"cids_destroyed",{cids:i},n=>{this.rendered.pruneCIDs(n.cids)})}))}ownsElement(e){return e.getAttribute(Be)===this.id||Te(e.closest(Fe),t=>t.id)===this.id}submitForm(e,t,i,n={}){_.putPrivate(e,Ln,!0);let r=this.liveSocket.binding(ai),s=Array.from(e.elements);this.liveSocket.blurActiveElement(this),this.pushFormSubmit(e,t,i,n,()=>{s.forEach(o=>_.showError(o,r)),this.liveSocket.restorePreviouslyActiveFocus()})}binding(e){return this.liveSocket.binding(e)}},rs=class{constructor(e,t,i={}){if(this.unloaded=!1,!t||t.constructor.name==="Object")throw new Error(` +`,r.innerHTML.trim()),d.replaceWith(this.createSpan(d.nodeValue,t)),[!0,c]):(d.remove(),[h,c]),[!1,!1]);return!a&&!l?(Q(`expected at least one HTML element tag inside a component, but the component is empty: +`,r.innerHTML.trim()),this.createSpan("",t).outerHTML):(!a&&l&&Q("expected at least one HTML element tag directly inside a component, but only subcomponents were found. A component must render at least one HTML tag directly inside itself.",r.innerHTML.trim()),r.innerHTML)}createSpan(e,t){let i=document.createElement("span");return i.innerText=e,i.setAttribute(le,t),i}},os=1,et=class{static makeID(){return os++}static elementID(e){return e.phxHookId}constructor(e,t,i){this.__view=e,this.liveSocket=e.liveSocket,this.__callbacks=i,this.__listeners=new Set,this.__isDisconnected=!1,this.el=t,this.el.phxHookId=this.constructor.makeID();for(let n in this.__callbacks)this[n]=this.__callbacks[n]}__mounted(){this.mounted&&this.mounted()}__updated(){this.updated&&this.updated()}__beforeUpdate(){this.beforeUpdate&&this.beforeUpdate()}__destroyed(){this.destroyed&&this.destroyed()}__reconnected(){this.__isDisconnected&&(this.__isDisconnected=!1,this.reconnected&&this.reconnected())}__disconnected(){this.__isDisconnected=!0,this.disconnected&&this.disconnected()}pushEvent(e,t={},i=function(){}){return this.__view.pushHookEvent(null,e,t,i)}pushEventTo(e,t,i={},n=function(){}){return this.__view.withinTargets(e,(r,s)=>r.pushHookEvent(s,t,i,n))}handleEvent(e,t){let i=(n,r)=>r?e:t(n.detail);return window.addEventListener(`phx:${e}`,i),this.__listeners.add(i),i}removeHandleEvent(e){let t=e(null,!0);window.removeEventListener(`phx:${t}`,e),this.__listeners.delete(e)}upload(e,t){return this.__view.dispatchUploads(e,t)}uploadTo(e,t,i){return this.__view.withinTargets(e,n=>n.dispatchUploads(t,i))}__cleanup__(){this.__listeners.forEach(e=>this.removeHandleEvent(e))}},Ct=null,as={exec(e,t,i,n,r){let[s,o]=r||[null,{}];(t.charAt(0)==="["?JSON.parse(t):[[s,o]]).forEach(([l,h])=>{l===s&&o.data&&(h.data=Object.assign(h.data||{},o.data)),this.filterToEls(n,h).forEach(c=>{this[`exec_${l}`](e,t,i,n,c,h)})})},isVisible(e){return!!(e.offsetWidth||e.offsetHeight||e.getClientRects().length>0)},exec_dispatch(e,t,i,n,r,{to:s,event:o,detail:a,bubbles:l}){a=a||{},a.dispatcher=n,m.dispatchEvent(r,o,{detail:a,bubbles:l})},exec_push(e,t,i,n,r,s){if(!i.isConnected())return;let{event:o,data:a,target:l,page_loading:h,loading:c,value:d,dispatcher:g}=s,u={loading:c,value:d,target:l,page_loading:!!h},y=e==="change"&&g?g:n,v=l||y.getAttribute(i.binding("target"))||y;i.withinTargets(v,(_,S)=>{if(e==="change"){let{newCid:N,_target:f,callback:w}=s;f=f||(m.isFormInput(n)?n.name:void 0),f&&(u._target=f),_.pushInput(n,S,N,o||t,u,w)}else e==="submit"?_.submitForm(n,S,o||t,u):_.pushEvent(e,n,S,o||t,a,u)})},exec_navigate(e,t,i,n,r,{href:s,replace:o}){i.liveSocket.historyRedirect(s,o?"replace":"push")},exec_patch(e,t,i,n,r,{href:s,replace:o}){i.liveSocket.pushHistoryPatch(s,o?"replace":"push",n)},exec_focus(e,t,i,n,r){window.requestAnimationFrame(()=>Be.attemptFocus(r))},exec_focus_first(e,t,i,n,r){window.requestAnimationFrame(()=>Be.focusFirstInteractive(r)||Be.focusFirst(r))},exec_push_focus(e,t,i,n,r){window.requestAnimationFrame(()=>Ct=r||n)},exec_pop_focus(e,t,i,n,r){window.requestAnimationFrame(()=>{Ct&&Ct.focus(),Ct=null})},exec_add_class(e,t,i,n,r,{names:s,transition:o,time:a}){this.addOrRemoveClasses(r,s,[],o,a,i)},exec_remove_class(e,t,i,n,r,{names:s,transition:o,time:a}){this.addOrRemoveClasses(r,[],s,o,a,i)},exec_transition(e,t,i,n,r,{time:s,transition:o}){let[a,l,h]=o,c=()=>this.addOrRemoveClasses(r,a.concat(l),[]),d=()=>this.addOrRemoveClasses(r,h,a.concat(l));i.transition(s,c,d)},exec_toggle(e,t,i,n,r,{display:s,ins:o,outs:a,time:l}){this.toggle(e,i,r,s,o,a,l)},exec_show(e,t,i,n,r,{display:s,transition:o,time:a}){this.show(e,i,r,s,o,a)},exec_hide(e,t,i,n,r,{display:s,transition:o,time:a}){this.hide(e,i,r,s,o,a)},exec_set_attr(e,t,i,n,r,{attr:[s,o]}){this.setOrRemoveAttrs(r,[[s,o]],[])},exec_remove_attr(e,t,i,n,r,{attr:s}){this.setOrRemoveAttrs(r,[],[s])},show(e,t,i,n,r,s){this.isVisible(i)||this.toggle(e,t,i,n,r,null,s)},hide(e,t,i,n,r,s){this.isVisible(i)&&this.toggle(e,t,i,n,null,r,s)},toggle(e,t,i,n,r,s,o){let[a,l,h]=r||[[],[],[]],[c,d,g]=s||[[],[],[]];if(a.length>0||c.length>0)if(this.isVisible(i)){let u=()=>{this.addOrRemoveClasses(i,d,a.concat(l).concat(h)),window.requestAnimationFrame(()=>{this.addOrRemoveClasses(i,c,[]),window.requestAnimationFrame(()=>this.addOrRemoveClasses(i,g,d))})};i.dispatchEvent(new Event("phx:hide-start")),t.transition(o,u,()=>{this.addOrRemoveClasses(i,[],c.concat(g)),m.putSticky(i,"toggle",y=>y.style.display="none"),i.dispatchEvent(new Event("phx:hide-end"))})}else{if(e==="remove")return;let u=()=>{this.addOrRemoveClasses(i,l,c.concat(d).concat(g)),m.putSticky(i,"toggle",y=>y.style.display=n||"block"),window.requestAnimationFrame(()=>{this.addOrRemoveClasses(i,a,[]),window.requestAnimationFrame(()=>this.addOrRemoveClasses(i,h,l))})};i.dispatchEvent(new Event("phx:show-start")),t.transition(o,u,()=>{this.addOrRemoveClasses(i,[],a.concat(h)),i.dispatchEvent(new Event("phx:show-end"))})}else this.isVisible(i)?window.requestAnimationFrame(()=>{i.dispatchEvent(new Event("phx:hide-start")),m.putSticky(i,"toggle",u=>u.style.display="none"),i.dispatchEvent(new Event("phx:hide-end"))}):window.requestAnimationFrame(()=>{i.dispatchEvent(new Event("phx:show-start")),m.putSticky(i,"toggle",u=>u.style.display=n||"block"),i.dispatchEvent(new Event("phx:show-end"))})},addOrRemoveClasses(e,t,i,n,r,s){let[o,a,l]=n||[[],[],[]];if(o.length>0){let h=()=>this.addOrRemoveClasses(e,a.concat(o),[]),c=()=>this.addOrRemoveClasses(e,t.concat(l),i.concat(o).concat(a));return s.transition(r,h,c)}window.requestAnimationFrame(()=>{let[h,c]=m.getSticky(e,"classes",[[],[]]),d=t.filter(v=>h.indexOf(v)<0&&!e.classList.contains(v)),g=i.filter(v=>c.indexOf(v)<0&&e.classList.contains(v)),u=h.filter(v=>i.indexOf(v)<0).concat(d),y=c.filter(v=>t.indexOf(v)<0).concat(g);m.putSticky(e,"classes",v=>(v.classList.remove(...y),v.classList.add(...u),[u,y]))})},setOrRemoveAttrs(e,t,i){let[n,r]=m.getSticky(e,"attrs",[[],[]]),s=t.map(([l,h])=>l).concat(i),o=n.filter(([l,h])=>!s.includes(l)).concat(t),a=r.filter(l=>!s.includes(l)).concat(i);m.putSticky(e,"attrs",l=>(a.forEach(h=>l.removeAttribute(h)),o.forEach(([h,c])=>l.setAttribute(h,c)),[o,a]))},hasAllClasses(e,t){return t.every(i=>e.classList.contains(i))},isToggledOut(e,t){return!this.isVisible(e)||this.hasAllClasses(e,t)},filterToEls(e,{to:t}){return t?m.all(document,t):[e]}},ye=as,Tt=(e,t,i=[])=>{let n=new FormData(e),r=[];n.forEach((o,a,l)=>{o instanceof File&&r.push(a)}),r.forEach(o=>n.delete(o));let s=new URLSearchParams;for(let[o,a]of n.entries())(i.length===0||i.indexOf(o)>=0)&&s.append(o,a);for(let o in t)s.append(o,t[o]);return s.toString()},In=class{constructor(e,t,i,n,r){this.isDead=!1,this.liveSocket=t,this.flash=n,this.parent=i,this.root=i?i.root:this,this.el=e,this.id=this.el.id,this.ref=0,this.childJoins=0,this.loaderTimer=null,this.pendingDiffs=[],this.pruningCIDs=[],this.redirect=!1,this.href=null,this.joinCount=this.parent?this.parent.joinCount-1:0,this.joinPending=!0,this.destroyed=!1,this.joinCallback=function(s){s&&s()},this.stopCallback=function(){},this.pendingJoinOps=this.parent?null:[],this.viewHooks={},this.uploaders={},this.formSubmits=[],this.children=this.parent?null:{},this.root.children[this.id]={},this.channel=this.liveSocket.channel(`lv:${this.id}`,()=>({redirect:this.redirect?this.href:void 0,url:this.redirect?void 0:this.href||void 0,params:this.connectParams(r),session:this.getSession(),static:this.getStatic(),flash:this.flash}))}setHref(e){this.href=e}setRedirect(e){this.redirect=!0,this.href=e}isMain(){return this.el.hasAttribute(yi)}connectParams(e){let t=this.liveSocket.params(this.el),i=m.all(document,`[${this.binding(Er)}]`).map(n=>n.src||n.href).filter(n=>typeof n=="string");return i.length>0&&(t._track_static=i),t._mounts=this.joinCount,t._live_referer=e,t}isConnected(){return this.channel.canPush()}getSession(){return this.el.getAttribute(Oe)}getStatic(){let e=this.el.getAttribute(rt);return e===""?null:e}destroy(e=function(){}){this.destroyAllChildren(),this.destroyed=!0,delete this.root.children[this.id],this.parent&&delete this.root.children[this.parent.id][this.id],clearTimeout(this.loaderTimer);let t=()=>{e();for(let i in this.viewHooks)this.destroyHook(this.viewHooks[i])};m.markPhxChildDestroyed(this.el),this.log("destroyed",()=>["the child has been removed from the parent"]),this.channel.leave().receive("ok",t).receive("error",t).receive("timeout",t)}setContainerClasses(...e){this.el.classList.remove(Bi,Gt,Vi),this.el.classList.add(...e)}showLoader(e){if(clearTimeout(this.loaderTimer),e)this.loaderTimer=setTimeout(()=>this.showLoader(),e);else{for(let t in this.viewHooks)this.viewHooks[t].__disconnected();this.setContainerClasses(Gt)}}execAll(e){m.all(this.el,`[${e}]`,t=>this.liveSocket.execJS(t,t.getAttribute(e)))}hideLoader(){clearTimeout(this.loaderTimer),this.setContainerClasses(Bi),this.execAll(this.binding("connected"))}triggerReconnected(){for(let e in this.viewHooks)this.viewHooks[e].__reconnected()}log(e,t){this.liveSocket.log(this,e,t)}transition(e,t,i=function(){}){this.liveSocket.transition(e,t,i)}withinTargets(e,t){if(e instanceof HTMLElement||e instanceof SVGElement)return this.liveSocket.owner(e,i=>t(i,e));if(De(e))m.findComponentNodeList(this.el,e).length===0?Q(`no component found matching phx-target of ${e}`):t(this,parseInt(e));else{let i=Array.from(document.querySelectorAll(e));i.length===0&&Q(`nothing found matching the phx-target selector "${e}"`),i.forEach(n=>this.liveSocket.owner(n,r=>t(r,n)))}}applyDiff(e,t,i){this.log(e,()=>["",Dt(t)]);let{diff:n,reply:r,events:s,title:o}=sn.extract(t);i({diff:n,reply:r,events:s}),o&&window.requestAnimationFrame(()=>m.putTitle(o))}onJoin(e){let{rendered:t,container:i}=e;if(i){let[n,r]=i;this.el=m.replaceRootContainer(this.el,n,r)}this.childJoins=0,this.joinPending=!0,this.flash=null,_e.dropLocal(this.liveSocket.localStorage,window.location.pathname,Ln),this.applyDiff("mount",t,({diff:n,events:r})=>{this.rendered=new sn(this.id,n);let s=this.renderContainer(null,"join");this.dropPendingRefs();let o=this.formsForRecovery(s);this.joinCount++,o.length>0?o.forEach(([a,l,h],c)=>{this.pushFormRecovery(a,h,d=>{c===o.length-1&&this.onJoinComplete(d,s,r)})}):this.onJoinComplete(e,s,r)})}dropPendingRefs(){m.all(document,`[${Ne}="${this.id}"][${Ee}]`,e=>{e.removeAttribute(Ee),e.removeAttribute(Ne)})}onJoinComplete({live_patch:e},t,i){if(this.joinCount>1||this.parent&&!this.parent.isJoinPending())return this.applyJoinPatch(e,t,i);m.findPhxChildrenInFragment(t,this.id).filter(r=>{let s=r.id&&this.el.querySelector(`[id="${r.id}"]`),o=s&&s.getAttribute(rt);return o&&r.setAttribute(rt,o),this.joinChild(r)}).length===0?this.parent?(this.root.pendingJoinOps.push([this,()=>this.applyJoinPatch(e,t,i)]),this.parent.ackJoin(this)):(this.onAllChildJoinsComplete(),this.applyJoinPatch(e,t,i)):this.root.pendingJoinOps.push([this,()=>this.applyJoinPatch(e,t,i)])}attachTrueDocEl(){this.el=m.byId(this.id),this.el.setAttribute(ht,this.root.id)}execNewMounted(){m.all(this.el,`[${this.binding(Ye)}], [data-phx-${Ye}]`,e=>{this.maybeAddNewHook(e)}),m.all(this.el,`[${this.binding(Ki)}]`,e=>this.maybeMounted(e))}applyJoinPatch(e,t,i){this.attachTrueDocEl();let n=new At(this,this.el,this.id,t,null);if(n.markPrunableContentForRemoval(),this.performPatch(n,!1),this.joinNewChildren(),this.execNewMounted(),this.joinPending=!1,this.liveSocket.dispatchEvents(i),this.applyPendingUpdates(),e){let{kind:r,to:s}=e;this.liveSocket.historyPatch(s,r)}this.hideLoader(),this.joinCount>1&&this.triggerReconnected(),this.stopCallback()}triggerBeforeUpdateHook(e,t){this.liveSocket.triggerDOM("onBeforeElUpdated",[e,t]);let i=this.getHook(e),n=i&&m.isIgnored(e,this.binding(ui));if(i&&!e.isEqualNode(t)&&!(n&&Fr(e.dataset,t.dataset)))return i.__beforeUpdate(),i}maybeMounted(e){let t=e.getAttribute(this.binding(Ki)),i=t&&m.private(e,"mounted");t&&!i&&(this.liveSocket.execJS(e,t),m.putPrivate(e,"mounted",!0))}maybeAddNewHook(e,t){let i=this.addHook(e);i&&i.__mounted()}performPatch(e,t){let i=[],n=!1,r=new Set;return e.after("added",s=>{this.liveSocket.triggerDOM("onNodeAdded",[s]),this.maybeAddNewHook(s),s.getAttribute&&this.maybeMounted(s)}),e.after("phxChildAdded",s=>{m.isPhxSticky(s)?this.liveSocket.joinRootViews():n=!0}),e.before("updated",(s,o)=>{this.triggerBeforeUpdateHook(s,o)&&r.add(s.id)}),e.after("updated",s=>{r.has(s.id)&&this.getHook(s).__updated()}),e.after("discarded",s=>{s.nodeType===Node.ELEMENT_NODE&&i.push(s)}),e.after("transitionsDiscarded",s=>this.afterElementsRemoved(s,t)),e.perform(),this.afterElementsRemoved(i,t),n}afterElementsRemoved(e,t){let i=[];e.forEach(n=>{let r=m.all(n,`[${le}]`),s=m.all(n,`[${this.binding(Ye)}]`);r.concat(n).forEach(o=>{let a=this.componentID(o);De(a)&&i.indexOf(a)===-1&&i.push(a)}),s.concat(n).forEach(o=>{let a=this.getHook(o);a&&this.destroyHook(a)})}),t&&this.maybePushComponentsDestroyed(i)}joinNewChildren(){m.findPhxChildren(this.el,this.id).forEach(e=>this.joinChild(e))}getChildById(e){return this.root.children[this.id][e]}getDescendentByEl(e){return e.id===this.id?this:this.children[e.getAttribute(je)][e.id]}destroyDescendent(e){for(let t in this.root.children)for(let i in this.root.children[t])if(i===e)return this.root.children[t][i].destroy()}joinChild(e){if(!this.getChildById(e.id)){let i=new In(e,this.liveSocket,this);return this.root.children[this.id][i.id]=i,i.join(),this.childJoins++,!0}}isJoinPending(){return this.joinPending}ackJoin(e){this.childJoins--,this.childJoins===0&&(this.parent?this.parent.ackJoin(this):this.onAllChildJoinsComplete())}onAllChildJoinsComplete(){this.joinCallback(()=>{this.pendingJoinOps.forEach(([e,t])=>{e.isDestroyed()||t()}),this.pendingJoinOps=[]})}update(e,t){if(this.isJoinPending()||this.liveSocket.hasPendingLink()&&this.root.isMain())return this.pendingDiffs.push({diff:e,events:t});this.rendered.mergeDiff(e);let i=!1;this.rendered.isComponentOnlyDiff(e)?this.liveSocket.time("component patch complete",()=>{m.findParentCIDs(this.el,this.rendered.componentCIDs(e)).forEach(r=>{this.componentPatch(this.rendered.getComponent(e,r),r)&&(i=!0)})}):Qi(e)||this.liveSocket.time("full patch complete",()=>{let n=this.renderContainer(e,"update"),r=new At(this,this.el,this.id,n,null);i=this.performPatch(r,!0)}),this.liveSocket.dispatchEvents(t),i&&this.joinNewChildren()}renderContainer(e,t){return this.liveSocket.time(`toString diff (${t})`,()=>{let i=this.el.tagName,n=e?this.rendered.componentCIDs(e).concat(this.pruningCIDs):null,r=this.rendered.toString(n);return`<${i}>${r}`})}componentPatch(e,t){if(Qi(e))return!1;let i=this.rendered.componentToString(t),n=new At(this,this.el,this.id,i,t);return this.performPatch(n,!0)}getHook(e){return this.viewHooks[et.elementID(e)]}addHook(e){if(et.elementID(e)||!e.getAttribute)return;let t=e.getAttribute(`data-phx-${Ye}`)||e.getAttribute(this.binding(Ye));if(t&&!this.ownsElement(e))return;let i=this.liveSocket.getHookCallbacks(t);if(i){e.id||Q(`no DOM ID for hook "${t}". Hooks require a unique ID on each element.`,e);let n=new et(this,e,i);return this.viewHooks[et.elementID(n.el)]=n,n}else t!==null&&Q(`unknown hook found for "${t}"`,e)}destroyHook(e){e.__destroyed(),e.__cleanup__(),delete this.viewHooks[et.elementID(e.el)]}applyPendingUpdates(){this.pendingDiffs.forEach(({diff:e,events:t})=>this.update(e,t)),this.pendingDiffs=[],this.eachChild(e=>e.applyPendingUpdates())}eachChild(e){let t=this.root.children[this.id]||{};for(let i in t)e(this.getChildById(i))}onChannel(e,t){this.liveSocket.onChannel(this.channel,e,i=>{this.isJoinPending()?this.root.pendingJoinOps.push([this,()=>t(i)]):this.liveSocket.requestDOMUpdate(()=>t(i))})}bindChannel(){this.liveSocket.onChannel(this.channel,"diff",e=>{this.liveSocket.requestDOMUpdate(()=>{this.applyDiff("update",e,({diff:t,events:i})=>this.update(t,i))})}),this.onChannel("redirect",({to:e,flash:t})=>this.onRedirect({to:e,flash:t})),this.onChannel("live_patch",e=>this.onLivePatch(e)),this.onChannel("live_redirect",e=>this.onLiveRedirect(e)),this.channel.onError(e=>this.onError(e)),this.channel.onClose(e=>this.onClose(e))}destroyAllChildren(){this.eachChild(e=>e.destroy())}onLiveRedirect(e){let{to:t,kind:i,flash:n}=e,r=this.expandURL(t);this.liveSocket.historyRedirect(r,i,n)}onLivePatch(e){let{to:t,kind:i}=e;this.href=this.expandURL(t),this.liveSocket.historyPatch(t,i)}expandURL(e){return e.startsWith("/")?`${window.location.protocol}//${window.location.host}${e}`:e}onRedirect({to:e,flash:t}){this.liveSocket.redirect(e,t)}isDestroyed(){return this.destroyed}joinDead(){this.isDead=!0}join(e){this.showLoader(this.liveSocket.loaderTimeout),this.bindChannel(),this.isMain()&&(this.stopCallback=this.liveSocket.withPageLoading({to:this.href,kind:"initial"})),this.joinCallback=t=>{t=t||function(){},e?e(this.joinCount,t):t()},this.liveSocket.wrapPush(this,{timeout:!1},()=>this.channel.join().receive("ok",t=>{this.isDestroyed()||this.liveSocket.requestDOMUpdate(()=>this.onJoin(t))}).receive("error",t=>!this.isDestroyed()&&this.onJoinError(t)).receive("timeout",()=>!this.isDestroyed()&&this.onJoinError({reason:"timeout"})))}onJoinError(e){if(e.reason==="unauthorized"||e.reason==="stale")return this.log("error",()=>["unauthorized live_redirect. Falling back to page request",e]),this.onRedirect({to:this.href});if((e.redirect||e.live_redirect)&&(this.joinPending=!1,this.channel.leave()),e.redirect)return this.onRedirect(e.redirect);if(e.live_redirect)return this.onLiveRedirect(e.live_redirect);this.log("error",()=>["unable to join",e]),this.liveSocket.isConnected()&&this.liveSocket.reloadWithJitter(this)}onClose(e){if(!this.isDestroyed()){if(this.liveSocket.hasPendingLink()&&e!=="leave")return this.liveSocket.reloadWithJitter(this);this.destroyAllChildren(),this.liveSocket.dropActiveElement(this),document.activeElement&&document.activeElement.blur(),this.liveSocket.isUnloaded()&&this.showLoader(xr)}}onError(e){this.onClose(e),this.liveSocket.isConnected()&&this.log("error",()=>["view crashed",e]),this.liveSocket.isUnloaded()||this.displayError()}displayError(){this.isMain()&&m.dispatchEvent(window,"phx:page-loading-start",{detail:{to:this.href,kind:"error"}}),this.showLoader(),this.setContainerClasses(Gt,Vi),this.execAll(this.binding("disconnected"))}pushWithReply(e,t,i,n=function(){}){if(!this.isConnected())return;let[r,[s],o]=e?e():[null,[],{}],a=function(){};return(o.page_loading||s&&s.getAttribute(this.binding(ji))!==null)&&(a=this.liveSocket.withPageLoading({kind:"element",target:s})),typeof i.cid!="number"&&delete i.cid,this.liveSocket.wrapPush(this,{timeout:!0},()=>this.channel.push(t,i,Rr).receive("ok",l=>{let h=c=>{l.redirect&&this.onRedirect(l.redirect),l.live_patch&&this.onLivePatch(l.live_patch),l.live_redirect&&this.onLiveRedirect(l.live_redirect),r!==null&&this.undoRefs(r),a(),n(l,c)};l.diff?this.liveSocket.requestDOMUpdate(()=>{this.applyDiff("update",l.diff,({diff:c,reply:d,events:g})=>{this.update(c,g),h(d)})}):h(null)}))}undoRefs(e){this.isConnected()&&m.all(document,`[${Ne}="${this.id}"][${Ee}="${e}"]`,t=>{let i=t.getAttribute(vt);t.removeAttribute(Ee),t.removeAttribute(Ne),t.getAttribute(Qt)!==null&&(t.readOnly=!1,t.removeAttribute(Qt)),i!==null&&(t.disabled=i==="true",t.removeAttribute(vt)),On.forEach(s=>m.removeClass(t,s));let n=t.getAttribute(bt);n!==null&&(t.innerText=n,t.removeAttribute(bt));let r=m.private(t,Ee);if(r){let s=this.triggerBeforeUpdateHook(t,r);At.patchEl(t,r,this.liveSocket.getActiveElement()),s&&s.__updated(),m.deletePrivate(t,Ee)}})}putRef(e,t,i={}){let n=this.ref++,r=this.binding(di);return i.loading&&(e=e.concat(m.all(document,i.loading))),e.forEach(s=>{s.classList.add(`phx-${t}-loading`),s.setAttribute(Ee,n),s.setAttribute(Ne,this.el.id);let o=s.getAttribute(r);o!==null&&(s.getAttribute(bt)||s.setAttribute(bt,s.innerText),o!==""&&(s.innerText=o),s.setAttribute("disabled",""))}),[n,e,i]}componentID(e){let t=e.getAttribute&&e.getAttribute(le);return t?parseInt(t):null}targetComponentID(e,t,i={}){if(De(t))return t;let n=e.getAttribute(this.binding("target"));return De(n)?parseInt(n):t&&(n!==null||i.target)?this.closestComponentID(t):null}closestComponentID(e){return De(e)?e:e?Le(e.closest(`[${le}]`),t=>this.ownsElement(t)&&this.componentID(t)):null}pushHookEvent(e,t,i,n){if(!this.isConnected())return this.log("hook",()=>["unable to push hook event. LiveView not connected",t,i]),!1;let[r,s,o]=this.putRef([],"hook");return this.pushWithReply(()=>[r,s,o],"event",{type:"hook",event:t,value:i,cid:this.closestComponentID(e)},(a,l)=>n(l,r)),r}extractMeta(e,t,i){let n=this.binding("value-");for(let r=0;r=0&&!e.checked&&delete t.value),i){t||(t={});for(let r in i)t[r]=i[r]}return t}pushEvent(e,t,i,n,r,s={}){this.pushWithReply(()=>this.putRef([t],e,s),"event",{type:e,event:n,value:this.extractMeta(t,r,s.value),cid:this.targetComponentID(t,i,s)})}pushFileProgress(e,t,i,n=function(){}){this.liveSocket.withinOwners(e.form,(r,s)=>{r.pushWithReply(null,"progress",{event:e.getAttribute(r.binding(Lr)),ref:e.getAttribute(Me),entry_ref:t,progress:i,cid:r.targetComponentID(e.form,s)},n)})}pushInput(e,t,i,n,r,s){let o,a=De(i)?i:this.targetComponentID(e.form,t),l=()=>this.putRef([e,e.form],"change",r),h;e.getAttribute(this.binding("change"))?h=Tt(e.form,{_target:r._target},[e.name]):h=Tt(e.form,{_target:r._target}),m.isUploadInput(e)&&e.files&&e.files.length>0&&G.trackFiles(e,Array.from(e.files)),o=G.serializeUploads(e);let c={type:"form",event:n,value:h,uploads:o,cid:a};this.pushWithReply(l,"event",c,d=>{if(m.showError(e,this.liveSocket.binding(ci)),m.isUploadInput(e)&&e.getAttribute("data-phx-auto-upload")!==null){if(G.filesAwaitingPreflight(e).length>0){let[g,u]=l();this.uploadFiles(e.form,t,g,a,y=>{s&&s(d),this.triggerAwaitingSubmit(e.form)})}}else s&&s(d)})}triggerAwaitingSubmit(e){let t=this.getScheduledSubmit(e);if(t){let[i,n,r,s]=t;this.cancelSubmit(e),s()}}getScheduledSubmit(e){return this.formSubmits.find(([t,i,n,r])=>t.isSameNode(e))}scheduleSubmit(e,t,i,n){if(this.getScheduledSubmit(e))return!0;this.formSubmits.push([e,t,i,n])}cancelSubmit(e){this.formSubmits=this.formSubmits.filter(([t,i,n])=>t.isSameNode(e)?(this.undoRefs(i),!1):!0)}disableForm(e,t={}){let i=c=>!(st(c,`${this.binding(ui)}=ignore`,c.form)||st(c,"data-phx-update=ignore",c.form)),n=c=>c.hasAttribute(this.binding(di)),r=c=>c.tagName=="BUTTON",s=c=>["INPUT","TEXTAREA","SELECT"].includes(c.tagName),o=Array.from(e.elements),a=o.filter(n),l=o.filter(r).filter(i),h=o.filter(s).filter(i);return l.forEach(c=>{c.setAttribute(vt,c.disabled),c.disabled=!0}),h.forEach(c=>{c.setAttribute(Qt,c.readOnly),c.readOnly=!0,c.files&&(c.setAttribute(vt,c.disabled),c.disabled=!0)}),e.setAttribute(this.binding(ji),""),this.putRef([e].concat(a).concat(l).concat(h),"submit",t)}pushFormSubmit(e,t,i,n,r){let s=()=>this.disableForm(e,n),o=this.targetComponentID(e,t);if(G.hasUploadsInProgress(e)){let[a,l]=s(),h=()=>this.pushFormSubmit(e,t,i,n,r);return this.scheduleSubmit(e,a,n,h)}else if(G.inputsAwaitingPreflight(e).length>0){let[a,l]=s(),h=()=>[a,l,n];this.uploadFiles(e,t,a,o,c=>{let d=Tt(e,{});this.pushWithReply(h,"event",{type:"form",event:i,value:d,cid:o},r)})}else{let a=Tt(e,{});this.pushWithReply(s,"event",{type:"form",event:i,value:a,cid:o},r)}}uploadFiles(e,t,i,n,r){let s=this.joinCount,o=G.activeFileInputs(e),a=o.length;o.forEach(l=>{let h=new G(l,this,()=>{a--,a===0&&r()});this.uploaders[l]=h;let c=h.entries().map(g=>g.toPreflightPayload()),d={ref:l.getAttribute(Me),entries:c,cid:this.targetComponentID(l.form,t)};this.log("upload",()=>["sending preflight request",d]),this.pushWithReply(null,"allow_upload",d,g=>{if(this.log("upload",()=>["got preflight response",g]),g.error){this.undoRefs(i);let[u,y]=g.error;this.log("upload",()=>[`error for entry ${u}`,y])}else{let u=y=>{this.channel.onError(()=>{this.joinCount===s&&y()})};h.initAdapterUpload(g,u,this.liveSocket)}})})}dispatchUploads(e,t){let i=m.findUploadInputs(this.el).filter(n=>n.name===e);i.length===0?Q(`no live file inputs found matching the name "${e}"`):i.length>1?Q(`duplicate live file inputs found matching the name "${e}"`):m.dispatchEvent(i[0],xn,{detail:{files:t}})}pushFormRecovery(e,t,i){this.liveSocket.withinOwners(e,(n,r)=>{let s=e.elements[0],o=e.getAttribute(this.binding(qi))||e.getAttribute(this.binding("change"));ye.exec("change",o,n,s,["push",{_target:s.name,newCid:t,callback:i}])})}pushLinkPatch(e,t,i){let n=this.liveSocket.setPendingLink(e),r=t?()=>this.putRef([t],"click"):null,s=()=>this.liveSocket.redirect(window.location.href),o=this.pushWithReply(r,"live_patch",{url:e},a=>{this.liveSocket.requestDOMUpdate(()=>{a.link_redirect?this.liveSocket.replaceMain(e,null,i,n):(this.liveSocket.commitPendingLink(n)&&(this.href=e),this.applyPendingUpdates(),i&&i(n))})});o?o.receive("timeout",s):s()}formsForRecovery(e){if(this.joinCount===0)return[];let t=this.binding("change"),i=document.createElement("template");return i.innerHTML=e,m.all(this.el,`form[${t}]`).filter(n=>n.id&&this.ownsElement(n)).filter(n=>n.elements.length>0).filter(n=>n.getAttribute(this.binding(qi))!=="ignore").map(n=>{let r=i.content.querySelector(`form[id="${n.id}"][${t}="${n.getAttribute(t)}"]`);return r?[n,r,this.targetComponentID(r)]:[n,null,null]}).filter(([n,r,s])=>r)}maybePushComponentsDestroyed(e){let t=e.filter(i=>m.findComponentNodeList(this.el,i).length===0);t.length>0&&(this.pruningCIDs.push(...t),this.pushWithReply(null,"cids_will_destroy",{cids:t},()=>{this.pruningCIDs=this.pruningCIDs.filter(n=>t.indexOf(n)!==-1);let i=t.filter(n=>m.findComponentNodeList(this.el,n).length===0);i.length>0&&this.pushWithReply(null,"cids_destroyed",{cids:i},n=>{this.rendered.pruneCIDs(n.cids)})}))}ownsElement(e){let t=e.closest(Ue);return e.getAttribute(je)===this.id||t&&t.id===this.id||!t&&this.isDead}submitForm(e,t,i,n={}){m.putPrivate(e,hi,!0);let r=this.liveSocket.binding(ci),s=Array.from(e.elements);s.forEach(o=>m.putPrivate(o,hi,!0)),this.liveSocket.blurActiveElement(this),this.pushFormSubmit(e,t,i,n,()=>{s.forEach(o=>m.showError(o,r)),this.liveSocket.restorePreviouslyActiveFocus()})}binding(e){return this.liveSocket.binding(e)}},ls=class{constructor(e,t,i={}){if(this.unloaded=!1,!t||t.constructor.name==="Object")throw new Error(` a phoenix Socket must be provided as the second argument to the LiveSocket constructor. For example: import {Socket} from "phoenix" import {LiveSocket} from "phoenix_live_view" let liveSocket = new LiveSocket("/live", Socket, {...}) - `);this.socket=new t(e,i),this.bindingPrefix=i.bindingPrefix||Dr,this.opts=i,this.params=Qt(i.params||{}),this.viewLogger=i.viewLogger,this.metadataCallbacks=i.metadata||{},this.defaults=Object.assign(Tt(Pr),i.defaults||{}),this.activeElement=null,this.prevActive=null,this.silenced=!1,this.main=null,this.outgoingMainEl=null,this.clickStartedAtTarget=null,this.linkRef=1,this.roots={},this.href=window.location.href,this.pendingLink=null,this.currentLocation=Tt(window.location),this.hooks=i.hooks||{},this.uploaders=i.uploaders||{},this.loaderTimeout=i.loaderTimeout||kr,this.reloadWithJitterTimer=null,this.maxReloads=i.maxReloads||pr,this.reloadJitterMin=i.reloadJitterMin||gr,this.reloadJitterMax=i.reloadJitterMax||mr,this.failsafeJitter=i.failsafeJitter||vr,this.localStorage=i.localStorage||window.localStorage,this.sessionStorage=i.sessionStorage||window.sessionStorage,this.boundTopLevelEvents=!1,this.domCallbacks=Object.assign({onNodeAdded:Qt(),onBeforeElUpdated:Qt()},i.dom||{}),this.transitions=new ss,window.addEventListener("pagehide",n=>{this.unloaded=!0}),this.socket.onOpen(()=>{this.isUnloaded()&&window.location.reload()})}isProfileEnabled(){return this.sessionStorage.getItem(Yt)==="true"}isDebugEnabled(){return this.sessionStorage.getItem(bt)==="true"}isDebugDisabled(){return this.sessionStorage.getItem(bt)==="false"}enableDebug(){this.sessionStorage.setItem(bt,"true")}enableProfiling(){this.sessionStorage.setItem(Yt,"true")}disableDebug(){this.sessionStorage.setItem(bt,"false")}disableProfiling(){this.sessionStorage.removeItem(Yt)}enableLatencySim(e){this.enableDebug(),console.log("latency simulator enabled for the duration of this browser session. Call disableLatencySim() to disable"),this.sessionStorage.setItem(Gt,e)}disableLatencySim(){this.sessionStorage.removeItem(Gt)}getLatencySim(){let e=this.sessionStorage.getItem(Gt);return e?parseInt(e):null}getSocket(){return this.socket}connect(){window.location.hostname==="localhost"&&!this.isDebugDisabled()&&this.enableDebug();let e=()=>{this.joinRootViews()?(this.bindTopLevelEvents(),this.socket.connect()):this.main&&this.socket.connect()};["complete","loaded","interactive"].indexOf(document.readyState)>=0?e():document.addEventListener("DOMContentLoaded",()=>e())}disconnect(e){clearTimeout(this.reloadWithJitterTimer),this.socket.disconnect(e)}replaceTransport(e){clearTimeout(this.reloadWithJitterTimer),this.socket.replaceTransport(e),this.connect()}execJS(e,t,i=null){this.owner(e,n=>_e.exec(i,t,n,e))}triggerDOM(e,t){this.domCallbacks[e](...t)}time(e,t){if(!this.isProfileEnabled()||!console.time)return t();console.time(e);let i=t();return console.timeEnd(e),i}log(e,t,i){if(this.viewLogger){let[n,r]=i();this.viewLogger(e,t,n,r)}else if(this.isDebugEnabled()){let[n,r]=i();Ir(e,t,n,r)}}requestDOMUpdate(e){this.transitions.after(e)}transition(e,t,i=function(){}){this.transitions.addTransition(e,t,i)}onChannel(e,t,i){e.on(t,n=>{let r=this.getLatencySim();r?(console.log(`simulating ${r}ms of latency from server to client`),setTimeout(()=>i(n),r)):i(n)})}wrapPush(e,t,i){let n=this.getLatencySim(),r=e.joinCount;if(!n)return this.isConnected()&&t.timeout?i().receive("timeout",()=>{e.joinCount===r&&!e.isDestroyed()&&this.reloadWithJitter(e,()=>{this.log(e,"timeout",()=>["received timeout while communicating with server. Falling back to hard refresh for recovery"])})}):i();console.log(`simulating ${n}ms of latency from client to server`);let s={receives:[],receive(o,a){this.receives.push([o,a])}};return setTimeout(()=>{e.isDestroyed()||s.receives.reduce((o,[a,l])=>o.receive(a,l),i())},n),s}reloadWithJitter(e,t){clearTimeout(this.reloadWithJitterTimer),this.disconnect();let i=this.reloadJitterMin,n=this.reloadJitterMax,r=Math.floor(Math.random()*(n-i+1))+i,s=Oe.updateLocal(this.localStorage,window.location.pathname,Tn,0,o=>o+1);s>this.maxReloads&&(r=this.failsafeJitter),this.reloadWithJitterTimer=setTimeout(()=>{e.isDestroyed()||e.isConnected()||(e.destroy(),t?t():this.log(e,"join",()=>[`encountered ${s} consecutive reloads`]),s>this.maxReloads&&this.log(e,"join",()=>[`exceeded ${this.maxReloads} consecutive reloads. Entering failsafe mode`]),this.hasPendingLink()?window.location=this.pendingLink:window.location.reload())},r)}getHookCallbacks(e){return e&&e.startsWith("Phoenix.")?Br[e.split(".")[1]]:this.hooks[e]}isUnloaded(){return this.unloaded}isConnected(){return this.socket.isConnected()}getBindingPrefix(){return this.bindingPrefix}binding(e){return`${this.getBindingPrefix()}${e}`}channel(e,t){return this.socket.channel(e,t)}joinRootViews(){let e=!1;return _.all(document,`${Fe}:not([${Be}])`,t=>{if(!this.getRootById(t.id)){let i=this.newRootView(t);i.setHref(this.getHref()),i.join(),t.getAttribute(vi)&&(this.main=i)}e=!0}),e}redirect(e,t){this.disconnect(),Oe.redirect(e,t)}replaceMain(e,t,i=null,n=this.setPendingLink(e)){this.outgoingMainEl=this.outgoingMainEl||this.main.el;let r=_.cloneNode(this.outgoingMainEl,"");this.main.showLoader(this.loaderTimeout),this.main.destroy(),this.main=this.newRootView(r,t),this.main.setRedirect(e),this.transitionRemoves(),this.main.join((s,o)=>{s===1&&this.commitPendingLink(n)&&this.requestDOMUpdate(()=>{_.findPhxSticky(document).forEach(a=>r.appendChild(a)),this.outgoingMainEl.replaceWith(r),this.outgoingMainEl=null,i&&requestAnimationFrame(i),o()})})}transitionRemoves(e){let t=this.binding("remove");e=e||_.all(document,`[${t}]`),e.forEach(i=>{document.body.contains(i)&&this.execJS(i,i.getAttribute(t),"remove")})}isPhxView(e){return e.getAttribute&&e.getAttribute(Le)!==null}newRootView(e,t){let i=new xn(e,this,null,t);return this.roots[i.id]=i,i}owner(e,t){let i=Te(e.closest(Fe),n=>this.getViewByEl(n))||this.main;i&&t(i)}withinOwners(e,t){this.owner(e,i=>t(i,e))}getViewByEl(e){let t=e.getAttribute(ct);return Te(this.getRootById(t),i=>i.getDescendentByEl(e))}getRootById(e){return this.roots[e]}destroyAllViews(){for(let e in this.roots)this.roots[e].destroy(),delete this.roots[e];this.main=null}destroyViewByEl(e){let t=this.getRootById(e.getAttribute(ct));t&&t.id===e.id?(t.destroy(),delete this.roots[t.id]):t&&t.destroyDescendent(e.id)}setActiveElement(e){if(this.activeElement===e)return;this.activeElement=e;let t=()=>{e===this.activeElement&&(this.activeElement=null),e.removeEventListener("mouseup",this),e.removeEventListener("touchend",this)};e.addEventListener("mouseup",t),e.addEventListener("touchend",t)}getActiveElement(){return document.activeElement===document.body?this.activeElement||document.activeElement:document.activeElement||document.body}dropActiveElement(e){this.prevActive&&e.ownsElement(this.prevActive)&&(this.prevActive=null)}restorePreviouslyActiveFocus(){this.prevActive&&this.prevActive!==document.body&&this.prevActive.focus()}blurActiveElement(){this.prevActive=this.getActiveElement(),this.prevActive!==document.body&&this.prevActive.blur()}bindTopLevelEvents(){this.boundTopLevelEvents||(this.boundTopLevelEvents=!0,this.socket.onClose(e=>{e&&e.code===1e3&&this.main&&this.reloadWithJitter(this.main)}),document.body.addEventListener("click",function(){}),window.addEventListener("pageshow",e=>{e.persisted&&(this.getSocket().disconnect(),this.withPageLoading({to:window.location.href,kind:"redirect"}),window.location.reload())},!0),this.bindNav(),this.bindClicks(),this.bindForms(),this.bind({keyup:"keyup",keydown:"keydown"},(e,t,i,n,r,s)=>{let o=n.getAttribute(this.binding(Tr)),a=e.key&&e.key.toLowerCase();if(o&&o.toLowerCase()!==a)return;let l={key:e.key,...this.eventMeta(t,e,n)};_e.exec(t,r,i,n,["push",{data:l}])}),this.bind({blur:"focusout",focus:"focusin"},(e,t,i,n,r,s)=>{if(!s){let o={key:e.key,...this.eventMeta(t,e,n)};_e.exec(t,r,i,n,["push",{data:o}])}}),this.bind({blur:"blur",focus:"focus"},(e,t,i,n,r,s,o)=>{if(o==="window"){let a=this.eventMeta(t,e,n);_e.exec(t,s,i,n,["push",{data:a}])}}),window.addEventListener("dragover",e=>e.preventDefault()),window.addEventListener("drop",e=>{e.preventDefault();let t=Te(rt(e.target,this.binding(Ii)),r=>r.getAttribute(this.binding(Ii))),i=t&&document.getElementById(t),n=Array.from(e.dataTransfer.files||[]);!i||i.disabled||n.length===0||!(i.files instanceof FileList)||(G.trackFiles(i,n),i.dispatchEvent(new Event("input",{bubbles:!0})))}),this.on(kn,e=>{let t=e.target;if(!_.isUploadInput(t))return;let i=Array.from(e.detail.files||[]).filter(n=>n instanceof File||n instanceof Blob);G.trackFiles(t,i),t.dispatchEvent(new Event("input",{bubbles:!0}))}))}eventMeta(e,t,i){let n=this.metadataCallbacks[e];return n?n(t,i):{}}setPendingLink(e){return this.linkRef++,this.pendingLink=e,this.linkRef}commitPendingLink(e){return this.linkRef!==e?!1:(this.href=this.pendingLink,this.pendingLink=null,!0)}getHref(){return this.href}hasPendingLink(){return!!this.pendingLink}bind(e,t){for(let i in e){let n=e[i];this.on(n,r=>{let s=this.binding(i),o=this.binding(`window-${i}`),a=r.target.getAttribute&&r.target.getAttribute(s);a?this.debounce(r.target,r,n,()=>{this.withinOwners(r.target,l=>{t(r,i,l,r.target,a,null)})}):_.all(document,`[${o}]`,l=>{let h=l.getAttribute(o);this.debounce(l,r,n,()=>{this.withinOwners(l,d=>{t(r,i,d,l,h,"window")})})})})}}bindClicks(){window.addEventListener("mousedown",e=>this.clickStartedAtTarget=e.target),this.bindClick("click","click",!1),this.bindClick("mousedown","capture-click",!0)}bindClick(e,t,i){let n=this.binding(t);window.addEventListener(e,r=>{let s=null;if(i)s=r.target.matches(`[${n}]`)?r.target:r.target.querySelector(`[${n}]`);else{let a=this.clickStartedAtTarget||r.target;s=rt(a,n),this.dispatchClickAway(r,a),this.clickStartedAtTarget=null}let o=s&&s.getAttribute(n);o&&(s.getAttribute("href")==="#"&&r.preventDefault(),this.debounce(s,r,"click",()=>{this.withinOwners(s,a=>{_e.exec("click",o,a,s,["push",{data:this.eventMeta("click",r,s)}])})}))},i)}dispatchClickAway(e,t){let i=this.binding("click-away");_.all(document,`[${i}]`,n=>{n.isSameNode(t)||n.contains(t)||this.withinOwners(e.target,r=>{let s=n.getAttribute(i);_e.isVisible(n)&&_e.exec("click",s,r,n,["push",{data:this.eventMeta("click",e,e.target)}])})})}bindNav(){if(!Oe.canPushState())return;history.scrollRestoration&&(history.scrollRestoration="manual");let e=null;window.addEventListener("scroll",t=>{clearTimeout(e),e=setTimeout(()=>{Oe.updateCurrentState(i=>Object.assign(i,{scroll:window.scrollY}))},100)}),window.addEventListener("popstate",t=>{if(!this.registerNewLocation(window.location))return;let{type:i,id:n,root:r,scroll:s}=t.state||{},o=window.location.href;this.requestDOMUpdate(()=>{this.main.isConnected()&&i==="patch"&&n===this.main.id?this.main.pushLinkPatch(o,null):this.replaceMain(o,null,()=>{r&&this.replaceRootHistory(),typeof s=="number"&&setTimeout(()=>{window.scrollTo(0,s)},0)})})},!1),window.addEventListener("click",t=>{let i=rt(t.target,Jt),n=i&&i.getAttribute(Jt),r=t.metaKey||t.ctrlKey||t.button===1;if(!n||!this.isConnected()||!this.main||r)return;let s=i.href,o=i.getAttribute(_r);t.preventDefault(),t.stopImmediatePropagation(),this.pendingLink!==s&&this.requestDOMUpdate(()=>{if(n==="patch")this.pushHistoryPatch(s,o,i);else if(n==="redirect")this.historyRedirect(s,o);else throw new Error(`expected ${Jt} to be "patch" or "redirect", got: ${n}`)})},!1)}dispatchEvent(e,t={}){_.dispatchEvent(window,`phx:${e}`,{detail:t})}dispatchEvents(e){e.forEach(([t,i])=>this.dispatchEvent(t,i))}withPageLoading(e,t){_.dispatchEvent(window,"phx:page-loading-start",{detail:e});let i=()=>_.dispatchEvent(window,"phx:page-loading-stop",{detail:e});return t?t(i):i}pushHistoryPatch(e,t,i){this.withPageLoading({to:e,kind:"patch"},n=>{this.main.pushLinkPatch(e,i,r=>{this.historyPatch(e,t,r),n()})})}historyPatch(e,t,i=this.setPendingLink(e)){this.commitPendingLink(i)&&(Oe.pushState(t,{type:"patch",id:this.main.id},e),this.registerNewLocation(window.location))}historyRedirect(e,t,i){let n=window.scrollY;this.withPageLoading({to:e,kind:"redirect"},r=>{this.replaceMain(e,i,()=>{Oe.pushState(t,{type:"redirect",id:this.main.id,scroll:n},e),this.registerNewLocation(window.location),r()})})}replaceRootHistory(){Oe.pushState("replace",{root:!0,type:"patch",id:this.main.id})}registerNewLocation(e){let{pathname:t,search:i}=this.currentLocation;return t+i===e.pathname+e.search?!1:(this.currentLocation=Tt(e),!0)}bindForms(){let e=0;this.on("submit",t=>{let i=t.target.getAttribute(this.binding("submit"));i&&(t.preventDefault(),t.target.disabled=!0,this.withinOwners(t.target,n=>{_e.exec("submit",i,n,t.target,["push",{}])}))},!1);for(let t of["change","input"])this.on(t,i=>{let n=this.binding("change"),r=i.target,s=r.getAttribute(n),o=r.form&&r.form.getAttribute(n),a=s||o;if(!a||r.type==="number"&&r.validity&&r.validity.badInput)return;let l=s?r:r.form,h=e;e++;let{at:d,type:c}=_.private(r,"prev-iteration")||{};d===h-1&&t!==c||(_.putPrivate(r,"prev-iteration",{at:h,type:t}),this.debounce(r,i,t,()=>{this.withinOwners(l,g=>{_.putPrivate(r,On,!0),_.isTextualInput(r)||this.setActiveElement(r),_e.exec("change",a,g,r,["push",{_target:i.target.name,dispatcher:l}])})}))},!1)}debounce(e,t,i,n){if(i==="blur"||i==="focusout")return n();let r=this.binding(wr),s=this.binding(Cr),o=this.defaults.debounce.toString(),a=this.defaults.throttle.toString();this.withinOwners(e,l=>{let h=()=>!l.isDestroyed()&&document.body.contains(e);_.debounce(e,t,r,o,s,a,h,()=>{n()})})}silenceEvents(e){this.silenced=!0,e(),this.silenced=!1}on(e,t){window.addEventListener(e,i=>{this.silenced||t(i)})}},ss=class{constructor(){this.transitions=new Set,this.pendingOps=[],this.reset()}reset(){this.transitions.forEach(e=>{cancelTimeout(e),this.transitions.delete(e)}),this.flushPendingOps()}after(e){this.size()===0?e():this.pushPendingOp(e)}addTransition(e,t,i){t();let n=setTimeout(()=>{this.transitions.delete(n),i(),this.size()===0&&this.flushPendingOps()},e);this.transitions.add(n)}pushPendingOp(e){this.pendingOps.push(e)}size(){return this.transitions.size}flushPendingOps(){this.pendingOps.forEach(e=>e()),this.pendingOps=[]}},tn={},os={get exports(){return tn},set exports(e){tn=e}},st={},as={get exports(){return st},set exports(e){st=e}};/*! + `);this.socket=new t(e,i),this.bindingPrefix=i.bindingPrefix||Pr,this.opts=i,this.params=ti(i.params||{}),this.viewLogger=i.viewLogger,this.metadataCallbacks=i.metadata||{},this.defaults=Object.assign(Dt(Nr),i.defaults||{}),this.activeElement=null,this.prevActive=null,this.silenced=!1,this.main=null,this.outgoingMainEl=null,this.clickStartedAtTarget=null,this.linkRef=1,this.roots={},this.href=window.location.href,this.pendingLink=null,this.currentLocation=Dt(window.location),this.hooks=i.hooks||{},this.uploaders=i.uploaders||{},this.loaderTimeout=i.loaderTimeout||Or,this.reloadWithJitterTimer=null,this.maxReloads=i.maxReloads||vr,this.reloadJitterMin=i.reloadJitterMin||br,this.reloadJitterMax=i.reloadJitterMax||_r,this.failsafeJitter=i.failsafeJitter||yr,this.localStorage=i.localStorage||window.localStorage,this.sessionStorage=i.sessionStorage||window.sessionStorage,this.boundTopLevelEvents=!1,this.domCallbacks=Object.assign({onNodeAdded:ti(),onBeforeElUpdated:ti()},i.dom||{}),this.transitions=new cs,window.addEventListener("pagehide",n=>{this.unloaded=!0}),this.socket.onOpen(()=>{this.isUnloaded()&&window.location.reload()})}isProfileEnabled(){return this.sessionStorage.getItem(Zt)==="true"}isDebugEnabled(){return this.sessionStorage.getItem(_t)==="true"}isDebugDisabled(){return this.sessionStorage.getItem(_t)==="false"}enableDebug(){this.sessionStorage.setItem(_t,"true")}enableProfiling(){this.sessionStorage.setItem(Zt,"true")}disableDebug(){this.sessionStorage.setItem(_t,"false")}disableProfiling(){this.sessionStorage.removeItem(Zt)}enableLatencySim(e){this.enableDebug(),console.log("latency simulator enabled for the duration of this browser session. Call disableLatencySim() to disable"),this.sessionStorage.setItem(ei,e)}disableLatencySim(){this.sessionStorage.removeItem(ei)}getLatencySim(){let e=this.sessionStorage.getItem(ei);return e?parseInt(e):null}getSocket(){return this.socket}connect(){window.location.hostname==="localhost"&&!this.isDebugDisabled()&&this.enableDebug();let e=()=>{this.joinRootViews()?(this.bindTopLevelEvents(),this.socket.connect()):this.main?this.socket.connect():this.bindTopLevelEvents({dead:!0}),this.joinDeadView()};["complete","loaded","interactive"].indexOf(document.readyState)>=0?e():document.addEventListener("DOMContentLoaded",()=>e())}disconnect(e){clearTimeout(this.reloadWithJitterTimer),this.socket.disconnect(e)}replaceTransport(e){clearTimeout(this.reloadWithJitterTimer),this.socket.replaceTransport(e),this.connect()}execJS(e,t,i=null){this.owner(e,n=>ye.exec(i,t,n,e))}unload(){this.unloaded||(this.main&&this.isConnected()&&this.log(this.main,"socket",()=>["disconnect for page nav"]),this.unloaded=!0,this.destroyAllViews(),this.disconnect())}triggerDOM(e,t){this.domCallbacks[e](...t)}time(e,t){if(!this.isProfileEnabled()||!console.time)return t();console.time(e);let i=t();return console.timeEnd(e),i}log(e,t,i){if(this.viewLogger){let[n,r]=i();this.viewLogger(e,t,n,r)}else if(this.isDebugEnabled()){let[n,r]=i();$r(e,t,n,r)}}requestDOMUpdate(e){this.transitions.after(e)}transition(e,t,i=function(){}){this.transitions.addTransition(e,t,i)}onChannel(e,t,i){e.on(t,n=>{let r=this.getLatencySim();r?setTimeout(()=>i(n),r):i(n)})}wrapPush(e,t,i){let n=this.getLatencySim(),r=e.joinCount;if(!n)return this.isConnected()&&t.timeout?i().receive("timeout",()=>{e.joinCount===r&&!e.isDestroyed()&&this.reloadWithJitter(e,()=>{this.log(e,"timeout",()=>["received timeout while communicating with server. Falling back to hard refresh for recovery"])})}):i();let s={receives:[],receive(o,a){this.receives.push([o,a])}};return setTimeout(()=>{e.isDestroyed()||s.receives.reduce((o,[a,l])=>o.receive(a,l),i())},n),s}reloadWithJitter(e,t){clearTimeout(this.reloadWithJitterTimer),this.disconnect();let i=this.reloadJitterMin,n=this.reloadJitterMax,r=Math.floor(Math.random()*(n-i+1))+i,s=_e.updateLocal(this.localStorage,window.location.pathname,Ln,0,o=>o+1);s>this.maxReloads&&(r=this.failsafeJitter),this.reloadWithJitterTimer=setTimeout(()=>{e.isDestroyed()||e.isConnected()||(e.destroy(),t?t():this.log(e,"join",()=>[`encountered ${s} consecutive reloads`]),s>this.maxReloads&&this.log(e,"join",()=>[`exceeded ${this.maxReloads} consecutive reloads. Entering failsafe mode`]),this.hasPendingLink()?window.location=this.pendingLink:window.location.reload())},r)}getHookCallbacks(e){return e&&e.startsWith("Phoenix.")?Wr[e.split(".")[1]]:this.hooks[e]}isUnloaded(){return this.unloaded}isConnected(){return this.socket.isConnected()}getBindingPrefix(){return this.bindingPrefix}binding(e){return`${this.getBindingPrefix()}${e}`}channel(e,t){return this.socket.channel(e,t)}joinDeadView(){let e=document.body;if(e&&!this.isPhxView(e)&&!this.isPhxView(document.firstElementChild)){let t=this.newRootView(e);t.setHref(this.getHref()),t.joinDead(),this.main||(this.main=t),window.requestAnimationFrame(()=>t.execNewMounted())}}joinRootViews(){let e=!1;return m.all(document,`${Ue}:not([${je}])`,t=>{if(!this.getRootById(t.id)){let i=this.newRootView(t);i.setHref(this.getHref()),i.join(),t.hasAttribute(yi)&&(this.main=i)}e=!0}),e}redirect(e,t){this.disconnect(),_e.redirect(e,t)}replaceMain(e,t,i=null,n=this.setPendingLink(e)){let r=this.currentLocation.href;this.outgoingMainEl=this.outgoingMainEl||this.main.el;let s=m.cloneNode(this.outgoingMainEl,"");this.main.showLoader(this.loaderTimeout),this.main.destroy(),this.main=this.newRootView(s,t,r),this.main.setRedirect(e),this.transitionRemoves(),this.main.join((o,a)=>{o===1&&this.commitPendingLink(n)&&this.requestDOMUpdate(()=>{m.findPhxSticky(document).forEach(l=>s.appendChild(l)),this.outgoingMainEl.replaceWith(s),this.outgoingMainEl=null,i&&requestAnimationFrame(i),a()})})}transitionRemoves(e){let t=this.binding("remove");e=e||m.all(document,`[${t}]`),e.forEach(i=>{document.body.contains(i)&&this.execJS(i,i.getAttribute(t),"remove")})}isPhxView(e){return e.getAttribute&&e.getAttribute(Oe)!==null}newRootView(e,t,i){let n=new In(e,this,null,t,i);return this.roots[n.id]=n,n}owner(e,t){let i=Le(e.closest(Ue),n=>this.getViewByEl(n))||this.main;i&&t(i)}withinOwners(e,t){this.owner(e,i=>t(i,e))}getViewByEl(e){let t=e.getAttribute(ht);return Le(this.getRootById(t),i=>i.getDescendentByEl(e))}getRootById(e){return this.roots[e]}destroyAllViews(){for(let e in this.roots)this.roots[e].destroy(),delete this.roots[e];this.main=null}destroyViewByEl(e){let t=this.getRootById(e.getAttribute(ht));t&&t.id===e.id?(t.destroy(),delete this.roots[t.id]):t&&t.destroyDescendent(e.id)}setActiveElement(e){if(this.activeElement===e)return;this.activeElement=e;let t=()=>{e===this.activeElement&&(this.activeElement=null),e.removeEventListener("mouseup",this),e.removeEventListener("touchend",this)};e.addEventListener("mouseup",t),e.addEventListener("touchend",t)}getActiveElement(){return document.activeElement===document.body?this.activeElement||document.activeElement:document.activeElement||document.body}dropActiveElement(e){this.prevActive&&e.ownsElement(this.prevActive)&&(this.prevActive=null)}restorePreviouslyActiveFocus(){this.prevActive&&this.prevActive!==document.body&&this.prevActive.focus()}blurActiveElement(){this.prevActive=this.getActiveElement(),this.prevActive!==document.body&&this.prevActive.blur()}bindTopLevelEvents({dead:e}={}){this.boundTopLevelEvents||(this.boundTopLevelEvents=!0,this.socket.onClose(t=>{if(t&&t.code===1001)return this.unload();if(t&&t.code===1e3&&this.main)return this.reloadWithJitter(this.main)}),document.body.addEventListener("click",function(){}),window.addEventListener("pageshow",t=>{t.persisted&&(this.getSocket().disconnect(),this.withPageLoading({to:window.location.href,kind:"redirect"}),window.location.reload())},!0),e||this.bindNav(),this.bindClicks(),e||this.bindForms(),this.bind({keyup:"keyup",keydown:"keydown"},(t,i,n,r,s,o)=>{let a=r.getAttribute(this.binding(Dr)),l=t.key&&t.key.toLowerCase();if(a&&a.toLowerCase()!==l)return;let h={key:t.key,...this.eventMeta(i,t,r)};ye.exec(i,s,n,r,["push",{data:h}])}),this.bind({blur:"focusout",focus:"focusin"},(t,i,n,r,s,o)=>{if(!o){let a={key:t.key,...this.eventMeta(i,t,r)};ye.exec(i,s,n,r,["push",{data:a}])}}),this.bind({blur:"blur",focus:"focus"},(t,i,n,r,s,o,a)=>{if(a==="window"){let l=this.eventMeta(i,t,r);ye.exec(i,o,n,r,["push",{data:l}])}}),window.addEventListener("dragover",t=>t.preventDefault()),window.addEventListener("drop",t=>{t.preventDefault();let i=Le(st(t.target,this.binding($i)),s=>s.getAttribute(this.binding($i))),n=i&&document.getElementById(i),r=Array.from(t.dataTransfer.files||[]);!n||n.disabled||r.length===0||!(n.files instanceof FileList)||(G.trackFiles(n,r),n.dispatchEvent(new Event("input",{bubbles:!0})))}),this.on(xn,t=>{let i=t.target;if(!m.isUploadInput(i))return;let n=Array.from(t.detail.files||[]).filter(r=>r instanceof File||r instanceof Blob);G.trackFiles(i,n),i.dispatchEvent(new Event("input",{bubbles:!0}))}))}eventMeta(e,t,i){let n=this.metadataCallbacks[e];return n?n(t,i):{}}setPendingLink(e){return this.linkRef++,this.pendingLink=e,this.linkRef}commitPendingLink(e){return this.linkRef!==e?!1:(this.href=this.pendingLink,this.pendingLink=null,!0)}getHref(){return this.href}hasPendingLink(){return!!this.pendingLink}bind(e,t){for(let i in e){let n=e[i];this.on(n,r=>{let s=this.binding(i),o=this.binding(`window-${i}`),a=r.target.getAttribute&&r.target.getAttribute(s);a?this.debounce(r.target,r,n,()=>{this.withinOwners(r.target,l=>{t(r,i,l,r.target,a,null)})}):m.all(document,`[${o}]`,l=>{let h=l.getAttribute(o);this.debounce(l,r,n,()=>{this.withinOwners(l,c=>{t(r,i,c,l,h,"window")})})})})}}bindClicks(){window.addEventListener("click",e=>this.clickStartedAtTarget=e.target),this.bindClick("click","click",!1),this.bindClick("mousedown","capture-click",!0)}bindClick(e,t,i){let n=this.binding(t);window.addEventListener(e,r=>{let s=null;if(i)s=r.target.matches(`[${n}]`)?r.target:r.target.querySelector(`[${n}]`);else{let a=this.clickStartedAtTarget||r.target;s=st(a,n),this.dispatchClickAway(r,a),this.clickStartedAtTarget=null}let o=s&&s.getAttribute(n);if(!o){let a=r.target instanceof HTMLAnchorElement?r.target.getAttribute("href"):null;!i&&a!==null&&!m.wantsNewTab(r)&&m.isNewPageHref(a,window.location)&&this.unload();return}s.getAttribute("href")==="#"&&r.preventDefault(),this.debounce(s,r,"click",()=>{this.withinOwners(s,a=>{ye.exec("click",o,a,s,["push",{data:this.eventMeta("click",r,s)}])})})},i)}dispatchClickAway(e,t){let i=this.binding("click-away");m.all(document,`[${i}]`,n=>{n.isSameNode(t)||n.contains(t)||this.withinOwners(e.target,r=>{let s=n.getAttribute(i);ye.isVisible(n)&&ye.exec("click",s,r,n,["push",{data:this.eventMeta("click",e,e.target)}])})})}bindNav(){if(!_e.canPushState())return;history.scrollRestoration&&(history.scrollRestoration="manual");let e=null;window.addEventListener("scroll",t=>{clearTimeout(e),e=setTimeout(()=>{_e.updateCurrentState(i=>Object.assign(i,{scroll:window.scrollY}))},100)}),window.addEventListener("popstate",t=>{if(!this.registerNewLocation(window.location))return;let{type:i,id:n,root:r,scroll:s}=t.state||{},o=window.location.href;this.requestDOMUpdate(()=>{this.main.isConnected()&&i==="patch"&&n===this.main.id?this.main.pushLinkPatch(o,null,()=>{this.maybeScroll(s)}):this.replaceMain(o,null,()=>{r&&this.replaceRootHistory(),this.maybeScroll(s)})})},!1),window.addEventListener("click",t=>{let i=st(t.target,Yt),n=i&&i.getAttribute(Yt);if(!n||!this.isConnected()||!this.main||m.wantsNewTab(t))return;let r=i.href,s=i.getAttribute(wr);t.preventDefault(),t.stopImmediatePropagation(),this.pendingLink!==r&&this.requestDOMUpdate(()=>{if(n==="patch")this.pushHistoryPatch(r,s,i);else if(n==="redirect")this.historyRedirect(r,s);else throw new Error(`expected ${Yt} to be "patch" or "redirect", got: ${n}`);let o=i.getAttribute(this.binding("click"));o&&this.requestDOMUpdate(()=>this.execJS(i,o,"click"))})},!1)}maybeScroll(e){typeof e=="number"&&requestAnimationFrame(()=>{window.scrollTo(0,e)})}dispatchEvent(e,t={}){m.dispatchEvent(window,`phx:${e}`,{detail:t})}dispatchEvents(e){e.forEach(([t,i])=>this.dispatchEvent(t,i))}withPageLoading(e,t){m.dispatchEvent(window,"phx:page-loading-start",{detail:e});let i=()=>m.dispatchEvent(window,"phx:page-loading-stop",{detail:e});return t?t(i):i}pushHistoryPatch(e,t,i){if(!this.isConnected())return _e.redirect(e);this.withPageLoading({to:e,kind:"patch"},n=>{this.main.pushLinkPatch(e,i,r=>{this.historyPatch(e,t,r),n()})})}historyPatch(e,t,i=this.setPendingLink(e)){this.commitPendingLink(i)&&(_e.pushState(t,{type:"patch",id:this.main.id},e),this.registerNewLocation(window.location))}historyRedirect(e,t,i){if(!this.isConnected())return _e.redirect(e,i);if(/^\/$|^\/[^\/]+.*$/.test(e)){let{protocol:r,host:s}=window.location;e=`${r}//${s}${e}`}let n=window.scrollY;this.withPageLoading({to:e,kind:"redirect"},r=>{this.replaceMain(e,i,()=>{_e.pushState(t,{type:"redirect",id:this.main.id,scroll:n},e),this.registerNewLocation(window.location),r()})})}replaceRootHistory(){_e.pushState("replace",{root:!0,type:"patch",id:this.main.id})}registerNewLocation(e){let{pathname:t,search:i}=this.currentLocation;return t+i===e.pathname+e.search?!1:(this.currentLocation=Dt(e),!0)}bindForms(){let e=0,t=!1;this.on("submit",i=>{let n=i.target.getAttribute(this.binding("submit")),r=i.target.getAttribute(this.binding("change"));!t&&r&&!n&&(t=!0,i.preventDefault(),this.withinOwners(i.target,s=>{s.disableForm(i.target),window.requestAnimationFrame(()=>{m.isUnloadableFormSubmit(i)&&this.unload(),i.target.submit()})}))},!0),this.on("submit",i=>{let n=i.target.getAttribute(this.binding("submit"));if(!n){m.isUnloadableFormSubmit(i)&&this.unload();return}i.preventDefault(),i.target.disabled=!0,this.withinOwners(i.target,r=>{ye.exec("submit",n,r,i.target,["push",{}])})},!1);for(let i of["change","input"])this.on(i,n=>{let r=this.binding("change"),s=n.target,o=s.getAttribute(r),a=s.form&&s.form.getAttribute(r),l=o||a;if(!l||s.type==="number"&&s.validity&&s.validity.badInput)return;let h=o?s:s.form,c=e;e++;let{at:d,type:g}=m.private(s,"prev-iteration")||{};d===c-1&&i!==g||(m.putPrivate(s,"prev-iteration",{at:c,type:i}),this.debounce(s,n,i,()=>{this.withinOwners(h,u=>{m.putPrivate(s,Pn,!0),m.isTextualInput(s)||this.setActiveElement(s),ye.exec("change",l,u,s,["push",{_target:n.target.name,dispatcher:h}])})}))},!1)}debounce(e,t,i,n){if(i==="blur"||i==="focusout")return n();let r=this.binding(Sr),s=this.binding(kr),o=this.defaults.debounce.toString(),a=this.defaults.throttle.toString();this.withinOwners(e,l=>{let h=()=>!l.isDestroyed()&&document.body.contains(e);m.debounce(e,t,r,o,s,a,h,()=>{n()})})}silenceEvents(e){this.silenced=!0,e(),this.silenced=!1}on(e,t){window.addEventListener(e,i=>{this.silenced||t(i)})}},cs=class{constructor(){this.transitions=new Set,this.pendingOps=[],this.reset()}reset(){this.transitions.forEach(e=>{clearTimeout(e),this.transitions.delete(e)}),this.flushPendingOps()}after(e){this.size()===0?e():this.pushPendingOp(e)}addTransition(e,t,i){t();let n=setTimeout(()=>{this.transitions.delete(n),i(),this.size()===0&&this.flushPendingOps()},e);this.transitions.add(n)}pushPendingOp(e){this.pendingOps.push(e)}size(){return this.transitions.size}flushPendingOps(){this.pendingOps.forEach(e=>e()),this.pendingOps=[]}},on={},hs={get exports(){return on},set exports(e){on=e}},ot={},ds={get exports(){return ot},set exports(e){ot=e}};/*! * Bootstrap index.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var nn;function me(){return nn||(nn=1,function(e,t){(function(i,n){n(t)})(Z,function(i){const s="transitionend",o=p=>p==null?`${p}`:Object.prototype.toString.call(p).match(/\s([a-z]+)/i)[1].toLowerCase(),a=p=>{do p+=Math.floor(Math.random()*1e6);while(document.getElementById(p));return p},l=p=>{let O=p.getAttribute("data-bs-target");if(!O||O==="#"){let R=p.getAttribute("href");if(!R||!R.includes("#")&&!R.startsWith("."))return null;R.includes("#")&&!R.startsWith("#")&&(R=`#${R.split("#")[1]}`),O=R&&R!=="#"?R.trim():null}return O},h=p=>{const O=l(p);return O&&document.querySelector(O)?O:null},d=p=>{const O=l(p);return O?document.querySelector(O):null},c=p=>{if(!p)return 0;let{transitionDuration:O,transitionDelay:R}=window.getComputedStyle(p);const T=Number.parseFloat(O),w=Number.parseFloat(R);return!T&&!w?0:(O=O.split(",")[0],R=R.split(",")[0],(Number.parseFloat(O)+Number.parseFloat(R))*1e3)},g=p=>{p.dispatchEvent(new Event(s))},u=p=>!p||typeof p!="object"?!1:(typeof p.jquery<"u"&&(p=p[0]),typeof p.nodeType<"u"),v=p=>u(p)?p.jquery?p[0]:p:typeof p=="string"&&p.length>0?document.querySelector(p):null,m=p=>{if(!u(p)||p.getClientRects().length===0)return!1;const O=getComputedStyle(p).getPropertyValue("visibility")==="visible",R=p.closest("details:not([open])");if(!R)return O;if(R!==p){const T=p.closest("summary");if(T&&T.parentNode!==R||T===null)return!1}return O},y=p=>!p||p.nodeType!==Node.ELEMENT_NODE||p.classList.contains("disabled")?!0:typeof p.disabled<"u"?p.disabled:p.hasAttribute("disabled")&&p.getAttribute("disabled")!=="false",S=p=>{if(!document.documentElement.attachShadow)return null;if(typeof p.getRootNode=="function"){const O=p.getRootNode();return O instanceof ShadowRoot?O:null}return p instanceof ShadowRoot?p:p.parentNode?S(p.parentNode):null},N=()=>{},f=p=>{p.offsetHeight},A=()=>window.jQuery&&!document.body.hasAttribute("data-bs-no-jquery")?window.jQuery:null,P=[],E=p=>{document.readyState==="loading"?(P.length||document.addEventListener("DOMContentLoaded",()=>{for(const O of P)O()}),P.push(p)):p()},C=()=>document.documentElement.dir==="rtl",x=p=>{E(()=>{const O=A();if(O){const R=p.NAME,T=O.fn[R];O.fn[R]=p.jQueryInterface,O.fn[R].Constructor=p,O.fn[R].noConflict=()=>(O.fn[R]=T,p.jQueryInterface)}})},k=p=>{typeof p=="function"&&p()},M=(p,O,R=!0)=>{if(!R){k(p);return}const T=5,w=c(O)+T;let b=!1;const D=({target:I})=>{I===O&&(b=!0,O.removeEventListener(s,D),k(p))};O.addEventListener(s,D),setTimeout(()=>{b||g(O)},w)},H=(p,O,R,T)=>{const w=p.length;let b=p.indexOf(O);return b===-1?!R&&T?p[w-1]:p[0]:(b+=R?1:-1,T&&(b=(b+w)%w),p[Math.max(0,Math.min(b,w-1))])};i.defineJQueryPlugin=x,i.execute=k,i.executeAfterTransition=M,i.findShadowRoot=S,i.getElement=v,i.getElementFromSelector=d,i.getNextActiveElement=H,i.getSelectorFromElement=h,i.getTransitionDurationFromElement=c,i.getUID=a,i.getjQuery=A,i.isDisabled=y,i.isElement=u,i.isRTL=C,i.isVisible=m,i.noop=N,i.onDOMContentLoaded=E,i.reflow=f,i.toType=o,i.triggerTransitionEnd=g,Object.defineProperties(i,{__esModule:{value:!0},[Symbol.toStringTag]:{value:"Module"}})})}(as,st)),st}var Ot={},ls={get exports(){return Ot},set exports(e){Ot=e}};/*! + */var an;function me(){return an||(an=1,function(e,t){(function(i,n){n(t)})(Z,function(i){const s="transitionend",o=p=>p==null?`${p}`:Object.prototype.toString.call(p).match(/\s([a-z]+)/i)[1].toLowerCase(),a=p=>{do p+=Math.floor(Math.random()*1e6);while(document.getElementById(p));return p},l=p=>{let D=p.getAttribute("data-bs-target");if(!D||D==="#"){let R=p.getAttribute("href");if(!R||!R.includes("#")&&!R.startsWith("."))return null;R.includes("#")&&!R.startsWith("#")&&(R=`#${R.split("#")[1]}`),D=R&&R!=="#"?R.trim():null}return D},h=p=>{const D=l(p);return D&&document.querySelector(D)?D:null},c=p=>{const D=l(p);return D?document.querySelector(D):null},d=p=>{if(!p)return 0;let{transitionDuration:D,transitionDelay:R}=window.getComputedStyle(p);const T=Number.parseFloat(D),A=Number.parseFloat(R);return!T&&!A?0:(D=D.split(",")[0],R=R.split(",")[0],(Number.parseFloat(D)+Number.parseFloat(R))*1e3)},g=p=>{p.dispatchEvent(new Event(s))},u=p=>!p||typeof p!="object"?!1:(typeof p.jquery<"u"&&(p=p[0]),typeof p.nodeType<"u"),y=p=>u(p)?p.jquery?p[0]:p:typeof p=="string"&&p.length>0?document.querySelector(p):null,v=p=>{if(!u(p)||p.getClientRects().length===0)return!1;const D=getComputedStyle(p).getPropertyValue("visibility")==="visible",R=p.closest("details:not([open])");if(!R)return D;if(R!==p){const T=p.closest("summary");if(T&&T.parentNode!==R||T===null)return!1}return D},_=p=>!p||p.nodeType!==Node.ELEMENT_NODE||p.classList.contains("disabled")?!0:typeof p.disabled<"u"?p.disabled:p.hasAttribute("disabled")&&p.getAttribute("disabled")!=="false",S=p=>{if(!document.documentElement.attachShadow)return null;if(typeof p.getRootNode=="function"){const D=p.getRootNode();return D instanceof ShadowRoot?D:null}return p instanceof ShadowRoot?p:p.parentNode?S(p.parentNode):null},N=()=>{},f=p=>{p.offsetHeight},w=()=>window.jQuery&&!document.body.hasAttribute("data-bs-no-jquery")?window.jQuery:null,x=[],E=p=>{document.readyState==="loading"?(x.length||document.addEventListener("DOMContentLoaded",()=>{for(const D of x)D()}),x.push(p)):p()},C=()=>document.documentElement.dir==="rtl",P=p=>{E(()=>{const D=w();if(D){const R=p.NAME,T=D.fn[R];D.fn[R]=p.jQueryInterface,D.fn[R].Constructor=p,D.fn[R].noConflict=()=>(D.fn[R]=T,p.jQueryInterface)}})},k=p=>{typeof p=="function"&&p()},M=(p,D,R=!0)=>{if(!R){k(p);return}const T=5,A=d(D)+T;let b=!1;const L=({target:I})=>{I===D&&(b=!0,D.removeEventListener(s,L),k(p))};D.addEventListener(s,L),setTimeout(()=>{b||g(D)},A)},H=(p,D,R,T)=>{const A=p.length;let b=p.indexOf(D);return b===-1?!R&&T?p[A-1]:p[0]:(b+=R?1:-1,T&&(b=(b+A)%A),p[Math.max(0,Math.min(b,A-1))])};i.defineJQueryPlugin=P,i.execute=k,i.executeAfterTransition=M,i.findShadowRoot=S,i.getElement=y,i.getElementFromSelector=c,i.getNextActiveElement=H,i.getSelectorFromElement=h,i.getTransitionDurationFromElement=d,i.getUID=a,i.getjQuery=w,i.isDisabled=_,i.isElement=u,i.isRTL=C,i.isVisible=v,i.noop=N,i.onDOMContentLoaded=E,i.reflow=f,i.toType=o,i.triggerTransitionEnd=g,Object.defineProperties(i,{__esModule:{value:!0},[Symbol.toStringTag]:{value:"Module"}})})}(ds,ot)),ot}var xt={},us={get exports(){return xt},set exports(e){xt=e}};/*! * Bootstrap event-handler.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var rn;function Pe(){return rn||(rn=1,function(e,t){(function(i,n){e.exports=n(me())})(Z,function(i){const n=/[^.]*(?=\..*)\.|.*/,r=/\..*/,s=/::\d+$/,o={};let a=1;const l={mouseenter:"mouseover",mouseleave:"mouseout"},h=new Set(["click","dblclick","mouseup","mousedown","contextmenu","mousewheel","DOMMouseScroll","mouseover","mouseout","mousemove","selectstart","selectend","keydown","keypress","keyup","orientationchange","touchstart","touchmove","touchend","touchcancel","pointerdown","pointermove","pointerup","pointerleave","pointercancel","gesturestart","gesturechange","gestureend","focus","blur","change","reset","select","submit","focusin","focusout","load","unload","beforeunload","resize","move","DOMContentLoaded","readystatechange","error","abort","scroll"]);function d(E,C){return C&&`${C}::${a++}`||E.uidEvent||a++}function c(E){const C=d(E);return E.uidEvent=C,o[C]=o[C]||{},o[C]}function g(E,C){return function x(k){return P(k,{delegateTarget:E}),x.oneOff&&A.off(E,k.type,C),C.apply(E,[k])}}function u(E,C,x){return function k(M){const H=E.querySelectorAll(C);for(let{target:p}=M;p&&p!==this;p=p.parentNode)for(const O of H)if(O===p)return P(M,{delegateTarget:p}),k.oneOff&&A.off(E,M.type,C,x),x.apply(p,[M])}}function v(E,C,x=null){return Object.values(E).find(k=>k.callable===C&&k.delegationSelector===x)}function m(E,C,x){const k=typeof C=="string",M=k?x:C||x;let H=f(E);return h.has(H)||(H=E),[k,M,H]}function y(E,C,x,k,M){if(typeof C!="string"||!E)return;let[H,p,O]=m(C,x,k);C in l&&(p=(U=>function(B){if(!B.relatedTarget||B.relatedTarget!==B.delegateTarget&&!B.delegateTarget.contains(B.relatedTarget))return U.call(this,B)})(p));const R=c(E),T=R[O]||(R[O]={}),w=v(T,p,H?x:null);if(w){w.oneOff=w.oneOff&&M;return}const b=d(p,C.replace(n,"")),D=H?u(E,x,p):g(E,p);D.delegationSelector=H?x:null,D.callable=p,D.oneOff=M,D.uidEvent=b,T[b]=D,E.addEventListener(O,D,H)}function S(E,C,x,k,M){const H=v(C[x],k,M);H&&(E.removeEventListener(x,H,Boolean(M)),delete C[x][H.uidEvent])}function N(E,C,x,k){const M=C[x]||{};for(const H of Object.keys(M))if(H.includes(k)){const p=M[H];S(E,C,x,p.callable,p.delegationSelector)}}function f(E){return E=E.replace(r,""),l[E]||E}const A={on(E,C,x,k){y(E,C,x,k,!1)},one(E,C,x,k){y(E,C,x,k,!0)},off(E,C,x,k){if(typeof C!="string"||!E)return;const[M,H,p]=m(C,x,k),O=p!==C,R=c(E),T=R[p]||{},w=C.startsWith(".");if(typeof H<"u"){if(!Object.keys(T).length)return;S(E,R,p,H,M?x:null);return}if(w)for(const b of Object.keys(R))N(E,R,b,C.slice(1));for(const b of Object.keys(T)){const D=b.replace(s,"");if(!O||C.includes(D)){const I=T[b];S(E,R,p,I.callable,I.delegationSelector)}}},trigger(E,C,x){if(typeof C!="string"||!E)return null;const k=i.getjQuery(),M=f(C),H=C!==M;let p=null,O=!0,R=!0,T=!1;H&&k&&(p=k.Event(C,x),k(E).trigger(p),O=!p.isPropagationStopped(),R=!p.isImmediatePropagationStopped(),T=p.isDefaultPrevented());let w=new Event(C,{bubbles:O,cancelable:!0});return w=P(w,x),T&&w.preventDefault(),R&&E.dispatchEvent(w),w.defaultPrevented&&p&&p.preventDefault(),w}};function P(E,C){for(const[x,k]of Object.entries(C||{}))try{E[x]=k}catch{Object.defineProperty(E,x,{configurable:!0,get(){return k}})}return E}return A})}(ls)),Ot}var Dt={},cs={get exports(){return Dt},set exports(e){Dt=e}},Lt={},hs={get exports(){return Lt},set exports(e){Lt=e}};/*! + */var ln;function xe(){return ln||(ln=1,function(e,t){(function(i,n){e.exports=n(me())})(Z,function(i){const n=/[^.]*(?=\..*)\.|.*/,r=/\..*/,s=/::\d+$/,o={};let a=1;const l={mouseenter:"mouseover",mouseleave:"mouseout"},h=new Set(["click","dblclick","mouseup","mousedown","contextmenu","mousewheel","DOMMouseScroll","mouseover","mouseout","mousemove","selectstart","selectend","keydown","keypress","keyup","orientationchange","touchstart","touchmove","touchend","touchcancel","pointerdown","pointermove","pointerup","pointerleave","pointercancel","gesturestart","gesturechange","gestureend","focus","blur","change","reset","select","submit","focusin","focusout","load","unload","beforeunload","resize","move","DOMContentLoaded","readystatechange","error","abort","scroll"]);function c(E,C){return C&&`${C}::${a++}`||E.uidEvent||a++}function d(E){const C=c(E);return E.uidEvent=C,o[C]=o[C]||{},o[C]}function g(E,C){return function P(k){return x(k,{delegateTarget:E}),P.oneOff&&w.off(E,k.type,C),C.apply(E,[k])}}function u(E,C,P){return function k(M){const H=E.querySelectorAll(C);for(let{target:p}=M;p&&p!==this;p=p.parentNode)for(const D of H)if(D===p)return x(M,{delegateTarget:p}),k.oneOff&&w.off(E,M.type,C,P),P.apply(p,[M])}}function y(E,C,P=null){return Object.values(E).find(k=>k.callable===C&&k.delegationSelector===P)}function v(E,C,P){const k=typeof C=="string",M=k?P:C||P;let H=f(E);return h.has(H)||(H=E),[k,M,H]}function _(E,C,P,k,M){if(typeof C!="string"||!E)return;let[H,p,D]=v(C,P,k);C in l&&(p=(U=>function(j){if(!j.relatedTarget||j.relatedTarget!==j.delegateTarget&&!j.delegateTarget.contains(j.relatedTarget))return U.call(this,j)})(p));const R=d(E),T=R[D]||(R[D]={}),A=y(T,p,H?P:null);if(A){A.oneOff=A.oneOff&&M;return}const b=c(p,C.replace(n,"")),L=H?u(E,P,p):g(E,p);L.delegationSelector=H?P:null,L.callable=p,L.oneOff=M,L.uidEvent=b,T[b]=L,E.addEventListener(D,L,H)}function S(E,C,P,k,M){const H=y(C[P],k,M);H&&(E.removeEventListener(P,H,Boolean(M)),delete C[P][H.uidEvent])}function N(E,C,P,k){const M=C[P]||{};for(const H of Object.keys(M))if(H.includes(k)){const p=M[H];S(E,C,P,p.callable,p.delegationSelector)}}function f(E){return E=E.replace(r,""),l[E]||E}const w={on(E,C,P,k){_(E,C,P,k,!1)},one(E,C,P,k){_(E,C,P,k,!0)},off(E,C,P,k){if(typeof C!="string"||!E)return;const[M,H,p]=v(C,P,k),D=p!==C,R=d(E),T=R[p]||{},A=C.startsWith(".");if(typeof H<"u"){if(!Object.keys(T).length)return;S(E,R,p,H,M?P:null);return}if(A)for(const b of Object.keys(R))N(E,R,b,C.slice(1));for(const b of Object.keys(T)){const L=b.replace(s,"");if(!D||C.includes(L)){const I=T[b];S(E,R,p,I.callable,I.delegationSelector)}}},trigger(E,C,P){if(typeof C!="string"||!E)return null;const k=i.getjQuery(),M=f(C),H=C!==M;let p=null,D=!0,R=!0,T=!1;H&&k&&(p=k.Event(C,P),k(E).trigger(p),D=!p.isPropagationStopped(),R=!p.isImmediatePropagationStopped(),T=p.isDefaultPrevented());let A=new Event(C,{bubbles:D,cancelable:!0});return A=x(A,P),T&&A.preventDefault(),R&&E.dispatchEvent(A),A.defaultPrevented&&p&&p.preventDefault(),A}};function x(E,C){for(const[P,k]of Object.entries(C||{}))try{E[P]=k}catch{Object.defineProperty(E,P,{configurable:!0,get(){return k}})}return E}return w})}(us)),xt}var Pt={},fs={get exports(){return Pt},set exports(e){Pt=e}},Rt={},ps={get exports(){return Rt},set exports(e){Rt=e}};/*! * Bootstrap data.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var sn;function ds(){return sn||(sn=1,function(e,t){(function(i,n){e.exports=n()})(Z,function(){const i=new Map;return{set(r,s,o){i.has(r)||i.set(r,new Map);const a=i.get(r);if(!a.has(s)&&a.size!==0){console.error(`Bootstrap doesn't allow more than one instance per element. Bound instance: ${Array.from(a.keys())[0]}.`);return}a.set(s,o)},get(r,s){return i.has(r)&&i.get(r).get(s)||null},remove(r,s){if(!i.has(r))return;const o=i.get(r);o.delete(s),o.size===0&&i.delete(r)}}})}(hs)),Lt}var Pt={},us={get exports(){return Pt},set exports(e){Pt=e}},xt={},fs={get exports(){return xt},set exports(e){xt=e}};/*! + */var cn;function gs(){return cn||(cn=1,function(e,t){(function(i,n){e.exports=n()})(Z,function(){const i=new Map;return{set(r,s,o){i.has(r)||i.set(r,new Map);const a=i.get(r);if(!a.has(s)&&a.size!==0){console.error(`Bootstrap doesn't allow more than one instance per element. Bound instance: ${Array.from(a.keys())[0]}.`);return}a.set(s,o)},get(r,s){return i.has(r)&&i.get(r).get(s)||null},remove(r,s){if(!i.has(r))return;const o=i.get(r);o.delete(s),o.size===0&&i.delete(r)}}})}(ps)),Rt}var Nt={},ms={get exports(){return Nt},set exports(e){Nt=e}},It={},vs={get exports(){return It},set exports(e){It=e}};/*! * Bootstrap manipulator.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var on;function bi(){return on||(on=1,function(e,t){(function(i,n){e.exports=n()})(Z,function(){function i(s){if(s==="true")return!0;if(s==="false")return!1;if(s===Number(s).toString())return Number(s);if(s===""||s==="null")return null;if(typeof s!="string")return s;try{return JSON.parse(decodeURIComponent(s))}catch{return s}}function n(s){return s.replace(/[A-Z]/g,o=>`-${o.toLowerCase()}`)}return{setDataAttribute(s,o,a){s.setAttribute(`data-bs-${n(o)}`,a)},removeDataAttribute(s,o){s.removeAttribute(`data-bs-${n(o)}`)},getDataAttributes(s){if(!s)return{};const o={},a=Object.keys(s.dataset).filter(l=>l.startsWith("bs")&&!l.startsWith("bsConfig"));for(const l of a){let h=l.replace(/^bs/,"");h=h.charAt(0).toLowerCase()+h.slice(1,h.length),o[h]=i(s.dataset[l])}return o},getDataAttribute(s,o){return i(s.getAttribute(`data-bs-${n(o)}`))}}})}(fs)),xt}/*! + */var hn;function Ei(){return hn||(hn=1,function(e,t){(function(i,n){e.exports=n()})(Z,function(){function i(s){if(s==="true")return!0;if(s==="false")return!1;if(s===Number(s).toString())return Number(s);if(s===""||s==="null")return null;if(typeof s!="string")return s;try{return JSON.parse(decodeURIComponent(s))}catch{return s}}function n(s){return s.replace(/[A-Z]/g,o=>`-${o.toLowerCase()}`)}return{setDataAttribute(s,o,a){s.setAttribute(`data-bs-${n(o)}`,a)},removeDataAttribute(s,o){s.removeAttribute(`data-bs-${n(o)}`)},getDataAttributes(s){if(!s)return{};const o={},a=Object.keys(s.dataset).filter(l=>l.startsWith("bs")&&!l.startsWith("bsConfig"));for(const l of a){let h=l.replace(/^bs/,"");h=h.charAt(0).toLowerCase()+h.slice(1,h.length),o[h]=i(s.dataset[l])}return o},getDataAttribute(s,o){return i(s.getAttribute(`data-bs-${n(o)}`))}}})}(vs)),It}/*! * Bootstrap config.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var an;function _i(){return an||(an=1,function(e,t){(function(i,n){e.exports=n(me(),bi())})(Z,function(i,n){const s=(a=>a&&typeof a=="object"&&"default"in a?a:{default:a})(n);class o{static get Default(){return{}}static get DefaultType(){return{}}static get NAME(){throw new Error('You have to implement the static method "NAME", for each component!')}_getConfig(l){return l=this._mergeConfigObj(l),l=this._configAfterMerge(l),this._typeCheckConfig(l),l}_configAfterMerge(l){return l}_mergeConfigObj(l,h){const d=i.isElement(h)?s.default.getDataAttribute(h,"config"):{};return{...this.constructor.Default,...typeof d=="object"?d:{},...i.isElement(h)?s.default.getDataAttributes(h):{},...typeof l=="object"?l:{}}}_typeCheckConfig(l,h=this.constructor.DefaultType){for(const d of Object.keys(h)){const c=h[d],g=l[d],u=i.isElement(g)?"element":i.toType(g);if(!new RegExp(c).test(u))throw new TypeError(`${this.constructor.NAME.toUpperCase()}: Option "${d}" provided type "${u}" but expected type "${c}".`)}}}return o})}(us)),Pt}/*! + */var dn;function wi(){return dn||(dn=1,function(e,t){(function(i,n){e.exports=n(me(),Ei())})(Z,function(i,n){const s=(a=>a&&typeof a=="object"&&"default"in a?a:{default:a})(n);class o{static get Default(){return{}}static get DefaultType(){return{}}static get NAME(){throw new Error('You have to implement the static method "NAME", for each component!')}_getConfig(l){return l=this._mergeConfigObj(l),l=this._configAfterMerge(l),this._typeCheckConfig(l),l}_configAfterMerge(l){return l}_mergeConfigObj(l,h){const c=i.isElement(h)?s.default.getDataAttribute(h,"config"):{};return{...this.constructor.Default,...typeof c=="object"?c:{},...i.isElement(h)?s.default.getDataAttributes(h):{},...typeof l=="object"?l:{}}}_typeCheckConfig(l,h=this.constructor.DefaultType){for(const c of Object.keys(h)){const d=h[c],g=l[c],u=i.isElement(g)?"element":i.toType(g);if(!new RegExp(d).test(u))throw new TypeError(`${this.constructor.NAME.toUpperCase()}: Option "${c}" provided type "${u}" but expected type "${d}".`)}}}return o})}(ms)),Nt}/*! * Bootstrap base-component.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var ln;function $t(){return ln||(ln=1,function(e,t){(function(i,n){e.exports=n(ds(),me(),Pe(),_i())})(Z,function(i,n,r,s){const o=g=>g&&typeof g=="object"&&"default"in g?g:{default:g},a=o(i),l=o(r),h=o(s),d="5.2.3";class c extends h.default{constructor(u,v){super(),u=n.getElement(u),u&&(this._element=u,this._config=this._getConfig(v),a.default.set(this._element,this.constructor.DATA_KEY,this))}dispose(){a.default.remove(this._element,this.constructor.DATA_KEY),l.default.off(this._element,this.constructor.EVENT_KEY);for(const u of Object.getOwnPropertyNames(this))this[u]=null}_queueCallback(u,v,m=!0){n.executeAfterTransition(u,v,m)}_getConfig(u){return u=this._mergeConfigObj(u,this._element),u=this._configAfterMerge(u),this._typeCheckConfig(u),u}static getInstance(u){return a.default.get(n.getElement(u),this.DATA_KEY)}static getOrCreateInstance(u,v={}){return this.getInstance(u)||new this(u,typeof v=="object"?v:null)}static get VERSION(){return d}static get DATA_KEY(){return`bs.${this.NAME}`}static get EVENT_KEY(){return`.${this.DATA_KEY}`}static eventName(u){return`${u}${this.EVENT_KEY}`}}return c})}(cs)),Dt}var ot={},ps={get exports(){return ot},set exports(e){ot=e}};/*! + */var un;function Bt(){return un||(un=1,function(e,t){(function(i,n){e.exports=n(gs(),me(),xe(),wi())})(Z,function(i,n,r,s){const o=g=>g&&typeof g=="object"&&"default"in g?g:{default:g},a=o(i),l=o(r),h=o(s),c="5.2.3";class d extends h.default{constructor(u,y){super(),u=n.getElement(u),u&&(this._element=u,this._config=this._getConfig(y),a.default.set(this._element,this.constructor.DATA_KEY,this))}dispose(){a.default.remove(this._element,this.constructor.DATA_KEY),l.default.off(this._element,this.constructor.EVENT_KEY);for(const u of Object.getOwnPropertyNames(this))this[u]=null}_queueCallback(u,y,v=!0){n.executeAfterTransition(u,y,v)}_getConfig(u){return u=this._mergeConfigObj(u,this._element),u=this._configAfterMerge(u),this._typeCheckConfig(u),u}static getInstance(u){return a.default.get(n.getElement(u),this.DATA_KEY)}static getOrCreateInstance(u,y={}){return this.getInstance(u)||new this(u,typeof y=="object"?y:null)}static get VERSION(){return c}static get DATA_KEY(){return`bs.${this.NAME}`}static get EVENT_KEY(){return`.${this.DATA_KEY}`}static eventName(u){return`${u}${this.EVENT_KEY}`}}return d})}(fs)),Pt}var at={},bs={get exports(){return at},set exports(e){at=e}};/*! * Bootstrap component-functions.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var cn;function Rn(){return cn||(cn=1,function(e,t){(function(i,n){n(t,Pe(),me())})(Z,function(i,n,r){const o=(l=>l&&typeof l=="object"&&"default"in l?l:{default:l})(n),a=(l,h="hide")=>{const d=`click.dismiss${l.EVENT_KEY}`,c=l.NAME;o.default.on(document,d,`[data-bs-dismiss="${c}"]`,function(g){if(["A","AREA"].includes(this.tagName)&&g.preventDefault(),r.isDisabled(this))return;const u=r.getElementFromSelector(this)||this.closest(`.${c}`);l.getOrCreateInstance(u)[h]()})};i.enableDismissTrigger=a,Object.defineProperties(i,{__esModule:{value:!0},[Symbol.toStringTag]:{value:"Module"}})})}(ps,ot)),ot}/*! + */var fn;function Mn(){return fn||(fn=1,function(e,t){(function(i,n){n(t,xe(),me())})(Z,function(i,n,r){const o=(l=>l&&typeof l=="object"&&"default"in l?l:{default:l})(n),a=(l,h="hide")=>{const c=`click.dismiss${l.EVENT_KEY}`,d=l.NAME;o.default.on(document,c,`[data-bs-dismiss="${d}"]`,function(g){if(["A","AREA"].includes(this.tagName)&&g.preventDefault(),r.isDisabled(this))return;const u=r.getElementFromSelector(this)||this.closest(`.${d}`);l.getOrCreateInstance(u)[h]()})};i.enableDismissTrigger=a,Object.defineProperties(i,{__esModule:{value:!0},[Symbol.toStringTag]:{value:"Module"}})})}(bs,at)),at}/*! * Bootstrap alert.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */(function(e,t){(function(i,n){e.exports=n(me(),Pe(),$t(),Rn())})(Z,function(i,n,r,s){const o=S=>S&&typeof S=="object"&&"default"in S?S:{default:S},a=o(n),l=o(r),h="alert",c=".bs.alert",g=`close${c}`,u=`closed${c}`,v="fade",m="show";class y extends l.default{static get NAME(){return h}close(){if(a.default.trigger(this._element,g).defaultPrevented)return;this._element.classList.remove(m);const f=this._element.classList.contains(v);this._queueCallback(()=>this._destroyElement(),this._element,f)}_destroyElement(){this._element.remove(),a.default.trigger(this._element,u),this.dispose()}static jQueryInterface(N){return this.each(function(){const f=y.getOrCreateInstance(this);if(typeof N=="string"){if(f[N]===void 0||N.startsWith("_")||N==="constructor")throw new TypeError(`No method named "${N}"`);f[N](this)}})}}return s.enableDismissTrigger(y,"close"),i.defineJQueryPlugin(y),y})})(os);var hi={},gs={get exports(){return hi},set exports(e){hi=e}},Rt={},ms={get exports(){return Rt},set exports(e){Rt=e}};/*! + */(function(e,t){(function(i,n){e.exports=n(me(),xe(),Bt(),Mn())})(Z,function(i,n,r,s){const o=S=>S&&typeof S=="object"&&"default"in S?S:{default:S},a=o(n),l=o(r),h="alert",d=".bs.alert",g=`close${d}`,u=`closed${d}`,y="fade",v="show";class _ extends l.default{static get NAME(){return h}close(){if(a.default.trigger(this._element,g).defaultPrevented)return;this._element.classList.remove(v);const f=this._element.classList.contains(y);this._queueCallback(()=>this._destroyElement(),this._element,f)}_destroyElement(){this._element.remove(),a.default.trigger(this._element,u),this.dispose()}static jQueryInterface(N){return this.each(function(){const f=_.getOrCreateInstance(this);if(typeof N=="string"){if(f[N]===void 0||N.startsWith("_")||N==="constructor")throw new TypeError(`No method named "${N}"`);f[N](this)}})}}return s.enableDismissTrigger(_,"close"),i.defineJQueryPlugin(_),_})})(hs);var fi={},_s={get exports(){return fi},set exports(e){fi=e}},Mt={},ys={get exports(){return Mt},set exports(e){Mt=e}};/*! * Bootstrap selector-engine.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var hn;function ht(){return hn||(hn=1,function(e,t){(function(i,n){e.exports=n(me())})(Z,function(i){return{find(r,s=document.documentElement){return[].concat(...Element.prototype.querySelectorAll.call(s,r))},findOne(r,s=document.documentElement){return Element.prototype.querySelector.call(s,r)},children(r,s){return[].concat(...r.children).filter(o=>o.matches(s))},parents(r,s){const o=[];let a=r.parentNode.closest(s);for(;a;)o.push(a),a=a.parentNode.closest(s);return o},prev(r,s){let o=r.previousElementSibling;for(;o;){if(o.matches(s))return[o];o=o.previousElementSibling}return[]},next(r,s){let o=r.nextElementSibling;for(;o;){if(o.matches(s))return[o];o=o.nextElementSibling}return[]},focusableChildren(r){const s=["a","button","input","textarea","select","details","[tabindex]",'[contenteditable="true"]'].map(o=>`${o}:not([tabindex^="-"])`).join(",");return this.find(s,r).filter(o=>!i.isDisabled(o)&&i.isVisible(o))}}})}(ms)),Rt}/*! + */var pn;function dt(){return pn||(pn=1,function(e,t){(function(i,n){e.exports=n(me())})(Z,function(i){return{find(r,s=document.documentElement){return[].concat(...Element.prototype.querySelectorAll.call(s,r))},findOne(r,s=document.documentElement){return Element.prototype.querySelector.call(s,r)},children(r,s){return[].concat(...r.children).filter(o=>o.matches(s))},parents(r,s){const o=[];let a=r.parentNode.closest(s);for(;a;)o.push(a),a=a.parentNode.closest(s);return o},prev(r,s){let o=r.previousElementSibling;for(;o;){if(o.matches(s))return[o];o=o.previousElementSibling}return[]},next(r,s){let o=r.nextElementSibling;for(;o;){if(o.matches(s))return[o];o=o.nextElementSibling}return[]},focusableChildren(r){const s=["a","button","input","textarea","select","details","[tabindex]",'[contenteditable="true"]'].map(o=>`${o}:not([tabindex^="-"])`).join(",");return this.find(s,r).filter(o=>!i.isDisabled(o)&&i.isVisible(o))}}})}(ys)),Mt}/*! * Bootstrap collapse.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */(function(e,t){(function(i,n){e.exports=n(me(),Pe(),ht(),$t())})(Z,function(i,n,r,s){const o=w=>w&&typeof w=="object"&&"default"in w?w:{default:w},a=o(n),l=o(r),h=o(s),d="collapse",g=".bs.collapse",u=".data-api",v=`show${g}`,m=`shown${g}`,y=`hide${g}`,S=`hidden${g}`,N=`click${g}${u}`,f="show",A="collapse",P="collapsing",E="collapsed",C=`:scope .${A} .${A}`,x="collapse-horizontal",k="width",M="height",H=".collapse.show, .collapse.collapsing",p='[data-bs-toggle="collapse"]',O={parent:null,toggle:!0},R={parent:"(null|element)",toggle:"boolean"};class T extends h.default{constructor(b,D){super(b,D),this._isTransitioning=!1,this._triggerArray=[];const I=l.default.find(p);for(const U of I){const B=i.getSelectorFromElement(U),J=l.default.find(B).filter(F=>F===this._element);B!==null&&J.length&&this._triggerArray.push(U)}this._initializeChildren(),this._config.parent||this._addAriaAndCollapsedClass(this._triggerArray,this._isShown()),this._config.toggle&&this.toggle()}static get Default(){return O}static get DefaultType(){return R}static get NAME(){return d}toggle(){this._isShown()?this.hide():this.show()}show(){if(this._isTransitioning||this._isShown())return;let b=[];if(this._config.parent&&(b=this._getFirstLevelChildren(H).filter(F=>F!==this._element).map(F=>T.getOrCreateInstance(F,{toggle:!1}))),b.length&&b[0]._isTransitioning||a.default.trigger(this._element,v).defaultPrevented)return;for(const F of b)F.hide();const I=this._getDimension();this._element.classList.remove(A),this._element.classList.add(P),this._element.style[I]=0,this._addAriaAndCollapsedClass(this._triggerArray,!0),this._isTransitioning=!0;const U=()=>{this._isTransitioning=!1,this._element.classList.remove(P),this._element.classList.add(A,f),this._element.style[I]="",a.default.trigger(this._element,m)},J=`scroll${I[0].toUpperCase()+I.slice(1)}`;this._queueCallback(U,this._element,!0),this._element.style[I]=`${this._element[J]}px`}hide(){if(this._isTransitioning||!this._isShown()||a.default.trigger(this._element,y).defaultPrevented)return;const D=this._getDimension();this._element.style[D]=`${this._element.getBoundingClientRect()[D]}px`,i.reflow(this._element),this._element.classList.add(P),this._element.classList.remove(A,f);for(const U of this._triggerArray){const B=i.getElementFromSelector(U);B&&!this._isShown(B)&&this._addAriaAndCollapsedClass([U],!1)}this._isTransitioning=!0;const I=()=>{this._isTransitioning=!1,this._element.classList.remove(P),this._element.classList.add(A),a.default.trigger(this._element,S)};this._element.style[D]="",this._queueCallback(I,this._element,!0)}_isShown(b=this._element){return b.classList.contains(f)}_configAfterMerge(b){return b.toggle=Boolean(b.toggle),b.parent=i.getElement(b.parent),b}_getDimension(){return this._element.classList.contains(x)?k:M}_initializeChildren(){if(!this._config.parent)return;const b=this._getFirstLevelChildren(p);for(const D of b){const I=i.getElementFromSelector(D);I&&this._addAriaAndCollapsedClass([D],this._isShown(I))}}_getFirstLevelChildren(b){const D=l.default.find(C,this._config.parent);return l.default.find(b,this._config.parent).filter(I=>!D.includes(I))}_addAriaAndCollapsedClass(b,D){if(b.length)for(const I of b)I.classList.toggle(E,!D),I.setAttribute("aria-expanded",D)}static jQueryInterface(b){const D={};return typeof b=="string"&&/show|hide/.test(b)&&(D.toggle=!1),this.each(function(){const I=T.getOrCreateInstance(this,D);if(typeof b=="string"){if(typeof I[b]>"u")throw new TypeError(`No method named "${b}"`);I[b]()}})}}return a.default.on(document,N,p,function(w){(w.target.tagName==="A"||w.delegateTarget&&w.delegateTarget.tagName==="A")&&w.preventDefault();const b=i.getSelectorFromElement(this),D=l.default.find(b);for(const I of D)T.getOrCreateInstance(I,{toggle:!1}).toggle()}),i.defineJQueryPlugin(T),T})})(gs);const vs=hi;var dn={},bs={get exports(){return dn},set exports(e){dn=e}},ie="top",ce="bottom",he="right",ne="left",jt="auto",Je=[ie,ce,he,ne],He="start",Ue="end",Nn="clippingParents",yi="viewport",je="popper",In="reference",di=Je.reduce(function(e,t){return e.concat([t+"-"+He,t+"-"+Ue])},[]),Ei=[].concat(Je,[jt]).reduce(function(e,t){return e.concat([t,t+"-"+He,t+"-"+Ue])},[]),Mn="beforeRead",Hn="read",$n="afterRead",jn="beforeMain",Bn="main",Fn="afterMain",Un="beforeWrite",Vn="write",Wn="afterWrite",qn=[Mn,Hn,$n,jn,Bn,Fn,Un,Vn,Wn];function we(e){return e?(e.nodeName||"").toLowerCase():null}function ue(e){if(e==null)return window;if(e.toString()!=="[object Window]"){var t=e.ownerDocument;return t&&t.defaultView||window}return e}function $e(e){var t=ue(e).Element;return e instanceof t||e instanceof Element}function de(e){var t=ue(e).HTMLElement;return e instanceof t||e instanceof HTMLElement}function Ai(e){if(typeof ShadowRoot>"u")return!1;var t=ue(e).ShadowRoot;return e instanceof t||e instanceof ShadowRoot}function _s(e){var t=e.state;Object.keys(t.elements).forEach(function(i){var n=t.styles[i]||{},r=t.attributes[i]||{},s=t.elements[i];!de(s)||!we(s)||(Object.assign(s.style,n),Object.keys(r).forEach(function(o){var a=r[o];a===!1?s.removeAttribute(o):s.setAttribute(o,a===!0?"":a)}))})}function ys(e){var t=e.state,i={popper:{position:t.options.strategy,left:"0",top:"0",margin:"0"},arrow:{position:"absolute"},reference:{}};return Object.assign(t.elements.popper.style,i.popper),t.styles=i,t.elements.arrow&&Object.assign(t.elements.arrow.style,i.arrow),function(){Object.keys(t.elements).forEach(function(n){var r=t.elements[n],s=t.attributes[n]||{},o=Object.keys(t.styles.hasOwnProperty(n)?t.styles[n]:i[n]),a=o.reduce(function(l,h){return l[h]="",l},{});!de(r)||!we(r)||(Object.assign(r.style,a),Object.keys(s).forEach(function(l){r.removeAttribute(l)}))})}}const wi={name:"applyStyles",enabled:!0,phase:"write",fn:_s,effect:ys,requires:["computeStyles"]};function Ae(e){return e.split("-")[0]}var Ie=Math.max,Nt=Math.min,Ve=Math.round;function ui(){var e=navigator.userAgentData;return e!=null&&e.brands?e.brands.map(function(t){return t.brand+"/"+t.version}).join(" "):navigator.userAgent}function Kn(){return!/^((?!chrome|android).)*safari/i.test(ui())}function We(e,t,i){t===void 0&&(t=!1),i===void 0&&(i=!1);var n=e.getBoundingClientRect(),r=1,s=1;t&&de(e)&&(r=e.offsetWidth>0&&Ve(n.width)/e.offsetWidth||1,s=e.offsetHeight>0&&Ve(n.height)/e.offsetHeight||1);var o=$e(e)?ue(e):window,a=o.visualViewport,l=!Kn()&&i,h=(n.left+(l&&a?a.offsetLeft:0))/r,d=(n.top+(l&&a?a.offsetTop:0))/s,c=n.width/r,g=n.height/s;return{width:c,height:g,top:d,right:h+c,bottom:d+g,left:h,x:h,y:d}}function Ci(e){var t=We(e),i=e.offsetWidth,n=e.offsetHeight;return Math.abs(t.width-i)<=1&&(i=t.width),Math.abs(t.height-n)<=1&&(n=t.height),{x:e.offsetLeft,y:e.offsetTop,width:i,height:n}}function Jn(e,t){var i=t.getRootNode&&t.getRootNode();if(e.contains(t))return!0;if(i&&Ai(i)){var n=t;do{if(n&&e.isSameNode(n))return!0;n=n.parentNode||n.host}while(n)}return!1}function Se(e){return ue(e).getComputedStyle(e)}function Es(e){return["table","td","th"].indexOf(we(e))>=0}function xe(e){return(($e(e)?e.ownerDocument:e.document)||window.document).documentElement}function Bt(e){return we(e)==="html"?e:e.assignedSlot||e.parentNode||(Ai(e)?e.host:null)||xe(e)}function un(e){return!de(e)||Se(e).position==="fixed"?null:e.offsetParent}function As(e){var t=/firefox/i.test(ui()),i=/Trident/i.test(ui());if(i&&de(e)){var n=Se(e);if(n.position==="fixed")return null}var r=Bt(e);for(Ai(r)&&(r=r.host);de(r)&&["html","body"].indexOf(we(r))<0;){var s=Se(r);if(s.transform!=="none"||s.perspective!=="none"||s.contain==="paint"||["transform","perspective"].indexOf(s.willChange)!==-1||t&&s.willChange==="filter"||t&&s.filter&&s.filter!=="none")return r;r=r.parentNode}return null}function dt(e){for(var t=ue(e),i=un(e);i&&Es(i)&&Se(i).position==="static";)i=un(i);return i&&(we(i)==="html"||we(i)==="body"&&Se(i).position==="static")?t:i||As(e)||t}function Ti(e){return["top","bottom"].indexOf(e)>=0?"x":"y"}function at(e,t,i){return Ie(e,Nt(t,i))}function ws(e,t,i){var n=at(e,t,i);return n>i?i:n}function Xn(){return{top:0,right:0,bottom:0,left:0}}function zn(e){return Object.assign({},Xn(),e)}function Yn(e,t){return t.reduce(function(i,n){return i[n]=e,i},{})}var Cs=function(t,i){return t=typeof t=="function"?t(Object.assign({},i.rects,{placement:i.placement})):t,zn(typeof t!="number"?t:Yn(t,Je))};function Ts(e){var t,i=e.state,n=e.name,r=e.options,s=i.elements.arrow,o=i.modifiersData.popperOffsets,a=Ae(i.placement),l=Ti(a),h=[ne,he].indexOf(a)>=0,d=h?"height":"width";if(!(!s||!o)){var c=Cs(r.padding,i),g=Ci(s),u=l==="y"?ie:ne,v=l==="y"?ce:he,m=i.rects.reference[d]+i.rects.reference[l]-o[l]-i.rects.popper[d],y=o[l]-i.rects.reference[l],S=dt(s),N=S?l==="y"?S.clientHeight||0:S.clientWidth||0:0,f=m/2-y/2,A=c[u],P=N-g[d]-c[v],E=N/2-g[d]/2+f,C=at(A,E,P),x=l;i.modifiersData[n]=(t={},t[x]=C,t.centerOffset=C-E,t)}}function Ss(e){var t=e.state,i=e.options,n=i.element,r=n===void 0?"[data-popper-arrow]":n;r!=null&&(typeof r=="string"&&(r=t.elements.popper.querySelector(r),!r)||Jn(t.elements.popper,r)&&(t.elements.arrow=r))}const Gn={name:"arrow",enabled:!0,phase:"main",fn:Ts,effect:Ss,requires:["popperOffsets"],requiresIfExists:["preventOverflow"]};function qe(e){return e.split("-")[1]}var ks={top:"auto",right:"auto",bottom:"auto",left:"auto"};function Os(e){var t=e.x,i=e.y,n=window,r=n.devicePixelRatio||1;return{x:Ve(t*r)/r||0,y:Ve(i*r)/r||0}}function fn(e){var t,i=e.popper,n=e.popperRect,r=e.placement,s=e.variation,o=e.offsets,a=e.position,l=e.gpuAcceleration,h=e.adaptive,d=e.roundOffsets,c=e.isFixed,g=o.x,u=g===void 0?0:g,v=o.y,m=v===void 0?0:v,y=typeof d=="function"?d({x:u,y:m}):{x:u,y:m};u=y.x,m=y.y;var S=o.hasOwnProperty("x"),N=o.hasOwnProperty("y"),f=ne,A=ie,P=window;if(h){var E=dt(i),C="clientHeight",x="clientWidth";if(E===ue(i)&&(E=xe(i),Se(E).position!=="static"&&a==="absolute"&&(C="scrollHeight",x="scrollWidth")),E=E,r===ie||(r===ne||r===he)&&s===Ue){A=ce;var k=c&&E===P&&P.visualViewport?P.visualViewport.height:E[C];m-=k-n.height,m*=l?1:-1}if(r===ne||(r===ie||r===ce)&&s===Ue){f=he;var M=c&&E===P&&P.visualViewport?P.visualViewport.width:E[x];u-=M-n.width,u*=l?1:-1}}var H=Object.assign({position:a},h&&ks),p=d===!0?Os({x:u,y:m}):{x:u,y:m};if(u=p.x,m=p.y,l){var O;return Object.assign({},H,(O={},O[A]=N?"0":"",O[f]=S?"0":"",O.transform=(P.devicePixelRatio||1)<=1?"translate("+u+"px, "+m+"px)":"translate3d("+u+"px, "+m+"px, 0)",O))}return Object.assign({},H,(t={},t[A]=N?m+"px":"",t[f]=S?u+"px":"",t.transform="",t))}function Ds(e){var t=e.state,i=e.options,n=i.gpuAcceleration,r=n===void 0?!0:n,s=i.adaptive,o=s===void 0?!0:s,a=i.roundOffsets,l=a===void 0?!0:a,h={placement:Ae(t.placement),variation:qe(t.placement),popper:t.elements.popper,popperRect:t.rects.popper,gpuAcceleration:r,isFixed:t.options.strategy==="fixed"};t.modifiersData.popperOffsets!=null&&(t.styles.popper=Object.assign({},t.styles.popper,fn(Object.assign({},h,{offsets:t.modifiersData.popperOffsets,position:t.options.strategy,adaptive:o,roundOffsets:l})))),t.modifiersData.arrow!=null&&(t.styles.arrow=Object.assign({},t.styles.arrow,fn(Object.assign({},h,{offsets:t.modifiersData.arrow,position:"absolute",adaptive:!1,roundOffsets:l})))),t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-placement":t.placement})}const Si={name:"computeStyles",enabled:!0,phase:"beforeWrite",fn:Ds,data:{}};var Ct={passive:!0};function Ls(e){var t=e.state,i=e.instance,n=e.options,r=n.scroll,s=r===void 0?!0:r,o=n.resize,a=o===void 0?!0:o,l=ue(t.elements.popper),h=[].concat(t.scrollParents.reference,t.scrollParents.popper);return s&&h.forEach(function(d){d.addEventListener("scroll",i.update,Ct)}),a&&l.addEventListener("resize",i.update,Ct),function(){s&&h.forEach(function(d){d.removeEventListener("scroll",i.update,Ct)}),a&&l.removeEventListener("resize",i.update,Ct)}}const ki={name:"eventListeners",enabled:!0,phase:"write",fn:function(){},effect:Ls,data:{}};var Ps={left:"right",right:"left",bottom:"top",top:"bottom"};function St(e){return e.replace(/left|right|bottom|top/g,function(t){return Ps[t]})}var xs={start:"end",end:"start"};function pn(e){return e.replace(/start|end/g,function(t){return xs[t]})}function Oi(e){var t=ue(e),i=t.pageXOffset,n=t.pageYOffset;return{scrollLeft:i,scrollTop:n}}function Di(e){return We(xe(e)).left+Oi(e).scrollLeft}function Rs(e,t){var i=ue(e),n=xe(e),r=i.visualViewport,s=n.clientWidth,o=n.clientHeight,a=0,l=0;if(r){s=r.width,o=r.height;var h=Kn();(h||!h&&t==="fixed")&&(a=r.offsetLeft,l=r.offsetTop)}return{width:s,height:o,x:a+Di(e),y:l}}function Ns(e){var t,i=xe(e),n=Oi(e),r=(t=e.ownerDocument)==null?void 0:t.body,s=Ie(i.scrollWidth,i.clientWidth,r?r.scrollWidth:0,r?r.clientWidth:0),o=Ie(i.scrollHeight,i.clientHeight,r?r.scrollHeight:0,r?r.clientHeight:0),a=-n.scrollLeft+Di(e),l=-n.scrollTop;return Se(r||i).direction==="rtl"&&(a+=Ie(i.clientWidth,r?r.clientWidth:0)-s),{width:s,height:o,x:a,y:l}}function Li(e){var t=Se(e),i=t.overflow,n=t.overflowX,r=t.overflowY;return/auto|scroll|overlay|hidden/.test(i+r+n)}function Qn(e){return["html","body","#document"].indexOf(we(e))>=0?e.ownerDocument.body:de(e)&&Li(e)?e:Qn(Bt(e))}function lt(e,t){var i;t===void 0&&(t=[]);var n=Qn(e),r=n===((i=e.ownerDocument)==null?void 0:i.body),s=ue(n),o=r?[s].concat(s.visualViewport||[],Li(n)?n:[]):n,a=t.concat(o);return r?a:a.concat(lt(Bt(o)))}function fi(e){return Object.assign({},e,{left:e.x,top:e.y,right:e.x+e.width,bottom:e.y+e.height})}function Is(e,t){var i=We(e,!1,t==="fixed");return i.top=i.top+e.clientTop,i.left=i.left+e.clientLeft,i.bottom=i.top+e.clientHeight,i.right=i.left+e.clientWidth,i.width=e.clientWidth,i.height=e.clientHeight,i.x=i.left,i.y=i.top,i}function gn(e,t,i){return t===yi?fi(Rs(e,i)):$e(t)?Is(t,i):fi(Ns(xe(e)))}function Ms(e){var t=lt(Bt(e)),i=["absolute","fixed"].indexOf(Se(e).position)>=0,n=i&&de(e)?dt(e):e;return $e(n)?t.filter(function(r){return $e(r)&&Jn(r,n)&&we(r)!=="body"}):[]}function Hs(e,t,i,n){var r=t==="clippingParents"?Ms(e):[].concat(t),s=[].concat(r,[i]),o=s[0],a=s.reduce(function(l,h){var d=gn(e,h,n);return l.top=Ie(d.top,l.top),l.right=Nt(d.right,l.right),l.bottom=Nt(d.bottom,l.bottom),l.left=Ie(d.left,l.left),l},gn(e,o,n));return a.width=a.right-a.left,a.height=a.bottom-a.top,a.x=a.left,a.y=a.top,a}function Zn(e){var t=e.reference,i=e.element,n=e.placement,r=n?Ae(n):null,s=n?qe(n):null,o=t.x+t.width/2-i.width/2,a=t.y+t.height/2-i.height/2,l;switch(r){case ie:l={x:o,y:t.y-i.height};break;case ce:l={x:o,y:t.y+t.height};break;case he:l={x:t.x+t.width,y:a};break;case ne:l={x:t.x-i.width,y:a};break;default:l={x:t.x,y:t.y}}var h=r?Ti(r):null;if(h!=null){var d=h==="y"?"height":"width";switch(s){case He:l[h]=l[h]-(t[d]/2-i[d]/2);break;case Ue:l[h]=l[h]+(t[d]/2-i[d]/2);break}}return l}function Ke(e,t){t===void 0&&(t={});var i=t,n=i.placement,r=n===void 0?e.placement:n,s=i.strategy,o=s===void 0?e.strategy:s,a=i.boundary,l=a===void 0?Nn:a,h=i.rootBoundary,d=h===void 0?yi:h,c=i.elementContext,g=c===void 0?je:c,u=i.altBoundary,v=u===void 0?!1:u,m=i.padding,y=m===void 0?0:m,S=zn(typeof y!="number"?y:Yn(y,Je)),N=g===je?In:je,f=e.rects.popper,A=e.elements[v?N:g],P=Hs($e(A)?A:A.contextElement||xe(e.elements.popper),l,d,o),E=We(e.elements.reference),C=Zn({reference:E,element:f,strategy:"absolute",placement:r}),x=fi(Object.assign({},f,C)),k=g===je?x:E,M={top:P.top-k.top+S.top,bottom:k.bottom-P.bottom+S.bottom,left:P.left-k.left+S.left,right:k.right-P.right+S.right},H=e.modifiersData.offset;if(g===je&&H){var p=H[r];Object.keys(M).forEach(function(O){var R=[he,ce].indexOf(O)>=0?1:-1,T=[ie,ce].indexOf(O)>=0?"y":"x";M[O]+=p[T]*R})}return M}function $s(e,t){t===void 0&&(t={});var i=t,n=i.placement,r=i.boundary,s=i.rootBoundary,o=i.padding,a=i.flipVariations,l=i.allowedAutoPlacements,h=l===void 0?Ei:l,d=qe(n),c=d?a?di:di.filter(function(v){return qe(v)===d}):Je,g=c.filter(function(v){return h.indexOf(v)>=0});g.length===0&&(g=c);var u=g.reduce(function(v,m){return v[m]=Ke(e,{placement:m,boundary:r,rootBoundary:s,padding:o})[Ae(m)],v},{});return Object.keys(u).sort(function(v,m){return u[v]-u[m]})}function js(e){if(Ae(e)===jt)return[];var t=St(e);return[pn(e),t,pn(t)]}function Bs(e){var t=e.state,i=e.options,n=e.name;if(!t.modifiersData[n]._skip){for(var r=i.mainAxis,s=r===void 0?!0:r,o=i.altAxis,a=o===void 0?!0:o,l=i.fallbackPlacements,h=i.padding,d=i.boundary,c=i.rootBoundary,g=i.altBoundary,u=i.flipVariations,v=u===void 0?!0:u,m=i.allowedAutoPlacements,y=t.options.placement,S=Ae(y),N=S===y,f=l||(N||!v?[St(y)]:js(y)),A=[y].concat(f).reduce(function(ee,W){return ee.concat(Ae(W)===jt?$s(t,{placement:W,boundary:d,rootBoundary:c,padding:h,flipVariations:v,allowedAutoPlacements:m}):W)},[]),P=t.rects.reference,E=t.rects.popper,C=new Map,x=!0,k=A[0],M=0;M=0,T=R?"width":"height",w=Ke(t,{placement:H,boundary:d,rootBoundary:c,altBoundary:g,padding:h}),b=R?O?he:ne:O?ce:ie;P[T]>E[T]&&(b=St(b));var D=St(b),I=[];if(s&&I.push(w[p]<=0),a&&I.push(w[b]<=0,w[D]<=0),I.every(function(ee){return ee})){k=H,x=!1;break}C.set(H,I)}if(x)for(var U=v?3:1,B=function(W){var K=A.find(function(z){var $=C.get(z);if($)return $.slice(0,W).every(function(V){return V})});if(K)return k=K,"break"},J=U;J>0;J--){var F=B(J);if(F==="break")break}t.placement!==k&&(t.modifiersData[n]._skip=!0,t.placement=k,t.reset=!0)}}const er={name:"flip",enabled:!0,phase:"main",fn:Bs,requiresIfExists:["offset"],data:{_skip:!1}};function mn(e,t,i){return i===void 0&&(i={x:0,y:0}),{top:e.top-t.height-i.y,right:e.right-t.width+i.x,bottom:e.bottom-t.height+i.y,left:e.left-t.width-i.x}}function vn(e){return[ie,he,ce,ne].some(function(t){return e[t]>=0})}function Fs(e){var t=e.state,i=e.name,n=t.rects.reference,r=t.rects.popper,s=t.modifiersData.preventOverflow,o=Ke(t,{elementContext:"reference"}),a=Ke(t,{altBoundary:!0}),l=mn(o,n),h=mn(a,r,s),d=vn(l),c=vn(h);t.modifiersData[i]={referenceClippingOffsets:l,popperEscapeOffsets:h,isReferenceHidden:d,hasPopperEscaped:c},t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-reference-hidden":d,"data-popper-escaped":c})}const tr={name:"hide",enabled:!0,phase:"main",requiresIfExists:["preventOverflow"],fn:Fs};function Us(e,t,i){var n=Ae(e),r=[ne,ie].indexOf(n)>=0?-1:1,s=typeof i=="function"?i(Object.assign({},t,{placement:e})):i,o=s[0],a=s[1];return o=o||0,a=(a||0)*r,[ne,he].indexOf(n)>=0?{x:a,y:o}:{x:o,y:a}}function Vs(e){var t=e.state,i=e.options,n=e.name,r=i.offset,s=r===void 0?[0,0]:r,o=Ei.reduce(function(d,c){return d[c]=Us(c,t.rects,s),d},{}),a=o[t.placement],l=a.x,h=a.y;t.modifiersData.popperOffsets!=null&&(t.modifiersData.popperOffsets.x+=l,t.modifiersData.popperOffsets.y+=h),t.modifiersData[n]=o}const ir={name:"offset",enabled:!0,phase:"main",requires:["popperOffsets"],fn:Vs};function Ws(e){var t=e.state,i=e.name;t.modifiersData[i]=Zn({reference:t.rects.reference,element:t.rects.popper,strategy:"absolute",placement:t.placement})}const Pi={name:"popperOffsets",enabled:!0,phase:"read",fn:Ws,data:{}};function qs(e){return e==="x"?"y":"x"}function Ks(e){var t=e.state,i=e.options,n=e.name,r=i.mainAxis,s=r===void 0?!0:r,o=i.altAxis,a=o===void 0?!1:o,l=i.boundary,h=i.rootBoundary,d=i.altBoundary,c=i.padding,g=i.tether,u=g===void 0?!0:g,v=i.tetherOffset,m=v===void 0?0:v,y=Ke(t,{boundary:l,rootBoundary:h,padding:c,altBoundary:d}),S=Ae(t.placement),N=qe(t.placement),f=!N,A=Ti(S),P=qs(A),E=t.modifiersData.popperOffsets,C=t.rects.reference,x=t.rects.popper,k=typeof m=="function"?m(Object.assign({},t.rects,{placement:t.placement})):m,M=typeof k=="number"?{mainAxis:k,altAxis:k}:Object.assign({mainAxis:0,altAxis:0},k),H=t.modifiersData.offset?t.modifiersData.offset[t.placement]:null,p={x:0,y:0};if(E){if(s){var O,R=A==="y"?ie:ne,T=A==="y"?ce:he,w=A==="y"?"height":"width",b=E[A],D=b+y[R],I=b-y[T],U=u?-x[w]/2:0,B=N===He?C[w]:x[w],J=N===He?-x[w]:-C[w],F=t.elements.arrow,ee=u&&F?Ci(F):{width:0,height:0},W=t.modifiersData["arrow#persistent"]?t.modifiersData["arrow#persistent"].padding:Xn(),K=W[R],z=W[T],$=at(0,C[w],ee[w]),V=f?C[w]/2-U-$-K-M.mainAxis:B-$-K-M.mainAxis,te=f?-C[w]/2+U+$+z+M.mainAxis:J+$+z+M.mainAxis,fe=t.elements.arrow&&dt(t.elements.arrow),Vt=fe?A==="y"?fe.clientTop||0:fe.clientLeft||0:0,ut=(O=H?.[A])!=null?O:0,Wt=b+V-ut-Vt,qt=b+te-ut,ft=at(u?Nt(D,Wt):D,b,u?Ie(I,qt):I);E[A]=ft,p[A]=ft-b}if(a){var re,X=A==="x"?ie:ne,L=A==="x"?ce:he,j=E[P],q=P==="y"?"height":"width",Y=j+y[X],ke=j-y[L],pe=[ie,ne].indexOf(S)!==-1,Xe=(re=H?.[P])!=null?re:0,xi=pe?Y:j-C[q]-x[q]-Xe+M.altAxis,Ri=pe?j+C[q]+x[q]-Xe-M.altAxis:ke,Ni=u&&pe?ws(xi,j,Ri):at(u?xi:Y,j,u?Ri:ke);E[P]=Ni,p[P]=Ni-j}t.modifiersData[n]=p}}const nr={name:"preventOverflow",enabled:!0,phase:"main",fn:Ks,requiresIfExists:["offset"]};function Js(e){return{scrollLeft:e.scrollLeft,scrollTop:e.scrollTop}}function Xs(e){return e===ue(e)||!de(e)?Oi(e):Js(e)}function zs(e){var t=e.getBoundingClientRect(),i=Ve(t.width)/e.offsetWidth||1,n=Ve(t.height)/e.offsetHeight||1;return i!==1||n!==1}function Ys(e,t,i){i===void 0&&(i=!1);var n=de(t),r=de(t)&&zs(t),s=xe(t),o=We(e,r,i),a={scrollLeft:0,scrollTop:0},l={x:0,y:0};return(n||!n&&!i)&&((we(t)!=="body"||Li(s))&&(a=Xs(t)),de(t)?(l=We(t,!0),l.x+=t.clientLeft,l.y+=t.clientTop):s&&(l.x=Di(s))),{x:o.left+a.scrollLeft-l.x,y:o.top+a.scrollTop-l.y,width:o.width,height:o.height}}function Gs(e){var t=new Map,i=new Set,n=[];e.forEach(function(s){t.set(s.name,s)});function r(s){i.add(s.name);var o=[].concat(s.requires||[],s.requiresIfExists||[]);o.forEach(function(a){if(!i.has(a)){var l=t.get(a);l&&r(l)}}),n.push(s)}return e.forEach(function(s){i.has(s.name)||r(s)}),n}function Qs(e){var t=Gs(e);return qn.reduce(function(i,n){return i.concat(t.filter(function(r){return r.phase===n}))},[])}function Zs(e){var t;return function(){return t||(t=new Promise(function(i){Promise.resolve().then(function(){t=void 0,i(e())})})),t}}function eo(e){var t=e.reduce(function(i,n){var r=i[n.name];return i[n.name]=r?Object.assign({},r,n,{options:Object.assign({},r.options,n.options),data:Object.assign({},r.data,n.data)}):n,i},{});return Object.keys(t).map(function(i){return t[i]})}var bn={placement:"bottom",modifiers:[],strategy:"absolute"};function _n(){for(var e=arguments.length,t=new Array(e),i=0;iA&&typeof A=="object"&&"default"in A?A:{default:A},a=o(n),l=o(r),h=o(s),c="collapse",g=".bs.collapse",u=".data-api",y=`show${g}`,v=`shown${g}`,_=`hide${g}`,S=`hidden${g}`,N=`click${g}${u}`,f="show",w="collapse",x="collapsing",E="collapsed",C=`:scope .${w} .${w}`,P="collapse-horizontal",k="width",M="height",H=".collapse.show, .collapse.collapsing",p='[data-bs-toggle="collapse"]',D={parent:null,toggle:!0},R={parent:"(null|element)",toggle:"boolean"};class T extends h.default{constructor(b,L){super(b,L),this._isTransitioning=!1,this._triggerArray=[];const I=l.default.find(p);for(const U of I){const j=i.getSelectorFromElement(U),J=l.default.find(j).filter(B=>B===this._element);j!==null&&J.length&&this._triggerArray.push(U)}this._initializeChildren(),this._config.parent||this._addAriaAndCollapsedClass(this._triggerArray,this._isShown()),this._config.toggle&&this.toggle()}static get Default(){return D}static get DefaultType(){return R}static get NAME(){return c}toggle(){this._isShown()?this.hide():this.show()}show(){if(this._isTransitioning||this._isShown())return;let b=[];if(this._config.parent&&(b=this._getFirstLevelChildren(H).filter(B=>B!==this._element).map(B=>T.getOrCreateInstance(B,{toggle:!1}))),b.length&&b[0]._isTransitioning||a.default.trigger(this._element,y).defaultPrevented)return;for(const B of b)B.hide();const I=this._getDimension();this._element.classList.remove(w),this._element.classList.add(x),this._element.style[I]=0,this._addAriaAndCollapsedClass(this._triggerArray,!0),this._isTransitioning=!0;const U=()=>{this._isTransitioning=!1,this._element.classList.remove(x),this._element.classList.add(w,f),this._element.style[I]="",a.default.trigger(this._element,v)},J=`scroll${I[0].toUpperCase()+I.slice(1)}`;this._queueCallback(U,this._element,!0),this._element.style[I]=`${this._element[J]}px`}hide(){if(this._isTransitioning||!this._isShown()||a.default.trigger(this._element,_).defaultPrevented)return;const L=this._getDimension();this._element.style[L]=`${this._element.getBoundingClientRect()[L]}px`,i.reflow(this._element),this._element.classList.add(x),this._element.classList.remove(w,f);for(const U of this._triggerArray){const j=i.getElementFromSelector(U);j&&!this._isShown(j)&&this._addAriaAndCollapsedClass([U],!1)}this._isTransitioning=!0;const I=()=>{this._isTransitioning=!1,this._element.classList.remove(x),this._element.classList.add(w),a.default.trigger(this._element,S)};this._element.style[L]="",this._queueCallback(I,this._element,!0)}_isShown(b=this._element){return b.classList.contains(f)}_configAfterMerge(b){return b.toggle=Boolean(b.toggle),b.parent=i.getElement(b.parent),b}_getDimension(){return this._element.classList.contains(P)?k:M}_initializeChildren(){if(!this._config.parent)return;const b=this._getFirstLevelChildren(p);for(const L of b){const I=i.getElementFromSelector(L);I&&this._addAriaAndCollapsedClass([L],this._isShown(I))}}_getFirstLevelChildren(b){const L=l.default.find(C,this._config.parent);return l.default.find(b,this._config.parent).filter(I=>!L.includes(I))}_addAriaAndCollapsedClass(b,L){if(b.length)for(const I of b)I.classList.toggle(E,!L),I.setAttribute("aria-expanded",L)}static jQueryInterface(b){const L={};return typeof b=="string"&&/show|hide/.test(b)&&(L.toggle=!1),this.each(function(){const I=T.getOrCreateInstance(this,L);if(typeof b=="string"){if(typeof I[b]>"u")throw new TypeError(`No method named "${b}"`);I[b]()}})}}return a.default.on(document,N,p,function(A){(A.target.tagName==="A"||A.delegateTarget&&A.delegateTarget.tagName==="A")&&A.preventDefault();const b=i.getSelectorFromElement(this),L=l.default.find(b);for(const I of L)T.getOrCreateInstance(I,{toggle:!1}).toggle()}),i.defineJQueryPlugin(T),T})})(_s);const Es=fi;var gn={},ws={get exports(){return gn},set exports(e){gn=e}},ie="top",ce="bottom",he="right",ne="left",Ut="auto",Xe=[ie,ce,he,ne],He="start",Ve="end",Hn="clippingParents",Ai="viewport",Fe="popper",$n="reference",pi=Xe.reduce(function(e,t){return e.concat([t+"-"+He,t+"-"+Ve])},[]),Ci=[].concat(Xe,[Ut]).reduce(function(e,t){return e.concat([t,t+"-"+He,t+"-"+Ve])},[]),Fn="beforeRead",jn="read",Bn="afterRead",Un="beforeMain",Vn="main",Wn="afterMain",qn="beforeWrite",Kn="write",Jn="afterWrite",Xn=[Fn,jn,Bn,Un,Vn,Wn,qn,Kn,Jn];function Ce(e){return e?(e.nodeName||"").toLowerCase():null}function ue(e){if(e==null)return window;if(e.toString()!=="[object Window]"){var t=e.ownerDocument;return t&&t.defaultView||window}return e}function $e(e){var t=ue(e).Element;return e instanceof t||e instanceof Element}function de(e){var t=ue(e).HTMLElement;return e instanceof t||e instanceof HTMLElement}function Ti(e){if(typeof ShadowRoot>"u")return!1;var t=ue(e).ShadowRoot;return e instanceof t||e instanceof ShadowRoot}function As(e){var t=e.state;Object.keys(t.elements).forEach(function(i){var n=t.styles[i]||{},r=t.attributes[i]||{},s=t.elements[i];!de(s)||!Ce(s)||(Object.assign(s.style,n),Object.keys(r).forEach(function(o){var a=r[o];a===!1?s.removeAttribute(o):s.setAttribute(o,a===!0?"":a)}))})}function Cs(e){var t=e.state,i={popper:{position:t.options.strategy,left:"0",top:"0",margin:"0"},arrow:{position:"absolute"},reference:{}};return Object.assign(t.elements.popper.style,i.popper),t.styles=i,t.elements.arrow&&Object.assign(t.elements.arrow.style,i.arrow),function(){Object.keys(t.elements).forEach(function(n){var r=t.elements[n],s=t.attributes[n]||{},o=Object.keys(t.styles.hasOwnProperty(n)?t.styles[n]:i[n]),a=o.reduce(function(l,h){return l[h]="",l},{});!de(r)||!Ce(r)||(Object.assign(r.style,a),Object.keys(s).forEach(function(l){r.removeAttribute(l)}))})}}const Si={name:"applyStyles",enabled:!0,phase:"write",fn:As,effect:Cs,requires:["computeStyles"]};function Ae(e){return e.split("-")[0]}var Ie=Math.max,Ht=Math.min,We=Math.round;function gi(){var e=navigator.userAgentData;return e!=null&&e.brands?e.brands.map(function(t){return t.brand+"/"+t.version}).join(" "):navigator.userAgent}function zn(){return!/^((?!chrome|android).)*safari/i.test(gi())}function qe(e,t,i){t===void 0&&(t=!1),i===void 0&&(i=!1);var n=e.getBoundingClientRect(),r=1,s=1;t&&de(e)&&(r=e.offsetWidth>0&&We(n.width)/e.offsetWidth||1,s=e.offsetHeight>0&&We(n.height)/e.offsetHeight||1);var o=$e(e)?ue(e):window,a=o.visualViewport,l=!zn()&&i,h=(n.left+(l&&a?a.offsetLeft:0))/r,c=(n.top+(l&&a?a.offsetTop:0))/s,d=n.width/r,g=n.height/s;return{width:d,height:g,top:c,right:h+d,bottom:c+g,left:h,x:h,y:c}}function ki(e){var t=qe(e),i=e.offsetWidth,n=e.offsetHeight;return Math.abs(t.width-i)<=1&&(i=t.width),Math.abs(t.height-n)<=1&&(n=t.height),{x:e.offsetLeft,y:e.offsetTop,width:i,height:n}}function Yn(e,t){var i=t.getRootNode&&t.getRootNode();if(e.contains(t))return!0;if(i&&Ti(i)){var n=t;do{if(n&&e.isSameNode(n))return!0;n=n.parentNode||n.host}while(n)}return!1}function Se(e){return ue(e).getComputedStyle(e)}function Ts(e){return["table","td","th"].indexOf(Ce(e))>=0}function Pe(e){return(($e(e)?e.ownerDocument:e.document)||window.document).documentElement}function Vt(e){return Ce(e)==="html"?e:e.assignedSlot||e.parentNode||(Ti(e)?e.host:null)||Pe(e)}function mn(e){return!de(e)||Se(e).position==="fixed"?null:e.offsetParent}function Ss(e){var t=/firefox/i.test(gi()),i=/Trident/i.test(gi());if(i&&de(e)){var n=Se(e);if(n.position==="fixed")return null}var r=Vt(e);for(Ti(r)&&(r=r.host);de(r)&&["html","body"].indexOf(Ce(r))<0;){var s=Se(r);if(s.transform!=="none"||s.perspective!=="none"||s.contain==="paint"||["transform","perspective"].indexOf(s.willChange)!==-1||t&&s.willChange==="filter"||t&&s.filter&&s.filter!=="none")return r;r=r.parentNode}return null}function ut(e){for(var t=ue(e),i=mn(e);i&&Ts(i)&&Se(i).position==="static";)i=mn(i);return i&&(Ce(i)==="html"||Ce(i)==="body"&&Se(i).position==="static")?t:i||Ss(e)||t}function Di(e){return["top","bottom"].indexOf(e)>=0?"x":"y"}function lt(e,t,i){return Ie(e,Ht(t,i))}function ks(e,t,i){var n=lt(e,t,i);return n>i?i:n}function Gn(){return{top:0,right:0,bottom:0,left:0}}function Qn(e){return Object.assign({},Gn(),e)}function Zn(e,t){return t.reduce(function(i,n){return i[n]=e,i},{})}var Ds=function(t,i){return t=typeof t=="function"?t(Object.assign({},i.rects,{placement:i.placement})):t,Qn(typeof t!="number"?t:Zn(t,Xe))};function Ls(e){var t,i=e.state,n=e.name,r=e.options,s=i.elements.arrow,o=i.modifiersData.popperOffsets,a=Ae(i.placement),l=Di(a),h=[ne,he].indexOf(a)>=0,c=h?"height":"width";if(!(!s||!o)){var d=Ds(r.padding,i),g=ki(s),u=l==="y"?ie:ne,y=l==="y"?ce:he,v=i.rects.reference[c]+i.rects.reference[l]-o[l]-i.rects.popper[c],_=o[l]-i.rects.reference[l],S=ut(s),N=S?l==="y"?S.clientHeight||0:S.clientWidth||0:0,f=v/2-_/2,w=d[u],x=N-g[c]-d[y],E=N/2-g[c]/2+f,C=lt(w,E,x),P=l;i.modifiersData[n]=(t={},t[P]=C,t.centerOffset=C-E,t)}}function Os(e){var t=e.state,i=e.options,n=i.element,r=n===void 0?"[data-popper-arrow]":n;r!=null&&(typeof r=="string"&&(r=t.elements.popper.querySelector(r),!r)||Yn(t.elements.popper,r)&&(t.elements.arrow=r))}const er={name:"arrow",enabled:!0,phase:"main",fn:Ls,effect:Os,requires:["popperOffsets"],requiresIfExists:["preventOverflow"]};function Ke(e){return e.split("-")[1]}var xs={top:"auto",right:"auto",bottom:"auto",left:"auto"};function Ps(e){var t=e.x,i=e.y,n=window,r=n.devicePixelRatio||1;return{x:We(t*r)/r||0,y:We(i*r)/r||0}}function vn(e){var t,i=e.popper,n=e.popperRect,r=e.placement,s=e.variation,o=e.offsets,a=e.position,l=e.gpuAcceleration,h=e.adaptive,c=e.roundOffsets,d=e.isFixed,g=o.x,u=g===void 0?0:g,y=o.y,v=y===void 0?0:y,_=typeof c=="function"?c({x:u,y:v}):{x:u,y:v};u=_.x,v=_.y;var S=o.hasOwnProperty("x"),N=o.hasOwnProperty("y"),f=ne,w=ie,x=window;if(h){var E=ut(i),C="clientHeight",P="clientWidth";if(E===ue(i)&&(E=Pe(i),Se(E).position!=="static"&&a==="absolute"&&(C="scrollHeight",P="scrollWidth")),E=E,r===ie||(r===ne||r===he)&&s===Ve){w=ce;var k=d&&E===x&&x.visualViewport?x.visualViewport.height:E[C];v-=k-n.height,v*=l?1:-1}if(r===ne||(r===ie||r===ce)&&s===Ve){f=he;var M=d&&E===x&&x.visualViewport?x.visualViewport.width:E[P];u-=M-n.width,u*=l?1:-1}}var H=Object.assign({position:a},h&&xs),p=c===!0?Ps({x:u,y:v}):{x:u,y:v};if(u=p.x,v=p.y,l){var D;return Object.assign({},H,(D={},D[w]=N?"0":"",D[f]=S?"0":"",D.transform=(x.devicePixelRatio||1)<=1?"translate("+u+"px, "+v+"px)":"translate3d("+u+"px, "+v+"px, 0)",D))}return Object.assign({},H,(t={},t[w]=N?v+"px":"",t[f]=S?u+"px":"",t.transform="",t))}function Rs(e){var t=e.state,i=e.options,n=i.gpuAcceleration,r=n===void 0?!0:n,s=i.adaptive,o=s===void 0?!0:s,a=i.roundOffsets,l=a===void 0?!0:a,h={placement:Ae(t.placement),variation:Ke(t.placement),popper:t.elements.popper,popperRect:t.rects.popper,gpuAcceleration:r,isFixed:t.options.strategy==="fixed"};t.modifiersData.popperOffsets!=null&&(t.styles.popper=Object.assign({},t.styles.popper,vn(Object.assign({},h,{offsets:t.modifiersData.popperOffsets,position:t.options.strategy,adaptive:o,roundOffsets:l})))),t.modifiersData.arrow!=null&&(t.styles.arrow=Object.assign({},t.styles.arrow,vn(Object.assign({},h,{offsets:t.modifiersData.arrow,position:"absolute",adaptive:!1,roundOffsets:l})))),t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-placement":t.placement})}const Li={name:"computeStyles",enabled:!0,phase:"beforeWrite",fn:Rs,data:{}};var St={passive:!0};function Ns(e){var t=e.state,i=e.instance,n=e.options,r=n.scroll,s=r===void 0?!0:r,o=n.resize,a=o===void 0?!0:o,l=ue(t.elements.popper),h=[].concat(t.scrollParents.reference,t.scrollParents.popper);return s&&h.forEach(function(c){c.addEventListener("scroll",i.update,St)}),a&&l.addEventListener("resize",i.update,St),function(){s&&h.forEach(function(c){c.removeEventListener("scroll",i.update,St)}),a&&l.removeEventListener("resize",i.update,St)}}const Oi={name:"eventListeners",enabled:!0,phase:"write",fn:function(){},effect:Ns,data:{}};var Is={left:"right",right:"left",bottom:"top",top:"bottom"};function Lt(e){return e.replace(/left|right|bottom|top/g,function(t){return Is[t]})}var Ms={start:"end",end:"start"};function bn(e){return e.replace(/start|end/g,function(t){return Ms[t]})}function xi(e){var t=ue(e),i=t.pageXOffset,n=t.pageYOffset;return{scrollLeft:i,scrollTop:n}}function Pi(e){return qe(Pe(e)).left+xi(e).scrollLeft}function Hs(e,t){var i=ue(e),n=Pe(e),r=i.visualViewport,s=n.clientWidth,o=n.clientHeight,a=0,l=0;if(r){s=r.width,o=r.height;var h=zn();(h||!h&&t==="fixed")&&(a=r.offsetLeft,l=r.offsetTop)}return{width:s,height:o,x:a+Pi(e),y:l}}function $s(e){var t,i=Pe(e),n=xi(e),r=(t=e.ownerDocument)==null?void 0:t.body,s=Ie(i.scrollWidth,i.clientWidth,r?r.scrollWidth:0,r?r.clientWidth:0),o=Ie(i.scrollHeight,i.clientHeight,r?r.scrollHeight:0,r?r.clientHeight:0),a=-n.scrollLeft+Pi(e),l=-n.scrollTop;return Se(r||i).direction==="rtl"&&(a+=Ie(i.clientWidth,r?r.clientWidth:0)-s),{width:s,height:o,x:a,y:l}}function Ri(e){var t=Se(e),i=t.overflow,n=t.overflowX,r=t.overflowY;return/auto|scroll|overlay|hidden/.test(i+r+n)}function tr(e){return["html","body","#document"].indexOf(Ce(e))>=0?e.ownerDocument.body:de(e)&&Ri(e)?e:tr(Vt(e))}function ct(e,t){var i;t===void 0&&(t=[]);var n=tr(e),r=n===((i=e.ownerDocument)==null?void 0:i.body),s=ue(n),o=r?[s].concat(s.visualViewport||[],Ri(n)?n:[]):n,a=t.concat(o);return r?a:a.concat(ct(Vt(o)))}function mi(e){return Object.assign({},e,{left:e.x,top:e.y,right:e.x+e.width,bottom:e.y+e.height})}function Fs(e,t){var i=qe(e,!1,t==="fixed");return i.top=i.top+e.clientTop,i.left=i.left+e.clientLeft,i.bottom=i.top+e.clientHeight,i.right=i.left+e.clientWidth,i.width=e.clientWidth,i.height=e.clientHeight,i.x=i.left,i.y=i.top,i}function _n(e,t,i){return t===Ai?mi(Hs(e,i)):$e(t)?Fs(t,i):mi($s(Pe(e)))}function js(e){var t=ct(Vt(e)),i=["absolute","fixed"].indexOf(Se(e).position)>=0,n=i&&de(e)?ut(e):e;return $e(n)?t.filter(function(r){return $e(r)&&Yn(r,n)&&Ce(r)!=="body"}):[]}function Bs(e,t,i,n){var r=t==="clippingParents"?js(e):[].concat(t),s=[].concat(r,[i]),o=s[0],a=s.reduce(function(l,h){var c=_n(e,h,n);return l.top=Ie(c.top,l.top),l.right=Ht(c.right,l.right),l.bottom=Ht(c.bottom,l.bottom),l.left=Ie(c.left,l.left),l},_n(e,o,n));return a.width=a.right-a.left,a.height=a.bottom-a.top,a.x=a.left,a.y=a.top,a}function ir(e){var t=e.reference,i=e.element,n=e.placement,r=n?Ae(n):null,s=n?Ke(n):null,o=t.x+t.width/2-i.width/2,a=t.y+t.height/2-i.height/2,l;switch(r){case ie:l={x:o,y:t.y-i.height};break;case ce:l={x:o,y:t.y+t.height};break;case he:l={x:t.x+t.width,y:a};break;case ne:l={x:t.x-i.width,y:a};break;default:l={x:t.x,y:t.y}}var h=r?Di(r):null;if(h!=null){var c=h==="y"?"height":"width";switch(s){case He:l[h]=l[h]-(t[c]/2-i[c]/2);break;case Ve:l[h]=l[h]+(t[c]/2-i[c]/2);break}}return l}function Je(e,t){t===void 0&&(t={});var i=t,n=i.placement,r=n===void 0?e.placement:n,s=i.strategy,o=s===void 0?e.strategy:s,a=i.boundary,l=a===void 0?Hn:a,h=i.rootBoundary,c=h===void 0?Ai:h,d=i.elementContext,g=d===void 0?Fe:d,u=i.altBoundary,y=u===void 0?!1:u,v=i.padding,_=v===void 0?0:v,S=Qn(typeof _!="number"?_:Zn(_,Xe)),N=g===Fe?$n:Fe,f=e.rects.popper,w=e.elements[y?N:g],x=Bs($e(w)?w:w.contextElement||Pe(e.elements.popper),l,c,o),E=qe(e.elements.reference),C=ir({reference:E,element:f,strategy:"absolute",placement:r}),P=mi(Object.assign({},f,C)),k=g===Fe?P:E,M={top:x.top-k.top+S.top,bottom:k.bottom-x.bottom+S.bottom,left:x.left-k.left+S.left,right:k.right-x.right+S.right},H=e.modifiersData.offset;if(g===Fe&&H){var p=H[r];Object.keys(M).forEach(function(D){var R=[he,ce].indexOf(D)>=0?1:-1,T=[ie,ce].indexOf(D)>=0?"y":"x";M[D]+=p[T]*R})}return M}function Us(e,t){t===void 0&&(t={});var i=t,n=i.placement,r=i.boundary,s=i.rootBoundary,o=i.padding,a=i.flipVariations,l=i.allowedAutoPlacements,h=l===void 0?Ci:l,c=Ke(n),d=c?a?pi:pi.filter(function(y){return Ke(y)===c}):Xe,g=d.filter(function(y){return h.indexOf(y)>=0});g.length===0&&(g=d);var u=g.reduce(function(y,v){return y[v]=Je(e,{placement:v,boundary:r,rootBoundary:s,padding:o})[Ae(v)],y},{});return Object.keys(u).sort(function(y,v){return u[y]-u[v]})}function Vs(e){if(Ae(e)===Ut)return[];var t=Lt(e);return[bn(e),t,bn(t)]}function Ws(e){var t=e.state,i=e.options,n=e.name;if(!t.modifiersData[n]._skip){for(var r=i.mainAxis,s=r===void 0?!0:r,o=i.altAxis,a=o===void 0?!0:o,l=i.fallbackPlacements,h=i.padding,c=i.boundary,d=i.rootBoundary,g=i.altBoundary,u=i.flipVariations,y=u===void 0?!0:u,v=i.allowedAutoPlacements,_=t.options.placement,S=Ae(_),N=S===_,f=l||(N||!y?[Lt(_)]:Vs(_)),w=[_].concat(f).reduce(function(ee,W){return ee.concat(Ae(W)===Ut?Us(t,{placement:W,boundary:c,rootBoundary:d,padding:h,flipVariations:y,allowedAutoPlacements:v}):W)},[]),x=t.rects.reference,E=t.rects.popper,C=new Map,P=!0,k=w[0],M=0;M=0,T=R?"width":"height",A=Je(t,{placement:H,boundary:c,rootBoundary:d,altBoundary:g,padding:h}),b=R?D?he:ne:D?ce:ie;x[T]>E[T]&&(b=Lt(b));var L=Lt(b),I=[];if(s&&I.push(A[p]<=0),a&&I.push(A[b]<=0,A[L]<=0),I.every(function(ee){return ee})){k=H,P=!1;break}C.set(H,I)}if(P)for(var U=y?3:1,j=function(W){var K=w.find(function(z){var $=C.get(z);if($)return $.slice(0,W).every(function(V){return V})});if(K)return k=K,"break"},J=U;J>0;J--){var B=j(J);if(B==="break")break}t.placement!==k&&(t.modifiersData[n]._skip=!0,t.placement=k,t.reset=!0)}}const nr={name:"flip",enabled:!0,phase:"main",fn:Ws,requiresIfExists:["offset"],data:{_skip:!1}};function yn(e,t,i){return i===void 0&&(i={x:0,y:0}),{top:e.top-t.height-i.y,right:e.right-t.width+i.x,bottom:e.bottom-t.height+i.y,left:e.left-t.width-i.x}}function En(e){return[ie,he,ce,ne].some(function(t){return e[t]>=0})}function qs(e){var t=e.state,i=e.name,n=t.rects.reference,r=t.rects.popper,s=t.modifiersData.preventOverflow,o=Je(t,{elementContext:"reference"}),a=Je(t,{altBoundary:!0}),l=yn(o,n),h=yn(a,r,s),c=En(l),d=En(h);t.modifiersData[i]={referenceClippingOffsets:l,popperEscapeOffsets:h,isReferenceHidden:c,hasPopperEscaped:d},t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-reference-hidden":c,"data-popper-escaped":d})}const rr={name:"hide",enabled:!0,phase:"main",requiresIfExists:["preventOverflow"],fn:qs};function Ks(e,t,i){var n=Ae(e),r=[ne,ie].indexOf(n)>=0?-1:1,s=typeof i=="function"?i(Object.assign({},t,{placement:e})):i,o=s[0],a=s[1];return o=o||0,a=(a||0)*r,[ne,he].indexOf(n)>=0?{x:a,y:o}:{x:o,y:a}}function Js(e){var t=e.state,i=e.options,n=e.name,r=i.offset,s=r===void 0?[0,0]:r,o=Ci.reduce(function(c,d){return c[d]=Ks(d,t.rects,s),c},{}),a=o[t.placement],l=a.x,h=a.y;t.modifiersData.popperOffsets!=null&&(t.modifiersData.popperOffsets.x+=l,t.modifiersData.popperOffsets.y+=h),t.modifiersData[n]=o}const sr={name:"offset",enabled:!0,phase:"main",requires:["popperOffsets"],fn:Js};function Xs(e){var t=e.state,i=e.name;t.modifiersData[i]=ir({reference:t.rects.reference,element:t.rects.popper,strategy:"absolute",placement:t.placement})}const Ni={name:"popperOffsets",enabled:!0,phase:"read",fn:Xs,data:{}};function zs(e){return e==="x"?"y":"x"}function Ys(e){var t=e.state,i=e.options,n=e.name,r=i.mainAxis,s=r===void 0?!0:r,o=i.altAxis,a=o===void 0?!1:o,l=i.boundary,h=i.rootBoundary,c=i.altBoundary,d=i.padding,g=i.tether,u=g===void 0?!0:g,y=i.tetherOffset,v=y===void 0?0:y,_=Je(t,{boundary:l,rootBoundary:h,padding:d,altBoundary:c}),S=Ae(t.placement),N=Ke(t.placement),f=!N,w=Di(S),x=zs(w),E=t.modifiersData.popperOffsets,C=t.rects.reference,P=t.rects.popper,k=typeof v=="function"?v(Object.assign({},t.rects,{placement:t.placement})):v,M=typeof k=="number"?{mainAxis:k,altAxis:k}:Object.assign({mainAxis:0,altAxis:0},k),H=t.modifiersData.offset?t.modifiersData.offset[t.placement]:null,p={x:0,y:0};if(E){if(s){var D,R=w==="y"?ie:ne,T=w==="y"?ce:he,A=w==="y"?"height":"width",b=E[w],L=b+_[R],I=b-_[T],U=u?-P[A]/2:0,j=N===He?C[A]:P[A],J=N===He?-P[A]:-C[A],B=t.elements.arrow,ee=u&&B?ki(B):{width:0,height:0},W=t.modifiersData["arrow#persistent"]?t.modifiersData["arrow#persistent"].padding:Gn(),K=W[R],z=W[T],$=lt(0,C[A],ee[A]),V=f?C[A]/2-U-$-K-M.mainAxis:j-$-K-M.mainAxis,te=f?-C[A]/2+U+$+z+M.mainAxis:J+$+z+M.mainAxis,fe=t.elements.arrow&&ut(t.elements.arrow),Kt=fe?w==="y"?fe.clientTop||0:fe.clientLeft||0:0,ft=(D=H?.[w])!=null?D:0,Jt=b+V-ft-Kt,Xt=b+te-ft,pt=lt(u?Ht(L,Jt):L,b,u?Ie(I,Xt):I);E[w]=pt,p[w]=pt-b}if(a){var re,X=w==="x"?ie:ne,O=w==="x"?ce:he,F=E[x],q=x==="y"?"height":"width",Y=F+_[X],ke=F-_[O],pe=[ie,ne].indexOf(S)!==-1,ze=(re=H?.[x])!=null?re:0,Ii=pe?Y:F-C[q]-P[q]-ze+M.altAxis,Mi=pe?F+C[q]+P[q]-ze-M.altAxis:ke,Hi=u&&pe?ks(Ii,F,Mi):lt(u?Ii:Y,F,u?Mi:ke);E[x]=Hi,p[x]=Hi-F}t.modifiersData[n]=p}}const or={name:"preventOverflow",enabled:!0,phase:"main",fn:Ys,requiresIfExists:["offset"]};function Gs(e){return{scrollLeft:e.scrollLeft,scrollTop:e.scrollTop}}function Qs(e){return e===ue(e)||!de(e)?xi(e):Gs(e)}function Zs(e){var t=e.getBoundingClientRect(),i=We(t.width)/e.offsetWidth||1,n=We(t.height)/e.offsetHeight||1;return i!==1||n!==1}function eo(e,t,i){i===void 0&&(i=!1);var n=de(t),r=de(t)&&Zs(t),s=Pe(t),o=qe(e,r,i),a={scrollLeft:0,scrollTop:0},l={x:0,y:0};return(n||!n&&!i)&&((Ce(t)!=="body"||Ri(s))&&(a=Qs(t)),de(t)?(l=qe(t,!0),l.x+=t.clientLeft,l.y+=t.clientTop):s&&(l.x=Pi(s))),{x:o.left+a.scrollLeft-l.x,y:o.top+a.scrollTop-l.y,width:o.width,height:o.height}}function to(e){var t=new Map,i=new Set,n=[];e.forEach(function(s){t.set(s.name,s)});function r(s){i.add(s.name);var o=[].concat(s.requires||[],s.requiresIfExists||[]);o.forEach(function(a){if(!i.has(a)){var l=t.get(a);l&&r(l)}}),n.push(s)}return e.forEach(function(s){i.has(s.name)||r(s)}),n}function io(e){var t=to(e);return Xn.reduce(function(i,n){return i.concat(t.filter(function(r){return r.phase===n}))},[])}function no(e){var t;return function(){return t||(t=new Promise(function(i){Promise.resolve().then(function(){t=void 0,i(e())})})),t}}function ro(e){var t=e.reduce(function(i,n){var r=i[n.name];return i[n.name]=r?Object.assign({},r,n,{options:Object.assign({},r.options,n.options),data:Object.assign({},r.data,n.data)}):n,i},{});return Object.keys(t).map(function(i){return t[i]})}var wn={placement:"bottom",modifiers:[],strategy:"absolute"};function An(){for(var e=arguments.length,t=new Array(e),i=0;iX&&typeof X=="object"&&"default"in X?X:{default:X};function h(X){if(X&&X.__esModule)return X;const L=Object.create(null,{[Symbol.toStringTag]:{value:"Module"}});if(X){for(const j in X)if(j!=="default"){const q=Object.getOwnPropertyDescriptor(X,j);Object.defineProperty(L,j,q.get?q:{enumerable:!0,get:()=>X[j]})}}return L.default=X,Object.freeze(L)}const d=h(i),c=l(r),g=l(s),u=l(o),v=l(a),m="dropdown",S=".bs.dropdown",N=".data-api",f="Escape",A="Tab",P="ArrowUp",E="ArrowDown",C=2,x=`hide${S}`,k=`hidden${S}`,M=`show${S}`,H=`shown${S}`,p=`click${S}${N}`,O=`keydown${S}${N}`,R=`keyup${S}${N}`,T="show",w="dropup",b="dropend",D="dropstart",I="dropup-center",U="dropdown-center",B='[data-bs-toggle="dropdown"]:not(.disabled):not(:disabled)',J=`${B}.${T}`,F=".dropdown-menu",ee=".navbar",W=".navbar-nav",K=".dropdown-menu .dropdown-item:not(.disabled):not(:disabled)",z=n.isRTL()?"top-end":"top-start",$=n.isRTL()?"top-start":"top-end",V=n.isRTL()?"bottom-end":"bottom-start",te=n.isRTL()?"bottom-start":"bottom-end",fe=n.isRTL()?"left-start":"right-start",Vt=n.isRTL()?"right-start":"left-start",ut="top",Wt="bottom",qt={autoClose:!0,boundary:"clippingParents",display:"dynamic",offset:[0,2],popperConfig:null,reference:"toggle"},ft={autoClose:"(boolean|string)",boundary:"(string|element)",display:"string",offset:"(array|string|function)",popperConfig:"(null|object|function)",reference:"(string|element|object)"};class re extends v.default{constructor(L,j){super(L,j),this._popper=null,this._parent=this._element.parentNode,this._menu=u.default.next(this._element,F)[0]||u.default.prev(this._element,F)[0]||u.default.findOne(F,this._parent),this._inNavbar=this._detectNavbar()}static get Default(){return qt}static get DefaultType(){return ft}static get NAME(){return m}toggle(){return this._isShown()?this.hide():this.show()}show(){if(n.isDisabled(this._element)||this._isShown())return;const L={relatedTarget:this._element};if(!c.default.trigger(this._element,M,L).defaultPrevented){if(this._createPopper(),"ontouchstart"in document.documentElement&&!this._parent.closest(W))for(const q of[].concat(...document.body.children))c.default.on(q,"mouseover",n.noop);this._element.focus(),this._element.setAttribute("aria-expanded",!0),this._menu.classList.add(T),this._element.classList.add(T),c.default.trigger(this._element,H,L)}}hide(){if(n.isDisabled(this._element)||!this._isShown())return;const L={relatedTarget:this._element};this._completeHide(L)}dispose(){this._popper&&this._popper.destroy(),super.dispose()}update(){this._inNavbar=this._detectNavbar(),this._popper&&this._popper.update()}_completeHide(L){if(!c.default.trigger(this._element,x,L).defaultPrevented){if("ontouchstart"in document.documentElement)for(const q of[].concat(...document.body.children))c.default.off(q,"mouseover",n.noop);this._popper&&this._popper.destroy(),this._menu.classList.remove(T),this._element.classList.remove(T),this._element.setAttribute("aria-expanded","false"),g.default.removeDataAttribute(this._menu,"popper"),c.default.trigger(this._element,k,L)}}_getConfig(L){if(L=super._getConfig(L),typeof L.reference=="object"&&!n.isElement(L.reference)&&typeof L.reference.getBoundingClientRect!="function")throw new TypeError(`${m.toUpperCase()}: Option "reference" provided type "object" without a required "getBoundingClientRect" method.`);return L}_createPopper(){if(typeof d>"u")throw new TypeError("Bootstrap's dropdowns require Popper (https://popper.js.org)");let L=this._element;this._config.reference==="parent"?L=this._parent:n.isElement(this._config.reference)?L=n.getElement(this._config.reference):typeof this._config.reference=="object"&&(L=this._config.reference);const j=this._getPopperConfig();this._popper=d.createPopper(L,this._menu,j)}_isShown(){return this._menu.classList.contains(T)}_getPlacement(){const L=this._parent;if(L.classList.contains(b))return fe;if(L.classList.contains(D))return Vt;if(L.classList.contains(I))return ut;if(L.classList.contains(U))return Wt;const j=getComputedStyle(this._menu).getPropertyValue("--bs-position").trim()==="end";return L.classList.contains(w)?j?$:z:j?te:V}_detectNavbar(){return this._element.closest(ee)!==null}_getOffset(){const{offset:L}=this._config;return typeof L=="string"?L.split(",").map(j=>Number.parseInt(j,10)):typeof L=="function"?j=>L(j,this._element):L}_getPopperConfig(){const L={placement:this._getPlacement(),modifiers:[{name:"preventOverflow",options:{boundary:this._config.boundary}},{name:"offset",options:{offset:this._getOffset()}}]};return(this._inNavbar||this._config.display==="static")&&(g.default.setDataAttribute(this._menu,"popper","static"),L.modifiers=[{name:"applyStyles",enabled:!1}]),{...L,...typeof this._config.popperConfig=="function"?this._config.popperConfig(L):this._config.popperConfig}}_selectMenuItem({key:L,target:j}){const q=u.default.find(K,this._menu).filter(Y=>n.isVisible(Y));q.length&&n.getNextActiveElement(q,j,L===E,!q.includes(j)).focus()}static jQueryInterface(L){return this.each(function(){const j=re.getOrCreateInstance(this,L);if(typeof L=="string"){if(typeof j[L]>"u")throw new TypeError(`No method named "${L}"`);j[L]()}})}static clearMenus(L){if(L.button===C||L.type==="keyup"&&L.key!==A)return;const j=u.default.find(J);for(const q of j){const Y=re.getInstance(q);if(!Y||Y._config.autoClose===!1)continue;const ke=L.composedPath(),pe=ke.includes(Y._menu);if(ke.includes(Y._element)||Y._config.autoClose==="inside"&&!pe||Y._config.autoClose==="outside"&&pe||Y._menu.contains(L.target)&&(L.type==="keyup"&&L.key===A||/input|select|option|textarea|form/i.test(L.target.tagName)))continue;const Xe={relatedTarget:Y._element};L.type==="click"&&(Xe.clickEvent=L),Y._completeHide(Xe)}}static dataApiKeydownHandler(L){const j=/input|textarea/i.test(L.target.tagName),q=L.key===f,Y=[P,E].includes(L.key);if(!Y&&!q||j&&!q)return;L.preventDefault();const ke=this.matches(B)?this:u.default.prev(this,B)[0]||u.default.next(this,B)[0]||u.default.findOne(B,L.delegateTarget.parentNode),pe=re.getOrCreateInstance(ke);if(Y){L.stopPropagation(),pe.show(),pe._selectMenuItem(L);return}pe._isShown()&&(L.stopPropagation(),pe.hide(),ke.focus())}}return c.default.on(document,O,B,re.dataApiKeydownHandler),c.default.on(document,O,F,re.dataApiKeydownHandler),c.default.on(document,p,re.clearMenus),c.default.on(document,R,re.clearMenus),c.default.on(document,p,B,function(X){X.preventDefault(),re.getOrCreateInstance(this).toggle()}),n.defineJQueryPlugin(re),re})})(bs);const yn=document.getElementById("navbarSupportedContentToggler"),ti=document.getElementById("navbarSupportedContent");ti!=null&&(ti.addEventListener("show.bs.collapse",()=>{console.log("opening navbar content"),yn.classList.toggle("is-active")}),ti.addEventListener("hide.bs.collapse",()=>{console.log("closing navbar content"),yn.classList.toggle("is-active")}));let lo=document.querySelectorAll(".needs-validation");Array.prototype.slice.call(lo).forEach(function(e){e.addEventListener("submit",function(t){e.checkValidity()||(t.preventDefault(),t.stopPropagation(),e.classList.add("was-validated"))},!1)});const co={mounted(){this.el.addEventListener("closed.bs.alert",()=>{this.pushEvent("lv:clear-flash",this.el.dataset)})}};var pi={},ho={get exports(){return pi},set exports(e){pi=e}},It={},uo={get exports(){return It},set exports(e){It=e}};/*! + */(function(e,t){(function(i,n){e.exports=n(uo,me(),xe(),Ei(),dt(),Bt())})(Z,function(i,n,r,s,o,a){const l=X=>X&&typeof X=="object"&&"default"in X?X:{default:X};function h(X){if(X&&X.__esModule)return X;const O=Object.create(null,{[Symbol.toStringTag]:{value:"Module"}});if(X){for(const F in X)if(F!=="default"){const q=Object.getOwnPropertyDescriptor(X,F);Object.defineProperty(O,F,q.get?q:{enumerable:!0,get:()=>X[F]})}}return O.default=X,Object.freeze(O)}const c=h(i),d=l(r),g=l(s),u=l(o),y=l(a),v="dropdown",S=".bs.dropdown",N=".data-api",f="Escape",w="Tab",x="ArrowUp",E="ArrowDown",C=2,P=`hide${S}`,k=`hidden${S}`,M=`show${S}`,H=`shown${S}`,p=`click${S}${N}`,D=`keydown${S}${N}`,R=`keyup${S}${N}`,T="show",A="dropup",b="dropend",L="dropstart",I="dropup-center",U="dropdown-center",j='[data-bs-toggle="dropdown"]:not(.disabled):not(:disabled)',J=`${j}.${T}`,B=".dropdown-menu",ee=".navbar",W=".navbar-nav",K=".dropdown-menu .dropdown-item:not(.disabled):not(:disabled)",z=n.isRTL()?"top-end":"top-start",$=n.isRTL()?"top-start":"top-end",V=n.isRTL()?"bottom-end":"bottom-start",te=n.isRTL()?"bottom-start":"bottom-end",fe=n.isRTL()?"left-start":"right-start",Kt=n.isRTL()?"right-start":"left-start",ft="top",Jt="bottom",Xt={autoClose:!0,boundary:"clippingParents",display:"dynamic",offset:[0,2],popperConfig:null,reference:"toggle"},pt={autoClose:"(boolean|string)",boundary:"(string|element)",display:"string",offset:"(array|string|function)",popperConfig:"(null|object|function)",reference:"(string|element|object)"};class re extends y.default{constructor(O,F){super(O,F),this._popper=null,this._parent=this._element.parentNode,this._menu=u.default.next(this._element,B)[0]||u.default.prev(this._element,B)[0]||u.default.findOne(B,this._parent),this._inNavbar=this._detectNavbar()}static get Default(){return Xt}static get DefaultType(){return pt}static get NAME(){return v}toggle(){return this._isShown()?this.hide():this.show()}show(){if(n.isDisabled(this._element)||this._isShown())return;const O={relatedTarget:this._element};if(!d.default.trigger(this._element,M,O).defaultPrevented){if(this._createPopper(),"ontouchstart"in document.documentElement&&!this._parent.closest(W))for(const q of[].concat(...document.body.children))d.default.on(q,"mouseover",n.noop);this._element.focus(),this._element.setAttribute("aria-expanded",!0),this._menu.classList.add(T),this._element.classList.add(T),d.default.trigger(this._element,H,O)}}hide(){if(n.isDisabled(this._element)||!this._isShown())return;const O={relatedTarget:this._element};this._completeHide(O)}dispose(){this._popper&&this._popper.destroy(),super.dispose()}update(){this._inNavbar=this._detectNavbar(),this._popper&&this._popper.update()}_completeHide(O){if(!d.default.trigger(this._element,P,O).defaultPrevented){if("ontouchstart"in document.documentElement)for(const q of[].concat(...document.body.children))d.default.off(q,"mouseover",n.noop);this._popper&&this._popper.destroy(),this._menu.classList.remove(T),this._element.classList.remove(T),this._element.setAttribute("aria-expanded","false"),g.default.removeDataAttribute(this._menu,"popper"),d.default.trigger(this._element,k,O)}}_getConfig(O){if(O=super._getConfig(O),typeof O.reference=="object"&&!n.isElement(O.reference)&&typeof O.reference.getBoundingClientRect!="function")throw new TypeError(`${v.toUpperCase()}: Option "reference" provided type "object" without a required "getBoundingClientRect" method.`);return O}_createPopper(){if(typeof c>"u")throw new TypeError("Bootstrap's dropdowns require Popper (https://popper.js.org)");let O=this._element;this._config.reference==="parent"?O=this._parent:n.isElement(this._config.reference)?O=n.getElement(this._config.reference):typeof this._config.reference=="object"&&(O=this._config.reference);const F=this._getPopperConfig();this._popper=c.createPopper(O,this._menu,F)}_isShown(){return this._menu.classList.contains(T)}_getPlacement(){const O=this._parent;if(O.classList.contains(b))return fe;if(O.classList.contains(L))return Kt;if(O.classList.contains(I))return ft;if(O.classList.contains(U))return Jt;const F=getComputedStyle(this._menu).getPropertyValue("--bs-position").trim()==="end";return O.classList.contains(A)?F?$:z:F?te:V}_detectNavbar(){return this._element.closest(ee)!==null}_getOffset(){const{offset:O}=this._config;return typeof O=="string"?O.split(",").map(F=>Number.parseInt(F,10)):typeof O=="function"?F=>O(F,this._element):O}_getPopperConfig(){const O={placement:this._getPlacement(),modifiers:[{name:"preventOverflow",options:{boundary:this._config.boundary}},{name:"offset",options:{offset:this._getOffset()}}]};return(this._inNavbar||this._config.display==="static")&&(g.default.setDataAttribute(this._menu,"popper","static"),O.modifiers=[{name:"applyStyles",enabled:!1}]),{...O,...typeof this._config.popperConfig=="function"?this._config.popperConfig(O):this._config.popperConfig}}_selectMenuItem({key:O,target:F}){const q=u.default.find(K,this._menu).filter(Y=>n.isVisible(Y));q.length&&n.getNextActiveElement(q,F,O===E,!q.includes(F)).focus()}static jQueryInterface(O){return this.each(function(){const F=re.getOrCreateInstance(this,O);if(typeof O=="string"){if(typeof F[O]>"u")throw new TypeError(`No method named "${O}"`);F[O]()}})}static clearMenus(O){if(O.button===C||O.type==="keyup"&&O.key!==w)return;const F=u.default.find(J);for(const q of F){const Y=re.getInstance(q);if(!Y||Y._config.autoClose===!1)continue;const ke=O.composedPath(),pe=ke.includes(Y._menu);if(ke.includes(Y._element)||Y._config.autoClose==="inside"&&!pe||Y._config.autoClose==="outside"&&pe||Y._menu.contains(O.target)&&(O.type==="keyup"&&O.key===w||/input|select|option|textarea|form/i.test(O.target.tagName)))continue;const ze={relatedTarget:Y._element};O.type==="click"&&(ze.clickEvent=O),Y._completeHide(ze)}}static dataApiKeydownHandler(O){const F=/input|textarea/i.test(O.target.tagName),q=O.key===f,Y=[x,E].includes(O.key);if(!Y&&!q||F&&!q)return;O.preventDefault();const ke=this.matches(j)?this:u.default.prev(this,j)[0]||u.default.next(this,j)[0]||u.default.findOne(j,O.delegateTarget.parentNode),pe=re.getOrCreateInstance(ke);if(Y){O.stopPropagation(),pe.show(),pe._selectMenuItem(O);return}pe._isShown()&&(O.stopPropagation(),pe.hide(),ke.focus())}}return d.default.on(document,D,j,re.dataApiKeydownHandler),d.default.on(document,D,B,re.dataApiKeydownHandler),d.default.on(document,p,re.clearMenus),d.default.on(document,R,re.clearMenus),d.default.on(document,p,j,function(X){X.preventDefault(),re.getOrCreateInstance(this).toggle()}),n.defineJQueryPlugin(re),re})})(ws);const Cn=document.getElementById("navbarSupportedContentToggler"),ri=document.getElementById("navbarSupportedContent");ri!=null&&(ri.addEventListener("show.bs.collapse",()=>{console.log("opening navbar content"),Cn.classList.toggle("is-active")}),ri.addEventListener("hide.bs.collapse",()=>{console.log("closing navbar content"),Cn.classList.toggle("is-active")}));let fo=document.querySelectorAll(".needs-validation");Array.prototype.slice.call(fo).forEach(function(e){e.addEventListener("submit",function(t){e.checkValidity()||(t.preventDefault(),t.stopPropagation(),e.classList.add("was-validated"))},!1)});const po={mounted(){this.el.addEventListener("closed.bs.alert",()=>{this.pushEvent("lv:clear-flash",this.el.dataset)})}};var vi={},go={get exports(){return vi},set exports(e){vi=e}},$t={},mo={get exports(){return $t},set exports(e){$t=e}};/*! * Bootstrap scrollbar.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var En;function fo(){return En||(En=1,function(e,t){(function(i,n){e.exports=n(ht(),bi(),me())})(Z,function(i,n,r){const s=u=>u&&typeof u=="object"&&"default"in u?u:{default:u},o=s(i),a=s(n),l=".fixed-top, .fixed-bottom, .is-fixed, .sticky-top",h=".sticky-top",d="padding-right",c="margin-right";class g{constructor(){this._element=document.body}getWidth(){const v=document.documentElement.clientWidth;return Math.abs(window.innerWidth-v)}hide(){const v=this.getWidth();this._disableOverFlow(),this._setElementAttributes(this._element,d,m=>m+v),this._setElementAttributes(l,d,m=>m+v),this._setElementAttributes(h,c,m=>m-v)}reset(){this._resetElementAttributes(this._element,"overflow"),this._resetElementAttributes(this._element,d),this._resetElementAttributes(l,d),this._resetElementAttributes(h,c)}isOverflowing(){return this.getWidth()>0}_disableOverFlow(){this._saveInitialAttribute(this._element,"overflow"),this._element.style.overflow="hidden"}_setElementAttributes(v,m,y){const S=this.getWidth(),N=f=>{if(f!==this._element&&window.innerWidth>f.clientWidth+S)return;this._saveInitialAttribute(f,m);const A=window.getComputedStyle(f).getPropertyValue(m);f.style.setProperty(m,`${y(Number.parseFloat(A))}px`)};this._applyManipulationCallback(v,N)}_saveInitialAttribute(v,m){const y=v.style.getPropertyValue(m);y&&a.default.setDataAttribute(v,m,y)}_resetElementAttributes(v,m){const y=S=>{const N=a.default.getDataAttribute(S,m);if(N===null){S.style.removeProperty(m);return}a.default.removeDataAttribute(S,m),S.style.setProperty(m,N)};this._applyManipulationCallback(v,y)}_applyManipulationCallback(v,m){if(r.isElement(v)){m(v);return}for(const y of o.default.find(v,this._element))m(y)}}return g})}(uo)),It}var Mt={},po={get exports(){return Mt},set exports(e){Mt=e}};/*! + */var Tn;function vo(){return Tn||(Tn=1,function(e,t){(function(i,n){e.exports=n(dt(),Ei(),me())})(Z,function(i,n,r){const s=u=>u&&typeof u=="object"&&"default"in u?u:{default:u},o=s(i),a=s(n),l=".fixed-top, .fixed-bottom, .is-fixed, .sticky-top",h=".sticky-top",c="padding-right",d="margin-right";class g{constructor(){this._element=document.body}getWidth(){const y=document.documentElement.clientWidth;return Math.abs(window.innerWidth-y)}hide(){const y=this.getWidth();this._disableOverFlow(),this._setElementAttributes(this._element,c,v=>v+y),this._setElementAttributes(l,c,v=>v+y),this._setElementAttributes(h,d,v=>v-y)}reset(){this._resetElementAttributes(this._element,"overflow"),this._resetElementAttributes(this._element,c),this._resetElementAttributes(l,c),this._resetElementAttributes(h,d)}isOverflowing(){return this.getWidth()>0}_disableOverFlow(){this._saveInitialAttribute(this._element,"overflow"),this._element.style.overflow="hidden"}_setElementAttributes(y,v,_){const S=this.getWidth(),N=f=>{if(f!==this._element&&window.innerWidth>f.clientWidth+S)return;this._saveInitialAttribute(f,v);const w=window.getComputedStyle(f).getPropertyValue(v);f.style.setProperty(v,`${_(Number.parseFloat(w))}px`)};this._applyManipulationCallback(y,N)}_saveInitialAttribute(y,v){const _=y.style.getPropertyValue(v);_&&a.default.setDataAttribute(y,v,_)}_resetElementAttributes(y,v){const _=S=>{const N=a.default.getDataAttribute(S,v);if(N===null){S.style.removeProperty(v);return}a.default.removeDataAttribute(S,v),S.style.setProperty(v,N)};this._applyManipulationCallback(y,_)}_applyManipulationCallback(y,v){if(r.isElement(y)){v(y);return}for(const _ of o.default.find(y,this._element))v(_)}}return g})}(mo)),$t}var Ft={},bo={get exports(){return Ft},set exports(e){Ft=e}};/*! * Bootstrap backdrop.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var An;function go(){return An||(An=1,function(e,t){(function(i,n){e.exports=n(Pe(),me(),_i())})(Z,function(i,n,r){const s=m=>m&&typeof m=="object"&&"default"in m?m:{default:m},o=s(i),a=s(r),l="backdrop",h="fade",d="show",c=`mousedown.bs.${l}`,g={className:"modal-backdrop",clickCallback:null,isAnimated:!1,isVisible:!0,rootElement:"body"},u={className:"string",clickCallback:"(function|null)",isAnimated:"boolean",isVisible:"boolean",rootElement:"(element|string)"};class v extends a.default{constructor(y){super(),this._config=this._getConfig(y),this._isAppended=!1,this._element=null}static get Default(){return g}static get DefaultType(){return u}static get NAME(){return l}show(y){if(!this._config.isVisible){n.execute(y);return}this._append();const S=this._getElement();this._config.isAnimated&&n.reflow(S),S.classList.add(d),this._emulateAnimation(()=>{n.execute(y)})}hide(y){if(!this._config.isVisible){n.execute(y);return}this._getElement().classList.remove(d),this._emulateAnimation(()=>{this.dispose(),n.execute(y)})}dispose(){this._isAppended&&(o.default.off(this._element,c),this._element.remove(),this._isAppended=!1)}_getElement(){if(!this._element){const y=document.createElement("div");y.className=this._config.className,this._config.isAnimated&&y.classList.add(h),this._element=y}return this._element}_configAfterMerge(y){return y.rootElement=n.getElement(y.rootElement),y}_append(){if(this._isAppended)return;const y=this._getElement();this._config.rootElement.append(y),o.default.on(y,c,()=>{n.execute(this._config.clickCallback)}),this._isAppended=!0}_emulateAnimation(y){n.executeAfterTransition(y,this._getElement(),this._config.isAnimated)}}return v})}(po)),Mt}var Ht={},mo={get exports(){return Ht},set exports(e){Ht=e}};/*! + */var Sn;function _o(){return Sn||(Sn=1,function(e,t){(function(i,n){e.exports=n(xe(),me(),wi())})(Z,function(i,n,r){const s=v=>v&&typeof v=="object"&&"default"in v?v:{default:v},o=s(i),a=s(r),l="backdrop",h="fade",c="show",d=`mousedown.bs.${l}`,g={className:"modal-backdrop",clickCallback:null,isAnimated:!1,isVisible:!0,rootElement:"body"},u={className:"string",clickCallback:"(function|null)",isAnimated:"boolean",isVisible:"boolean",rootElement:"(element|string)"};class y extends a.default{constructor(_){super(),this._config=this._getConfig(_),this._isAppended=!1,this._element=null}static get Default(){return g}static get DefaultType(){return u}static get NAME(){return l}show(_){if(!this._config.isVisible){n.execute(_);return}this._append();const S=this._getElement();this._config.isAnimated&&n.reflow(S),S.classList.add(c),this._emulateAnimation(()=>{n.execute(_)})}hide(_){if(!this._config.isVisible){n.execute(_);return}this._getElement().classList.remove(c),this._emulateAnimation(()=>{this.dispose(),n.execute(_)})}dispose(){this._isAppended&&(o.default.off(this._element,d),this._element.remove(),this._isAppended=!1)}_getElement(){if(!this._element){const _=document.createElement("div");_.className=this._config.className,this._config.isAnimated&&_.classList.add(h),this._element=_}return this._element}_configAfterMerge(_){return _.rootElement=n.getElement(_.rootElement),_}_append(){if(this._isAppended)return;const _=this._getElement();this._config.rootElement.append(_),o.default.on(_,d,()=>{n.execute(this._config.clickCallback)}),this._isAppended=!0}_emulateAnimation(_){n.executeAfterTransition(_,this._getElement(),this._config.isAnimated)}}return y})}(bo)),Ft}var jt={},yo={get exports(){return jt},set exports(e){jt=e}};/*! * Bootstrap focustrap.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */var wn;function vo(){return wn||(wn=1,function(e,t){(function(i,n){e.exports=n(Pe(),ht(),_i())})(Z,function(i,n,r){const s=A=>A&&typeof A=="object"&&"default"in A?A:{default:A},o=s(i),a=s(n),l=s(r),h="focustrap",c=".bs.focustrap",g=`focusin${c}`,u=`keydown.tab${c}`,v="Tab",m="forward",y="backward",S={autofocus:!0,trapElement:null},N={autofocus:"boolean",trapElement:"element"};class f extends l.default{constructor(P){super(),this._config=this._getConfig(P),this._isActive=!1,this._lastTabNavDirection=null}static get Default(){return S}static get DefaultType(){return N}static get NAME(){return h}activate(){this._isActive||(this._config.autofocus&&this._config.trapElement.focus(),o.default.off(document,c),o.default.on(document,g,P=>this._handleFocusin(P)),o.default.on(document,u,P=>this._handleKeydown(P)),this._isActive=!0)}deactivate(){this._isActive&&(this._isActive=!1,o.default.off(document,c))}_handleFocusin(P){const{trapElement:E}=this._config;if(P.target===document||P.target===E||E.contains(P.target))return;const C=a.default.focusableChildren(E);C.length===0?E.focus():this._lastTabNavDirection===y?C[C.length-1].focus():C[0].focus()}_handleKeydown(P){P.key===v&&(this._lastTabNavDirection=P.shiftKey?y:m)}}return f})}(mo)),Ht}/*! + */var kn;function Eo(){return kn||(kn=1,function(e,t){(function(i,n){e.exports=n(xe(),dt(),wi())})(Z,function(i,n,r){const s=w=>w&&typeof w=="object"&&"default"in w?w:{default:w},o=s(i),a=s(n),l=s(r),h="focustrap",d=".bs.focustrap",g=`focusin${d}`,u=`keydown.tab${d}`,y="Tab",v="forward",_="backward",S={autofocus:!0,trapElement:null},N={autofocus:"boolean",trapElement:"element"};class f extends l.default{constructor(x){super(),this._config=this._getConfig(x),this._isActive=!1,this._lastTabNavDirection=null}static get Default(){return S}static get DefaultType(){return N}static get NAME(){return h}activate(){this._isActive||(this._config.autofocus&&this._config.trapElement.focus(),o.default.off(document,d),o.default.on(document,g,x=>this._handleFocusin(x)),o.default.on(document,u,x=>this._handleKeydown(x)),this._isActive=!0)}deactivate(){this._isActive&&(this._isActive=!1,o.default.off(document,d))}_handleFocusin(x){const{trapElement:E}=this._config;if(x.target===document||x.target===E||E.contains(x.target))return;const C=a.default.focusableChildren(E);C.length===0?E.focus():this._lastTabNavDirection===_?C[C.length-1].focus():C[0].focus()}_handleKeydown(x){x.key===y&&(this._lastTabNavDirection=x.shiftKey?_:v)}}return f})}(yo)),jt}/*! * Bootstrap modal.js v5.2.3 (https://getbootstrap.com/) * Copyright 2011-2022 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors) * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) - */(function(e,t){(function(i,n){e.exports=n(me(),Pe(),ht(),fo(),$t(),go(),vo(),Rn())})(Z,function(i,n,r,s,o,a,l,h){const d=z=>z&&typeof z=="object"&&"default"in z?z:{default:z},c=d(n),g=d(r),u=d(s),v=d(o),m=d(a),y=d(l),S="modal",f=".bs.modal",A=".data-api",P="Escape",E=`hide${f}`,C=`hidePrevented${f}`,x=`hidden${f}`,k=`show${f}`,M=`shown${f}`,H=`resize${f}`,p=`click.dismiss${f}`,O=`mousedown.dismiss${f}`,R=`keydown.dismiss${f}`,T=`click${f}${A}`,w="modal-open",b="fade",D="show",I="modal-static",U=".modal.show",B=".modal-dialog",J=".modal-body",F='[data-bs-toggle="modal"]',ee={backdrop:!0,focus:!0,keyboard:!0},W={backdrop:"(boolean|string)",focus:"boolean",keyboard:"boolean"};class K extends v.default{constructor($,V){super($,V),this._dialog=g.default.findOne(B,this._element),this._backdrop=this._initializeBackDrop(),this._focustrap=this._initializeFocusTrap(),this._isShown=!1,this._isTransitioning=!1,this._scrollBar=new u.default,this._addEventListeners()}static get Default(){return ee}static get DefaultType(){return W}static get NAME(){return S}toggle($){return this._isShown?this.hide():this.show($)}show($){this._isShown||this._isTransitioning||c.default.trigger(this._element,k,{relatedTarget:$}).defaultPrevented||(this._isShown=!0,this._isTransitioning=!0,this._scrollBar.hide(),document.body.classList.add(w),this._adjustDialog(),this._backdrop.show(()=>this._showElement($)))}hide(){!this._isShown||this._isTransitioning||c.default.trigger(this._element,E).defaultPrevented||(this._isShown=!1,this._isTransitioning=!0,this._focustrap.deactivate(),this._element.classList.remove(D),this._queueCallback(()=>this._hideModal(),this._element,this._isAnimated()))}dispose(){for(const $ of[window,this._dialog])c.default.off($,f);this._backdrop.dispose(),this._focustrap.deactivate(),super.dispose()}handleUpdate(){this._adjustDialog()}_initializeBackDrop(){return new m.default({isVisible:Boolean(this._config.backdrop),isAnimated:this._isAnimated()})}_initializeFocusTrap(){return new y.default({trapElement:this._element})}_showElement($){document.body.contains(this._element)||document.body.append(this._element),this._element.style.display="block",this._element.removeAttribute("aria-hidden"),this._element.setAttribute("aria-modal",!0),this._element.setAttribute("role","dialog"),this._element.scrollTop=0;const V=g.default.findOne(J,this._dialog);V&&(V.scrollTop=0),i.reflow(this._element),this._element.classList.add(D);const te=()=>{this._config.focus&&this._focustrap.activate(),this._isTransitioning=!1,c.default.trigger(this._element,M,{relatedTarget:$})};this._queueCallback(te,this._dialog,this._isAnimated())}_addEventListeners(){c.default.on(this._element,R,$=>{if($.key===P){if(this._config.keyboard){$.preventDefault(),this.hide();return}this._triggerBackdropTransition()}}),c.default.on(window,H,()=>{this._isShown&&!this._isTransitioning&&this._adjustDialog()}),c.default.on(this._element,O,$=>{c.default.one(this._element,p,V=>{if(!(this._element!==$.target||this._element!==V.target)){if(this._config.backdrop==="static"){this._triggerBackdropTransition();return}this._config.backdrop&&this.hide()}})})}_hideModal(){this._element.style.display="none",this._element.setAttribute("aria-hidden",!0),this._element.removeAttribute("aria-modal"),this._element.removeAttribute("role"),this._isTransitioning=!1,this._backdrop.hide(()=>{document.body.classList.remove(w),this._resetAdjustments(),this._scrollBar.reset(),c.default.trigger(this._element,x)})}_isAnimated(){return this._element.classList.contains(b)}_triggerBackdropTransition(){if(c.default.trigger(this._element,C).defaultPrevented)return;const V=this._element.scrollHeight>document.documentElement.clientHeight,te=this._element.style.overflowY;te==="hidden"||this._element.classList.contains(I)||(V||(this._element.style.overflowY="hidden"),this._element.classList.add(I),this._queueCallback(()=>{this._element.classList.remove(I),this._queueCallback(()=>{this._element.style.overflowY=te},this._dialog)},this._dialog),this._element.focus())}_adjustDialog(){const $=this._element.scrollHeight>document.documentElement.clientHeight,V=this._scrollBar.getWidth(),te=V>0;if(te&&!$){const fe=i.isRTL()?"paddingLeft":"paddingRight";this._element.style[fe]=`${V}px`}if(!te&&$){const fe=i.isRTL()?"paddingRight":"paddingLeft";this._element.style[fe]=`${V}px`}}_resetAdjustments(){this._element.style.paddingLeft="",this._element.style.paddingRight=""}static jQueryInterface($,V){return this.each(function(){const te=K.getOrCreateInstance(this,$);if(typeof $=="string"){if(typeof te[$]>"u")throw new TypeError(`No method named "${$}"`);te[$](V)}})}}return c.default.on(document,T,F,function(z){const $=i.getElementFromSelector(this);["A","AREA"].includes(this.tagName)&&z.preventDefault(),c.default.one($,k,fe=>{fe.defaultPrevented||c.default.one($,x,()=>{i.isVisible(this)&&this.focus()})});const V=g.default.findOne(U);V&&K.getInstance(V).hide(),K.getOrCreateInstance($).toggle(this)}),h.enableDismissTrigger(K),i.defineJQueryPlugin(K),K})})(ho);const bo=pi,_o={mounted(){const e=new bo(this.el);e.show(),this.el.addEventListener("hidden.bs.modal",t=>{this.pushEventTo(`#${this.el.getAttribute("id")}`,"close",{}),e.dispose()}),this.handleEvent("modal-please-hide",t=>{e.hide()})},destroyed(){const e=document.querySelector(".modal-backdrop");e&&e.parentElement.removeChild(e)}},yo={mounted(){const e=new vs(this.el,{toggle:!1});this.handleEvent("toggle-template-details",({targetId:t})=>{this.el.id==t&&e.toggle()}),this.el.addEventListener("shown.bs.collapse",t=>{this.pushEvent("collapse-shown",{target_id:t.target.id})}),this.el.addEventListener("hidden.bs.collapse",t=>{this.pushEvent("collapse-hidden",{target_id:t.target.id})})}};let Ut={};Ut.AlertRemover=co;Ut.BsModal=_o;Ut.BsCollapse=yo;let Eo=document.querySelector("meta[name='csrf-token']").getAttribute("content"),rr=new rs("/live",dr,{params:{_csrf_token:Eo},hooks:Ut});gi.config({barColors:{0:"#29d"},shadowColor:"rgba(0, 0, 0, .3)"});window.addEventListener("phx:page-loading-start",e=>gi.show());window.addEventListener("phx:page-loading-stop",e=>gi.hide());rr.connect();window.liveSocket=rr; + */(function(e,t){(function(i,n){e.exports=n(me(),xe(),dt(),vo(),Bt(),_o(),Eo(),Mn())})(Z,function(i,n,r,s,o,a,l,h){const c=z=>z&&typeof z=="object"&&"default"in z?z:{default:z},d=c(n),g=c(r),u=c(s),y=c(o),v=c(a),_=c(l),S="modal",f=".bs.modal",w=".data-api",x="Escape",E=`hide${f}`,C=`hidePrevented${f}`,P=`hidden${f}`,k=`show${f}`,M=`shown${f}`,H=`resize${f}`,p=`click.dismiss${f}`,D=`mousedown.dismiss${f}`,R=`keydown.dismiss${f}`,T=`click${f}${w}`,A="modal-open",b="fade",L="show",I="modal-static",U=".modal.show",j=".modal-dialog",J=".modal-body",B='[data-bs-toggle="modal"]',ee={backdrop:!0,focus:!0,keyboard:!0},W={backdrop:"(boolean|string)",focus:"boolean",keyboard:"boolean"};class K extends y.default{constructor($,V){super($,V),this._dialog=g.default.findOne(j,this._element),this._backdrop=this._initializeBackDrop(),this._focustrap=this._initializeFocusTrap(),this._isShown=!1,this._isTransitioning=!1,this._scrollBar=new u.default,this._addEventListeners()}static get Default(){return ee}static get DefaultType(){return W}static get NAME(){return S}toggle($){return this._isShown?this.hide():this.show($)}show($){this._isShown||this._isTransitioning||d.default.trigger(this._element,k,{relatedTarget:$}).defaultPrevented||(this._isShown=!0,this._isTransitioning=!0,this._scrollBar.hide(),document.body.classList.add(A),this._adjustDialog(),this._backdrop.show(()=>this._showElement($)))}hide(){!this._isShown||this._isTransitioning||d.default.trigger(this._element,E).defaultPrevented||(this._isShown=!1,this._isTransitioning=!0,this._focustrap.deactivate(),this._element.classList.remove(L),this._queueCallback(()=>this._hideModal(),this._element,this._isAnimated()))}dispose(){for(const $ of[window,this._dialog])d.default.off($,f);this._backdrop.dispose(),this._focustrap.deactivate(),super.dispose()}handleUpdate(){this._adjustDialog()}_initializeBackDrop(){return new v.default({isVisible:Boolean(this._config.backdrop),isAnimated:this._isAnimated()})}_initializeFocusTrap(){return new _.default({trapElement:this._element})}_showElement($){document.body.contains(this._element)||document.body.append(this._element),this._element.style.display="block",this._element.removeAttribute("aria-hidden"),this._element.setAttribute("aria-modal",!0),this._element.setAttribute("role","dialog"),this._element.scrollTop=0;const V=g.default.findOne(J,this._dialog);V&&(V.scrollTop=0),i.reflow(this._element),this._element.classList.add(L);const te=()=>{this._config.focus&&this._focustrap.activate(),this._isTransitioning=!1,d.default.trigger(this._element,M,{relatedTarget:$})};this._queueCallback(te,this._dialog,this._isAnimated())}_addEventListeners(){d.default.on(this._element,R,$=>{if($.key===x){if(this._config.keyboard){$.preventDefault(),this.hide();return}this._triggerBackdropTransition()}}),d.default.on(window,H,()=>{this._isShown&&!this._isTransitioning&&this._adjustDialog()}),d.default.on(this._element,D,$=>{d.default.one(this._element,p,V=>{if(!(this._element!==$.target||this._element!==V.target)){if(this._config.backdrop==="static"){this._triggerBackdropTransition();return}this._config.backdrop&&this.hide()}})})}_hideModal(){this._element.style.display="none",this._element.setAttribute("aria-hidden",!0),this._element.removeAttribute("aria-modal"),this._element.removeAttribute("role"),this._isTransitioning=!1,this._backdrop.hide(()=>{document.body.classList.remove(A),this._resetAdjustments(),this._scrollBar.reset(),d.default.trigger(this._element,P)})}_isAnimated(){return this._element.classList.contains(b)}_triggerBackdropTransition(){if(d.default.trigger(this._element,C).defaultPrevented)return;const V=this._element.scrollHeight>document.documentElement.clientHeight,te=this._element.style.overflowY;te==="hidden"||this._element.classList.contains(I)||(V||(this._element.style.overflowY="hidden"),this._element.classList.add(I),this._queueCallback(()=>{this._element.classList.remove(I),this._queueCallback(()=>{this._element.style.overflowY=te},this._dialog)},this._dialog),this._element.focus())}_adjustDialog(){const $=this._element.scrollHeight>document.documentElement.clientHeight,V=this._scrollBar.getWidth(),te=V>0;if(te&&!$){const fe=i.isRTL()?"paddingLeft":"paddingRight";this._element.style[fe]=`${V}px`}if(!te&&$){const fe=i.isRTL()?"paddingRight":"paddingLeft";this._element.style[fe]=`${V}px`}}_resetAdjustments(){this._element.style.paddingLeft="",this._element.style.paddingRight=""}static jQueryInterface($,V){return this.each(function(){const te=K.getOrCreateInstance(this,$);if(typeof $=="string"){if(typeof te[$]>"u")throw new TypeError(`No method named "${$}"`);te[$](V)}})}}return d.default.on(document,T,B,function(z){const $=i.getElementFromSelector(this);["A","AREA"].includes(this.tagName)&&z.preventDefault(),d.default.one($,k,fe=>{fe.defaultPrevented||d.default.one($,P,()=>{i.isVisible(this)&&this.focus()})});const V=g.default.findOne(U);V&&K.getInstance(V).hide(),K.getOrCreateInstance($).toggle(this)}),h.enableDismissTrigger(K),i.defineJQueryPlugin(K),K})})(go);const wo=vi,Ao={mounted(){const e=new wo(this.el);e.show(),this.el.addEventListener("hidden.bs.modal",t=>{this.pushEventTo(`#${this.el.getAttribute("id")}`,"close",{}),e.dispose()}),this.handleEvent("modal-please-hide",t=>{e.hide()})},destroyed(){const e=document.querySelector(".modal-backdrop");e&&e.parentElement.removeChild(e)}},Co={mounted(){const e=new Es(this.el,{toggle:!1});this.handleEvent("toggle-template-details",({targetId:t})=>{this.el.id==t&&e.toggle()}),this.el.addEventListener("shown.bs.collapse",t=>{this.pushEvent("collapse-shown",{target_id:t.target.id})}),this.el.addEventListener("hidden.bs.collapse",t=>{this.pushEvent("collapse-hidden",{target_id:t.target.id})})}};let qt={};qt.AlertRemover=po;qt.BsModal=Ao;qt.BsCollapse=Co;let To=document.querySelector("meta[name='csrf-token']").getAttribute("content"),ar=new ls("/live",pr,{params:{_csrf_token:To},hooks:qt});bi.config({barColors:{0:"#29d"},shadowColor:"rgba(0, 0, 0, .3)"});window.addEventListener("phx:page-loading-start",e=>bi.show());window.addEventListener("phx:page-loading-stop",e=>bi.hide());ar.connect();window.liveSocket=ar; diff --git a/priv/static/assets/app.js.gz b/priv/static/assets/app.js.gz index fcb8e935e5dba031b86009d792eb7efc4961ecf5..dd63289c913f11d4bf56d48a26d470d706745351 100644 GIT binary patch literal 48683 zcmV(tK>B`OCH-C>7P0Tg?Ci|!Ji_@Zn^q#v!f1V$6g?hSVKmf< zJ@{CQd00K%@_gRA7uhVo@4sA?Rep1P$FnMq16?+V3SO;>tfQ1|uLw()N9#P!H=Fg< z>gp=x8YsRZYq=UO$%z6j)5XY6ovwXU`fyVmNf+rQHhQq+=C5VP< z1W8|HqH?mZ*S_iwe%apOLv|Liq*k?y{%w(0InFs&bD>6TGAn8`BM}y?lxvr_#+dRO z8l}i?SI+qIJ~bXJ#cam200xmIH#{!j$6b=HcnpKIJ!EbVMSsDoqpB*z)vDrQFiWar zzsds`e=Ne_;)Yktd={|Iaw;>5SW1PbWih{~@@pJJX9X;P#g|)WHqVP2=zQ85Sd|oz z0CQgUWw+f!*F%Z{lCb=U{v8Cjd07Q)*-vN<;v9aK)kDhrGg02A$%9?I>1f%PoyF5Z zxw{*h&*0)JO|okk9<+0N%d^?brATLC+Du3yX6AR5&mO$YC6+E%S2qFq)Twj9n7&e2W*;5JWIY4yI~Sf9@#Six`z<1W4B8R`ws z_voy*OnmC6BD?OZzU%=y@D9*H9Z_c`Eml%Zm+}zgQRIL)_5VtaCX8VJ;k4YI z+}!Y)fDL|MOOOpt%&H?|w79|22waz`oZM^LkK-87ux<);h!sT!9l^iwt_ z6Yv+{AAXxY$OQT+8&|E+PiVXp@jA`3#ciIZ(5d=`D{)ok(`#N00`n7!uL@kCo7tC(O}w62z->`#{oENB`-Dt;0i#FhNGO&-!bnZ;tW zX>Icw0GA3Ce9FZgpMBuvZ7eq!lPht<^HmjR-sd^|DV$PJ`TIP-F5~e;CY0Fy&LLb) z@M{)wHA>wY*VRgnr%6|t0m#ZfviLG7Kd4~=VwQD-XtN1r1vo1-5=eC#fqoB|yC!|P zuKn9pxeV8UEW~u+))B^%h)V`|w3?iwP(;q!qS{hXlT!ldX1G4%tV!)&6cRtt;! zWzJS>b{x)c6}C14SLhb@oJamTtGU1mRI75p0gI;TRWiLERJANwtEE-IK}Z%xB=MEL%=LG*3ncX3-XMlnGjPVDhdihlt&FJED9qsJBCP-?X7Tf^FRQ^V%A-EqD96ck zDKqqx!V1=~If1n|WLP?P_4D~W^zwCm11oUQc~a=l7GOtPV7>MsZrv)S2jcf;SGx-; zZ<1?Hu+rEDuPk8}N`DIkmziDU!#NyluMGz1{xJa9GEQgH)j9Qcnn!il0s*+`mcmH) z3pdzef!Citylh=ZwO2c;{d3?Q5qB_ZalPYVp{Lee(J}Lnx61L?rVC(UY&Cn8bt7AI zmLy#2wZUl=FOzhtv2E4BjnF+W;{*RhszlZehy|d*>5|V@DgPYIy1=@96QD2qbMKIO zGYQ=tp{ay!;RqLHUTnL8)P!&~d7SgUyp~mih*cNFi>F(fsz*IR<@5O39 zht)Ng8_xA5K-U6Kt{rT_u|b6|pr==vvkPjdqI@YS9{~2qfHc-K+n`Fy)T23|$~R@y z*|WR`+)8a=Zlk9+_6`U$XAT{W$)-ekEQzo7oOEw`5A*>JgB(a;XMHpP z$^C1ssNbR875~nTL)KnoM$ibXgp;(Rabx*PjfnMzf%cgu^O z+O3{|s|-mXE8y~O7~Z~54qUVpHo&OXCtPzoa-Ha$F`%0CNovqIvJ`C_tK#RJ2wq4e zk^?xvo`@S);ohD%UVUjQra)@XjQ41S4K%OumBI?< zECf<40`!h(Qe+;s<7N>>n`%HpW((rREG9hkXf|N85tb{#w$}1oWN&y`CJU~KTC>62P(~!wmqW4{vaixL{uO8`e(E*k6I zHvPHEV=6iclInF1R(<*QZ zfH*w}K@pL6RhkRp5@#gEiWi8^E&&?pikUUhEG>3y$-3I1$hVbLltOJ0@wSo@>(&mn z_EZabS=7Jf5!kaex*(CDr)6)j>nv_`>rAEn?S zA|L#nk;InJu^g6WQ%nBC*}JzPH=@CF{;7(F`R;BWCV*1$B?;^6mP^^(ZILgaMk$-D zA&t%-5aQen*-pzFE=!yN>p`-e18mszLJd}`{`WkYA%2BRzXG7%KL@fQK%yTt*Kw|pb*5lvRrIxR92$@ikbZ7`k}yR%M&4MRJkl#s zI4j{aLtwYVHyi9ZFmJ^;>S0wp=!L<;vUik^O;KK^vruA^r!Z9YL!$b5B2q=IU@dB( zr-vNC)yGKUs7F-tLL{m9jk{#wctV&5-*(`Ngx!&YeRuUMP+IoY7cZT6_Zhy7@uGSl zYy`~!WiiEt$X0x)Fz)CQF7SH%#X74emxGLzF&}4>p?(8`1<0xGU?f~=ff-u~yg)Qi zc|4ouGyd_z$xGNQ*!HY~HQo#2V6P*mBrK@zdb*B+T_6zD?B%oOdy>(}1%P>~Xj-Ev$Xm=2d0(GD-5v_i)7PX>W>|82fnE_ya>wJ1q zw<8V;#_Gz<=~dblmS2loI1WX1#gocmApTPlqB-N0=Be;x#SSr9>kN5dx^fgv(3wZ~ zKt~QfJRN7VTN*c|WO;EzbJoeBeQq$v?w)v67;2@PY&6;G?*w3uzv^mce~ z@C~z+Ek5On@(7v)g10FqchKX#MAC}NXl6OXlKUq|l>C}}3WL|j=Ki!NDLi61)Q1Z%D9x zKo8gW51g8M>w&k6kl^kg z?%UrODwtd;O%K>Pw}FEJ{rTqLz;6c|Il>He;0tm?#0Z4dQ#P3jkYsfcsJy|@+0ziMMn38JDvtMBn0drog z@c9I2y)9iRUQi<+;B&*=96&0Y%#ehF3-hLm*WVu>y*mDIaeDmr_4)UML-ywQ{78TO zh5dN)_SM;7jYPuWK1$$W{*b6U=ohf2m_LMqp2TLnF~;9F zwpZL6+t`rXlh`9B?I_kp*+7tR4=@%<0tzJwD2*f_r-#hO8elKBiAu=_WmVghZlVMn z4&XoocD8S?QiRr?&_4?OBU3+^W2e_o&UbgexLNM&cuY z?cc)X-kt<80vRGJp;jYb_1el1+cJu68JWqTvG?aiegnMDEPmc7IK#K);w7x>Q57EG zgPK!8{N4)1@2!wMr2?sZO=*Rx6x9!t{?$XpPvwS{&WC}sDYhFntKo&qI##-hp0f? z*T|?}0*dEh&hkCDS%!HGe}|Gm?krTOLIo9Cb{8sDp^^$sW1Gi2AjsmFM4~C;g$TW* z3f(LXnwgr_vg`lHm&<42N3ze#nT)bI# zp53zcQ=u1M$;$puNIh!A7*^ zShA9qw2Vu&q#Zzug$h-uP(W+*9tSl7vIex}YTAjJZ(75IZ?~wj#OvDCWs!;zFSP(U zUXzmQcp`OE@rTq6g&&GLfuFUfkmadE&KgQ2MTbg@{qkevPile-e`RnRZQVtEGD<9 zQH)mM7exabMH`9nQQQaPwI7>Jkl+vea z)}Ib@5OS=C?3YwCiUxkGpKGh51tnLKGC<^Rs+Phx@<8p>Ft`OcS&A7F{zf+s)aG*f+}qkMm-)SHSHy9BoGr6NTB5|Y+8vc@q-{1|>7hFsZtAzA z=w@VvByxQA#o85P)k+)Wu0)&*|86$ZqOmFG-Ky7KzMFxvE?`)U@bN=K-B+#N7In1> zs?GBI%t~P#fa%_;sD{ho6xQcGtk1bV$yQYLTU9Hmp3T%!2NzH^(ceHZ2VDbitB^O) ztb4lfx02CBHaC_p5Dj$8Ym%Q&^VCiN21nd;UuS8-^1n%NiNfXkvJ3|BZ&2&~mO@Cx z7(8yuAUkD}x}pnH_@KQ8uo!44sSUl(iSQ?)ACPA742?NV+9BB|LE5E~Z`(=L1A0*$ zbmcq)@HCTM=4DmO*GC6Ed7{w&kxr^A zVhAI|(O zCs=Vn)4Nao`_(DrX~eehlT%Q=F*q_kBoj!-GxCbb7l+C#CS{40Ur;|l_(k=TeWS2^ zk?@O3g(=i{!tHc{N}^*8436G}C;6780PyLxOew4yR+EYt1$*xew~NLjF|d5R8dr=@ zVEC?1*B@(>X5DJkXoCH*MrngujT%*nKiaI?&PKzihoT=sl_1d3=2F6~ox@>QpFqR_ zuh08gey`=St{ILtiwhK~9+=xKFhu*hmL@l~R=-l6y^;J7+l5fy7@RWgiI&tYbH8|C(yxEn?RJ+~g&Dee|_b$Y( z+1uaYy{oS~ThX6#O=|padr43{aj4W`G!s9f5?Tz0sCePqywPsI`1#`m*FzIkqT z+Nc2f04fBSOlzk0`1$`F#o%C4ftXZ~uB1zg@h9IaJaR8*lc6OH-M7Z@bL59J!VE{a zHl%yR2sHfOHXHH$K##D!)^$6{Gvg~wf2fAQU6Z5DhWm=D_^I_I@ypRbrlHe|vY9Et zDDgh8$YZ4HVx@Hmto%dH#a!TzSB`2!uPZ@?LSgg0LnCI;=NVE*`bTV(Y3A0Xf8MY1 zGkPmm*8DA6rjzdLU@aaaYZ`3Ef5lmB>7(u-G|8BLTay@`?KS zfu>)aEC)eaO30Im=?lc+6seGTi9!7;QtYunZgm9ox)ro+r3Lc5jw^Bnqk-fR%6u8VmoxT!S#!EBAsZpxjGVSTlemJ{Tt7`nW}z z1SETVk$ia4D$BaWIGGI7zOgou>L59c%^I*9CG(Ds9_8oV&QaHdrH`OlU5f^UYOruw zHjF)d0fTc>06q~wswl&6X)`7qOE0v(ajXa;-~lvTJb^n_76ZN6N-8q(9`(};P&yeP zXDqE!LekIqmv&FHNb{>CJ%=VqE6aWkw)(H}YC5$Bo$hefwRIG>DAc{d`xh6ye3K*9 zXEl;hDFaAV{h~CqKFWNTWaJM>#Evg5a~T=4MW~d?f^f9)tW1Uy@1syTeFzJd6bo_= zRZ4A;GX74rM~```ScRag)!N~nEVUwbr3*l(PE++zIF7~~J#(q$Dd5`G%_%)Qm@I6+ z);|Z(4(!qdY)!7i$oms>b-EpgAck==^Hl{GymB<#U-5EUh+Fxdn?=KI-DlEi*r*t+ zc?Pp8l=~?LiCvD6#@Pf90TKq}+X|=1Zi;xlz{~OzLT71<=b~n%lL6oWHF#YQpMCk| zpL$>R{tv!rXRuUnPR{WgfcOfUJw)e7toPNySBLut@V~!ep3;`STCK9h>Vaqdg{YRR ztG>ve$!b{WWq$hrC}LUl!f8Ye^j@r1y|+{Y3Out52!pX7#Gr@HgtaxnEQYm+$H7er zT+&Vc8~l6EudW3$O?fb3E5JLeZx;%$;N7iN505f&L(c}^70C@B?(MCjEqQS@UW`|h zz2HMvE_6~U!^JJtUUp;#6JS8S{4I?Sw+sp?jxEDA%k;qRBotm~RVF|<2v2w=!NqeH zze%bk&?cY419te={qSOc2A9rTI4aJ)<*fQcc(Hc|%2(H|!cf8n9Ue06 z`Ba6$S7<9Y>zB&}5a)|@Rm4l@gXx@?d79fS`l99*08BIGobMElX;Qo{l9@mi*#maK z)BxFmyj>T_SJ0rSg)&;*H_)D5qv6L<2b+W4R z4=dC%W^OZsubG+2V0|zMip5nDe)U(@>mB~>Z>)Ft4gBo?J%S_I|LU7S<$v=P=HtI# z9sb?qe{-PozxvA|RQ>y3u|AYk`TyJ0|LSW%L5JAO*MBkjfSFAGA=LjHWQBnI(|F6&}sopfd(QHca8rr1%h-tJfmbO7A*DVIHvp3WuvWEMn1g90^tKk}`-Q>DMvp z-vZlCz8-_Q_=N7}R!IKDE5MHP3jPpghQBv(g^CP*+yck~83QLETfDQ0q4_+APy(AQRp zsP_qEi#!Rty9P%+pjal}f|3EJxlIIn!CwF1n=k2z-sbn=;XeH=|5H?`!1@(Xg`~Wo zYj}`mFmD`7^?$^%k}`v|Kq`L+0By54Jopw+mX0Y`^j6)~#wTu4`u4@HdHN$)Zs zU~ZS6_Q~1iK2{*tk1~x|o<^edmD)%IQWT#v+NrDCM%oqNzeds==2e=s34^;p`tqbP zXyeC#{j+k?(L-p!j*A$19~il`fehGv(I`YYup!58tH6#2>}?}uzbv4EPnm8K_$Rr3 zZ`^`1Rkm;;oQzvYN)d~3%7uDI?pS6p3zhx_Rs-a`ue|88#BC>;s@=n)*Dz;D9Hf{u z7eIioZpqU@z*4soK6C}_JAXVY1jJt<4fWpaqQ4Na++Hm}3D|4djV<$0mC5q`Ip;HE zc?0&dO4L3+-DQzJUiSqw_TY{J&AS0ZyIWV}xh(jSc8|FBed!4pupLy^JpyDvH}5mq zD_m+4RB*uOz{~|mS^*52mc>y(o5~!x>lFDPwsvr*% z1RG?orM~dzKC1O#_7v}D_*>vX0MPt^$7QDqm2JRA-t*f@rmaS_vFF_W#!Kmx>y0U{i`Djurk0q0V5af>=b&*rVsn2 zxCz)Pj6!4afc*%?>1B_$0MH%#RG`Tndtb<13fKpU{a$lB%Y6lj0Kb);Ewu21a0;RC z;C-6#Ti|SU^5E+ORNazQ@S|q`z*?~A&;tx9fj_W?zd<4{GyH*mUc(=N-xC}aAeqnk z4#e4?d42%lz!eW#q@2&^z&ORmsp~4cJ_C|Q`&*=hrt+i2WiOReT%l!D;bnTaLd7?7 zd~&HxemVJlMi8PGSgxPf+R7fbv#6sZEq-z)(btXDvZR*s`t^)Lke1i0N}ZiZA4R@L z9B$MOlG$6p8ZU92o`)QT+FCu-qNIo4hEpn9^XIWM5ya7bq$TS{C+f`rnPKIX`a3B4 zfqX!)s@()B^gF#Y_I1z6iiXA&hLFa`LVL)TPx6wKkDMxdu_*$FW|dZs-GF^2kV9{j zgx*ksrPkr6Fu*xTL)1Yp*z>!NY9{?s9F?A>oAhQS+vlB|ZN;HV(CKH>D@H)efiJh) z{3Xg2H58t+0?)cO?aM=BU92};Kd(3ks7tWk*lpH0vM3BVl_={>++eE*WU*VbpJFnO zjGt?bO6j(QpZz;L*o+VN|33M@voE7B zp7krTe~lc8?DvHSqU3SGh6MnkwRkw=DMzey1Vm}@5Ex3@+WoqM!Tmwd4+nY6;UGtROylx>VEGyD^~^Ytug^)=yAzk_Qb60 zUq*nDki*lhlhELcA~r_B^aAee0ckqB6>mMm(VW1nR5J&+F>`#pMXWR>{6 zPT^mX8+pe@wP78LSgWkmSaGDYT*|{qS(=w2k_Z)02r$YW;x1^=Rz?o6pd9NfrW>E| z9Z&oBz}@nY8#W%b`(~V!WaIb{8V$wnF1|CI0SEF{+8$yPy8n+HA08Y>E&!?of3`_y zJ(R~2Y?iyCcRKVD`>xPX-dYA2O(P8;{U=&)|Dl{)9ZI8{$WFO#n4@cOVDW!-G?0vS zIQP6KAb`Iq(9M*L46u-g`vNfll5Uo^nsJJhjR{R;(-tnmB1H| znjw9Eid1C7RT@|BLr*Gx6RHOsDD@+MAVD+qC`l`)E=uC%*;GmgWI$k>)+Uf%L%>Cs z3h$4yK@paYDm>sX>ONCb+Z4{2z1~Gt96fV6>DbJ-qEM)=#0_@fNy6rR7r+zL3z+j6cVDVemO1BV~X;) z)*9KcP$gnrlyy$3*gga4L!j5JKjwP@)eR=Fv`||}!y8Y>7k1+Nq+FiUt$Un?tsWpV z8fNHIks3eAs+_Efqk*2TH(ym>7Dn+h+)~mriM;1z!B9l>fb$aA1)=QwZ4?44d8$O-t@m5mT-4Li{+Pb`DHl%_i*xM)c^8}X!CFQ_mX_v zptnRbLg~SCclRyoaOlp1iwmXma4`pRdwFpYuxc+D_HGhjy%#+GD+(Ehz1yT(#?OMN zxnVH|{LtX;1S_Dq?%TO~TVl2E9IX$GIwOx>cqsk#?YO?P%-T>BgyCO2oS-JkX48Ey zhnLBiA`JyNj9`LpOV|aE-)1nNczuPnJJ!C@KHdU9g_l_lmuzni><#{lu8BGNL17Ym zy+lq$PMvIZkAz8)=+d>6#AXmdCoB^(e7s2KYkF<>jLoETPm9ps%S1#5ig`OJAcvIBq1jvRrC|QVP z8^(DU&0dsMJHm$47W+lOM~1|}DNsy=Al#0i*%S`50WEaZ3ln|6{Pc?BtIdNOmS6{{ z03fAychO2hN(7({;G$JYRN!X!Nmi9_`Tcov<*m`QDpCqA#7%G^qDyqlA>N0@s`3n% zPyRxJh7=gPq5|niRk-XbVifHV@k>ZkeU}$EXEFekoq*9jFp-?J?v+1mYzjW!1LpW1 zFuCJ*j{M$9ojSBhF#hfu$*l4n;Q>)&UA&=D87d3W52V(#`57hZ56S>^MQ5Kf)CXor zsTU>7pCdsx0{Q8KISIOf(0rmq2nd7!6_7_%c9Rs>u)Fj~;%%|wj&vRcWg(ivF8Vvz zY-1d@s@`{j0J=t$AgWseTHyo*;tM*0jt9S|A5!5TQVHE&524T}7grv3?_`mYeynpW z!p6C*h%oL5HYMf3BngWMzyviGsFU%LvRVY7+Ypi9>OrK{YxF!mFiUhsvcWBA08ZyG z!XA2ezOCb~s(i8j$kB=6ukNW<)rpIE2~3&03yLj7?4Hp}#%u*wHASyeOlclFXrhD$ zd-8K~IsCo&20czjz>D05N&K8>P9R&t#9yHlSrmimp+nZW?&dj9xqoku7MLF(+ zlq0u2%4+`}-i`}&0o6!De+vqyhiRN)3H7y%%SgFiNjICN_7gN!D*6aG+Fwr+N~b;n zzS0H8e_#PBLhhUQAZY8MWAo+1 zmy*7^j<^8fB9Vpetip$gWUhjvPIEZEo9N5qB7SJHGlrYFqswXNgTVz(nRP(U1uk#x z#Nm(t+?vDV0K8?5k*8{;YEM98IJc7y+y;mMeTtx!FW_md$?JeK+^7ZVT&SToE^N0k zXkq67z37Ks$PfXB$SSvSCOnfmHPnuQZZ_isCX7SBOdG^DI)Q1535Hu>=;$CRX2)7W z-SCLy5II!~ffX?k@XZ|;Gu-bC_M7$0_P0LA6M~1r*ukpd73_T$DeF3$wiKAwPz(A< zvNlwNGQ*G7#I+!;hh6CtLj(yO3npc(I z*ud_;8g8pa27adIFT&+1i?ZtIyiL)M_@F^v{z^RM_+UcY?u4C{5T=cYir9p$6*?rd zz1nvU20J?@-H&Rk!$J!cvKb|7H9F5ige*hB66y9PUpd}EDMD-klpOjEbs|EOx;Ae_ z$SsjjNP!!E>$;?LqqRhq3pM57Kxx02Uh-il*8z)x?mam$owx~QV|}t%^!cZ0xIwxGkQeIm7}ft8M|%Fz66snF0V}FdI1l zz_=e!al|{V(6FCNzVCT+XaYPPdb%V@fr}4r%n6GohX%`&F`dD-o}pKgvU;ga_4UAF?TJ;CYUUtt1d@Z9H|W_I-EvL+0?-0yJP=Jy!Gkxb#Aqg)al)1q1rpEU{VK&1zU%fdM}R$FiHdC}-mvhYBr=J)54YQWVw z{v^FP``p>%h`h3R9GBuf*Kw}=o3~Nxm=mR&#Xg64pkf&`O24&^bP1;1ootCf%*8Sa zsjx5eB-vl{)EP`C?O4c%ibGo*6DfoWwc$G}!7b?-*WTVJzDZ!;DVlflT9*;|{L_2P zDUzO__?E*BA&Di_U&&r-39${GK(q42IO9O74x?sS!Rgl|aso~8zL7MSZpg)TMubI} zxsR||s(*g`kMoPS?_M46?#j%c5g#Gpc_R&!0}{tmv^Ior^8^lurR_&6faakE3WGQ=}&~h&`wOGDPJUM4?7>Al^Bc?7zcTuZ8pxRA~mc! z_|u;*QJGrD-a?}vKf>tq(wGG{CtNV#=?Rwu|_MA`&!&a_Oedo+hK{$#vg6hgU5o2 zaRIQz_)rm2Tcn4>__>f`@SceoOX_{zW*PS8C z>WJWimY5KJ;3?zb-i^K3zX0s=f!s@}zyPh=B>^BUZ&Lw;I}0LnQND&!nbd`wE1|c2 zb3>^uS#bjsU6@EWfR?SY^&^*Pc=6;eO}Is8ZuK@*Otj>0w4omxQaGsg=^-`xmv@5S zYrRc;%5t-#|E|Om8!|qbr#Y!vHm3T#d!m}_ zx8=|>Xw*o=v~4S8v-Bz-*j=LIh8z3d(;AekVca*6_f(Q}z3#6vG8n)*?Xvhg@-~LT zJu3lDdu;wJe)q8a>MGS_3#%VY&jO29f^VRYdjJvHfht3zQ`Lx1-$aXo4$CG_X}6kMmLApNjt*Ewo~>MA#A z?Y(p&VHSRkaB`vJE)Gn;eN2C&k{Qw^P9A;&^_3=w(Jt^+*vXWp${$oNns+ipwoVCB zhr>(ONyAU;4g}T1mBu#L7X9Yb_jQI*ei^s(CR*7#?5q#G-ON1!DlDCSwBCsm@_W zM215#JuRhQPn_|~b$o|BUBivrO8YyTQ{t{+FgNL|C`2HmmmYJ<>Z$Ki`&Z!dDR zk(kLdw=60Kp?WmR?Uk;ABjF|SAl;Sn@Nq@U6^fj2hF1`&4uo9@%_wqK60g`SQW~m9 zAeto?S)OF?ojXHL&X5H+{SNIItMP*>@GUZ62ZJzsiAM$Uk9&K_Fg`zMg%DH&X?XGQ zXUtqT4wc97DPbrbIwcy$K!GiVpCOXwG5#avfkaz07cfIY+`|BI=AV4YlR#=lhVRr2 zHRc?C$n7}vg%mYq>S)V%a`{|NY=fje3+dQFEs}$CQ3}&18JeVM+UycclHD}aKoH7H zB#q71yLTuNbX%(2xP+}ti=3Bu9oA8l^6}lYZ(6tfeN)h*gQZ(Zk0EYV2e7d_j{&~z zyg&jv8g7|HR~vx$rU|N5;!(5}Iy!gM)WWWv(mbE`l_rEwaa#(XMtX!^4go!xYw^FFmcg(cEq6_9OVOqdP7@gP z>~?5+O;%+)TR}X6iFEl=MQ_zy!-cwnTs_Fw+h)VnQlkb93S{_wPYCq)f&-B4WviQG z*`h_ZvDcGYklH-h`c$Awu0*=*Lf8dH5x z5f&j+ico3fV^=TNc%f8vPDmpvlWz zqL97?IC`Ddiqt4Yr}HqZhIYK(Oi0~9J@$7uP9^M<2L>j|VE0rXXW}ZAk=1SO|7tw# z!FZZ`k9U8X_`M@__lG;D#+rSj>9WXIWwU?aE_nR0U_S!_IaL>##N>TuAhO+Ccui z&F`Ylp}FavP~`%vC_8QA^U}8POH#(oG})?FE}Z#}I9uh09Zl{?Z+l&xamJO(oV*z> zNFpJbbEO}y=Yh%~`WkhYNUPlGa+ZwK#?EO&C84Rea9xqy75Cxf2Jdqm#9-Z6Cc`5% z*VL*dlVK})snGVU61Bx!?Mk}ZdxOs$ulr3-&~4C)Ww^erSA`LQLW5;7jggCGM)w=0 zfs7zbF28mdL0uOYfS~%9BDrnNodEm{6%Nc2v`#9sC6BY2Dc3wxtkGbHKA3zgCqdr} z?jA1Lqy_@r)zex~xWR9NcSu^v>jCO0?bDm1byS;b9Bu5A$h_(Xc7)H!ot9}{JEp-4 zfn3woA1zO2=mKu0y$v7^qNiN#jzQKg&vRnSAL7zWKbb+!(QFpuQWeHYb8emsb2$39 zyg=k)FxyT4${bE-916EJdo*i_zG+(+|712g<>A)z-!2}JCflQRxGgK6xwq}gwj5Yb zl+57kII2;VyZ~O}*JNt#nt`yv$XRp(GScfDJatG?6x7|Zq@u_R`XjxP@4JA!wbxN= z<71-*pe~KZRwIhzXfGRiJM-A^Y0ys`lXM{PFA*OeT0{OHl`f-njq2)?S-o;3^><*Y z9A$)m3DSFX6C&$b4xNJ-U9c2i=+gcDD2v57#n(+Kc0x~E^aC!qDgXH4gyoPxcOWZA zAr>Rc$+uEO#gc|N?Cn`tqEbczs46EEAT{psR{eC7W+h&&x-;ZI%2s6tXDAwk&6Y#k zYU|k@gNo{DEEAIlxDpgPam6g*Ia!aH#O4^JvWupQi|&=OrgYa+{YFB zp@;+J2KD~_zJLF9KQ9)~4*&l5zd!r5tZvePVN@yQs!ahOYCMi4XEe}h>>owEvr__* z6ev5X064{xZ@0Z-zv&vLl+tSpHoByPz1nC3#v5uc)nMtZR zsJ3dFe@)FFV>p;&rvo(%c8rQb$n+8C0@>&>Pz8#v;$y9j(VmnWg?wAzKRr4%?CFtd zbvOC1!c{MfwdxS;G07F zq)mswPbt2Q{|OWtUS+=7y}{Bj2~#*dM2!m zl$f9f3H%{bBr&1i41YD1OamRAw$y`X9{XF z{q-Hkscfz7Htysc;$rI3N!p-L>()hw5j?r^hePl_9B%upDVRX;=E0@`T}& zG3g2GPb%qa-kOrksnqex;N+q*n*P#qtEg6+;*_h|$=mlI&l{_$%Ney#rc;b_H6x)X zD(dEPR z0_txzJJ3dffl5f9Yni9`WUI7?oeDAPwae{pjE#abY}sy$#RV5pCqTN3HWnAG53Y+&v0c>MlD~ zGVtLM0P$&@hgVTFItx#MTwcI$cI8ys-F+KgK{t>ZU%Aj;+kwn+AnYny&tQCjiFOX5 zU1mZt=Xc|)NqiKs zdq`kM@sU69d$1=miJgMFUft6%qDuH8HRHDxRF=UU=IDClM&!i zeCo9IQnw|Wpb4BB8*dyw+X;7Y36}(22&IQ;*-c+;iW|7HIly8;(Q|X~QL?13tzh(? z3J!SI*J+gCY`rXDR@b=+PQ5)~C+s8pmHoh84EcbT0bv<`{NO_+J0Wl$o=WNXukopu zd*wVu?C!c>u!qt5D*gdF{uSLRS0Y0vbM;4P?^Gfp&apKGk?a?Jh!9I7fL@tAyoeZk#*ox+x~Uv_t2(l0p2)PIF0Jn$pSB3bQ#o!VP`M-TaDMYTA2ZVu{x z|I)oS?ScM^R?ct$^kivtFK|rf9>M$qVIR}w{fx`|W1Qg5{iqShkMRGi_(w!X$rQOO z@f)Wk=Nr~9zt1odqr93nn-ay;eqXROpAf~>Y6>+Ts8jY)?&@zb&&C#lC&S-%cYhNu%C09GnI62G?CtD*N%0F8TR;6=8@Agr2$t(H8s~=p0XOnN#*Q??gZaQKGTn*!6-s1uNpa0 z9e20k_TAM4d2%XNXTjb!uxHV7?0iZ|vN34GgS~Y(bGoCv&(fd6C8=@NQR!iVHn<2e+ z7SFMm=UJm*bGD3Fc;otLn3I(>T!Z>q3sN>4RYciwb(C?g$jG{cF(@YRP$(_hO5(FQ zxhL^>U|PWDsM=#7D_!;WkDjkyJiz5TcOgpkZ4f&4TeD7n9Q&L%q$2(|pd4eEymK&c zXKXa5Zal+Yw+I}FP8(nBMaiID-z_U-?VGKXIc%VF_`sbQ6O;>d92x*UK*GN{f)dq(`@4Uo^o6|%?%ebn zM)f$JsY9dr_U(AGI#7*2KQsI%jNdy&_e#s*IBo#fJNv}cUOeN{qNvcD#qo|*Mw+)= zGadsb^b?nrOACHxxV0I9=XC9!bz!c1#9Sqv9t$F6iyEHO0nBy>2nM_2yr z&Iy5R2!y<>_9clRC-Y2Ar6)a$Br*gKUEFsztSDk!L%u2h3IbZ6N~^h&^t5mKo_7-I zzD@yzqwi*(nMt)t`_6<*#_6qfF_;@1xA3uoc9Edyg%Nn|?&_P9cB zMNE{TM%xW>gWqWIk=C`6>pl9$K7t!Z&glGi1pEVTg%ke3Cw060Pr3tVWn7^6qk}H> z2j*DJ(Y;Y@Hl?}mhRO>nk+R8C+}7stjpI@(Bh!R&iYvF=zH<4t#Y#LsR7(TH)A;$+ zdgNe^9$xNf6+~|N^_0}`rk{bDX=}xH9$7Jf?PI|INMR$xzheC%p*4!7T zP8sS{re?w{x9&{vO|Hy*c@O`Dhf^zGugCus6W~V2zri2D#;@TIFrp^RigAnz#hCf{ z&HaEXY&`?e0}hv5d=4`5f$}h@r2BpuD!v>Dw9%=X5*|mkb28J?9aMkgKp4f^l%Fm> zgl~$aLva5y)o5S_*-ULVp<%mJ@ad{31%`B01-$P3&c_L#pc+NH5{xqDl#MQ_Vqu)@ zqWg82u`;hUxT45T=7=G8N^9!iO{_d>MBFww>2Lt_kW#&+78?F`6X`wI zZkE;Xm#c;Lqku;Y>|mn5;c~ZE6<+Ueu${&ZY3Bm&CdI83oWAzfk+rjZ)1xY?#@dtR z6b>1medi(~AnPz6ZOPEXa-(WSRnb0)%b@^(ceLS%GVxJ*%qJR+;%|vbiHLx7Ub&_zdY&pVGgeM!O4+e% zKi#Y(#%5uM&fw#cm38fHnP(Q&Y*udQEPvCifoH8F*@VRra>ezgqGC}IqiWIcCn<8y zXhOQH-QAy1WpLEh9onl7NIxlq{jyVZT)eE|R+1vf+U$9TBM|0V9cQ?<7zutzUG44` z?GYgL4@;*#kUE`_=A-d`Z_oDm=a3g1{%-uGF&4$b)F^_x%D6i6O0yOm+Xzo~*z8gk zsmbj>z#OpZx6m&DH2HYcwo)ADUF)0vjBXkq3T*5o#j%bmfSm!aTS!m)`Qzh%h>6Es z;|djg$ukTrd7gVUhIE<1DCG5}4t--pXby@&k*VTdoQ)40R1hByi*GaizJvY(B;-6~ z$&HxW?#9Lb;Y3Cva+@k9^<(3cm+e3BdSx`sf^ON)VHSA8l+<>!;p3CS4l|DrhPfSP zj!#h1L?9dIfH%yD3U_iTOfLPl(6!QSlS{@aPOkJPSBz7*w_6LLtX|tYYin+YThX^y zA{uq}^`#gMenLCBQTL6AT@GyfyzXq=cM%A%t$kLQKFQezRH5i+mw2me^+4vS;JPGd zH$jn+iRw`MztYhca(wfXT7#(dK2BIVaZQ^`kKEJdx#K090;$Coz@^O|B~C}P7Hv9$ z+B*l6K{#trp@eK_(nTNsLHF&_M9d?sWPBg^XHj1QS&3n;JIUFZPtLOO&H;=%8q8V_ z{zyhM3b#A>bG`Z{khbJK6w>qnz%01*|MaItUXky=({k@rYPuU)-~s^sasA9T*vNsDS{)=!9^QbM^_>=d+bjyb8& zwvGs@faYa<$av$;{3f~PC$H>XnU{Ne+KGa;iFxHoBW{8cqQy zj^Uiu${CkpjTJTi*|x2;(}wE9Yn4Xj)Z5mNaaT6;I&UR~GT5wfSB^Y%(?*y6(Y zB10HZhPuSJ6L{Lz&U545n`NJGQKDfP6%Gv$l(UJV(N(F0RZ+c6vRTT_!1Z}niY5hm zX%92yFWsDDWf0mjCcQ+7E2#;X_gv?YkhvuiIkm*<-@9EKrd2KjdPG;fba_ux9Vs%R z)sYI(V`DwH0v@R4(voB2i3$DP$U1uApR~;6kha;F47Lg95+BJ{w-*-{%Ir`zpJ3xg zx0eP@@LpC*=2ymR{)tar?iM9_Bz)+q+8EEbtcB<@reG^WaAc6y#4rzODA(wF)X(z?Vc zTzs)k>&uCm$rOs#Dt^Jwq7+xDYM;J)qm?g2CWMXz0Bb>M19SWASbyowbb9%*b zqVGrnH|lV`bP$sjZ?DauU}>R6DefGk>^52O3j{GBeFsaXe@&T;J~Lx>n1e+fmuwZU z+l9KD+u2#x>>;LSPIO_nKx6L3XaOA59me)~XgKJ$iX=J+UIc}JCGt5_ev|8hN6PXj4sqm2zEimW#MQbo6$JZGA3)6F2mBM^0u!FwnAwb<=t1x-_Zj{>$coW~y+J>XNo zmS+05`RyNQWc{+*-F;aZe?fyIh)2tBdoKl zL_4EPBXrTnW}hj)bZbO_U!0MZaC6Mei1WoF^-iI3P5}c3UI!KexU>?{DNZ8Q>tU)1 zZNSb_-6VR)=x*?l1y+?zbGosmm~9!|BaNv_t;XQ?yFg=dw?X_K(9Ld!!YjR?QkMgE zT3-F+9npiO&eqDuT7pK(iHdXNUvKIORA1#n`wwbu5s@qyIj6BWU2SNEGQSOKp`bQe zt;0+`;6x$`M~(l3|4&iWGl@$#6`ukULp^LZQ%gx$#ZNmXNxQBb$G;sgETA6;hV`$d z^{?^>p4r~$l#b75TiD*f0?rOzV{oS0euGpHB&4=+Z}uq)51PNa$_`-;H|l4G3F|u5 zQ(i>MTc^?l6D*LM769e(9HX8;q+I)yQ66PbH2V4Bp~?(RM%x~!z~fTI)ltp;>|UjI zxU=Yw4IBe9UZrpu2mjp;C;#mZFY&ed2|G+)fc~2uPF$dVN@w1F^;+j@^!a7`T|m2K z?^f~i)&Bs{4gTxV`Wx`{(YlcKyOy1G?4*Z&5pB|4IKfVQ1esf;NceC0=oQW_bma2N zf1E^6UN#hoAZ%UzE3r!Dr3#M^P7QlL!okf(|4na$YAm0I#|wCD$pxeN_X+| zrE#@>M={WLIwJ?&MW|>moO;tny{*+&@zSX#ylRofN`P~wPPwYP+(LN>?wB7`3h$gj zC|P^I-^T!>ji^VEx`KUMv4@ESofa+7j8fTHR-`1{MMdif)RizohtzRUOm2NlpcGYL zhay^{0&0mwpe|iSWVfwKr(4U3)=H=$K^3^|wTxm3BWXELK!lb%auRxsz=FPxE2{G{ zJTSOM7^LkeO&x%C+?Jx#rU&v{+64s^I8v17bmV96R-VqsP6JPJO;@%1)3K+eD29`; zqjCg?BWagoG$v6f#3yyl9(bIT?7WJV@NsNns7l9dCe|uF;*BRm8}=uZv@=G8bY?+qX<&l2JQ}OH1D5U)R1P-nV97s!yeg$lx*C=%L_@t*Vc^q<# zy#jP&sf;&qfL5}eO9clfv%;7;4r(#FWi>m=wt1~{Eap&KHnEau=T$+;{^!udQd_>s z=Rem{E*2v}KS&wGJRERiRi_^igwdUv>xeD%p7}!#>#kFz|6q*NTR8DxZlxAF>I1)US}ah}PvdYPHe}oXwEh6cHmJA6R&= z(eXO3zAt1f2@6XclZ^ICfyx=e&Re4LG6p#K*qIwge&cFZ&*`E-4$CoqN=A?mI3EtKD>c;5LgERx?dH zx0T?}YjvVS-gvcgk2~I1>S*X-pbjE9V4mt!=RtC@sPQ+kt-L}>P|en-KodHWc@t&I zyQq@fB6l8Sg?W%Qm?LtBk13&_KNb_~9 zu%f0gP+3oHCqh}1j(j25>x%s>tn=9xMF~)b49Te*+~@KAU_5GFYmG?sM*OCl#X8a% zf!@4o+veH5swVyB3-M5kz*-CO8WyNVDcTXnvi7Wj_>B2{rp;Gc&d+1hvW+aC9trC=x`&7 zl(sPZder&^_TN?JJ{Yxi;#S$LN1>B3QYsq0%l9kPzoMt~Xdv5SMx`9PCxDi3^^Qhc zcPs`8mMArMEnR3N74_N}1mO`okWw{+%3r(=E*p_pyVokih?JEIQd8Gth9=e19sL^# z9TK?(>=p8I6RA~7whh{*q0rV0r80KN>$n8kUs+X9*r#nZYSNR7Q1NOoWF{;bGvDadr# zK2?xQ+%JG+gqYiLZfx@9UerpGdZuF&=t)a3@avm|wiAgS1Ekg$F?J+BR8o6w_l<)%= zu18G4{-8nASi+WUhPFo-5!HC!HE~>ipgvSA7jzp~NN>Z;k4lE%b zOd#!;t_A7RqA77W=3Oo*-*W7*F_3kt!f#ENKz12jZhz69A1Wzwta#|Q3_%`O~*hZCzf0n#q!AEAIXdocge-UF0U3^TG8hfbx2&qyjD=zwHBJzQfmpcJRuKEGeJ1> zOq05F)@{5Xw!K{icK_wr>ZGdRbetC}{wkjyn<$-xq^#$6F|%~qR>N&9MTE{Mj1G|{~2#LTJk{V%(D9oZN4p7!bF>FPjgi}?t+#; z$rtsb*wBF{RZXg4QZOZXnO(yI!u^P9Pk4hhn_T)TBl?9`OsU+USVttKvU_nx zhOmu<8(L++(HX!T52($nrmFBEIx6wnzKvb16$xaC?G#=1p&g^lYfYN-`lVhArs zRFuUJiU-oPc6eCDMEMmQrOkXPv zn-SmX*_L$`^co<5rN+KPBev6&A}~9Ed+G*(?(LXEB-EPt)PgzNkd9^PFq|X?2wiG; zD;=vjpe#z;7)0be?;!;{9_&UjLz?*2?E;kqFR zy|q((kW2F$K-n_oSRLD5klp71OF&=Dus6uc(!s!$z5I zHvz5NNqX9`A|xUKNu-1;uAJ*A96?)2R>>ZUFkLpC8(7Ry=shw;bIHBpT%OOkJroRO3Hu#_MJ)!aLIMJCltD2=k&st)=+T8kbEItAMG_5dFK zv*K73Biz8j*2a>3G@WudUtVc>yzuv8%L-@sS~ZE`j4ACs1srQR!M*x3iYVCR&g*bpxZa4#?UCxZp?~o10%!AGmOcq@a?ubb`*X!M}wmA z^qXhWQ=%=ezS{*~rg_Pog6cam$JKkUUw47Op`{Tp8v`Tx6RMyw5<&^JKRBN;L9Z-&8 z6`UvYW}o({IbZ1|^G>q5$rY`vnF>!gtJx;L*uGB|BvnMbLwlz8N$y=BGEs>n4a^Dh zbiybCDSB)1)V}zLH=aIFt+6r+W9|@&m{=CMol5VCvS9c>~qBf=H;oEQo48 zt1MYn%e)Z3@mV0_jp-~n8L2V1P=qk*v#4pw=U%sd&%y7OFk9 zh=BJd1~qzz#sE)E^b(C$X5;X@E)0Zr$=4eyGx8Zu)pO_Mbnld)uq}<={8~OzY!n@C zU#_c^<6_W5s$B#J%sfpnwap$B;xR^q^@FG?b;^l+P*~n|xak0lWuzZvnaQm#ty!>5 zi=ul3Ll<3jD1^DpS&`rR?)0ezX4D=MH*&6xNwB2a!E7G#PX#vO{1+Lw@YDc9|i?aKWLxH>5`_vdoqvEESy1a*^b6h-F`^xlN z8J-vu_AY!Zhi;-)drDR^rBge~Q3C5!LUQ%2P!9>|OoWmTsLP@Cs~ajou5;K<^Z9Xs z?+EA>0dIt8ARQwB(Y~%HEb&@X>`s{XU0e9grv3Kpjr&)i6cy8h2qpRa6{l8Ff?=Rd z@JqVhq`Ig;Kf61Qi*d#HQ2LWEu!D{ZOoj}BmHbdNuCY`}AC@utXGje$GdG37RyGg4 zpIRE$l(dAHn{5iWTJ~^Zqfo>O!%|8L9RQaUEHKnEKwK84Xz4Rd`$*Hb#ALsZHIR*H z{$Q%~h-R8kSXeC>#VAbKB4W#MCdFJ!8DS5#oXs$~Ig1`9c)D^(EETS#>Yx@7`2cx` zS4OAuNIUf{rFzwWsv@(-A=XG{6hjd2!dCsCkPjAac^$4aMmc*>6)RZCcD*~S_s&{~ zl+u;AvGxL}EF&$7XbkWQ=9jr$S_e{DM^{i>HiWN6`W>}m$DHnE=_*C*DQ$bLt5^{Y zk5DyS25Ext*1>Csbs-n@rTa#Q4npYgzIVrgKGknm75e|zetjA)Q|Ehonj3PWxH!7w z5}RN!xR`6{UjwL2sfg$oXXV#rLk;&*O0}w5Uj+EP=Bt1lb99K?NPNqUzKED<4X&oD zPBhHz=9R6j1r+NydIg|hw>Vym2z5~}+x!bPUN2wE9*~bC})Q`yut>YBk=_~ZCYCFy%^gJHwQ-G#TvWk+_OpyX9 zy%FiLc4S!=mb6z#e85Mi@JlxnIRnc50d)v8 z5#G)NH9YB-r&5k|1cQrtux%sYyt7c6!{KdJpfkN%>8-xuXg}wA&Gg}d+TRZx@5k}M zu=tj|u1G*CUB{_wj5d#s$Fwr0TX0-V$W_j;bmbNlzOfpYT30p9@c2xc;98;w>v?D+ zLTgXEq3M#Tu+gz91UN^%VBp0-F|gqjf5^eWz%6lJx4w{_8&n^d~JRUN=oV6D8AL6r=rm^KCg5KYwdcf&<><(Hs*9_CP3ajUQ&kLa-;Wf zii|t0MAr57K;7)j{A? zj@V_D+NdTr%X?2YXc&j?;8#F!m;&_NC&#Kl9PS=D+9{fuq^2Z8N+kT ztNRny)y!h#{6>S7sYZLvNGy-_D76vG$7C(!_u5DQ6YC75%d-;GuKn<(M4N*6=YtuZ z&|EG)=w-M`+wLYN<-M;FY!rq*$?UBj8NXAL7&Wk$?hUqOG#+KzI@1Y5f10%p=KLCf z3Kruj2(&Q>GL^|D9q5#yV?%V{CM6Cty7|~zD>V6+$g)WyyZ4bWz9#V&%4=yYV+_}l zM_VqR(sJUoTsLRo?QY{m2=7)Y6UOp%h2ehDvD04u%>l6TG1QZI9ZJ0wskM{r??WY0 zq(f1xcRvA{HikuCsvCQ0omG(W_#%G3=vTSfv-in^49SHKXVyq=rQNg`G%=VyMrfv* zW~!a%1aJx5+L>s9nHk5$hKKrQZ8wh5RKaVV!f&_(L;@evQ_+G6xkXN;#MALy;zXj zThs)FwL?cgqB@!-w}4jV@eY9wX%a> z@YYlHX%Z-sT^q@Khp3(82lV8mB4{D)IcPl_PV*bM$lT?~%v-GV z@bRb#6WXO0O{+N6)EqqiNw>TDB$sA=ur4Az+u}X9JrB6yeJ10 zn}av)*l=KIvOqpW+{16oB3)@)7Wswrsj!#3m;Lx5L0PJzdyV@NWnv*r0KA4pCJk3w zWoG7SqN?S$-(5r|nd3MSl6yk$^U7#xn{k9A(ABgr zJ}o?MjxStOP<%XbeX-Elu{yMp38EPH+pk2ph|7z6k)~RK5l$GU0XlSiCc4g*THQEa zV~m6>!~NPnG^TA%q0db*^QY*#n|XW|j>i!>1%W{a8rI)^8|f;;S4k3Sp}vTx<7#$B z%auP`se0QK#F~z5HWX&lwIjx(ouMf>?bg3bY?{{ImwONIG1AK0{M6+@>Q8W$WEm%ZmnwB z5z(w;4e(WprR6r?X8LJE(P>f{0iOtWD%dSAaEYQ|0vRYEh^l3g-}lG|B~9h>Pd)li z(z{*eJQJUKawsxl%@qe?F~1Wt43<+89a5q(DSQ=+m5h{=Q}U^qM9=LW{nGXLrvyz2 z27gk0;eP}im7?mcWu02O%L&vNf{uc=gGOQLfC<$$+-el>%Z@3gDcd%};2GuyOih>d zFw$KesTMA^ZyD((4(lRp2uIUSF?ZrqEd1}y=DotQ`E6xF(@3{gaV0{bep7Ht>+9?^ zM==*PWqx92B@uAM~TVv%KCRB z0;G$q@|3@kYH>SU6=-5}s>;W&T9lcZ|B}4R3HjHqq;)eV>~EXxXpyg)K4I#?+MUJf7|7-6{n;O@W1;5X)FlvS?U5*WPJKjW$+$smf@}P?C z0kyT;O$l4ZDvac^Y`|sfzfWeKT?`cDE>ny=+LckAT^A z|334SwMSk|4gZ=3t}7bY6RN;pYGD|Hl<(vbbxzGl^S461Ox0t&TTfKt^XD#=&sF@p zt|-)lukDVHQB`}XLvGL_*IA767{Ds&FD~PIrFggIj8TcQbR2ON$(WaJWbyqRev@*9 z)|M0{NIeJhDZv7Un8MZ?H$bJcXxb2iX*Cf18)C>t?;g@$@!IjK4xyTR6qA=vxrvvi z9mVA9WmPf457t0Lq_y5r#|V_g%@XkLgA?KccyS6ZObA@B(nw$OG=zWfg(JPXO0X*f z+nAfv=7YDDO-68mjuzBxbmZE{Tn$oq+#p5lR2J~-8e9&5dG<8|k&Xd45t8^Nbr=>`3K(LdT3(G5eAUHJUd+jleUqm6Zz zX!-szauJ1(Gp02=)J_4Pwx^v!%uLj(VHR`z3yguXD=sTG3r%4*aIH|o%doY?vg;~> zZcAwDI=PCQJl>7-IL*c?%& zVdHaYjNT~hP&pEU(SS@{obnvUP+Y4<(fW+Vcznr-Gp|^**{|Y76D`<2;Fiq5l8V>i z6Tr+#I2*Nw<20SR^b-IZ@QCaE?k3H6^Nr_i#w-i2BVlZ920MIZghRH?QdkCPtDVUZ zVN&eb*l@+cu;mf&IbrI>{fKN>2Q+SYL$X;%QDy;|+>u9IWF>tHUIZK2SYKv2p|_|% zN21%{n&E0UWL|Y=$zw(^xURsXV`8@5yx5+r3xeh#c-}HLEmaj2PjVb0=dhH(F5fS(!QozZ(}kv!R$4u zj7rh)052BUW-;}(HxgeK-740XAEVq)(wW;`Uw)7Bp2yuN%&0!t9{JJF%%DD{IirCBcd80rRM@M22Ml82{c$X!ViZNboH(&dLP4bu$zm{$oJ(KtsG*qO~YFBB| zD&7f)Gn_yx8Vj;^k2?K?8*x?CK|7tcu2ym@uJ9$Mf(EYC&{EtAOk6xQYuU*IimDbK zWGpk=j7t)#oNApQxPMFczn8+b^oyO_><29R<;9Rh9UF+yJ!y2!@QXkd2wLMhd@N z62gd9h5JFKI^?=1g_)L>_d+Fu(z8e!kLDIeGI>-hAQ!)1oD~C_kk+@GP~a^LUm|5R zWv^lRLwuw-l5gd)$1W-MS>k!d>A;YQ7~>)@m^I7_a-a?%o|}!;#fTi~xH!i;{)a|e zcrpE!7P=IfjXF>zD}uZcu`J1b74hDwuxHgX4r?*x0)E!VpKq5aU7l`fM&z)Z|>T?&UwsdaS_3gwDdWG{EhecSU|?O&8@cbJMh5Xq}mUXN@S?j5-AyI`v5!1aMAK#ID( z{l+V^-mVOar3*%XRZ%cwTX9esEPxlw4Ud1KLS?|_mQ>8rsXTw*f_#by>4D+LGW(^q0^x{%~^Unu&5%Ak*nH#zcE)j{y8)3mU=Agg>oWdYnE+)7>zO z_%??d8=?IcfOl+$J{tu%IG^e>R2vfefICBORWY%8d0XpEGa9C{)x#@ke?<0p=7jMC zpt&#{K2rS9FYzL-nlMTPJVh|f``<965QkJXCj8ePPhm8iC&k6X3kMDx4j-9d&x>O* zhLTncWh{nL3;Ba-c#GOAg8UgF68OHyukT&&*_!D@otHwjw&J7EDoNOX*`c@B(VZeg z_P8F-u#5=et5?u7tJTy>7r5po zyl^pRAx;=|IhMy3>U&vIpJ|osYGDs<<~KKJ7>i<`XT%h9pAyTZpDz$;Pm7LKu@x;a zDa@73Z;e?R`4*sI&IQH;hkt=jGs72h;`$S43NR)=V3%M4Gv`T4+kH&AVFEbBR?t6 z-cpJdQL=6L@zgF3Vp)OPvH(ay$P#^nKsbhGxAPdHk$Na^RqJfHauH;r6qY9;jzbf1 z*=sTV*G|$Or7{A2ryBenJjB8Vzl|vuLKVRRkn>{*obYM%cop8bQ;#Q?fJfy12p@z+ zj?PoTYXk?(u|b|y_KIZxFAn9&Es#`ZpMVTbfCQ|XbC8jNzjk=wg)uvCR^So}oP{ik zZra@20nM4Thl}2`VhRauH;+Y{A(U}2RZ!`?$9UfHk}@$pLXprWTBS6T3YLQ7yTnBr zw(Yfyi7V0xl5r1;%a9QUdDSxTU-9gi zr5MAXz9Ow>Al!M+3RCF>Q<+ANt!|%2w^(F)iZ|~3Y?Le|4OWMH{lzREU{W{Ch791y z$CTy3GEo;~Cz)2-Y|7B;wK1Sb7hJfVrZ7g_OJ-vuk@_57k|#Cb54QJD%Jqz9(~Fzv zk_Jn8He?E3t;08~OqGsVC5$`dz@gRFc6)dpk(#_jw=|1svf*E6f~PJhXuoo2R^*c_ zg0;w({6fb@gfojrMLSQDcG1?<>fv#Umq%sHMu9?)?(ab^4l!I(3i3Dy5U<37t&u^% zGn}?-XMmV^6A1;c@55rZDc$WxXuDW0e!Svw$UmN(_B=% z5Iy==10F`Xlv{a1$XB<5aQQE^Bp(~2vk(zm$wrm^PgjBY<+4iiNdXVQ~fxFJgaWr1FE7AgCSS5S() zcs_r9Q4s?`@vVRUV{3f{|8(KM-e&9f^{v(nZ+^r*>QaVr1`34cpGbcS!)ZssH_V@a zah@}AtJjhUq66-%oTO<{EN{_}(Xk>Nat`--C8K!2%r|Jq7oq>NRuXsTx; z_Q-Q9IWCn5a(q{ zIFUH9ypJO`CxEuvKc|E;6v7JQNrJ4!RjrwnH%r&Una4_j1IBD#6*xd{7mptxd5CB# zE-Luxc!LQQ#Q4oXO(cKNEx~FCqZ|W) z2~{2v+FLN^w$b%EJtOaltcFR&V$uq-ew7n!*%(`9yR@Veo`X!%)(r0obMd!q&28l8 zD~au;!raJ#r^Tg@!!ZEex#|`=l4j*{WO`@pnN$~*>H=hgSt^A zWL?Y({R)g+9w?K%Y{9l24bO{1To#s>8%jqA8`zJfdN-TH&v~iqQftN@P@MnrW&%W{ z=vvN3S+GQXB1n4a6kT&<-zhLunehPz4K*UHh~f|%)K;98E6%WDd+YbL|J7*x-gt-R zEHJG}gM4mU-?PTUf3*H+{k7qaX0u7=Z*4)#H?kD+;9DNm+)XEoDMj4*WBbjU<{#UC z{L#1?MMjG|lzSmFT7ttpzo9l}k2l$tYIf@u{uyOkcz}tlKsDaWaomrR45Z#U#sz4c z99_Mpxtno%vxPk1*74Eq{^{jDHMaE-P8(s;miP6Idt-k?v>*+W;Ele{rz7sFN5Y?& zMkDv!zw1%}&vcF(Szu&1C3BZFm;`SpT(OI(TPFE8U+BPy-A7`hFklO#zqk{R>&xA( ze`IbqZ2s(RdRsACAluj6fKex8C)b#4)*HINiT;n*Cg%gU?rw9ULjq57z_$~Darc5r zRiwq6tSLhY6TRPCt@gM+nRB%lrD|N~OocC2tF;Rqq7Ewo`*~qmVYeJ5N0CnQrSkO7 zy$HVjWqo-eZMOeHHrseDwHI7$Y+S6-2s;-Tsqx+w{(3S(F&sRaHQ&X(05?HJNj6A~ zeMhn9b@q5Wz@^ky@6^^7bq7=z7iS`;z0Ea~3Y7MQBc;E`jF-_kT=*ACNED$@V8sWQ zvjyz;gu6G*8dt$7v0*K8SUdpcbq3wDor>2Na^P!Mu+BT3ZQtDs_T-{6Sk&zvy9h1{ zZ``U5HmjOPi2N&{=UbZfr1laRg8>6m1%=ioKsdP~X|fhLDG&L;_#HSbY;+E*(~mc!pb<kqd&0?;*ILKeFY4rzO5<8 zZg#15PHnOLAyc`8vl)=^%TWj?%|cFSXeI|J3`|eS=FE}g!SNJgu!?9O!#(r)K=h8JFC6YPiwxc;4igT9^hv;b#A^FbPBYhT#P~k~_SqF6$zjsH z=(WXP_`uiU2;H5AVLxKxOKVs2{J})MO;UJ29LIfb=IhFKu2`uhiUi2+Xn+RJQUC{F zkCQzKTxcFJ14y9)zAwDxohDAXJox_sv|xZ3`-+(In?T{E2MT+JNwEACLBekpJZH6+FTdNY_$h zbxn`5)|{R$u8xCU`Xz3?g9ms@(sUA>!Vl=Ma6W^5hJjmvHGK?*sLe`|8U!i+J#j;?__x~~2T;Bpo zYnivXS&l?r<6udKPZ1(cpBq7OBUJiHN#x{f%tpvYQsLrul~vW?W-NayF9+M63c>wp z28U!WzdVkj2uKJLs}p>_6vh+g5OlxdC%G&!C!=F6?hM5fiIU2cntn}qz6EJ-?W9v= zH0i7>JurD)$d>3q^r77`_)i{l9iApBMd1+Lh$m4=JW+4rH&4T-9#u29z(dZ_?}2wM z9@V(SGamrAPiDesSu3$grKMKD(J{7_g*7vbuN@w)*Ws#pY>t8@sYhrn{u$9y(}>G# zghOlznR}=)h!lEGc$4zo;QQF~H1PM`eYUH>e|KX8g#6vy_t%%<=4SqFwc2mZV@?5A zD}1GD4%~eS=DPtjqo|m!0jM_Z?)C!whufgQ58cA8)wg=HB6*@i@ALd2tgr ze;*j5b3oP6*>JeA@rbM-G;~KgduWgC@~Eiru6u`O-Kya^_Q%f4J>Iz|aw>77ynRRpq*gh0;kLl zVF76mkxk$6mOBC*f*l1HCpPzc17~jnFmL51^4M{3*g<$dXCU9>K?AP&xN4hakL*|j z#RMKizbEih9p@W%)xGHj$85jM7VoiRc4z?1rMaE*Y%Sc~?s<>iwGUyV_A43ib9Tsp zf55c%a4?ngB3A7ls?qd}&Q4`#va6E-ORMzoqJKP!;!ptH$*^%)=0mNYyYplNli;L# z*lWvKOw{7Q&+;moM-hQup1}QJUv12k5;Kgu`!KA1v3ZZd65vyfT^|9w`eLvJmEX4U z8{r1=?ZwkVy>;Qdv57t}3xXpwl+5LjFfQ05S*3rLJm6(|a#%?bCO*h2vo zWnb7A5NF}E+!1EGYjFi5(Stk0>T);}+|jiO45IDaR2a(8f?Ahhn3jSN7{-7hFmL89G} zcdV*=AhW0mE7jitNk((=oS9G%(ghIjX&8w_PKjL#HR;W!i{(CGh~O^oWADo<0oy$! z!l`XR_!Hq|7~g^*%BRO}&G>kCIa%oN(=LBJqO3N@!@*A{**+m-n zARshm!0R`FP$=bU10c5{LUXrZw=iXe{Du~_hGSgFF{g)DAbCs0q|ZYdJ5DGkV5dBE zDri5Sp)iZaJWKcoZ9=%FmJ@Vd2d5}2Sfogr^HSzhc|)FgETvW87vr&fPe>OI)C3RI z1wT-ybT01e&c$i@T%7U)bwm{(>M9iMpZ{EqjB~Xg>jfL(xf=cV z&XsC7b~(^wD(u5aa9tHaC0`$tQYQNca0qUUIB26BiEiHz*?yXsJHdE~betHNX*qRW}oR zww8%i0+w5z@g*itF`2ZC+>T+8$^&;Cyd7Jt=1oRd$uAuA=mzKn3*k5Z1y^ks6A!Ca**LE%uR6<1{jibTjDBF;%D5x1 zqiiZ$rQq=E@iw4GoyuAbc#j6H@UAjxzmT*`03R>XYg6n5zUQ_=EmrU zpO@E#je@#?Av74mNuysBUq?zH9R#CpzsGKaG5(ob%XRB@9KqW;zPyZrx7_v{An78y z-G7?61CP6A%snHu2$mI|SnJEuKoO>(!H*yaN`m7z&L(t3o%LlucXZMboH@Rn!%JAM zhH~tZ9|pMt{A8YM+zDv!9?{-u723Oj{+bGi|NQ80ZlJ$+hA=rt^f&({^oKGIBOHj= zSnRP95%NsZk}6|DMTHA*>u}+1=T_swTO{NuhEN#8pDATjMSi^>IJ8lYK$8Oi1-$La z8Y6kOEEC~5TL7Oi2M~j?&bdRfgzY)Jk#U5sBXw(QVkd#BG=f`rEL4XWg%+zeE1$-l ztDWl)`(Jr1Fz!}|v6;N3Zbk?&uWSicMAbx{+zZwAKcVpu)-(8+xq%E|ZfB2)R6t<% zTb=~bBX5ZAyvIHKuYb&=c_d?n;JUI0w3ApSHFx>Eh(#Ud8t$s8gIs(u8{DxPS~0Jq z6}YJe={pjFsL^+5B4M`(5!9+$Yon#J=`Q7$(=D1$_<%Fx;J+}? zIyd<-J868{zqmX)J2lh@7Nr;CQlG!wWG#VO5uN7W%+hM>b#Yl(Hl!<%rVDppuhcih zx1xe-3u;Ili>_ks5OM4|mytsfb#LlK-LNd`hIOK@!p%*IR{}L&;<0JS0jU6MG71nfMNe(%@)wqkiy>Zv9ccdLL)m z`f_Xn4I6;Cgdj@V7lFMJ9ebkBzICPaB3cMIS?_(*v$!R}uj^p?Zpz|qB=6?V1|om= z#>Q<~dpk93bp(pDR77(gTdl&hh?f>lNYdmJ57U6W#aor=!2{8b=c|on;t@WvE3Q5d z!v9grotun>Xt@(s@ju}hdirx8DEHR{IyyMW8ZkV1FL5-N!P`r9d@k#b&t>OQAD>Ik z(If^(wjAD_xIRfmdZg!!TJeG!Ie-EdqE|lvG#S3*mfJU^7$<1(^Y} z5P(ySatMq@vB=WyRgB7H;HqalH$oxNGD#X)uqt&=ZQ_rTv0KvK4}5 z%E*;^unJkZ*BHAZ%_!w=g@LDg?Xhb_Jnjf)MZ^r#Q?lziW?&eXm;tDP3iA`I8Rk{Z8Fq4(M6c?n@j~0W;hgm`;QKU6%xflVoKRX6QCee6 zS)!t{k*f{2y~#WaA@}={75^DHO{eF5^LR!AblI}P)D!R{C>g-9W*UOKDcx4;Kxe5`#4k`< zI;mE~kH_I8`;+6Se}ySSJVu<^OHA2L@ODQrWjl3D*-mFiGi5tvrcA1t zF^3l<$dKg6F+o=$k@CgNN5OV}e#~#hz zpVR}HJnrjn1BdMf-~6l(azg`zk;k0>`;DFJLQMdG_$RViV~5>g?Bc;}gqD-eh+LT* zb_lak(1!zH4gG9(JqdnOGTJP?y~X3C#@YLg?FCDY$hdhQFG6C=h5F)9R`Zoq@Hn!R zbHmN=oLn%pS1%~`ZrHI@?BP$r4#t^QK*5+*;@E4!>5(l0VrglLrFCg^swbwF>?3N) zjwF1259*vq+>ai6Uu@~S!Vd3(x9?=cI;Giae^4N+KlH>u@mGna1G`=A;)evx}?imU~hQc!}VvyzXVYe4E4&`Gf0KTtaD< zWACLas>Vgd6_wI@$v&2aadkw9tbvN3fFO%wp+72HL=hC^lIRH<0aR`fBvegnDarXs zX@L(g9}|V%R~v9>ZS-1kqlwPIm#a!4;2m4aWAX+gQL`Hb3^(2FUd1e45?&Vd;+lr+ zcL>=x-aE05>NKc%?#0kpMq(3mOwZd6>8SJj>!A{!9z5=-T$dAh-rzCA?Sq8(? z9^$SCWpPHzW6mDcFG6M+v|+Q0^q>rs1p-l}KKuyyUS@eytNL9=$ErU8-H$yo%zgpn zkN#&t{$-8HrI*+3q~owEC_XAfajsV8rhr2wRk*3r9HHi?bUk!q)Df(TwC|TM5Z7`P zZ|$2a-@^C20Iim`=Q(ZGx!1Y#Px4B7tpg$2gvLHD&(j=>O*!VsTv?abLgBI3K6)AC zj(Y`G;0T46nt|MC6ZiuEvs=ZNC^@Q7_@=V3q^n0DUL9*iKaQt<{KOZ+5=%mA*!&;y zg*q~JOmG?dYzX{rQdWq5MI_4` z48(FQK~x2zuht|U1=UOh`TZQ5y2P7;E>XNb>fZF;q9?^`^@KO1C&X&5r6UY0?{H4p zL`!EoAl>cAkZa;v2KALY&T6$&a(XJhv1@o$#{BA_)UxHI+GHijyfF_C!Njpwy|70X zcc$6i8Wrf3$F4{PdY#G9?PtL-CUxj7g{yk3(`w$9!&Tk#a8)rXEijU8AAa1VvsrrY zuo3*8a`7#JpW|o@SzPt!-|2GawsR=jD60wO(@bs7tAjm9Mvy|S&y48#J$ zsr4+%8g9O&<}gFVuQX|t*UetVGMS*bwNoJ`2qh}>ZnI-u=2iXb;=0?NOwT6b!SUOs z8Q!cV_=rp=Cp8uBSThL(LzQ)7?k+bCD8i1g9h7ggK(~e&YSso3`AMwp^1rT~Od#Wp zV(JfbMAM3aqJ(!>6P$mut@l#P0j62dbIrp zP$a?wKCs*6BS#+@!|V&1>?jyZdVUQ5;MGK0LdIlRE4er{UIzw$oU>)_5x7kSxJ}F8 zCYLd^!L4e7XxUo=uCV|g;mLXlkV28D9r9485MV&S_~qpQ-R34RNBAtz^f2*vG8PSo z(6hgrF^sbuPovE5I(;5SOf=CmeEfDS6fI-8H7SN0nLHgufeeSk4rhUkhr>RL_fr&F z4F@qaJ;!=ckc1EMExGc{Gms>2k+%tFp+YokLOmF@ZZI}s){#F*qokI~NKMYaZ#rAf z=B)LAnG(|^mzNj~%$!s1QXj^jTEJP``lsu5*80FD0xg0zr)fO!THfzjI0UA6E9T7W zEt!6*27W{;R;jwT=25cWU^ZOiRgACN9J57rqCMcaHvrOaFv~2F1gJPgYDIClKBF4@ zEj0Eya+4M*wY@Ft<7$P~BP(u~s=#&Mx(5FYRrs*dfM{BWsDMbdLZ{&&&gLOy`aRnF*3uJ5%h^au~+dz(T zE0cEU^vxeI{@%YOPSV0pskU-`~9D2y(=p;J=06H(Y`4VvTfh%W!Y3g=0x! z)g(v~Km#fTBtj!;#@^pBN4JZa^7s}oqYNKqGZBT5h>2xq%O^iF)(1uy>BV4tnz5W_ zVhsMP;0AH{*sBp84*3;3SR64yeVw$(a_x#YHh?3DJw;*LgOpN~;E6L*A0eg zkxP6RjD#{Y5UaXco!hg%PjvfhbkAaJj`;Z-b-Q8UlJB zrcV~S0$|^|n#P!N+IlZQf;yKVK|{a~NyRu!AHJMZV_GJXEn&`6j<2RPZ?8?Habu&) zSB*IsAkf~=sptJ|yUqK~uy5|MD*`BEXm{k|lQfCYmyj~yq7MYmJ*?jgc;|_B;$#Ld zyN+rCLl5bS#sDyi_;|caaePo*XueskW*B&0zvgpCjf^9{@hAOD4MZ-^v^}*fA#!uk zv@Ap5h3jVU-mp;w7MQ>Nif6IE#0+BAR&afc)Ap#a&L$6aa7kkgr>m8Erlo(THQM*FOeQ>3wp3Eslhg<1=|K1{V(Id6_{V(7_miWp3lGAGWe{-6w>Xz zTzg<017L88C!~|Hmj#+#F_vH^L;B3jSd5*STN)9n_xrPqEy>-IP#G}e@;9)B{*1w# zWOHjOjRI`t-?7s#5yn(clsyxBzD`>d5* z{K993eqq;v^}(#dE(6Naz)pk9j_mjn(?!DUC2O_q%Qu2O+Xl!S1`k_*G_SY*V2{C| zJMXcl;Iw%Q-8Bc@1;#-=h0plB^~dIr?c#BGWc%#NW9PxRUDyT$JeQ0IXBcQ>7i6&c&8P@h#GZkKfmd#py!4?~UV6jjrKc<)EF~0`994-2fv?09m+yi&VfpgFEH2)aP^Xbe)56)pZz`sZXDnb*iLwi<)Z-@4~dN*#0Dhl zCyFS9Ce$G(S>pk(46p^j5t2ngd=M!*1E>Hbp2>Wt--mtVp+*5M01q_?CrFbqe+!oy zB{~@d$dDc&*8%4}g-OqYTMdibAO|eqHTq*M%-0JzvW9D_MzDPs7Ge&wf5<&w{cO*J zYiRoc{#}p|bP0_Xv;;ub@Q|0^FW~(!0L1ec#1R}~t%e-&b=(gqWi}jP$3zPbnJQ_l zKv-`dW-*U=qO$$q9DgyO*87@TuW4!xk`y8wrQt!!ABebvMj!kI?*q8N{a~MAz_}PX zRQ!=(7H;@ELOBy7HGBd9cntaxEyZ0h*x0~fJ#B0}6@*r?wV4P zV-LRvV+yK^;izP{t{e#d?VJ4%VK~(P$uITK~OAjOexMb=bO&ti8Y+f2mIkdJL>CS2c_?4 zHBLcEXq;4w1~=nFo$D9IXz|hH<}O}AV2a4VA~b8;enKpWLJw(>S)UQT#5Teh2ccCY z1O#JnPQaYZOy)!(E&oH|i%`UtDUn8k{>)+&SYbB)lnK;Tp~Tg~RNkIF$5CmjDz%sV za}j`ZRw%##k(bJh*iv9-|Jh#IbNXkwAAZWrwMQp8G~+5ZOa!?+4Nk%9XTkZ+Uz`N5 zRH6LVgI;@6Git3qerAbFh1k+D`5^^Cjz2TGbit+^E5)s?cdcMotSdL*S}uSZVnS$C z-4ltLp|(YCl^)r>PMei5}L?#wneMrGA_-&^*d$u=E}G}7!6bMCNkV`E%VS_bzu zOPevPF| zl3-6fsu1o?!Et8sw<`V*wy>hsR=m;*8rZtkYpSK^qpUmY3CZ{b21M8LKEINWFw-c% zr#CviNvb=gf-9&~-O-8YNCzx5G`~{E0tYm_jlOV1z!LHNl|QR^bF{sr$&Q&!HaxKu zv*(6x1aAUJ!{>2@IQ84ojp$m3nW@g@V@d+5OPM(f>UPYzXfTU(Hcf64PUtqANz(65 z0g8jE;C#@5g|lD;2crPB_H7r0&^0u>Hne(xozZ#6&`pokBg|O^#Ns?wCUw*)d-B6g zS_I&W#>T>|TdIb0F-2Mun4(*{fA>V{D~@J-o=OB}euOFogNucuV=l$CGc~`W76{%L zCH!s7I%u>amMpecP`AThSPjWncr(~cj2#s-AM3ZURuYe)Ds#1py%x`aE0k@RG6WZU zlaHx57klJQU_~pJys+38283TK2v3EiO5iOYzR(@IeEKQ|yM^-RicevMAIITh#l1F! z#a6sI-As%_HJh4BK~uZSoWDqodX?tBsGO&b_Qg%t1y`E;&^l?AjShK6WpQTOg{!u1 zPu{E1xCArly73EO7E|w-s&Y<=1L44Qx|yP3S>YtER^1+hF(zIo@u5#(Qo~>-OQ(v2 zO*^3<%GWUPPx#TC%zgZvA~IqeU8A6n2pL6vjD8A)02ue*o ziDuyEf_KMaBbIqm&@bZzcj68#Fd^C4^Za$-RlE+Y2bS~U3*aV>r;X+MZg5U~$0E8l z=^A{bSU3&T_GJyJG(ofx*C`#+@B5Kl=JkkM8wl%8MY*PG?Cbopmm#$4$0_T^Jp}v=)3agv-b%{{iufAPYLB2t zZO@9J1DLE&8$*v6sE6OK^( z6!O-aA+HlkUf41>+g72GC}a!^iicL2M3<2RHp{4}D54DSj%!v%fIau{3ecAkK1XXJ zQ38jbkVDJC`vfD)8Q?~v`nB=6)T z&!N#1uDO3gY|*?UdUr{fLlEFQiDaI{5BMzc8dC8m!Z=Wqh~Xv2Kb)N33B2{h|H8*9 zPqTLjt7vOCI4h24iVtmL;U_EE?WgwnXUl^Wbej4z*0bX8IDoE6Lu!CKZ#3(c%cX}lwIJRc^_!*mk1Bq zGlfTLwH9QV;P@T_z9^96wE5?eGEiJkay@0Tjp|*Tra)JCQGnWU@idY;! z&Asjp2A=7$1-D7GSxbV7Imn{G!&Y}a?=E`HIrML`ke@PPI=mxnUp`82oo-Lq3zK3% z^wuST9e9!(6vqu#<@1Z`V15BjSHH8;c=z_If(VA^PRTcF))P`wVcmQ|mNOT0?Iri*20=^D`Nc(rm* zL2h4ky0GTgUeAZ!xdvSI7<8`{H#e;CB8b>$twm9O1knCxzNMXy$Qc_D_gO<+--ft> zg18a0=j<<7<^1T{Uckamp^)Xm< z{_4MB-?hEUXTH22f=BK=q(1!QAJ&6i3M2WGjJ4LK;nTYC;@t+AD~|4y8r&!J7Q%WT zWWBrK19NDQ4mt{dY`=fI-G1L}^3L7`-`)3A;T;(=Q8|y#$||iOreBLlq~_m_p_!1pR+0}0Zyl#p3uNj&*(;F=rtEbnYCaf42(72(E}x6 zOD_H+=b;QsV?!Ij*$2VOZ-TI_wE}`Ek<~V_n$Ri`Kcb9TTTg~2Y2VPf;^`q~0bQwp zcHBo*=GReo)+4fKSVY(0donUgDv-dmhy>82zi>rmTVDW{=jYYtiG9OW3l;IAka=7& zZ4OWY*aQ?M0rA7HkOHaz;@?Lbe8BnecjOf>=Ri;nG`qPg1Z{PfByI=yvwk><n&VlZ%0uk@h@dxT=YN~*qf?L)C{cDV3 z@MQeROw*WxW#5j_a-&69Y~W^6pLCjUd^BGdLP%`cZ&a}B7Q#l9=f{RBqx+_(f=LA_ zTE2vV8^T}j_bDq{r1AcjT)CR&zL2Fu<8ZuxB_Bg!Cae2OqT{i&x(#KU1ppv>A*`H@S9^#bz)n-S(m# zS}H&)Qy?V};)_64VT1*s^xg!eFVEnWs>5oFhh?-Q#l<4>c~*9;y4pQeS9kUlDkjbS zF=1w3j7vK0jAGcqH^}n%$&uoh;SKOBaQH8A%5Maxtk~cR4Ta4H4-5txS>#zX8^Kyy zCR=OVW=nn)mv0s3TO4aE_G@gjUn9kE*^C%SYn*Ymj5$t&qIt(KSUUx_c`tS^ktc;U zfAokCeaP|ZhcovW3VHr9yJ7Rr5k?&N0*^;t8$lqL zKvDj;d4rNlC~i0+_JxDblLW6b^~}NR0AT2;$9@D)bx`&-H~{ea(qnf~Z~*Xi2Erqc z8ju*wz$NzuVLzk5okldpCpE=s1amx!gGto+>L0*P{OAGT!9PDESa^w0PpH7bCVt)& zpPTBle;2XC7{L(=-DU1k%nqQ6=hFfm#r{`#o_9`SD2S`_)C&${SQYx)Jjg3Z??lQl zsiM6_?(8{n=IgWKj6tLR)1XnNi9}>vj2qSxk-ix>Ju!-eZqD7GxEoZ5>;!!3$#BQ8 z$X=cMWE`NabFFJ+!avtKLaIwq0Dw2E6`I@{er-`Inb}&$&H>&w0_CN@8ykPm_>J2+ zy-xW>>=b<%!oXa;ZDYv*6O9clD}37$Se;~JV~y;C@jiW~?*><^3-pKJW*q-TPJfIB z&~eAuB@dT1M%Hd--s6sulbh*-?)e!s0p)^oYL8qNQ?9uVjs0zo>Ew$9;vH&P(lLf0Zvoqvm;ruf;tVl3?-b}XM{`UAMy9EKC0j9Lp%U&U zw2DgNQ!j#Pr^J3uS;CfrT`uxY@Ktlt@|VY%^@^hS9?Ib#7`>ke53ni?yoicejw{`m zfw&@U;~o>!Xjw(RQRv=Bm@P{vrt?0fdK9|7C$|1E0A zo0}evLs!698p1nuR?z<_NLxeCVZo;+)kxXog{?RkpUJ8)GBIhSE{kU9Oc$tFEGKgQ zc!Oj})IE^+r@Gjga$hrqoyWwVmS8w!WY{n=dmjZNhmTznbz-MX>JdVG9n0AUCdRs_6B4sN^ubReGHu>W~>cCFZq!; z4U9AmS{Au<`wFK0%k~3MO!cCyZ_4yXc8Vn}%UweohDJ7_*Xbi3NYkEd-w;A>%9f?)~gJ*t!TD8l>?0MBAx@VT(WbusXI zI_*av>Cv>SMVx=j7xgmeE4CRgXAEI*2v2-IC>FsPJY_?VTMqZ_r2;16l+E$7#+X{! zIY9X#fVeWm@aelMUa>kHBSP%&=LU%p>k87nGYrxo|&tY7G;R!=DsHo(H@7kS}w8 z7X?9KBWh;bidm*lU{_H$w6~TG)Tdclc3n0xkWe zvGi(NhB<0wO#AlsfOAz(tJOZm<t-iv~ZW#*Oc1f`kJd>RB$%`bHY?eH~*b@AfFNcJv`~)Kt2qRhlYaDp`ow;amFwc zq;XCAC1N@toc}RlI*y!wAfI^SKN1yhC1M40L;n!awdvjB!}|0oy5PCM^{Msz4u#On zes_$$gee@B87zntUj6qG`3Zc2KbC)l4;z7(bw2C>-e36BDZl7SB8Jkf|0z*q_#F9N zm~Fzi*yqE>P4p`4#uDcqMB>+fVjmbg$p1WJmP*iv-7g5(K0p8}c>V8*5pZigk)dip zS|P6ojNJ!vUL0vBG-EF&F_WPP{hgSRuZRC3$yqrG7Axk!0`_^H2DejplzJ73VFmzJ zgY+@^|JfFJwuO0Wr1Zqx#xG@E;OW0bR_x$Q@b-)1e!tXZUii}aqBAdiF&Ooc`-P|@ zwDF~-6Q4=k|3zSmGl?kpA)!nHZ28KRXo!lxmWA#i&X2hl z0p}M_&{zKpJMh}o$m)z8upd~n^TS_82}luBco=L_%_`(Y4 zP+qR|gAsZ{4}vj<3AlwnJn(~?dKm8k<4ZiiJOpGr?2@Og&@WD{v=zg^;kT}oZ{jMv zp;Qw)h#x;rD9;4_-lM9!!5_e7h-4O*`8QxNR5A;EJdrst@ZnJ9z`&=8%5!m>5(kdG-dbN?!T8?cYRV1(Va*-Xt2@9TJlurP*Jt&+ z34a{+p;*459|5u5Ki|8aYE4`P@>Xk#HCQi};O~7^ntd`$2*U{8 zjCc?&&7z8evNfX~D%FjGWKSWBagz+u;D?!6&iv$?wNR7J{qNq-bgHd^e1s-X4u=RQNBz9fq2r3&Br6`t z!*h%Qxcr@w&_s`W5`XnVVv;Yj7c-MgX7#B_9&~CFD;)f_Qki}Bj3Dek8tKqVwl*;R-*nLE_n`1T1lEtipe7=l~^$` zYntLM`qz~`41`Vba6H?nO!yY0oC8^5;iGJgL3WDF1}5r~8=4l73(!AN^4HA2f*969z(4@$FC9N_Xb;CfyQuCIp7|0etmhtC4w3#(cQ zU?TO#GcZh1V4mHA#_iGa{I7*WIEmHz&CcAI&wzM=T z;Ou+WN~ge+c$CQM%%;@}El^qwV=FK?B;shNBWuXaZN|n_SN5PvVkS(fDdx*)d^JPR z(BR53l-dx;??5L*IX8GE*FJzjzh$lZnQ`)f$VC)T9CX(GpZ-B-7Wtp@0(q!Qox?eVh+>XXR8U-Uu2_=mEdt&6 zXSoF?g*+=~I?`U}Oa`7~4!>zU2;QEO-54^jS#$)OdBEOmdkRR;th*s7eg*|>3Jv|2 z0Z>7NX}_jmRYQ(>ZCPiNBK5u6-p@J}@@<~8f<>vSC>BZ$K(1q+_muU7P0A&=Df$qy zix~_R{k9ZgfYx3lBurIhXZk`V=sp{){Y~EU*b=Dm8H0bSFo!85+2KO#N&y-2Yd-=Z zA%$ z+M%$!5^?@u2Mho&*k@}$bb6x$&y%cdUB02S*W?{P2&Peex}Y;NU665hOj32wJ^QtE zL1&aM2&?gQL1OrQ5T2*F&Y5HxT0EyO%zbyYI-~tYm?I4k5QH-{699zpX!F1a#hrL> zX7WMCu5ln||5eOh&H4vTcAm_Ypa7dLyw{9wMDs; zR~+P59AT_v9_1Cru9MNQ&k8x4Jg>MeKck{7^3@PT^e{;4hvfYySxoltCbads{DCV74}q^8BQ4iZEv6y|UpsF0BajO)WM6~s6Wj0U9imSHBw!1E ztX2p3M*`egUAid%3OaK#+x2%Y?)w$04fegL(NLO^@+Yb6_|DFXsj#%Zh2XE|RNwJX zI38XDcy6}xy{u?dV?q17+m@=FOQ*fS{B$`_VYhP<6o_d!Ea*a4l|9bBFh0Z z*y*n+*(8oO9Y?KkdJA&+B*I*i4c!T?bBUG{~9{;W!?IoF8tBoXmI+jaZI5dA9l?lpm%Q!3NN(t7=K- zH}^4WyA3ZwXl4}k?>=F7@oa%PSKV0|;ARykGAd}MoX1d&8|`PjoRWx22%DtA@*bE; z_$F05QB{yYV$KJ+3n75lOl$#_N9zMB?Kng6#N)@37RIIr6zm*?=BUC959q3hu_?xZ z(<0NaCPo)&h~FZVNCUX+CcS~58E_1DizeL|ji8qK+(#V;IiEB|w8sG^_rok<;)S>^ zxwWoFJUj7lV5tZ5TVX-3xa>txr*kyJdX+Nhh}kv1B zC^jC9iK6rOnZoxf^zj_l=C z)%q`#9=})u#_i>CCZ%r5j%W!}dcogr=jGKFlgz>gp!Ss9wnipwHYu+v}&SQ$9KVKMdm#zqOs-VRNu+`N?R?lY4bvIj{x9z|I9atfni zg)#}M4aHP5{mp$~-`1DcuBncJl?`X^BVd-v(>Ik#niK^mVG>W~W1@5_cl3gtdU^F| zDU=Hz?RBsa-B%6mdSfH3S8MP!&+CB5>g7`KC9}q9pqsocHhGEb2-}3lf;<%1r5GMp z(CY*;T9MJ_dfMJpzmaWctB+SrjE=Xl*#--9ht`opaT8RPvtKSDt~QI`Aekom%l{i z$@Ghiz#ik5s61kRMdcsrsQg3cK~wn$i^@-l%FBHs;yny8eb{i~-XrGcU@je}dWG@S7g0c>*FmG0K=$1C-ZEH zTNM6+aVzc1rJke2NnX3qs@w`xyG|pdu;|`?S&)$wpAg+6=8JeO1a*>f%n{{+Gy9h( zVUD(Z!TZ8U=$pEdXN7?kFZlINgE*gBH`q3JGAJ@7VlB>{l7FwGZlKW&FL((>Cf(!l3U}~q~!=8$R|040de3AH`))U`RP8v_kgi8zy zm5b)NRtqMrn8bTy(Ug6iO;(h)d{Dq&>ccI23f}ToN2I<#;6MP2Raa$RtRmF^RHeAU z+du}R+L>aMr_zqpP5~%gag4$U!33ZEf+YeFgeP(R1k#;sZnZLA?ypw+`rb}{C>Z(e z8UiG(HtHUBg+-dX@3nW0fU2E+xg&l(fCa&IXSXY>HQ)49o!#!XddN$wynGT@XA8A{ zRn0%OvQa#oLA}nk|DZ|25J|!UNdh4IGFB(P{m+fjU+;RO{cZ?jqpp_xZWzjQ3@HIS zNuG1V;r`pwN91Sl_NT(QJ`j%Y7 zpD_lO;$jy$kRXB=Pmh*!$&+?2*_Uo3LqPAl{6U#<^0(*OnPkX)OSm)1PO5YM>kniIx<8Sv&(b4*Hp(&2_{!00%4DDoU6cnAV9QtI&AybGrk`9a;ji?78iu}UV7=OrpvH}0UHB2KYeGlGwcmg>_tolUv)+O=$9i5iw^sauTI=n)wcakS zwKNwf7+PDx+>WRA;5+R59>JAc1RK5rC=`h<;86-H>zKtv+@P%edsb%uHS16dbK6Bo zZkb%lOJ?84vc!*hG>?>4R?i)$dVUeH!H;Jt(el*rlC;=#fDh^4Ih9JCqPu{& zZ+eAefuQZ$O{Tgm9CXYIBQ>Z_w2gZ zh~-$S4rfuI^=T45ERjcpaOs#<5R{jltjcIr-pbf#dKOtzuR6bZ6>VBtR!es87i^v1 z3a$%2{>k+3;**!mfVW()urtxb$5v*F*}fAe%g`QCyf14^0=FC*mLn2zDqpd}(#p*! z;DkcM_GI^HvSxweUF?K?;>)pSe^?8Gbs>sLDxtr8QbJm3=@cJh7)mc+TpxQO3r&fM z^Cd^)S(M5&j$b}|_!F3N@$6R|XL0Z=&T}=Q;K%>PvUL2PIVuIxK~p4%sN)C(4OC14 zUBm7WL|}34mE2Gu|77{Y{`hS0qPUG1lzr<+k&R<65~tMzfSSy}k$y1j^L; zLy&O#vPT3g?1y@fh;`E=V!hfUVitARf6XOgom?WQp8JXL`tz33SL~fu^8C~w7aMm| z2h;RknyPYB<965C0S0X6Vt>amjNEB0q&@t`#?LaDw~6LD2!j9#Zn=J?CUS zHr!rlFoKdv-J&);tz!E=5~ugUa@F|cNs+O7yVjLyHT4I~!AJzN+v7@|D}j7JAkSD~ zcn$AAklFQZs%)Fm;2~x^mT4^i5|OUpG3BcnjlH(Ar5A6i?Uw-;8tSoG$#nKAb-(>( zUD@B>TI4z&I9~pZaT{ER(j7#G7$x~LlBR?qF4rtgKnThx=S9RjmDc(&Um11Hnq0L7 zw5v2#(zpVqy|EDqXM}x=6(9{YMkvnNZtVi@XL12CnG5b7dVLAG(wYeW+MGrA6Xc(p zg9zx*ICB^XUc`_cfee=`tPg7!4}xHZqcbe->-UD#iMDZhd3Rh#er-~D*aP1Abqu{r zUz2!{Ki`*zgI9JYS+x4z@|=vp1m zo6y~64gUYuUp)s}5ax*GWuJ_me9U9s9H${!0E_T4fZL!~etLhcI+_>p+Wa_qZ6Mk( f{DgvS%cgMtmmr5nvml(d|JVNmNq#fvf?omvj;~jn literal 47341 zcmV(zK<2+6iwFP!000001GK$+U*ks7F#7*~3ZpYWRtk*=lFh!mb~HZBz)VQymVrrj ztiAXXGvGv_gRrOtxf$TnKFN4+huCA`Gs;;UI=gVwbi98FV)ooJrcwB|i zP$%}_VGB#H>rV@wRGbapBwg|t25Ec9+#ZVlC9e*ust^~;iig20 zsgm6)4`BSU2!pe0UM=!jz&gvR%qU_h6`q#G{H)5aa15OlumBccY@FFVFRr2US!-Zb zQa}RCdC`~Mb`M<-DF#f!@+10p5ZvTt6|hA=AsECt{4A^cl=o+%yh)RL3%uEA(U+aY zvq8DN9h%SJ>>^FFD;OTMb92M9*{g*}XJOh*NMHhbei!-d-pgEI>2i5-EnqX$3L%o& zjBw(uC@Y@vA`GUfm|g|UY^Or5SP9dX!x_Rp+A09u=E*XxJ{BD7^H~HC42Ll8(gV*> zFL=i9dH}4OMb0zvrJsuIs;~O88)(nlKznsWos|Tvq?#_|Cdi}6L2>H;P>v>yVEtjY z+#FwD^O=AJ{#fKU$z>ub1KZli2FnL=N;RFqUMq0PlOOs0dJWAk#Jqyv*hQ;XXt<2a z{!LOq^80+o>l)G`wh_!-aM%p{vpl_*;RAN|0+uQA7(wOQ92qQLMRWXlW zD3Zus3OM2ehny;a@S2rHtcsUBoqrcBgAx81WXm*VfT$jMrEK|A77$fj7V9;y)@xC* zyoiIZ`+NPpfF1F81q07G^q5@^_E-*BI{;#u<|QV4O~3eT@J-Ew!2-pd5~DH~U<&`)Swh$5Q zV!duH^9m4`3Ke|H#VwzG;^j?D>qp6zxaRq?iZk!?6#f)WDX9E?o?n&mcp?)@?0#z> zjwbju3%MGlZjI||CCA;QtIPmpt*&P z3z?y(6jlJk<^)#WkO6cq^z->V^zwCmgDbGnc~a=l7Gg&maJ}|1Zq+KK2jcf;q1}a* z*U1$pTxl$WSC%LXrN0M;%giqF@f^0b*9HS}{}2Lf7^k!7YM**5&7-;tK!9$#r7+U{ z!U=YHiN~MbylhoRwO2c;{e9qV5qB^OxZd`#*i-ASXq)-lTjlt$=|Wf-8yo~#H?cK) zN#do34NjwYm84TmZL0=tgzkA6@A*4YC9-ZrEPxD77ksu%`C~ZiBJ1WwfWGX{oqgub zBy?AVrV_e^BLvE#*mMG^2_ZCjob$dsmQ{mDST&%4S4ys7958s0p)?N3T@VZTbph-H z9LM$?Q3-&#@t%JmIkk0~EFe$)4}jW0q-@ehpqRvz-bm=dfluk~;C#eXIZ*HAay|#> zn!^p}`Uvr#JQi7&B)M9gWGRM0q5culAgDZ+Z>%1`dN9SYQV}8iC~c zwIJ$uXjjEQH6-`YwRH8yaVW;FVRp3?D?mW%VH;(?_g75)YY$kOUY@1*y$jyM^9^bwJrpWc$=(ewdTO7CTzabzi4Hde(iI5E7CNGu0P zfISg6j>4TCZ@l`@R6>E2V>rnv!j}w0jl8ktWz2Ewx1;!T5x>|9g%Tx!#oFH1`qb(L z$olIwrV8RiC5w(g2>r=DfNFB@V?s>>CvKtxFJfXB*w$kRa&8a=o9q4c*^1YH#m~Qb zd-1P;8gOLro>B(%d!K=Lx{_NM=_1$=6zLHN%JXQ5%aM6p1ZQo{Nd*GGk5UFWBYi{- z!mLw(bq+RyN(P5nRud6u?V5)V5wrI@*?dDUlm>*RR>l7@-J=mU$h@XkiYl1B5JnJQ-tn?bF1coE%~Fc;9lyTd zj=sgC6*$u^*c_v+{Xw?9oxyLP(vQOb0Gz?B$Zu{C^T8<9}EHxNhD=dtj zLNL|oAgfVB8KFkijKdqYb1uwlMa?>~OO$UVeuP%-q6UmBh5X?u4kxtGXd;-}XB`I; zDTX3fa+3f?R4ige9KCgcTvX_S#J^RvPY6xdO{JcuekGh2B{Zr*09#uEjrFecnV2Kt z04`;j>90WU^$nCUk6+}LE=EICg=6tN-W%rMl>nRUvRVxDot>y0=MyVw6*vVToF0at zipV=E%>i+aGm>h>GbCr{fQ@v-%$j7DfE`=5u68)`O(hklP+LO0sidU3wZpAFR1yl* z4&H1kst6AVmseW7iMe75%k=w_mz7>}RxrAJgM}AW|6hmsb%KziG7?!5A|tI#j|6|2 zxmjVtuyx&b&C`-MntJ#4`>ML>Y-&;X&DcTKwVFetyT(+sirw%U1>=3xf`>?a@OMTU zTO!ADSXxXi`41-_-iO?%22c5yDjMe7+j*D(NyVEatgl-xWpg)0ehD>7*<=lAwEut+ z=Vr)uTHbJ3;tW_1l5Oo_!=@K%uu}EE=gAD|D;)Y2AocDkunhq+{WuarI~qo^y`6-p zD3KWj)Ve1GnUYW{hYG8XbA_xEg*(%tua)D_fW(0GG5925ih7K^0i8V3kSH8TIL#2+ zZSnOQdk)N9F^+mz755r2SXlOs`mrhM%XAiMO!5?ls(wgPKTkxexD~8L4fOPo133B^ zX&m*4N?wR06@PG-EgVmX^5ESL9Fed(a|Mn+)|G5C9;jwu6yywFPEuCCCENK;`jln$P&> zPsgudv0&M=3Shhw#KBHSPDxZyo%M7a1>3+NsM*VF&5xv`kpO^ss%c*F`x01YMRQ@1 z_VgObX^EIi{bl(4|BjwVBWQOJi~_Zx&ylP?TZvk6E_N;zh|GX6KXzWdsM8S#1!Hw} z=5#CVD$B3L4Qz*^y5LFW2oS%QL}*TUrDZDIS+T=R);dFOn64bf6LjX$Ina@V7f(mo z?1sioDOp}z)0}m3Xs;X0wmaf|du3-^0_MG|x}_I*cqLQd(C*5?^XI_XEP$xuugJ}E z@=8Awf%J)A9(}n9gRuWq^gP%RqHiwCA{IQ`mudP|4T!lK$mdUQ?eTL}^*uCd0RtH; zSi6B;MvztsiU-;36Nk<2DLkiA)T5M#p;a4l6B@ygE16c`X))WT>1}^+?^|X$TfE8@ z?-rgWH8oUD9Z)mW6L=RVZ6Fw+_ zz1=g~2sw@61+rZv{{(QT)=eGk18}ML%p9O%SyvULikAhoX^pw^TE2+kng~p&I7%ww8PiJ`C z;B0zw;ZRls5v{J(l`Ho!;p2xBKn3pNK^tXZxxy`w&MS2f1F{b+XoPwKw+i0RsS%g^fW5^$wgkE8CchLB(_)y@apIQvMw%Rt?@J(pm_mQDf3L( zZ?U@sm~Eb9C`K_^i0dMi%@uW|Pe|g;iH|2^2$vEQA+z~mpbQM)6dw5HqMDY#mxfpw zyL#i_%l?cb1B7gg03tjr;w#kO8um>cPnHg{0LWh|reqrP{5P0Hz?>T^ygmV5Z$lSK z7SzNC3nfk$`4CMeo&fCL^og9t%u-qY#^q&R4LuBb|i`s z$`D%#wHo=V*H(tulu>NT$V>)}y+1GVYmjxO@ry>mDc&s?uK=zGRk(*2YEA|5XDbwc zwnFxl3S{y%BM4I|svjo(i~EYdl?zrn9|q56*lyUYh6gU|%mSM3Hj1S#XwfwS8bn`7 z6{EN2z-fw@%-!TvpckoMMX62JEHu*~6w}bah=I!q$xZoD>yxu+*sLPyO}ow~Oy5+= z5~p^>mpV^XHl)FfLddCS?nL(^R=D3^M?m78Z(u3Z?(?@zb3^X#qXBJS6Qh0!B%X&k z%Xi>p8Rjwk9ZCVYvrwT56;x=^U8q!rN-8vqZ65EyAWLHsNv22^BJz?da9%h=|5 z5N69*v)xl`wsKjwAfFQC7Ygh%1$J|3r=hqtvQygB#@SIsX*F+ zv{cJQxDif*d07#M7&IzcF19C4Q{b)rlNttjDVaTYoytA;_^FvR_io zC>r>!KGs%83rep7D6r-s1|;K@SFknuORc>o73GR;J(z!FCKGSr0= z^4uHSEf@KnY*)l_yDs!09L1FB$C~IYw4Ul1WwF~NeTOu*BXzz0hX2jI3RhN2F?8NA zTpBgLLB1J`QP%nz{{JoiW-`up_b2Q1zHLyAtkI^QI%+4$miIs+W*~vHefSH~DEsn~*oith>ALx6;u>HaC_x z5Djw6Yto-j^VCiN21n9!UuS8>^8b+H5|zt$Wf=_M-=Nm(EtQZ+F?ih6L3ZjSbwwAa z@Ire9Xfe=OQX77q6XQ=zKM>8}IXZKgw0-hVg0yp`-?o#g2Xv!2=*oEx=xHXq$jhph zw~r2a@>HS!D~o3^PBvYeo}v|+o^)TM+@KC8yX;9Y;dP3t))QrK#&4iQygl#tj^V85 z$*hMJdIMV=?}Fty+H?2;t&p`l8sv0kg3`pOM`ph7VjAo+AJ6qW7^VKQj zS;V&JlT%RLF*rIsWE057GxCbb8;8m(CUuFGUr=8__(k=VeWS3vk?@O3gDJFl!sT?4 zN|IxZ436D|r}>tp0P*RzOc|^iQIm=o1AFfdw~NOkHL$$A8dr=@VEC?0*MHU~&AQd7 zu>||i8l?qlHEK*H{?lgFayA-9I~08psuY2aHJ4IuZS4=c`UEBhWPRSx@;j}Ub=`2Z zTU?-6^}w8FfnnNLwRE|uwfU7oA3a;VH7JOk2Byd8p6By$oWbyUX#3wq#hnJj)?Q5( z_2zsmJ8kU!<2C9q*zY``(SpxzF5}JAu>BztW@rIg@@lvuX?nJ569;2d)lFr(B>+vC z<|%;w#GH|i$HzvZOdkeBp7B`c=FwL<;TVwztr-F2O$cd#bZ{to{T^ms9*3kwq@E&= z{oX-U@#`DB`a7l@csD z_3o9mY1YF~YoU851KD)}hkR8F2|DBgH0JV8aZ5CC)aGU$WF}1x?h;YG&I^f>hj8{d zOsGC;M@{w(ng*FNP**1|U#AAAT9qfeGMQ?(+dLWDx8>e}xG{V4J-m1Hb!RL7Q^KUi z|F%Jb>WO`24jaecuGbc(?r)`e<+Fq9e3@0iI2o#6ce)03_O!DP96pFoUsYx(9vmMW zj2%ns=9y|gc}&eN-BG!`gE{OFfPECuhfk#u+Q;|NE#KTXTWwMReE=5%LZ)?7dwBmp z#xXdQR3If4WGm_NV*JVH3Xj~w*<@%9L-(mMe2o2YMwsCUSB7yW+j=ct?CBA< zVO_VAJU715^oM2$+;urxueooiil5p}62BY^WEwi%D4UrQjzVwRHld5$T4Yw25S}T8 zx)lg)N-)%=NNuR{@wd&{0z)JzLU;pL0x-nm&XOS=7Lfmbyh2v9^;aL_Ww=K zFW-%{j2mE=Hm}IHTborhd3G&Wsa<>D+M-p`Oa(m!HjOf$DG{qug6pU_>o^5$>xGM#*1hiLH- zThkCT{wv91Lmzb)gS5%txwGWMtWt{|U$sG?odoQ{$}8#@dzyc7vK#_wIU!FcrVkKD zQlvuWCI;=R$gsyExwR3{a4QIGrA6|*jw=cUqmkqR&VB!1$N(BIo**47kAdE7DGix;kNW8asGST@GL~K`A=&5rs>9P0e-@56#6#U%xYDy20@8NXKT(Pf@0Rw3$Y zvvxQqOKpf<=>pKH(^NeaPM|Tz&Rkk~3OIIkbIQ&RCJW22?au+V0}GmfttfODMSo(h zO}7&e#0XAizN+9QuN=$vLtah`aU<_@vuL=f`%DH68x?~U&tO)C3O~glu`3YLIGf-m zK*oS*Ik0?#b~VKDZC1oY6Eu=XaH#sG_W99)+mC0*x#z`u9=;!2>G z1iG{Q?o!beJiE2&;Xx*@>Du6RkzDiP&dxI0kQZ0u%kgru6MX8*g-$BvxVWL(tB%ZI z0s^R)zoGHrhCw06v0=CdOtV&T0uWdeeO_=HCi96TrSyQEqGZ}KJFWBY&K4exiS zaOk{;t>TB0)d9v2^~AihBEV(R10p1M8fd?otRY% z7@7bQUi^X|usIeSu_^xct3@AB3`phlDuY8|C~<=}54rYyslwoE^p%_T%S8f&^JTg$ z;)V0Ubk3_h&21KaQFE7oOj8w{?=5W8qVkuk1t7KW_pO$E4%-m)M-!L>|Lva6|N3wHQ1zdG z$NErG<^La3|Lbpn1npxl-~7$w17$M#`%wQMm<8ozK2STe+=Kl+=B%))L`CgC{l7z_ zWP*dVz>!epHYtNBl5riQ{tbxj6zegVi!T^%Zi(zq zyaehvuiy_+X83yzN2ti)#|@w?urWYmm;FDEQGkv2_uxPK@NJ?*W_iXjj--JT#`mKS zH2NTOYbO)kom&AQ@wOrchPD)cKvS1-#$ZZS)UqBKE!zeq2s88`hODYeR3OHY_Z0@f zsO&&NC^eS9C-J2W$cOm7E!* z1=9FCz=_CUN=4SC_mx68XVg(BQDAP#f zX(Y;6sf|QnMe#bLow~efq+J00Yb4EKUZqK!FgOcjEKeGPc76=l50#US5kdoYQN$?w zz{sT!WWdgfMj^_91-W-y1#vuJ?;9z*WdRLbWx7d_pCtU=xdmmaY~fls88?uWA{FD5 z3-#{ZvCLo=D*YI%0dd|{QFK}1wv$ZN>S56mav*V#V$xgy1HQbWNCyGS-AZ`T1q1cR zvqVJv9$QGMIm?0~NDyw2yO#RGpSx(*gV|F&pW$zT z8v#)B5Vy;8!KYUj`4>u`31s!(I%AX@guwdNg-{73hNk$M$LHf`tGB$KoU_;7Dgp{$ z-3KhIyhMrFe|RwDz&>OcNA=oG1|oz~8g!jvyYg%I4x}MimX3my1&x&;4FUlEz^K(Z z#{0NK)a4iX5(EFRSGZ6MkYFnmMW@iT#KM4`LJn+mXq^)TJ{IDZGCo5gJgIi^isu&B zHTggt^;-gqtH|wb}&#l_Mt#8J9b#e zg@Lt@1n=M6PHa~pA5e|TP7r|ivv3MwxZquy<3|u?b@JewJ+#)6Rq&%`zhEtxC-eZL zNZ=2w+V7AE;P?^#KtDggA3)hJII4hsdMsQZPWZ$N{RexjxYt_bd_D(RDK>Fjm)X?` za4|Z>A|*8K9VPjCrQ+ZUt(FSU)7vH5x>2l?bM58JDbzD!4PCl&eWTX4@35Uk9UW_mno@`K=TV`-4g-UFd{h2!*s;wWm?>Y)}T-Ssx& zP!Y^u#Lh&JEccOptQ(!EYXX#iRUqouQ1lapePC6)39{jLdTFfdj*}G)P4o*P{f&hV ziY;&9CHEdVRd!-i1op`?tsGYYdov)1-Y5yZq0&mh;ioXbIY{5rK`+?xyN+rmLs1-* zo^zWFU?tnycGZa&s?- z7nthElX1o@2mbtj!oBr)fA^o0|2z9CdiK0uk;`l3C}H0h9*Rs(w z4A6>8R;c^EqpVyOytm8*jG@P+NZAv!vVR@{MM9xYw@!M3<03YGz;x;DtN|=39x+E5 z9gB!qu3;=1nPZ>i2}~z7nnRqTY$8e+M!w54jQ6(S~ov$rLt@_qVsVLb1J#w+Sa8XS|ml zhS-Ge@-@fn1t(lf&E62o*(MzjsJJHBEO!;`w9g~@DD@-1Cv`IPC>bcH zF6!Imc2uSXON-;$R|>$ZnWPOqX);ZX$ocz zua*U(qlBCBRPcbgy{+M=TpLv3P$!d&Cfz`SKtB&*ZR;_3V$BTf9jm#H&SVHIK;O=0 zsFHl31+_jiQAmug`sK91xF{;FT5Dv(LY0VhQPw%BV)G1Sq<~(t{+RCsR5zFaXrZ={ z?lqnzFRaA(Nx3+sgZ3y5TRlK#G|Vt^A~k-TRXO<%M*}@wZ@#L&ER0HIIGAMo5qY%9 zf}x1$n&uS<1wwi8+qYsUQF`jc6eoj_N|!Yl)u_-FwB|e<4d8$Ov+jR2EaA9<7R#^V z@~d$CKf}paQU9xF(fWVj-*bv&gE0}!2xXkk?d^|fsi8X$&d!u&!`U1-?8Vtxz^a{K z*t|2roEvm^o+O~T?%KI}OJZ&89NP|jTSjiZa9>8{ z+j1jh8Q4%0MB!iFAEUj=dfj~#hv&(d-V+LN7{LUCldumw{+Pjl;?)J#?tp!xeLMwz z3eU3~&eh%=BpUn|0}ykJcETj}dWFJ?oIZE7syhBL1_iUJHnJ3+Lb8nWI13fTg_B{m zjMb~A_v4AecE^LCx0#U2o>pRH4XH&m$Z9r4g)Sa)lBu-|vgvsvv~)&6(g|%VuXw&c zefJinEIc_Xs)$XidauxGv}U6GOee@OzW(GzbJE)ldCUNz;k{Gyjz`)PgP|>e(@NQl zdMkl-P7h3t<*QQE=ma>0cc?#zWE&<#7|mXkRr?(cX%qGf$onEgX5cL_Nkkyrj-c5T zHnTx349E);{kZsY$nkFG-hF&v3%CH_p0>Bq7edPY&;|(3swA3ev+Ja|g6gDe_u5b# zx6Y%tJ?PM~ka`QP86Tr%^|7lDjIbwRpj(2&=os~?m$b%CAh@Svf$*_Fg3s$A6dE<4 zeFV|*WkzO}4&1}W!dJw3b-Y<5)rzE0iO48XP-B4t{b$N*aTsnx#N#QwdaKvyMZ9M~ zbV4eo4R{92|5{kAa_8H^CshS%aEyib(nT9po!Hb@!05ZHphOKAm)&y!xFsA2I!d-= zf*fQlpw*uIoSYB;ELLM|#|Svy8;nRwoXs&lm*s;gMMl`rlN_VutH3@v#TG_`UAD0| z4>}Ec4J`JEJJF(PWOwa01Val&ICwhpsC{}$%nAg!)rZQ6#^LWP<7>1x6fJCcYlx5G zvunKT(L1Yh>^W}v1hypp8CMewfq>xn=oVFF6klVDdYhH7mhwQZroScN`@C5(gC) z15&lZO91g@AXvGaG}B&W;8NEuuD=yp~`189aVB|?a7`s#j)Ys3D{ z*(I@7qI{pc$ICRMsDhL8Hc0_fw5ImC9(YgMQvt^_1C9r4FC=`gWBDAO<(k#yRv`25 zn+W-{FfMxzvi%I(87;ITb{*eixNH2Vk>j~m%B>rBYF6q^!mbnVtfEk|O;?aSY`O{< zm>{0Zh`qf(QHw399%0CBOak@w@K%+k#lK|%n#Jv!+W~0nwqx<-HHcEoxnY@r{=bG+ zF}P898<9FraI|m@$JY~0{_o@4CfjSc-fKEzhCUkHp^5Wg|Y0!>d#+0#+a- zcx%PQ4A(n@^=3V@{Fz+-!Z<;y(G=`M7Ae;%lST;4-cm-xFyuGV!=NdQ8FI8DjuzQ8 z>`m_yVk2ZrQbmWuAjKgK%%)%^932xjLZB6-1p7^pw#nmqH!*Y#ivH4Y;w=vDk(#fC zD{mBK)zNvI86WXMgEM?d^2T^?LQCyDJSwqDyO9*JdAL;QM|tgey|p*k+A`_>yQcbK zV4)uEMXgJX;ggUE%f~=RNIl-=OD8@gy%Ab~{D-kQoHv2VV3#-ENG*}Nr64K2cY_kT z?{yf}Yu}cGO{60uddd5p0s{a8hJDS8OOk)f27Izu^!b-*y2Qvk;|W9KDI-2mxUNJm zUFq1$Yuor;I3Zr3LHq8m<_FLyo=|U?86hBzzT0cbQz>igyc8n}P(*&--D|$N*WC14 zj8geXM~R%Vl4+2nZqZ8)Zg*X(ffO}VjdHjH+vPM^UrQ?hC3q7f>T08L6(kWcI`d1s z$n+LurPg3D4u}&7=;O*f8i&aF_ysVlW#y0HCs;&~(7ttQ%)V1Uac)%pm9$x5waRsO+%tSAE99eTRB zE_m3%DV$;7R3fxKAg$Rb+-jtgTO&{@Jl`8?k>~#tjs~R1SeI03t>+azdoI-NRKH3t z-%G+P=a0HF0B@CNXh3y;_#_{zqiqt-nq?ly~kv2RaBvu~7sZ$qgPPPr@D(q5Q@WfW3jUmr$#q2{hL zlumjwP!tV^pSUOX2Tdx&6RX`T=~mC4-l%y=VBP6G=jO34-(>T5?>(ot)cnNv98L(y zAfY)!_DX9HZSZ`Wm9K#r2hw;HZHo#{zb29M)Bx`rEoA9Fy0^-Ru?REwf(}ddPmlg} zdiMUq;nDWC%={VY5i*}5g+!Y2%Ove#=L7T;f>DC7AkVY)+8I@(hE)fD`O7())9Tlk z(Cx#2V^C>{iA7c#|4(^N7V$J9A8EB#XdDQ#n_^kTZUviGlSpbY6lI|OYj!R=()lTo z*@li5*&c0?*25I>i!Hh|0TwZ9wd-ht3iO|C5_?%E@;z}xXX6jH>)~U;#JB)lVtl9= zsSOHCt2t|SZ}&^#w_QTpCAOVCSg5hTON^*nxVljLo0)qYI`m;D6*XOnX!g`y-O$$% zD>F9~F(#4phYNA)AZEde7Lr~`$wb9^&h(7)+O{J3~~!;nqEame{Y2 zr-w|8bNBVV{uxl0PZVHCg@$jPE(IWId6NoY+*uHrgYpfO%A{%3To0%X~m+dgoJhSyK-(mc55%&p#JnTNjIjW+Z>K?)ny-WsIF9Pd`}J8i~?R&|b1 z-kB(+BUTFBhmMwWCe4xTw|SgM8T_5WlEB$16HoA&tzBI-&!}oUlnUe=rSdqN=@3yS zK?X0yRBtkE#YidItwpsp74*bPOs*x+khde_IZHLq?56 zOxpx0o28+=XIF`~8!qfe&xlMy!#MC${7lkrz3DGAG8xA@?Xvhg@)m|3{8dVu_SpPc z{OMu&)g$vRyf(1(k!=GQ>_9uMAXRZ~5E`q8ngZ3upBU{*S`l(!Al^u?cdX+TMt6J} zbw|%Yp|`d9Q-~_h=_lYS!D)m-f~yb|tr1W$ig!CZD9^pvYrXNN2GR(#;Ln)3e)g3ok11UxS^y1{<`!RaYuRcHk#mmmAE~aR zqrVBj4EbbIP-pZ9SQVmfh1B9?YFpBdg)iE;*ra6a3h6bkCg>1BRB-f3Jtdiiwj=@r zWM>WI2*l75xlXfe?(syt(uOK$F3%{_BIo8>znLdWd0B1RH?3RIxv4|ZFHu`1is2ho z2e2qx4$QT1X&LI+(Q?-~y~ z=nMxS+sl^MN3umrC}XcD1(4d@fBFoTO0GpFs)Jc_1GARv;Z4d6+iw~N20JD!`pqK~ zXpmy2Ec4Vg*4^C)<`ElV$pVtzy~lScoYTjQN89&+G_NjrdcTug>#m;;uAGLXy|G{Q8H2ZPDwR}K%R>k>A;EaKk^_WA+uK~Jg53aei2 z_xsA2wcy!A8^z`5OM{;BMI!YME&VLEH_bZr2`^ zvUYizlc;qcmtOku3~~-;vlu~Dm{5wjQR(J@gg3lEG&g(ftbbw9#2JU$Wz8N9EHQ#y z)r7lw{@F`hj% z>#n)_b_i;w9kvK6r)9X%S(qODq)1p5`?-kq)6REycm2C>`gw8reE*;S{O9v8i|RTJ z7{2`=Z#6XXp;gLAst5);jr~%@TU#X@*MTxa4}hyF`DW90_PefON-5ieKz^xERm&vR zw)0+-@`B$9jP+xoo;U`1;h~P7fBa5 zs$4=L_dcR4dES~2pcuv!2`~E5&Ps-5a-X}TP2i^#-^Kp~X1;t8|MUNhsA|8;Ki}Nw z8_Pi{3lvlUjR-`e06w^FM*Hu=y^En&kDgH={X#<23@J7J{aI5W{2ZR=cE<8(2>TR!+hHsE4HzZw2&8UhJ)N$Ifv zK{}6v`L~EyA3mNQe|SG|9aQZCI>!5Gvg}MjEv66OA;LU>7TJzN#<1QP**v*XfU9^ zWOy$OOsy8hDOa=O_a8r>HlV4?8Pgo5Q%ndHqv|2+Yx+eamx6~%i5fINRMudfgk0y< z3~e?JJ{=u&uCZ!*XuB6q$3haRtbxmO8@1E1x4`rQ>aW*Z&_;pb#Ocm`k*72BV)D?b z5Tos(T<*r$=!uDqtM6{I-F?6sd3$R|h%Cvl7)HqZ$Av*RjJMW}dcan=h#Qr00Zo?f zq*41u!h|Xbn zefCoU3>teQ;&0ebBL0Ux=sw})mn9p&n$WdT=Z$mAYzr+~WVHR6LwsCUKeJHE2^=8+ z=Uzd6GKw3>Y;cE&qJ3znBkcYk%@+j7pSwADF0~S0emMNM3Z4sa0SePTA5MnH+uOiU-Ld0n6y7G!RQMW9Q<4Kbs8l&OD{_p=sG9Cp|=L? zn0;n1*$?dXkPiq9h|Bon2OlfhF`@JDP&zHXj1Rrs3&)9Zd)xhjHH=ml@ek1POALBg zi45by)SscfLrI7@$JP`^vS0KjLMn|2dSUYLAeJ~h3Xey}0F=*=6ut)ZIG#kKmyq>( z^h=B`HK$6vmy{!X%?=~>8J6%fF5#hC!o&D=G{ExF02`uT(El%Ls{yhd!jiIIwzpr= zFWAS_{~HwK;m1!RlGXOup*_X7^pJm6T#J+E=AeDvFWs!1L-tv&>L2mH#n@u-WcbJS_8)|n#A;u~g1w8c?7Dv+TkBdEW*JV1}XFQhWiy>89RR{_bR*s4&oM0DMOHNfRp$>CCQF3zj=8-qUgT-!~s)h<%-&2a2 z)>>oC%;Q6-gFlRR8@aSNQ}1$77?M{|NIi)>6|;{Br1((Tq?r<0V{TtCtD*Nz3R8TR;G=26fR zWlB*+H8s~=p0XOn$#&tT?gZ~g9_hz1V-X>hSB)H~j=S4%`|fIj0%a6S3RLz=>c#*M zKOvWvpzYonx#IbF!h*52=#M2~o%CMxzG6K$L#e+hhXNh08uI%)(rVO=i;WfCuL0w3 z&~#8S)Av9yL_hLyhe0vrs4q%DFv2_iB$GiqYx12NR5Xl{+|?XAM~TPl_BDBUA! z;Ur?KQu`g9px@abXC~n&o6%h|?&P-PQW=d(e9#DkIH9pCT2@WTf!=;6@I7{7^ zHaG_LwHBnT*Q$uJweKk79FdWA)i)$2@JJ{DZ7J#5oZQAe8JGar994S^In=PpL6z70Xgerwh#k7J+nhE` z#$XP*R?UQsptfunqB*n@Z6p|mDBwWYnd_woDJ?HOGZ`q_?RG*y#4*f`+p3C7ilC}39F2jhwl8z$OD40zuylwZ}My9c8HNg3Ih5;%dfq2I0u^taq!^bN%KQjQE6b% z5mpw1>9T9*-9dBS=Vi4kPkcF<=V~fF>CBzTxc77pU)#65kboL)Ou4iQXniW(8%na@ zJL`K6;WA2)T7Acm%G?@L6m=bG49*Ovw-%i@2Qn_HznWb~&v(j;${FA^}~e^XWoS#^V0yZ-)7hu@>ONAHf_YoFi7Z9#6Mb#yS!+<7Y8 z9h1W|k1G^F#6%hKwj%>JM2LoHXd_y<0Ugimy|#(1hyjL2AQIqmI1!0`?zJnHmpgD) z#sz9LI#^AAV2&pQ9TdfSU77<#V=;o5t=!sb-80G5V_@7GqS9kJ%Tl}7R0t5fEeKS%s**zlK9xn88}IR?iiB} z8x3!)xvwFeA zR0o-ZV$6K}?tVZOwweLzfzV1J*65*Op!S1GM%0yWw3Y*b_SgoiXix^(Ol=mSVb@;p>9QyVzNMxL075{$zj)pGosSbfLCc7C zC48%xQ#L9hV=>Z}o){4oW~|JySMtgGK@c$WpiT+E#-IYP#0(%(`{HH(VOhb!u44Cd zM$pUfLQu9;n`UHuM>9F^ZAu&%MRg`a)5?jySke0mW{aV~NicQjCRQFbp1L$NX@39= z5Ct1nEi_^mCNdJCT`cQ?C833WK|n_g?qH(7;BvK>_~<)-hwU_0Nc(iUixjs~aQfOw zI%{Y9X6aQ_jdjqlDQq%6d+ib;;NvhK{S26hnpHEZini-q4h0arqYXzpiTBK7KG9?p ze@jYAj0CiG0SS1A#xZ8NjQcZ8UhIw1%|lFBHclq0hd~;P@h*Jkaf*#G{c1W=UJ26_ z1Adg487trZQg-b6#WgF5u>tJR8GKx_vaY=)^TMY!o0SVX%ilF?;9l!UHj(Ougt%T* zv=u61v=$n^ky_-8CZxOC-hP8tfTOPN(3fdICPx{pmz|>HS-*l)Noo~qv*sC&K$v57 zoFQ!S3DzNXwY^=mM}X`;fKCT{b2=kqMlDYWySGmtBVMriyXlvvSo8>$CK24VuhqfO zo3&uuM!2)XW|y)EP>uKe4sZ^n?;GeB5Sl`3>5#-6=UwZQ{)A2%9}Dbr21-O7Re(DK zUbl#z4zI+=zlez^O(TQ~zTg?Y=yaNUHHLJU!6@YMr8a$IMCdAnuMtwkoj4osIiw)o z9~R$b`pO3VKqcnfXUVmg+U~~1?*2qR4&XLbOzMZmClA|S@OWi3%z{qY&S4g~!;~U+ zz2@UDg&k%d?+tT1%v?R2-AiByInWI=qQaeA3X@B}(+{){(@m30#wkv&^e0!0Q#iL< zfKVP$?Ul7PH{-47+anPje){@Qj0SJe=X}(CB4U>V+di*58}}nK0d8wwWYZ@(Q9~7a zgXA1fm5qU4JgZulaZg^UUiPwc+wCM4cW&DzH{!deWl0lY1ggsg3Trj z-?5BeOdn)UN7EK>I)d6;dy_#pZ3LtvVmp9%Cg#?!!Nq^*OMW_`YN( zJ3IB+SvJO?f|F=4ZN*h0rOYVY99PK=rj$V1g7;7>)5Di84Z8II@|VlJqL4}LE-*%t z4COrd%efmyN9E&i-4HsGu+V~^+$34(v`Bu1dNSeEa@e#gn6=Ng_9yx<+)7}9Q<@$B zazoZ`IER!cB}^dWt?BA;QHh-!>j7YC+7?qq*#iWu?l;Y+IfDS5XsrwYL&uS&+uJ{d z!4n52A9;Wk+B8C1K9JSzqV(?IoRDuC^m_-+@UNH9i#$gRQPgzKj@sTlNQy^ zte+5ZzJzkEX!96QF6Lwv+u9;%)hWt&pZ&^x8R|N@;>U;ftQ6(Wj&`usZZ3zOHsWUS z<@-Fp0?}lXr>ykud(w^d*_pjW)}FLysS3SO+GnL?h9K38es$6Ww&AJ1@5V>I^zdS> zr_f{U>$&<&P;(q~oERp@$-wvN&(0d&g6dPqs891SnaYHM@^V-yvQ%j| zO;z!WK|R;yPac6fLDg^yKyiFWQ9;f`a%n)+gvHqeX{QaZL2xjp|6T5v`8Ydj|H!#a3)-1um^UHW4;37J{s!0ska0Qyjo%WAgng z*q3D?BQP-PP_K;h&cLe5(H9;eJjiuC=7i~h&M9oKB$ks*%*x{X zqOCiJg5_-0)qv`pZg89j4y0lm&9PoN1j(wkS7uNET4+(KIR`1jw~f!#yTyYA)4yg+ z2Kb*cJIujl9hYnwuiAyWo7>u2)a*8<`%L*5cCfvDIl2VN=^CF;xNXEkwKgH@W#=e@ zLLdtHJL8&#_v}R70K1J#*$hri5I+X**_j&E+=fXwfEf(u@f;(GJ{0zR}JC?wY>e-c5El?JuF}pdSZ^^{+)_p5Rk=!v~qTrmOMS1?=PSkw#~< zeI9LLa|4&KcaUPio@xgnQEv?(cZF-SOTq5ZgVDX<4s#%$j|>ywI@43Wj8x<dby65XIag@|t)k&v$1fHp4(c^M zHL}$ipdTYaUB<$xH*3_}SZx_EoNB_W7FntUG-u|NtGdfws%U{7^Mgv^b^CSGe!qW< z23`K+0+70dbz8FAiA0?iFVK7dssUEyBwV1Pfji!f8(}kbf)!F^788$L71*N3qR_&y zL?%#|t|D^1Ri)F7gt~IaCJl3C2F>aaOWB{bYMQHqVpE*jnZpGrF`HPlh(Sekgfod~D4X(=dJa)BdmHTM^QX5bJSnD&j|psC^F9xO7+u5d8){ML+HJ{TO>#Tr7~&lG#!~s; z;Q*~BHJ2CKPG*In=^fHyY>8_2CEFBu3=O@SN@JzkrDvG6uadmoaebR&F%tBH?)r^h zm>WMRtsfS~G-j^jpwo5L4>^EYr^wKO_~u>VL|MO)R>f!zf|1TtVzJC15wECCntof_ z=uPqYZl|H&pf7p^ICf?;a(>$qyZeJZTS?h9Tm7ll@S2{eq7wG4Ub6sX1++onO9`aP zZ`!3ykasmv1j&b+(iX6SjM(hjwsr7>vIy4YB) z;lwnm!aK(eT+!*_d3rlg7lC3{pA*v+uJp1DyhR$B6;jF$wk*;{5fwejlw7Y>(Hq)O z1AWzidMCNZ&@z#iczZ50k%-H0%%S@gn<4MYBSttru;^ZE6(I5(Z)If5=9Dd}f<&&0 zqZa9v0!37#Qm>FPq%AUXO#WovKsT`uHRA3ux2!1N0Y!Zz=H#ulJZ*r&jU?#|T>?)B zM})D*4MIwf<>?6_@wg}=d_#^-JPL$c7E>frI7}~;tbNx*$GoudmK+0P-ajK7-!r)) zF+E8xuXq&Nn~lhL?Wq=hD_#j~3~2cgDKi)(?p`>8w1jDk)KN z=aNpCOFBbtB6s+h68iaLF#$R4tl#~1xWzX)gv-!<4jlU*2Xt?Z)i7dt?}GEJCz+X9 z4{aRiURzEvm_!~;0`yAoY8`LJI7Utm@+-Q=HsADMfuB@Kpvaif+`e(7xezqqQp<^0 z*5oyx3HGmwz0{XOUJ=E00+u;MM4Ev=ydI24t+TN45Nwk+VIApnt{1P`w0L%{s!6|j zYdF+uvKAoz1pum1UerCV9+||(mYxapx+N#9Pu|U_9y)(~=p2Xc-GJ7JPSzCIqtnvD zjS)xL)ChNNT&HrgI0|O|RhbH!-c;$E2MoQOlb_$H49_Ud>5v@nQCA9!3}Q2nB4x)3 zzaI1p;3;#>Z1+ZOYo%p2>(N_+_;eV08Ouurw2Yxk&S)UpV#e4PyC<}gx2TS-QTKb= z2l(bF>9<`U1R6<2y*36xyV(w;RL!7S4zGjr#?xfou*&d>rb>mDuWND=l7_>MWrV~I zNn!$aic;4^+WV2!xwbYhw4HgW%+T{X=D?*Zdv|*bX9-2!27czzoEw!JD40u zJwa!uORjZzn1(x|k1sG#h|beYhmAJC59llhy2=b-6hMmFDB_I8Hp)tHJgNhWWyW;T zmU4X1anu3MDo_Lq$8S9kF-W#Fb2NN#Ne=nboTS!L)iNB$&JMH6pph#lOO-o_#d^f_ zG!8Uq8cW!MP0{%SUjj4HOihsWAE*x%Xno4iT$dv3c4c#&-I~s-gFSoC>FHw4Y6lZY zyT^xqRhWRL3gDi1h4p*SvBSndR)_#+q=W+=#~9Q4Kzp&TUu;%<$(F}{ls{Ok3w?)H zLK4chci5=gK;ovE2596sGm$?{P!0E?KJzM@n3?Fn8{VNVB!tic5zPV0joe+1B7W&- zvOIDmJo073RdPwKD@}!#G4rK4{S+J$SgSegf`w*m6fA*FCgOo<=JBaK(|jfEbsNl| zZEjbg-G4c@I;kqy9jC>TALi2|^Ewp~DH}~21B>fb+2|^ZrRvUpl%~Gf)zIp24%A_# zNuVYk72T%ErwIFx#OBaaH+gHy?lW|0wF~~9-#Og76Uqa6Y)MIfz;42K#ZA2WXRAMG zOImc5)0)kQc?RB_(9tn&tD_F0z27wG^OfYNaC4SjRg(s5CGm!I>RiDn;aoyP5j<*| zO~NPanR^L^(wrwQ&(~0*yx2Dp4%+NoTi+2HzVD@DQAdF2WZYEY!w>I(m2bM@2W$+L zE5rm>t!4YhDf>N2zJ7d5_N7e%ky8)*LFq=JU^P=f-jn2&Gyxg?lSO#e=z57d4 zz!{%u3P&a%C!jJ4+w?M*QQtB4bQ^FYU0@UCBQBXjzc}Ky(d~9zYTAf}6f0lKTZ9=} zA<{EN#`~LXE{o4Fv8?XQ^YCWKJ08E1bSNVVlp=+}`v^C&O_uOsH+_}RcojnWekfI% z5*LmSfvX*o{}{#EQp)H=znLc-O?dfuyL!!_&BQm7rQ}4#|JT;M$^8XKeU6cJN~=Wx z8LUN^S1s-#Y#a+w%QDd(=V+0LHh1_zuLLxmraHAUc+&v2U|>^ZQ1O8QjB4f>Y~#}l z%5i!|8){%VbZn{NK>m_P&?q*o^-8vFY_~1idjpHwdYi_;Clr4c#>ArsrZ*XjiC&yg z!dipLy0H7;qL)Jy#v*4?2?Wr3qrnh3w z=~-*`N$YWJL;9&CM`R*-HFWv8jhvX~;WzMM$W?F1T3P(lN24`PXfS407NO&gSbO2@ z2E078TtnmjU_7bO{8vALZn^jd>=Y;OG6PAea^H&Vio$#OM}*epd6?wh)2NqVlvB5o z{i<5YURv_&yMDgvEZ^F1l<9UiZXHoFYKK*L5Q9Vt5Cppl)S(CkttWXmdUV2c*>sZj zp8sC?q*5OCe*K1nGd{9SKAbUzB0&N0U&3B|w&pMg2DW?nEoWr+RrbIH2q_-qkTcC8 z$8GkvpkOJ{V+<#HwkTrVBF1%lWDRTe=7i7nC1nrMr5BvxNM>O%`995?AsNo9`?F2(e=f*43$>94%+`V&oR%_T~D-pF3BxBO$tH9M=C@4lS- zlFoUg%-3y+CL=;zx6u~3vD3I~G_IlNV2YZkCYgwXN?pdu4N>Ylfl2NiAChb40!pJM zv8sc9k6_V5a~gsEfjz*7-@j5( zW}>3O0GHWS26L7}le*BkRCmH4&&he+;fl!d+H*I;OETC0!n-`$wB$6Px>GdtjvPt0 z&4JS<-HLH?4ix{`(f9Lk^65*^PQlJ*tK*kG7%9EA#jJNejh?Kx2vI{ZXm;2cwTK=S zg&pnP**;paC`e+U0DYG5FE>dxqc{JeP1+UH zVnH@HwGZHCCq_-Pux}$eowN>VPlZFbRkpY*n2?QTNxsX$^B@|XKU=kQ`$b;m(>$%8 zKW}F)^0KPw%4opr%{bPvH8ec&D$ZkLy~E2;Jd!>P=dO(*G>7gP(=_|Sd%BOwCF!n^ zh!9*gEG2vce44?YXzlRi2Nus1d4@QR^CTLLvLdCBM2?|EdZ z-+K)!jLaska<9sJ=sDI?Km;N-F?7yDY=b;C@f|c;nT^Bqx-b~prNwQSE67_JRnMK1 z)4fxIUPfs2=GXEGSEJ}~Gq^5Nj=-RMH46j>%{(g{wagwC;{87ol^;Y^sk=#BW=*o) z0C*0uhcS*T9Xi( zU6h|QGLf+0b4)ls;A4aKAY3)hyQi&2Yh95i>`e z5g0ptRmTPD)X@bQ$$T`BUdZDKIwG^gYfZ@lVcvHgPuJ`A{h}uVeGj~xk_eDWB#)n4 z3N#Y80`2cw(wU{K?J$_-mJ_&FNd=VtpSN^K z-OM}AMj0}9u<)`e&BsqQAAf1>926suF?itcScG`pF<8iVsbC#z13CU@uKHtXB{MlE zMnMV9jn~ML;&++?v{T~POJfbDWl^WXBxo2(!NgLuzZF2Wp0-?9!u8I6%>~Z;SI`-jJpiY13c)tzR10! z-E?zRF+lGFw4s&Hn80^yi?ts-FD47N<+TN>dX~VKcq6V@d$LMhZv~PcAP~R$T!rx0FAO` z6{R(qA_Gx+Bhq8-$g)x*nH-Mzfa9a)TsIRsH;$DSG8`pdrCE`w*PrUp587fJPaZs$ z9R?q@W^INQ8y>Z z3+i1~W&w2wEDfH+12sGu?V?igDFlNfc(7?9V863adK=-nRA6kXS{WO@yniqt?UnY>qnZHG0BOKqcBLR4WNO8gmd36j9uTD- zu)&5loxlN=^pp?U7>X1QhWxVNHZ;Z~rpnSV`2*U-LKQN5)Zvm=MPqK#gz`pp08^23 zXuj%hu#VVyr^a-QQerus#ziK z7_@SaR!y`9txRc+a3s`wKYNNqnzkA-#NcoPjNJ;03M8)chAq@oM0G64DDa$3OFDYD=~WA)O|19ktvx>|aSoZs|Xv!;XLpXgDV>Xi?vStzcoe;!P1Q~~{KX@1>84HY#D zPbM~tH=Q|5s$t(CA}GpxoY~V_nnH~!EDt`Ev2;(S4S4HuoUOe&g)&POWrR8wNL8Og z7#oAYZ`f-cWD-U)1yX;j5bc^yG`73v#*1kBV9SfA zv^;fMuA8&)=s@G52G2~Xs>SkjG~s%|j?GOlY=g(C0>y&N0N#YsEJGTlB)hv%iHyZi zL+YJ7z?YT34L7l zNz1E)vs&U#Vj0Hgh*gnIvpA<*GMpgZv-fPZtj{s9hsCmGd~58q8kf%YI^ISDpeT{I zAw?O&_$Z<}m?bwr9p&~8fxl=nJn}`Ux+~(Q(#1(rGlvbb9@m=oQk>09%0b+Bn^XRK z*kKO|WKZt-E)P0vz_`o}bR#eJv56UgP5^o1|3OPl)xH?-P1sdtRro}>2UT6$6WKUM zdER%Mq!gy#^wlz{KGCqJ{6WRYXAwPOZDd*b;Tg1y!A6Z7kOP${**L&q2bO0qX)&0J z<5=0~jiR1tVFfRwJWmxzI(H@tXOnw_MS(`DQI}8|Okstt0%e$1+S8)z=Dc+kj}G`O zk2|(*!91Ie6-HO!HPEf6+N>l{B)c*S^bTb?=>_N}NIf)zJmsKun>Wp`;UIItk(nz} z8R+0a{}p`g86R}U4L8h3dB?TZxYmzDo$3OK-P^wn0KNYeseTj z={uL1D~GC<-+p%yIo6rSTt?`)$~K%(MKl?VRkTC=XHrL243JV025H78l^<{ba1^yR z@Wf-j(ZY4u!%GqOwL987)tyZi?-s z?;aGxB`^E&4sWYkuPZN5zhXrK86Z1|szs6C^(Y1(P38PAJ^D}5yIJHs6JL6ADDs7d z3l3agek*49I7CSdMTstf@Kszc<;xH`CBHS3=(*ivT&^DflAy`^;4i8#{Eq;fFRI>3 z)~RJEkU)(g=qPAAXcRu9BN5Fa+-mf`jU7`=Q?_k{!E?+Fn3^u@;mb~Sq*^%FaWiDx zEUb&Tp`9|-G9kw=zQn@+Uat=oxy)}W^Av*&&=dazJeT@SkFnX{Pj7S7LqTKqLqBp? zC8)=EWnXtNY4YJMX$><^mMQe-M?ycX!jA>TU{v`|ubzpE8=DIdSfZ|zs2)7E(Xp<9 zM{x4t%)W%<_!3!%qtwYDR*0U4=d*)KM%i$(kskrJDb}wdl&tbYMkP?HDP*JIVkKyd-;+*Ukt$}KbMuDua0%E*X?c)^5 zan*TGn|HO8Id*?LXXN>Ol%Boz6x|G3$XhSV``V2661A5IkKE3Xo@d@bL@1?F67 zg9OG3!4O;eUJoNISdS(57#Z`46bNf_Sk!KR8jqTEc)i}zdm76dQx-rcH{JTYVvZ{0 z7C6dK++{*XH*+KLSkBK47^Uw(Z7$WL_)z-(z(syD3M%;a+&>D$wlgq`5 zdz!351u$uQV6?2^xuchm_~f@d4pfh`o=WfCEl^*K>bqrzT4aPHYH$_Q+O8Cfq?q-9 zsleXF4(&4^<0}Ut<-o+jEk$Gh0&3<=0fJGyJ`w+ zU7Odk8;jg_t9KgEPif}z&CLiOP}lvT`4$sMHpvRI?f`rBXQ`b-J-q-o4W6E59m&ZT zz`A!ywdl{&97J~d3EK;(Sr~m4X1ii%KZ zl=kF!%5x0r-k!?FCcjKMpHX{_I-RZedq>zm#XwX*>0N^)a;~r4njSBs2Jp47z9}-; zBpF0>G1_vMc9e5yjN|$Mew4bAeh`gb7Gub}NktU~@IBt2Oa@l|#h53qc;azmTEuxE zTyNRoyMiNq>8eB;bv$)RTPvmwJld^D55;==|F!p~-EAvLg6Q}86%tBM7bqnu`PP{^ zXTVDHP>Wl#wT&ci&1TyW35t+NfF?jmG>QK{5s@nvN_KV6mwVo+TNVN2o{_O-EVe6h z&0y^Bd5O7`oa^Qrg*D37`CH3(VeZFC=61K1`(fVmgf+e$CeAc%P&ACxvAy7g~z3 zD(Z4--buG29AGmXYXf{rV=iKDRqLSjM$1&I#Nn<9zD)%!jGz~#vecLy+p1Fx$Xyoq zMO3ELZc%K83Uq~0W8N6E=bD=?iT3L5*mU3`8COMtmI*i#V7f~Y-CxAv(fJ9BD^^HJ zJgY4t_A}bvu1_n1c`ICzy0AL^qLG`vDpSdcS|JZttGY1aWGil*4A944izT9UFG4u$?>^h_JN?&6_hb$A-;Q0X>6Shx0t_(kHXDyxPqN==laTuBzX ziOThcid_ps!R{zfRP1@yxoBZD6<3EB*7xICNqRA1fpfdDHNFdO-wgdGbgKvnZ#du5 zB3Hs#Q3twYO++jr2F9&YVa$3Dd>O%6)w7OiIh;9uHV0p9l`LJIZe>Q*`2!X~#+qVr zVW5yUIwrl)JB3asp9)>h4#P#U>e8}*k9Eyl)RUW7TdkU}VIlOoy8J3RnbtK+a;*;M zT9WK1$vh3`Q%6MHT30Gd=KT?7QWC}TR#>AXFilZpyvld05rUVJ*OP*odOum1Zvhds zs}o(V>Z|(oudU+PU|#j-Rf4OzwLlb6@L(x^_RRfo;hqDj(p7xb&7ZNz*wu3-zzD*bwH0LEqx#8Khn?eA3FA* z){E8pb5j8{|11)bDr^d?8dgv~ysWZECc}~8lc#`x@uN=7ZRsG3Y!rR1i#Abv6(ziR zb;uMmq&hZ!bI-a$JP#gS>+t}mm)dXeV!H6cT|R`1`P6slkHg>(^c2%G{%~?uaJrDH z70g|=-lXJaMkdZ-6B@w{gg?zJIZd9z*+GzE{s_#ihS5h0ZvpZGJHFGHX_@dD$oE*|?&@cHSs+%w}>dM{Zzhg)V z4ykTT_-}DMrO^mx5*H7()dDI+USSnPvpg1SC~3`50y&hmFh2kxAC)r%^C4jY_O^7 zmpBY(!mNC?>h`?WW`ur`%6@#ciVL~6Hr+@RE+_oL38SK+;E#hQZZD-NBSv~r4J6AMJj!Lr*-Rtkw$oGTe&TC=om!pbv&Dci61$H}eNDoiUQdxhVe z7XD|TvZ@cQSR){FCz*n{9aE?NGS4frWy$1)ZvA(5su%g%4~a_TRq?C7DZoZyd-IKN znIM*%USl+%Lhg}VUTB&^!<4l+I_rD6HKMSB!7s#Z4b}RE-AMAm05Wkog19;*k+%I* zZ@!B|+rWs0-$iOc0bwPZwu7+~@SrZH)*{+HY2bGa7B5${W6 zQpYu`wN6ndxJ;Wh2crJ!xbjvJs}rXmOaWHHhAO`2nUTKW2@E3Mx;cav*x(k3c!{Y2 z2{QhM!;jk#qoCeapS160C8dHaY4XCT(9t!Evs$TUTF`6e1}ruzZo)G(yUtU9=E{M( z%v)y!l*=#z)f5gC@Vp#Cz`-Nwkg37n97^6;B2}yiSt&r4+N?G3m6G|iF((&=F=b?0 zqP``Ht%_2T@1C@s#EY)#LRgxFqOOISXarEk!F(B&gB0OG!V9w4cBDfJ78@l?rqm84 ze_?gV4Zsu^Ga`1wr0qn#R(Ty#I-0+<4#EeV&W&7-Tr;`ElwE`>sT*Bsn=m~i5#+9! z_Gig>d___ian1k$Yrk=462$Xh?5O*EIu2{kzNjxEuobRu&=;q2RiW=u4umn87;wbj z7Hy9rwiN9u$v`}PB}jO)M?P)q<&$KJsq#Xns9v6hcUWY0j<>x+fT-B7Sv-Vrs)|@N zz(hruv=iV_j491|)}$`TdM&B7q*H;J*G9M`?P%#%lcK)}Cxq?oSZO&#Nf8%aJQSTP z5BbB$VuoE|lyGM@cB1Usg7<=uGNI*8R zcL2X->KMJxWDbgw1{2@UFmo`Rg%9C^>~FK#SpI|}8O6AJBkqcUHKpm5F1|MPngM>b zIYhEgL@6`jrGCH7(B{30|0ssy$z%fZXn>(;5|D!h6nPZ}Xp_98UVs41xMKENX#6PT zM=`TVf{}EUEkZ0Z+)Hs-)ESjxWuj=*k}1|p_Q>J$l$K>isJ9Bn5*kz+>hUA1*JK=5gp$Kb<%#6S9a0%?yA#$gi_HVcEWNes5$8&@M=1$ z`l#H?3}beQ^H}*7y?irOl?Ldx4AAvdla)+4no2JzzD?G`*yj|atOgCsMl26^qgT{Snx-zX&4a2jp#n&k&^#D1R|4DV06CcP zv8!DnrDQKdB9oC-RLnF`^@~GWaM=?|6D3|8$PXn)pCHeTe=7w7o~~925xIb51d*G^ z(CHZl%!vk3wy=LUZ>46Ws7XxQGhcMXMm%hVJ3GYd1ere&VAs#BcyBWdd=ox4A~dGN z&38QHcv^TtBvSVQq3f?!Zo$>4T8m)^Bhf*Ymt_eQK(qBy>K$GE7TUicS0)Obf^p1% zSrtm4nPS*0w@!c>D~_!Jy8|Y?;@GOTOZc}cx)9E!3RQtfuE%c&2q6ZJ^p~p@{nq+b zWy}`41s^O0Fi$gdyehmpm}!lLax&42X6349L8%N<{wy2YWm?sR4J|za#U~z@P2<*F zJ%=bz6(&CeJ_V#bHWHhtXpr=5F~nYMjrMohV>$<)? zJ;Y^ceT9J`CVHlR3R*$CIsBYgx~{ZlZ34xIuI?s)M27B=EJ^ti6XyaOoXqHsPW276 zJ+(gIpkp2)EFq7}f^`+stWptbK*iSX-#7oq#>U?__VJn=rZwFl3-soFy7Blwn}0U{ zvEh!gY?}JJyU_BjDurCwu17TwlIdbbAtC`twg;B?P# zsg3OEHr>_D?%u&aqjVQfFwqsLCVDxI`eB@cNH9mo)s3^0n_p?}cAVVqB0I8sdU9}d zetkrZ?LG#xjW}+pOT>+dwZAclUv3=pH|CC!&bX@|34vnx_1ts+-IM}&rh^Rfnw4gb zuF(@dF)*Fbv3ICVZBC}t2-L=cq#G;($fN-Z0Y#mW! ze!;J{x34y7gzYN~5jJt9ABybdA_qPLXDxQ|g5xHrCAqL@Oi^`u;k7SBJ8ZDNdV6hc zS+`GhadD<<+IvE`qe1CVItcj}%z7D)gN1*UD=|d+=EI5)uCoQ~_f%MBXB#*CocORN zIpVwnF)@Sg*;CEyD>d-V8(8P3_MY!v@C&u53>I~-$FBHQ>5W_0!A@QC2$BB)^n6FN zp02&0!YGt%j)gX-Kskl#XS&IqM7S~w)?dDE-qYIt)0t!N*eRdFn6$oVsD;uA(na-B!i)<&@O3!w*p6xv&d;i*$5YL1ZnQ(?yn_2ZtW&YuFY z3w*>=F;&Rx#%>{Cp_@w}+dTTyVgNU*I&NPHgXwRZ+F_Ah>z&hEtbV8z03vbm^(cUo zRzOZ@CZ+}`4cE@e1jbS1!SOU=C=@XsLKpT`uIK{`DeR(f^O{mqSOBv*?Q7S5R7mDr z*rerbD9>Fo9HMPZ(f|iwkCQ#)E;J9A0mM)V-&fx9!4Rih z9sK_Zw4jd|`-YhETdwiaA$ONjtHAbq52;*%SQ#SPq=sn6-c63KPpAPPN12g+55Pl+3oh2?YNJkor^O4WM&&$EIE4mnOlpyT`=OD0Xid)b%hqdW(W5L~;0@_TX|nzl&o2 z%p#K0;VAG2^Sgu6kr8(I8H>mq+?-Z^Eo`8b$>d|<@!c$$D7wN2;?sHfTvQYAWAQ;1 z#7gSZNPN1fa1M5%z9{tZX_HsibaxXV($>-+yP*xA|zNo$$6g!zI(USqx_dyEhfr!QFjeL@o^^ zKjIc2ewY^S3VrL>&+dbMdFejjMc_ERgLw(d8~+Fxqh~)gB+*Gc}cCepHl?I^(f>pzkUaGcnEiS!)W6%BCP z?IUGC1(o8r@zemfebv2y6XD_?N=WgFGvFUEtuP!+?G%MoyT^JoJ*%^G)tTz* zjALoKM>9w97>}Yn6hL=UY#f&P*y!gTJk`LIpLLIWEj5d&UL5#YT}AsSBG9W7c*KwN z#>^-H__%un!#a|i*WpWmPd#>X1n};Q!4}kh+rw{!8|1fFPYd5hbkRtkt|x3L@1jF5VRaH9ON_En%0S+w9D3d1tOX@0@Di z0%)hezl1KxGp!eD+~}=4tKv?p#9oCn7A{(=e4 z30IBm@DdC&h`C2)n;<}i>XKD=4`dcKVU_w%AjudmUN93HLb?Fr zJp&`540?V*A=JEVwpbnkhTso*AA4WcNo@lAy*;sp4o|#nWoV({&OaYP|mXf?a9}b_4q!5e2*S zw*EUOrRK%9R}HAluKR6g~#w*$J3 z-9**;QpKYQg-xNgg-Mvke?Ti3{(fTu0>VZHy#59d3awn-0La~t;bfbzTNqPaeM56Y z%V#GLnA5{6ki4mbCg%Z-9Ve6%uu}pg9aUP)P+F40FZz?BQ8#I71wj{eaEhuzffQ{d zW*riBL!Nppp;ZtU3xw?(af+cvalKRSdm zivH?vx)C7Hsj%+?ad^#rNNR|=Dv`F3ZperC*B9sFZqOZs=r;WE>O=>_ru#oZSyWw% zMT}i@piDZu-EODx@4ekS3}p1Zv9&CDtfHB)!8nJ2%`G=6Mq#E(c_zQBOOCB&?80IG z4rSBBJ31+z%lZGfv5en^g{k8Ks7ObBR;}-I)K+!-mpl8qGK%98E~!_Dbo zcE>$U-IMCv#kwiXSa$cRuAW3>LqueNX{sniuo{1TY!X=5mc4Z>wL~ZB*64 zVnJorfw8=0KMU z;`8cPye3#v0&m>N&Z_7<@WoC*4) z4V~O{^A9ioMmO;YN3Kx?$v8;gCgJQZ6kp+7LII|}2+*S&pffCl-^3SOwFAs}sas{^ zyso_NEU)y#Mrtz#+`5%WfYed>Eq1tXK7e`5>% zZCS$P7}4MOx6mKTIE-*0USqLuwTMupFjZ6;Gk$4Yc()E0-nH)xF1$lRo}hR482(_= zQuqV>`hYvMQI15DeETDHkgy-xL_>4J#7^Q%Vt-E7@RW?__O}>Tt*4D;O z5>*)l_vo=eA7T_*3bk4FGeDvSZHE1RI5#4=uUmoJJG zsKZ>t-MpSUsKuAF!5v#eE9UEH1#YTE`c9-EYV{r1NZ2hy1huNy+G^=yc0dV`OpEN1 zoaJm|=VFf_p<*Ts_<%DL;Qwf$^+%ziv?=wcqpRzai*qY-RDsgVap}+BZ_}nkt%y$Z z?{;au^`^KgtQs;ENYjP8Z&vC%;#*lkw*@s6j_o6k?IVso6f$x`qV9B^sGC$p-DI7p zt8sHfp_TLjk~nS0uaBks7M8w>&BFB&OZR`p&RXE)Is*Zb6jEVil7ci!9+d#wmATA+@lJ-Snuh@9+57_svl3rvB zT#)tNcQcDS68yRjW{jo8u~xoV;cOsN#%^!lRkgP>%T`CCxPppkE*!aPOp8Qm>4l_B zKJhU1bBx8@tVItVh;|~OVx$7oQ7Zq7p_-EVYWq<-AC=e)oe5H$qfsuhEcPl#WixQ~GoD)!T4T?{Ur_lW4H9w_2SS)KlNkW%C>r ziWaZu)Qeu{i4x<{^>KjG(m7@~ZD9{$7>F`*tsbmHR_+1=!z3x?gsd^}bQd05AmVWo zm=zMU5vE;Zck7seQB+|Dpav?;uZWA7tgCoc=ud5 z>5(l0VrgZHWprtDs;9P=>?3N)P859Y^L0)n?njTkFSoR>vBNw5_MM9Pr8QfveHn#+ zd;7h-43wVvg`o;6@zKlW^kSGHNI4*4TW_hED&cK(OS|Q*aTdHI7 z27~0XTMZ1i-MwDTEM5~{9@mR&2D0BFWZ!!4%*jk?89v7~_c22bMY5u)dB>q^Ee9e+n2BdD?)R*r2UOs*Po{L?7;iznu&dTdx zw^$E$%0~7VfJ==0usU)|ZiJR)m^og1h`Sz?#TjXjx#FmP6Edry4Vzu22UVaf5r{hV z;YYytD(9wN)qR!hW&H{0e(aH9_A4NN^8Xg(U)Pvid-=MZbR1R(#V1uL&h^UNmT;(| z3b%EdBh>sSuiI$^Eg>P#M zE4q3D;?<#1^y7HekDvHLSYky;Et~%nu}~-0j!7=#h;0H3c~UfHa{}m~0TM|NlfT>H zT0Nk(3fgF7L&_nyc5IAYWKvd$es_hr#4QG5IaDC3<73xr5>I$N6G47Ihqf;9wxmmx zuTQ$Sy|?H|@vC~mThbF^HMgK63~KLi&e_yRXHOvAJ*k*$@>&MJ$4)-K#+6kNBBvOq~|e5pWW#cGX@G}mcteihDZsYrsThQ4`rw5sWEfdNsM7? zhv5ukvpH-K@%N$13tE)w<&;9DQR`+qPQ%$bhL7~)W7q>WsN3_{QN)en?S06)_gT;T z)kfLcX3t=#!kzUhL}%7x8an>kf?pJoO?kc!}cjmHvW323W^UOb-~ZG2xCxx zf)`KX=Vw(^e)OR`IgFqk zXxl;cHsz)@OrEhh2+2=k^GW=5i{aQ)(I{plutzkj8Au`q67U&nbpt@ln{V1x^Xj#;1pnaG zL{dSTIVk!idQxdX|r0r+}hW z47Ucwa3hnalaQ-$IP5&*Djp8|B;U_aXf^H4(exbag**-(qdRitnWrF0-XU)jWPwIB zn^HX(Hg7RDVcJ$dNTZ~e%1Y@gzVA4@&Q8{R#Pn@RoU2QW4F^a_wM%mtKNtaLbN4@8 zx4qd1E)i%Ev^h(nf!Fl@o(4l;igzPv>r1Aex`EH3j#aAft0sK$N^jeQE;xJgQFZ@2JqwZiIQA#RthAaviRhWHFs z#IO=hG_6fkKqjl8)9@Ij^MEpaB7?-nd=r;#dplwy?qW`@VYcJKrUmUlwtR|+YR~g_ zXKa8)0AH0#+yDl{0x9crITa{;$JHozQ)P!v-~2uk@BKSMegj5~pg-E_Gr=DEgPl8p zAV=&O{=e`CmMhRfWRNay8SYJC;aFT+H3gCc(11z-iO@(Ik@ru``|Dy5aIpomw$`UU;DelaOtldNeFJc|Nw|vi3eYU!CT>-x(-VRn-XIEDIoOx5eS~pGa zXVxsJYn01I*<|drLugbWc$m*PL6)enMlSJPFcMrUVeh(HJr`#^k4^iVbkHI6#)D0%`C!HwuSc+B&c%*5;O$-5Z8>u z_TkF~HKt`E*%IbF6ZmRI^Y&Uq8n?H*V%3;~0RoHrIrF@K?zKeUDfTTqc4Yu%jO~tG ze4NA~`VvxlPV|8gIZe%b3GX5cNfc-Bvg_z3F!YeAXbk|vh>yny6vqd}g~prJD#I*O z=CznRYGfSwO+1-jdLU|XX02Jl5+b)3%`p4~Ubt=+?+qJ8V1XF}jznhcYs|q^*b1SK zaatY~j=sfD?6%FNSU}ksjK`03mqygJ#jSr0r0CobjF6hRnlQG~D zAh-Z$Flwv&cwb)8lZTbNnF2qZNR-s)2bgJa8VrzG!gQ5)`~Y2;*_@9Nf)`FZ3VrC} zQ9pyAGYZ*+%Oz}T`KLSR?NncmdyNGDQD4N&&@XJk3m@z%?3xeIVu_ve>$d9n8nf8J z>=kRZ=c_l8J=+7w9P-KTpN+-tpRB|C-Fc5)^7F;R8L zhaIs?k3I8otF#RWcrFoY~r6*B026Xju%646@}Wicarqq)8%i43D0pG@~Ly5qkj=241-p_zHu~09UUV=w~0e z|LpHG;Kl*|fbE3GNIlvSmEt0PkQ)%|pD3abn$U-wWQ|9>GQbu9M<^C0rCia9&HyR^ ziDx?R^!u=nBGf46Y-t9AV2U&ua6u@fMukrL92wGg$aTPZPhiq>erI5D59EMHc)fr_ z{%F5`gd=OYrWyo0aA6_lF#AdF`TA#T&KJ=31pZx+5OfWVmb3&w*6@&5-!I_(kOSiB z@F;{sY}Ak=v5rTGApl_=kj`171&2(P3|1hlcLcMThay$g5r4*C45;;yq1Ky*T7x8o z2uEvppbqpQF4(O;#0${}aDhksh+)9F2su>z5yKDsJ3=`VBQ<;k005j6(o#I|K5!xM z_HujsvLpny%P*vq;~#YodaX%=KQxpi$0mR0V+yK^;iy!%t{Mpb?c4niVK~(P*>CkP z;b)V;Az+c(xILV%gf!%y7P=8Wm|ByW6HL*Gv9Hh z&uqilncxo(+RozjgvLp=XmFVr>fF4rMvIR&H+T381g4A( z3WR2J&yR@((dZ%JY2h=Xm#By^#ylt#2>`)ZoD(o7na!MNq~-r8eUXaTDkU;V(9a5t z0xQkNpD~HLYLvJ}n95t(OB|JPFXQcu_>8i}+h%F^%_FwFky`+Cu`{5_d zUVC(sLo=>&!$gp)(-0JV{VW8(`J0mvm1>mVX3(2&){NSyk6&2gN+Gs%Y<@^XkmF}I zmoC|qYpu8~>RoHtmBN)9a4m-^qm;U+x+lpZL&H)S+9TPS8aCl{&B0TbHA2TFPa!f5 zf<9m_x5Ckx!Fh|DA{H(x01F=zIBD~+%BT^audg*T*|xl5HHYgG<<}1rB`(O z*64G^+Mbrc+>vP3^l3-6fsub=mxVp{?{H>1vgDtG6wUwx}f(CZ) z%$geM`7-ThJt-MK!+_{o-WON$Att>P_w-h$)40A3x`d1+v9wi8>2>i@*HQqb1!GUsnfqh6=EFDvJ1 zqkVbPbt;tRKD16+Wvjz+W}TT<>8h>UQ}=2#F3C)~ZuAP6Mbtays+_C*rR{F2X;@l1 ziK|t&$6$=H*N%PY6PVP1XR36fN!Y9%_+WQ|L%km0`Wd7A~eRuAN_@p1FjqP zUaFw)Eb_yV{|;Av~Q&MeMJ>{v**CS8kz;+oO z6-Aa2-3iUg2(af3UIF?l!slpHCQ1(5O?Rz(w-2Gfj3pX^raba~ofH&>T{Z%cwf#~@p@rjujw00WrLF=~3=e|Y zqNt}hk4aB~s*FU~gJ2P{RI0s}}_DSsDhipg(#ZrWH%vnjhkL`2+ z4lg$VS#6=qRJ-GMnlcZLylxk_;#FC4%myq$jpgUUXMHMBrwRvlX$;$rm@MTFnO=Jf zeVcuoVPX>wl%PU-hwK0*`Jg8G42_-%&HW`}i^c=dyKBN6k^ny_By%Z$z-NWmkcwXt z#(|nd46gZ7e3BJn!RIK#iDjYu;O^8#L%|4kHx8)^5gETSFo)-t1&IR z5T&npcZ3GgJu4|1GG!v;nY5lRe}p6JJI_w*tb5Vh;nVI-@9$S882g!J5u5(@$+FHx zT0RAd1*~|2hCtgsDXksq`w-fJiwy@IU|%m)tH3JLHK2s-qsRwX;)Ivs7!BG%dl319 zs6vPzH6ezwk9cQ30Gj(g#Dn%i;gMdgN3u-uT6b3dPFMh_F6KYycNOZ2vEo!qkKIX+ z6LzxHmJ_BH$e%HLc>t}*#qpEe>vk~kOpiSZo5Uh(Nl-BdSrmBK`mX2Q$6jL&{o5?$ zeJV|dJJR;$UU}_qxur`y{n!u9>BJMI0G?~yK1zq-X&?5TSwKAkkfM@(*FZMC)0x#uk(_%W{H8_5eD zP~^^IcH-eZ+_R?+)JOi<{)hjD?HhZQ&tiE$@Q!dE(jR_`4_o|z!btukW34S^__QUx zc=rJ2%A@$FsA@Y{O==a0AJN9F z&1XBknXT4|$d9T|u2eufCSjfVb=b{%MD|Q0@7CaZGBS#5kie{r1kj|vbVXIPz5pyQ z&TEk;_AOT}RK&|d_Ho6uIY0$q6Ht@{#1Fp$3aA2z{}FBQ0q4WtkypN)13{S^cJn|A z+WIa@-VPq6{a_lZw<8v%SE|Y}DbxU)03=;ng$I7W_I~MKxrEZ=YY6q71Kkx0grZBw z@9UeXOanayw_FSKzhV@FC*xgeLHoy&WnV{XxzQplvT!r0Puh()KANvfAtWl;Z`82s z1%!<#&yOrsM)yrm2b1CnTD}C_4dAc$_Zcf&q>28QLb;mczLcc{>u`MfMLveuT7d|P z{7H9@?e&O7If^QTdcgX|EwbD1aag%NlLv#qlUO_CX}T63>!Cae2OqT{i(kG^exX$J zd54cHH@U?kiyc0y-1ed!S|ULz(jX-f;;TSaV}u2u^vMRL&oAJWy2Dx&536WLiHl|A z^P=onceQ(|ukMOdsF}3z$Ap=Ewl3+69hqeZzd@GA&yEtmECt5zz~R5dDZi1NvSx#8 zG!#WPxNkAg$RcN9HiES*m~3qdn=SQGUcS|sZwaie*{^Yt{TgY8tH_9fv?dtmf-%QA zFPnD^`Q|yW%{P&IjXWu=dB-C@^d+N+gBr5+TqavOS?8pHxF$7-t7_Ss6)k%w!1K!1 z9=OrPEY*Jc4@~Zz|B(Bo4s@YCU1%@IOoYdkX^QjNu76!XG(xF4HT($~t%*EB(*6l} z?oPoV_eMVpgWM?>t{#tnI0bHCUj}<<;p5lhVJT z^8nq)17}xWs=6}jDEMSk{(*nS3H^jWFr6*5=G|j7$S{O|J@$zYX*#=qHa<4C8Xp>G z`q=vWr57v