diff --git a/assets/css/app.css b/assets/css/app.css
new file mode 100644
index 000000000..378c8f905
--- /dev/null
+++ b/assets/css/app.css
@@ -0,0 +1,5 @@
+@import "tailwindcss/base";
+@import "tailwindcss/components";
+@import "tailwindcss/utilities";
+
+/* This file is for your main application CSS */
diff --git a/assets/js/app.js b/assets/js/app.js
new file mode 100644
index 000000000..d5e278afe
--- /dev/null
+++ b/assets/js/app.js
@@ -0,0 +1,44 @@
+// If you want to use Phoenix channels, run `mix help phx.gen.channel`
+// to get started and then uncomment the line below.
+// import "./user_socket.js"
+
+// You can include dependencies in two ways.
+//
+// The simplest option is to put them in assets/vendor and
+// import them using relative paths:
+//
+// import "../vendor/some-package.js"
+//
+// Alternatively, you can `npm install some-package --prefix assets` and import
+// them using a path starting with the package name:
+//
+// import "some-package"
+//
+
+// Include phoenix_html to handle method=PUT/DELETE in forms and buttons.
+import "phoenix_html"
+// Establish Phoenix Socket and LiveView configuration.
+import {Socket} from "phoenix"
+import {LiveSocket} from "phoenix_live_view"
+import topbar from "../vendor/topbar"
+
+let csrfToken = document.querySelector("meta[name='csrf-token']").getAttribute("content")
+let liveSocket = new LiveSocket("/live", Socket, {
+ longPollFallbackMs: 2500,
+ params: {_csrf_token: csrfToken}
+})
+
+// Show progress bar on live navigation and form submits
+topbar.config({barColors: {0: "#29d"}, shadowColor: "rgba(0, 0, 0, .3)"})
+window.addEventListener("phx:page-loading-start", _info => topbar.show(300))
+window.addEventListener("phx:page-loading-stop", _info => topbar.hide())
+
+// connect if there are any LiveViews on the page
+liveSocket.connect()
+
+// expose liveSocket on window for web console debug logs and latency simulation:
+// >> liveSocket.enableDebug()
+// >> liveSocket.enableLatencySim(1000) // enabled for duration of browser session
+// >> liveSocket.disableLatencySim()
+window.liveSocket = liveSocket
+
diff --git a/assets/tailwind.config.js b/assets/tailwind.config.js
new file mode 100644
index 000000000..7bbe7225c
--- /dev/null
+++ b/assets/tailwind.config.js
@@ -0,0 +1,74 @@
+// See the Tailwind configuration guide for advanced usage
+// https://tailwindcss.com/docs/configuration
+
+const plugin = require("tailwindcss/plugin")
+const fs = require("fs")
+const path = require("path")
+
+module.exports = {
+ content: [
+ "./js/**/*.js",
+ "../lib/pleroma/**/*.*ex"
+ ],
+ theme: {
+ extend: {
+ colors: {
+ brand: "#FD4F00",
+ }
+ },
+ },
+ plugins: [
+ require("@tailwindcss/forms"),
+ // Allows prefixing tailwind classes with LiveView classes to add rules
+ // only when LiveView classes are applied, for example:
+ //
+ //
+ //
+ plugin(({addVariant}) => addVariant("phx-no-feedback", [".phx-no-feedback&", ".phx-no-feedback &"])),
+ plugin(({addVariant}) => addVariant("phx-click-loading", [".phx-click-loading&", ".phx-click-loading &"])),
+ plugin(({addVariant}) => addVariant("phx-submit-loading", [".phx-submit-loading&", ".phx-submit-loading &"])),
+ plugin(({addVariant}) => addVariant("phx-change-loading", [".phx-change-loading&", ".phx-change-loading &"])),
+
+ // Embeds Heroicons (https://heroicons.com) into your app.css bundle
+ // See your `CoreComponents.icon/1` for more information.
+ //
+ plugin(function({matchComponents, theme}) {
+ let iconsDir = path.join(__dirname, "../deps/heroicons/optimized")
+ let values = {}
+ let icons = [
+ ["", "/24/outline"],
+ ["-solid", "/24/solid"],
+ ["-mini", "/20/solid"],
+ ["-micro", "/16/solid"]
+ ]
+ icons.forEach(([suffix, dir]) => {
+ fs.readdirSync(path.join(iconsDir, dir)).forEach(file => {
+ let name = path.basename(file, ".svg") + suffix
+ values[name] = {name, fullPath: path.join(iconsDir, dir, file)}
+ })
+ })
+ matchComponents({
+ "hero": ({name, fullPath}) => {
+ let content = fs.readFileSync(fullPath).toString().replace(/\r?\n|\r/g, "")
+ let size = theme("spacing.6")
+ if (name.endsWith("-mini")) {
+ size = theme("spacing.5")
+ } else if (name.endsWith("-micro")) {
+ size = theme("spacing.4")
+ }
+ return {
+ [`--hero-${name}`]: `url('data:image/svg+xml;utf8,${content}')`,
+ "-webkit-mask": `var(--hero-${name})`,
+ "mask": `var(--hero-${name})`,
+ "mask-repeat": "no-repeat",
+ "background-color": "currentColor",
+ "vertical-align": "middle",
+ "display": "inline-block",
+ "width": size,
+ "height": size
+ }
+ }
+ }, {values})
+ })
+ ]
+}
diff --git a/assets/vendor/topbar.js b/assets/vendor/topbar.js
new file mode 100644
index 000000000..41957274d
--- /dev/null
+++ b/assets/vendor/topbar.js
@@ -0,0 +1,165 @@
+/**
+ * @license MIT
+ * topbar 2.0.0, 2023-02-04
+ * https://buunguyen.github.io/topbar
+ * Copyright (c) 2021 Buu Nguyen
+ */
+(function (window, document) {
+ "use strict";
+
+ // https://gist.github.com/paulirish/1579671
+ (function () {
+ var lastTime = 0;
+ var vendors = ["ms", "moz", "webkit", "o"];
+ for (var x = 0; x < vendors.length && !window.requestAnimationFrame; ++x) {
+ window.requestAnimationFrame =
+ window[vendors[x] + "RequestAnimationFrame"];
+ window.cancelAnimationFrame =
+ window[vendors[x] + "CancelAnimationFrame"] ||
+ window[vendors[x] + "CancelRequestAnimationFrame"];
+ }
+ if (!window.requestAnimationFrame)
+ window.requestAnimationFrame = function (callback, element) {
+ var currTime = new Date().getTime();
+ var timeToCall = Math.max(0, 16 - (currTime - lastTime));
+ var id = window.setTimeout(function () {
+ callback(currTime + timeToCall);
+ }, timeToCall);
+ lastTime = currTime + timeToCall;
+ return id;
+ };
+ if (!window.cancelAnimationFrame)
+ window.cancelAnimationFrame = function (id) {
+ clearTimeout(id);
+ };
+ })();
+
+ var canvas,
+ currentProgress,
+ showing,
+ progressTimerId = null,
+ fadeTimerId = null,
+ delayTimerId = null,
+ addEvent = function (elem, type, handler) {
+ if (elem.addEventListener) elem.addEventListener(type, handler, false);
+ else if (elem.attachEvent) elem.attachEvent("on" + type, handler);
+ else elem["on" + type] = handler;
+ },
+ options = {
+ autoRun: true,
+ barThickness: 3,
+ barColors: {
+ 0: "rgba(26, 188, 156, .9)",
+ ".25": "rgba(52, 152, 219, .9)",
+ ".50": "rgba(241, 196, 15, .9)",
+ ".75": "rgba(230, 126, 34, .9)",
+ "1.0": "rgba(211, 84, 0, .9)",
+ },
+ shadowBlur: 10,
+ shadowColor: "rgba(0, 0, 0, .6)",
+ className: null,
+ },
+ repaint = function () {
+ canvas.width = window.innerWidth;
+ canvas.height = options.barThickness * 5; // need space for shadow
+
+ var ctx = canvas.getContext("2d");
+ ctx.shadowBlur = options.shadowBlur;
+ ctx.shadowColor = options.shadowColor;
+
+ var lineGradient = ctx.createLinearGradient(0, 0, canvas.width, 0);
+ for (var stop in options.barColors)
+ lineGradient.addColorStop(stop, options.barColors[stop]);
+ ctx.lineWidth = options.barThickness;
+ ctx.beginPath();
+ ctx.moveTo(0, options.barThickness / 2);
+ ctx.lineTo(
+ Math.ceil(currentProgress * canvas.width),
+ options.barThickness / 2
+ );
+ ctx.strokeStyle = lineGradient;
+ ctx.stroke();
+ },
+ createCanvas = function () {
+ canvas = document.createElement("canvas");
+ var style = canvas.style;
+ style.position = "fixed";
+ style.top = style.left = style.right = style.margin = style.padding = 0;
+ style.zIndex = 100001;
+ style.display = "none";
+ if (options.className) canvas.classList.add(options.className);
+ document.body.appendChild(canvas);
+ addEvent(window, "resize", repaint);
+ },
+ topbar = {
+ config: function (opts) {
+ for (var key in opts)
+ if (options.hasOwnProperty(key)) options[key] = opts[key];
+ },
+ show: function (delay) {
+ if (showing) return;
+ if (delay) {
+ if (delayTimerId) return;
+ delayTimerId = setTimeout(() => topbar.show(), delay);
+ } else {
+ showing = true;
+ if (fadeTimerId !== null) window.cancelAnimationFrame(fadeTimerId);
+ if (!canvas) createCanvas();
+ canvas.style.opacity = 1;
+ canvas.style.display = "block";
+ topbar.progress(0);
+ if (options.autoRun) {
+ (function loop() {
+ progressTimerId = window.requestAnimationFrame(loop);
+ topbar.progress(
+ "+" + 0.05 * Math.pow(1 - Math.sqrt(currentProgress), 2)
+ );
+ })();
+ }
+ }
+ },
+ progress: function (to) {
+ if (typeof to === "undefined") return currentProgress;
+ if (typeof to === "string") {
+ to =
+ (to.indexOf("+") >= 0 || to.indexOf("-") >= 0
+ ? currentProgress
+ : 0) + parseFloat(to);
+ }
+ currentProgress = to > 1 ? 1 : to;
+ repaint();
+ return currentProgress;
+ },
+ hide: function () {
+ clearTimeout(delayTimerId);
+ delayTimerId = null;
+ if (!showing) return;
+ showing = false;
+ if (progressTimerId != null) {
+ window.cancelAnimationFrame(progressTimerId);
+ progressTimerId = null;
+ }
+ (function loop() {
+ if (topbar.progress("+.1") >= 1) {
+ canvas.style.opacity -= 0.05;
+ if (canvas.style.opacity <= 0.05) {
+ canvas.style.display = "none";
+ fadeTimerId = null;
+ return;
+ }
+ }
+ fadeTimerId = window.requestAnimationFrame(loop);
+ })();
+ },
+ };
+
+ if (typeof module === "object" && typeof module.exports === "object") {
+ module.exports = topbar;
+ } else if (typeof define === "function" && define.amd) {
+ define(function () {
+ return topbar;
+ });
+ } else {
+ this.topbar = topbar;
+ }
+}.call(this, window, document));
diff --git a/config/config.exs b/config/config.exs
index e0a5eccb1..c23f700d5 100644
--- a/config/config.exs
+++ b/config/config.exs
@@ -898,6 +898,26 @@
command_argospm: "argospm",
strip_html: true
+config :esbuild,
+ version: "0.17.11",
+ pleroma: [
+ args:
+ ~w(js/app.js --bundle --target=es2017 --outdir=../priv/static/assets --external:/fonts/* --external:/images/*),
+ cd: Path.expand("../assets", __DIR__),
+ env: %{"NODE_PATH" => Path.expand("../deps", __DIR__)}
+ ]
+
+config :tailwind,
+ version: "3.4.0",
+ pleroma: [
+ args: ~w(
+ --config=tailwind.config.js
+ --input=css/app.css
+ --output=../priv/static/assets/app.css
+ ),
+ cd: Path.expand("../assets", __DIR__)
+ ]
+
# Import environment specific config. This must remain at the bottom
# of this file so it overrides the configuration defined above.
import_config "#{Mix.env()}.exs"
diff --git a/lib/pleroma/constants.ex b/lib/pleroma/constants.ex
index 94608a99b..02b344711 100644
--- a/lib/pleroma/constants.ex
+++ b/lib/pleroma/constants.ex
@@ -25,7 +25,7 @@ defmodule Pleroma.Constants do
const(static_only_files,
do:
- ~w(index.html robots.txt static static-fe finmoji emoji packs sounds images instance embed sw.js sw-pleroma.js favicon.png schemas doc)
+ ~w(index.html robots.txt static static-fe finmoji emoji packs sounds images instance embed sw.js sw-pleroma.js favicon.png schemas doc assets)
)
const(status_updatable_fields,
diff --git a/lib/pleroma/web.ex b/lib/pleroma/web.ex
index 5422e7896..34a4e13d1 100644
--- a/lib/pleroma/web.ex
+++ b/lib/pleroma/web.ex
@@ -265,6 +265,35 @@ def verified_routes do
end
end
+ def html do
+ quote do
+ use Phoenix.Component
+
+ # Import convenience functions from controllers
+ import Phoenix.Controller,
+ only: [get_csrf_token: 0, view_module: 1, view_template: 1]
+
+ # Include general helpers for rendering HTML
+ unquote(html_helpers())
+ end
+ end
+
+ defp html_helpers do
+ quote do
+ # HTML escaping functionality
+ import Phoenix.HTML
+ # Core UI components and translation
+ import Pleroma.Web.CoreComponents
+ import Pleroma.Web.Gettext
+
+ # Shortcut for generating JS commands
+ alias Phoenix.LiveView.JS
+
+ # Routes generation with the ~p sigil
+ unquote(verified_routes())
+ end
+ end
+
def mailer do
quote do
unquote(verified_routes())
diff --git a/lib/pleroma/web/admin_control/admin_control_controller.ex b/lib/pleroma/web/admin_control/admin_control_controller.ex
new file mode 100644
index 000000000..b1027c326
--- /dev/null
+++ b/lib/pleroma/web/admin_control/admin_control_controller.ex
@@ -0,0 +1,34 @@
+defmodule Pleroma.Web.AdminControl.AdminControlController do
+ use Pleroma.Web, :controller
+
+ @descriptions Pleroma.Docs.JSON.compiled_descriptions()
+
+ plug(:put_root_layout, {Pleroma.Web.AdminControl.AdminControlView, :layout})
+ plug(:put_layout, false)
+
+ defp label_for(%{label: label}), do: label
+ defp label_for(_), do: "Unknown"
+
+ def config_headings do
+ @descriptions
+ |> Enum.map(&label_for(&1))
+ |> Enum.sort()
+ end
+
+ def config_values(%{"heading" => heading}) do
+ IO.inspect(heading)
+
+ possible_values =
+ @descriptions
+ |> Enum.filter(fn section -> label_for(section) == heading end)
+
+ possible_values
+ end
+
+ def config_values(_), do: []
+
+ def index(conn, params) do
+ IO.inspect(params)
+ render(conn, :index, config_values: config_values(params), config_headings: config_headings())
+ end
+end
diff --git a/lib/pleroma/web/admin_control/admin_control_html.ex b/lib/pleroma/web/admin_control/admin_control_html.ex
new file mode 100644
index 000000000..9966f7ce8
--- /dev/null
+++ b/lib/pleroma/web/admin_control/admin_control_html.ex
@@ -0,0 +1,75 @@
+defmodule Pleroma.Web.AdminControl.AdminControlView do
+ use Pleroma.Web, :html
+
+ embed_templates "admin_control_html/*"
+
+ defp atomize(":" <> key), do: String.to_existing_atom(key)
+
+ defp value_of(%{config_value: %{key: child_key}, parent_key: parent_key}) when is_binary(parent_key) do
+
+ parent_atom = atomize(parent_key)
+ child_atom = atomize(child_key)
+ Pleroma.Config.get([parent_atom, child_atom])
+ |> to_string()
+ end
+
+ attr :config_value, :map, required: true
+ attr :parent_key, :string, required: false
+ def config_value(%{config_value: %{type: :group} = value} = assigns) do
+ ~H"""
+
+
<%= @config_value.label %>
+
<%= @config_value.description %>
+
+ <%= for child_value <- @config_value.children do %>
+ <.config_value config_value={child_value} parent_key={@config_value.key} />
+ <% end %>
+
+
+ """
+ end
+
+ def config_value(%{config_value: %{type: :integer} = value} = assigns) do
+ value = value_of(assigns)
+ assigns = assign(assigns, value: value)
+
+ ~H"""
+
+
<%= @config_value.label %>
+
<%= @config_value.description %>
+
+
+ """
+ end
+
+
+ def config_value(%{config_value: %{type: :boolean} = value} = assigns) do
+ value = value_of(assigns) == "true"
+ assigns = assign(assigns, value: value)
+ ~H"""
+
+
<%= @config_value.label %>
+ <%= @config_value.description %>
+
+
+ """
+ end
+
+ def config_value(assigns) do
+ IO.inspect(assigns)
+ ~H"""
+ Cannot render
+ """
+ end
+
+ attr :config_values, :list, required: true
+ def config_values(%{config_values: config_values} = assigns) do
+ ~H"""
+
+ <%= for value <- @config_values do %>
+ <.config_value config_value={value} />
+ <% end %>
+
+ """
+ end
+end
diff --git a/lib/pleroma/web/admin_control/admin_control_html/config_heading_menu.html.heex b/lib/pleroma/web/admin_control/admin_control_html/config_heading_menu.html.heex
new file mode 100644
index 000000000..dd014cd53
--- /dev/null
+++ b/lib/pleroma/web/admin_control/admin_control_html/config_heading_menu.html.heex
@@ -0,0 +1,27 @@
+
diff --git a/lib/pleroma/web/admin_control/admin_control_html/index.html.heex b/lib/pleroma/web/admin_control/admin_control_html/index.html.heex
new file mode 100644
index 000000000..1c2ffa64d
--- /dev/null
+++ b/lib/pleroma/web/admin_control/admin_control_html/index.html.heex
@@ -0,0 +1,290 @@
+
+
+
+
+
+
+
+
+
+
+
+
+ Close sidebar
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Akkoma
+
+
+
+
+ <.config_heading_menu config_headings={@config_headings} />
+
+
+
+
+
+
+
+
+
+ <.config_values config_values={@config_values} />
+
+
+
diff --git a/lib/pleroma/web/admin_control/admin_control_html/layout.html.heex b/lib/pleroma/web/admin_control/admin_control_html/layout.html.heex
new file mode 100644
index 000000000..4462091b1
--- /dev/null
+++ b/lib/pleroma/web/admin_control/admin_control_html/layout.html.heex
@@ -0,0 +1,17 @@
+
+
+
+
+
+
+ <.live_title suffix=" · Akkoma Admin Control">
+ <%= assigns[:page_title] || "A" %>
+
+
+
+
+
+ <%= @inner_content %>
+
+
diff --git a/lib/pleroma/web/components/core_components.ex b/lib/pleroma/web/components/core_components.ex
new file mode 100644
index 000000000..f7bd94f6c
--- /dev/null
+++ b/lib/pleroma/web/components/core_components.ex
@@ -0,0 +1,676 @@
+defmodule Pleroma.Web.CoreComponents do
+ @moduledoc """
+ Provides core UI components.
+
+ At first glance, this module may seem daunting, but its goal is to provide
+ core building blocks for your application, such as modals, tables, and
+ forms. The components consist mostly of markup and are well-documented
+ with doc strings and declarative assigns. You may customize and style
+ them in any way you want, based on your application growth and needs.
+
+ The default components use Tailwind CSS, a utility-first CSS framework.
+ See the [Tailwind CSS documentation](https://tailwindcss.com) to learn
+ how to customize them or feel free to swap in another framework altogether.
+
+ Icons are provided by [heroicons](https://heroicons.com). See `icon/1` for usage.
+ """
+ use Phoenix.Component
+
+ alias Phoenix.LiveView.JS
+ import Pleroma.Web.Gettext
+
+ @doc """
+ Renders a modal.
+
+ ## Examples
+
+ <.modal id="confirm-modal">
+ This is a modal.
+
+
+ JS commands may be passed to the `:on_cancel` to configure
+ the closing/cancel event, for example:
+
+ <.modal id="confirm" on_cancel={JS.navigate(~p"/posts")}>
+ This is another modal.
+
+
+ """
+ attr :id, :string, required: true
+ attr :show, :boolean, default: false
+ attr :on_cancel, JS, default: %JS{}
+ slot :inner_block, required: true
+
+ def modal(assigns) do
+ ~H"""
+
+
+
+
+
+ <.focus_wrap
+ id={"#{@id}-container"}
+ phx-window-keydown={JS.exec("data-cancel", to: "##{@id}")}
+ phx-key="escape"
+ phx-click-away={JS.exec("data-cancel", to: "##{@id}")}
+ class="shadow-zinc-700/10 ring-zinc-700/10 relative hidden rounded-2xl bg-white p-14 shadow-lg ring-1 transition"
+ >
+
+
+ <.icon name="hero-x-mark-solid" class="h-5 w-5" />
+
+
+
+ <%= render_slot(@inner_block) %>
+
+
+
+
+
+
+ """
+ end
+
+ @doc """
+ Renders flash notices.
+
+ ## Examples
+
+ <.flash kind={:info} flash={@flash} />
+ <.flash kind={:info} phx-mounted={show("#flash")}>Welcome Back!
+ """
+ attr :id, :string, doc: "the optional id of flash container"
+ attr :flash, :map, default: %{}, doc: "the map of flash messages to display"
+ attr :title, :string, default: nil
+ attr :kind, :atom, values: [:info, :error], doc: "used for styling and flash lookup"
+ attr :rest, :global, doc: "the arbitrary HTML attributes to add to the flash container"
+
+ slot :inner_block, doc: "the optional inner block that renders the flash message"
+
+ def flash(assigns) do
+ assigns = assign_new(assigns, :id, fn -> "flash-#{assigns.kind}" end)
+
+ ~H"""
+
hide("##{@id}")}
+ role="alert"
+ class={[
+ "fixed top-2 right-2 mr-2 w-80 sm:w-96 z-50 rounded-lg p-3 ring-1",
+ @kind == :info && "bg-emerald-50 text-emerald-800 ring-emerald-500 fill-cyan-900",
+ @kind == :error && "bg-rose-50 text-rose-900 shadow-md ring-rose-500 fill-rose-900"
+ ]}
+ {@rest}
+ >
+
+ <.icon :if={@kind == :info} name="hero-information-circle-mini" class="h-4 w-4" />
+ <.icon :if={@kind == :error} name="hero-exclamation-circle-mini" class="h-4 w-4" />
+ <%= @title %>
+
+
<%= msg %>
+
+ <.icon name="hero-x-mark-solid" class="h-5 w-5 opacity-40 group-hover:opacity-70" />
+
+
+ """
+ end
+
+ @doc """
+ Shows the flash group with standard titles and content.
+
+ ## Examples
+
+ <.flash_group flash={@flash} />
+ """
+ attr :flash, :map, required: true, doc: "the map of flash messages"
+ attr :id, :string, default: "flash-group", doc: "the optional id of flash container"
+
+ def flash_group(assigns) do
+ ~H"""
+
+ <.flash kind={:info} title={gettext("Success!")} flash={@flash} />
+ <.flash kind={:error} title={gettext("Error!")} flash={@flash} />
+ <.flash
+ id="client-error"
+ kind={:error}
+ title={gettext("We can't find the internet")}
+ phx-disconnected={show(".phx-client-error #client-error")}
+ phx-connected={hide("#client-error")}
+ hidden
+ >
+ <%= gettext("Attempting to reconnect") %>
+ <.icon name="hero-arrow-path" class="ml-1 h-3 w-3 animate-spin" />
+
+
+ <.flash
+ id="server-error"
+ kind={:error}
+ title={gettext("Something went wrong!")}
+ phx-disconnected={show(".phx-server-error #server-error")}
+ phx-connected={hide("#server-error")}
+ hidden
+ >
+ <%= gettext("Hang in there while we get back on track") %>
+ <.icon name="hero-arrow-path" class="ml-1 h-3 w-3 animate-spin" />
+
+
+ """
+ end
+
+ @doc """
+ Renders a simple form.
+
+ ## Examples
+
+ <.simple_form for={@form} phx-change="validate" phx-submit="save">
+ <.input field={@form[:email]} label="Email"/>
+ <.input field={@form[:username]} label="Username" />
+ <:actions>
+ <.button>Save
+
+
+ """
+ attr :for, :any, required: true, doc: "the datastructure for the form"
+ attr :as, :any, default: nil, doc: "the server side parameter to collect all input under"
+
+ attr :rest, :global,
+ include: ~w(autocomplete name rel action enctype method novalidate target multipart),
+ doc: "the arbitrary HTML attributes to apply to the form tag"
+
+ slot :inner_block, required: true
+ slot :actions, doc: "the slot for form actions, such as a submit button"
+
+ def simple_form(assigns) do
+ ~H"""
+ <.form :let={f} for={@for} as={@as} {@rest}>
+
+ <%= render_slot(@inner_block, f) %>
+
+ <%= render_slot(action, f) %>
+
+
+
+ """
+ end
+
+ @doc """
+ Renders a button.
+
+ ## Examples
+
+ <.button>Send!
+ <.button phx-click="go" class="ml-2">Send!
+ """
+ attr :type, :string, default: nil
+ attr :class, :string, default: nil
+ attr :rest, :global, include: ~w(disabled form name value)
+
+ slot :inner_block, required: true
+
+ def button(assigns) do
+ ~H"""
+
+ <%= render_slot(@inner_block) %>
+
+ """
+ end
+
+ @doc """
+ Renders an input with label and error messages.
+
+ A `Phoenix.HTML.FormField` may be passed as argument,
+ which is used to retrieve the input name, id, and values.
+ Otherwise all attributes may be passed explicitly.
+
+ ## Types
+
+ This function accepts all HTML input types, considering that:
+
+ * You may also set `type="select"` to render a `
` tag
+
+ * `type="checkbox"` is used exclusively to render boolean values
+
+ * For live file uploads, see `Phoenix.Component.live_file_input/1`
+
+ See https://developer.mozilla.org/en-US/docs/Web/HTML/Element/input
+ for more information. Unsupported types, such as hidden and radio,
+ are best written directly in your templates.
+
+ ## Examples
+
+ <.input field={@form[:email]} type="email" />
+ <.input name="my-input" errors={["oh no!"]} />
+ """
+ attr :id, :any, default: nil
+ attr :name, :any
+ attr :label, :string, default: nil
+ attr :value, :any
+
+ attr :type, :string,
+ default: "text",
+ values: ~w(checkbox color date datetime-local email file month number password
+ range search select tel text textarea time url week)
+
+ attr :field, Phoenix.HTML.FormField,
+ doc: "a form field struct retrieved from the form, for example: @form[:email]"
+
+ attr :errors, :list, default: []
+ attr :checked, :boolean, doc: "the checked flag for checkbox inputs"
+ attr :prompt, :string, default: nil, doc: "the prompt for select inputs"
+ attr :options, :list, doc: "the options to pass to Phoenix.HTML.Form.options_for_select/2"
+ attr :multiple, :boolean, default: false, doc: "the multiple flag for select inputs"
+
+ attr :rest, :global,
+ include: ~w(accept autocomplete capture cols disabled form list max maxlength min minlength
+ multiple pattern placeholder readonly required rows size step)
+
+ slot :inner_block
+
+ def input(%{field: %Phoenix.HTML.FormField{} = field} = assigns) do
+ assigns
+ |> assign(field: nil, id: assigns.id || field.id)
+ |> assign(:errors, Enum.map(field.errors, &translate_error(&1)))
+ |> assign_new(:name, fn -> if assigns.multiple, do: field.name <> "[]", else: field.name end)
+ |> assign_new(:value, fn -> field.value end)
+ |> input()
+ end
+
+ def input(%{type: "checkbox"} = assigns) do
+ assigns =
+ assign_new(assigns, :checked, fn ->
+ Phoenix.HTML.Form.normalize_value("checkbox", assigns[:value])
+ end)
+
+ ~H"""
+
+
+
+
+ <%= @label %>
+
+ <.error :for={msg <- @errors}><%= msg %>
+
+ """
+ end
+
+ def input(%{type: "select"} = assigns) do
+ ~H"""
+
+ <.label for={@id}><%= @label %>
+
+ <%= @prompt %>
+ <%= Phoenix.HTML.Form.options_for_select(@options, @value) %>
+
+ <.error :for={msg <- @errors}><%= msg %>
+
+ """
+ end
+
+ def input(%{type: "textarea"} = assigns) do
+ ~H"""
+
+ <.label for={@id}><%= @label %>
+
+ <.error :for={msg <- @errors}><%= msg %>
+
+ """
+ end
+
+ # All other inputs text, datetime-local, url, password, etc. are handled here...
+ def input(assigns) do
+ ~H"""
+
+ <.label for={@id}><%= @label %>
+
+ <.error :for={msg <- @errors}><%= msg %>
+
+ """
+ end
+
+ @doc """
+ Renders a label.
+ """
+ attr :for, :string, default: nil
+ slot :inner_block, required: true
+
+ def label(assigns) do
+ ~H"""
+
+ <%= render_slot(@inner_block) %>
+
+ """
+ end
+
+ @doc """
+ Generates a generic error message.
+ """
+ slot :inner_block, required: true
+
+ def error(assigns) do
+ ~H"""
+
+ <.icon name="hero-exclamation-circle-mini" class="mt-0.5 h-5 w-5 flex-none" />
+ <%= render_slot(@inner_block) %>
+
+ """
+ end
+
+ @doc """
+ Renders a header with title.
+ """
+ attr :class, :string, default: nil
+
+ slot :inner_block, required: true
+ slot :subtitle
+ slot :actions
+
+ def header(assigns) do
+ ~H"""
+
+ """
+ end
+
+ @doc ~S"""
+ Renders a table with generic styling.
+
+ ## Examples
+
+ <.table id="users" rows={@users}>
+ <:col :let={user} label="id"><%= user.id %>
+ <:col :let={user} label="username"><%= user.username %>
+
+ """
+ attr :id, :string, required: true
+ attr :rows, :list, required: true
+ attr :row_id, :any, default: nil, doc: "the function for generating the row id"
+ attr :row_click, :any, default: nil, doc: "the function for handling phx-click on each row"
+
+ attr :row_item, :any,
+ default: &Function.identity/1,
+ doc: "the function for mapping each row before calling the :col and :action slots"
+
+ slot :col, required: true do
+ attr :label, :string
+ end
+
+ slot :action, doc: "the slot for showing user actions in the last table column"
+
+ def table(assigns) do
+ assigns =
+ with %{rows: %Phoenix.LiveView.LiveStream{}} <- assigns do
+ assign(assigns, row_id: assigns.row_id || fn {id, _item} -> id end)
+ end
+
+ ~H"""
+
+
+
+
+ <%= col[:label] %>
+
+ <%= gettext("Actions") %>
+
+
+
+
+
+
+
+
+
+ <%= render_slot(col, @row_item.(row)) %>
+
+
+
+
+
+
+
+ <%= render_slot(action, @row_item.(row)) %>
+
+
+
+
+
+
+
+ """
+ end
+
+ @doc """
+ Renders a data list.
+
+ ## Examples
+
+ <.list>
+ <:item title="Title"><%= @post.title %>
+ <:item title="Views"><%= @post.views %>
+
+ """
+ slot :item, required: true do
+ attr :title, :string, required: true
+ end
+
+ def list(assigns) do
+ ~H"""
+
+
+
+
<%= item.title %>
+ <%= render_slot(item) %>
+
+
+
+ """
+ end
+
+ @doc """
+ Renders a back navigation link.
+
+ ## Examples
+
+ <.back navigate={~p"/posts"}>Back to posts
+ """
+ attr :navigate, :any, required: true
+ slot :inner_block, required: true
+
+ def back(assigns) do
+ ~H"""
+
+ <.link
+ navigate={@navigate}
+ class="text-sm font-semibold leading-6 text-zinc-900 hover:text-zinc-700"
+ >
+ <.icon name="hero-arrow-left-solid" class="h-3 w-3" />
+ <%= render_slot(@inner_block) %>
+
+
+ """
+ end
+
+ @doc """
+ Renders a [Heroicon](https://heroicons.com).
+
+ Heroicons come in three styles – outline, solid, and mini.
+ By default, the outline style is used, but solid and mini may
+ be applied by using the `-solid` and `-mini` suffix.
+
+ You can customize the size and colors of the icons by setting
+ width, height, and background color classes.
+
+ Icons are extracted from the `deps/heroicons` directory and bundled within
+ your compiled app.css by the plugin in your `assets/tailwind.config.js`.
+
+ ## Examples
+
+ <.icon name="hero-x-mark-solid" />
+ <.icon name="hero-arrow-path" class="ml-1 w-3 h-3 animate-spin" />
+ """
+ attr :name, :string, required: true
+ attr :class, :string, default: nil
+
+ def icon(%{name: "hero-" <> _} = assigns) do
+ ~H"""
+
+ """
+ end
+
+ ## JS Commands
+
+ def show(js \\ %JS{}, selector) do
+ JS.show(js,
+ to: selector,
+ transition:
+ {"transition-all transform ease-out duration-300",
+ "opacity-0 translate-y-4 sm:translate-y-0 sm:scale-95",
+ "opacity-100 translate-y-0 sm:scale-100"}
+ )
+ end
+
+ def hide(js \\ %JS{}, selector) do
+ JS.hide(js,
+ to: selector,
+ time: 200,
+ transition:
+ {"transition-all transform ease-in duration-200",
+ "opacity-100 translate-y-0 sm:scale-100",
+ "opacity-0 translate-y-4 sm:translate-y-0 sm:scale-95"}
+ )
+ end
+
+ def show_modal(js \\ %JS{}, id) when is_binary(id) do
+ js
+ |> JS.show(to: "##{id}")
+ |> JS.show(
+ to: "##{id}-bg",
+ transition: {"transition-all transform ease-out duration-300", "opacity-0", "opacity-100"}
+ )
+ |> show("##{id}-container")
+ |> JS.add_class("overflow-hidden", to: "body")
+ |> JS.focus_first(to: "##{id}-content")
+ end
+
+ def hide_modal(js \\ %JS{}, id) do
+ js
+ |> JS.hide(
+ to: "##{id}-bg",
+ transition: {"transition-all transform ease-in duration-200", "opacity-100", "opacity-0"}
+ )
+ |> hide("##{id}-container")
+ |> JS.hide(to: "##{id}", transition: {"block", "block", "hidden"})
+ |> JS.remove_class("overflow-hidden", to: "body")
+ |> JS.pop_focus()
+ end
+
+ @doc """
+ Translates an error message using gettext.
+ """
+ def translate_error({msg, opts}) do
+ # When using gettext, we typically pass the strings we want
+ # to translate as a static argument:
+ #
+ # # Translate the number of files with plural rules
+ # dngettext("errors", "1 file", "%{count} files", count)
+ #
+ # However the error messages in our forms and APIs are generated
+ # dynamically, so we need to translate them by calling Gettext
+ # with our gettext backend as first argument. Translations are
+ # available in the errors.po file (as we use the "errors" domain).
+ if count = opts[:count] do
+ Gettext.dngettext(AWeb.Gettext, "errors", msg, msg, count, opts)
+ else
+ Gettext.dgettext(AWeb.Gettext, "errors", msg, opts)
+ end
+ end
+
+ @doc """
+ Translates the errors for a field from a keyword list of errors.
+ """
+ def translate_errors(errors, field) when is_list(errors) do
+ for {^field, {msg, opts}} <- errors, do: translate_error({msg, opts})
+ end
+end
diff --git a/lib/pleroma/web/plugs/user_is_admin_plug.ex b/lib/pleroma/web/plugs/user_is_admin_plug.ex
index 7649912ba..5a520adf1 100644
--- a/lib/pleroma/web/plugs/user_is_admin_plug.ex
+++ b/lib/pleroma/web/plugs/user_is_admin_plug.ex
@@ -18,6 +18,7 @@ def call(%{assigns: %{user: %User{is_admin: true}}} = conn, _) do
def call(conn, _) do
conn
+ |> IO.inspect()
|> render_error(:forbidden, "User is not an admin.")
|> halt()
end
diff --git a/lib/pleroma/web/router.ex b/lib/pleroma/web/router.ex
index 49ab3540b..46fbbb526 100644
--- a/lib/pleroma/web/router.ex
+++ b/lib/pleroma/web/router.ex
@@ -101,6 +101,15 @@ defmodule Pleroma.Web.Router do
plug(Pleroma.Web.Plugs.IdempotencyPlug)
end
+ pipeline :admin_interface do
+ plug(:browser)
+ plug(:fetch_session)
+ plug(:authenticate)
+ plug(:fetch_flash)
+ plug(Pleroma.Web.Plugs.EnsureUserTokenAssignsPlug)
+ plug(Pleroma.Web.Plugs.UserIsAdminPlug)
+ end
+
pipeline :require_privileged_staff do
plug(Pleroma.Web.Plugs.EnsureStaffPrivilegedPlug)
end
@@ -473,6 +482,12 @@ defmodule Pleroma.Web.Router do
post("/frontend", FrontendSwitcherController, :do_switch)
end
+ scope "/akkoma/admin/", Pleroma.Web.AdminControl do
+ pipe_through(:admin_interface)
+
+ get("/", AdminControlController, :index)
+ end
+
scope "/api/v1/akkoma", Pleroma.Web.AkkomaAPI do
pipe_through(:api)
diff --git a/mix.exs b/mix.exs
index 4d58821bc..542f42e72 100644
--- a/mix.exs
+++ b/mix.exs
@@ -116,7 +116,16 @@ defp deps do
[
{:phoenix, "~> 1.7.0"},
{:phoenix_view, "~> 2.0"},
- {:phoenix_live_dashboard, "~> 0.7.2"},
+ {:phoenix_live_dashboard, "~> 0.8.3"},
+ {:esbuild, "~> 0.8", runtime: Mix.env() == :dev},
+ {:tailwind, "~> 0.2", runtime: Mix.env() == :dev},
+ {:heroicons,
+ github: "tailwindlabs/heroicons",
+ tag: "v2.1.1",
+ sparse: "optimized",
+ app: false,
+ compile: false,
+ depth: 1},
{:tzdata, "~> 1.1.1"},
{:plug_cowboy, "~> 2.6"},
{:phoenix_pubsub, "~> 2.1"},
@@ -224,6 +233,13 @@ defp aliases do
"ecto.rollback": ["pleroma.ecto.rollback"],
"ecto.setup": ["ecto.create", "ecto.migrate", "run priv/repo/seeds.exs"],
"ecto.reset": ["ecto.drop", "ecto.setup"],
+ "assets.setup": ["tailwind.install --if-missing", "esbuild.install --if-missing"],
+ "assets.build": ["tailwind pleroma", "esbuild pleroma"],
+ "assets.deploy": [
+ "tailwind pleroma --minify",
+ "esbuild pleroma --minify",
+ "phx.digest"
+ ],
test: ["ecto.create --quiet", "ecto.migrate", "test"],
docs: ["pleroma.docs", "docs"],
analyze: ["credo --strict --only=warnings,todo,fixme,consistency,readability"],
diff --git a/mix.lock b/mix.lock
index 118f17699..4dde418e3 100644
--- a/mix.lock
+++ b/mix.lock
@@ -8,7 +8,7 @@
"cachex": {:hex, :cachex, "3.6.0", "14a1bfbeee060dd9bec25a5b6f4e4691e3670ebda28c8ba2884b12fe30b36bf8", [:mix], [{:eternal, "~> 1.2", [hex: :eternal, repo: "hexpm", optional: false]}, {:jumper, "~> 1.0", [hex: :jumper, repo: "hexpm", optional: false]}, {:sleeplocks, "~> 1.1", [hex: :sleeplocks, repo: "hexpm", optional: false]}, {:unsafe, "~> 1.0", [hex: :unsafe, repo: "hexpm", optional: false]}], "hexpm", "ebf24e373883bc8e0c8d894a63bbe102ae13d918f790121f5cfe6e485cc8e2e2"},
"calendar": {:hex, :calendar, "1.0.0", "f52073a708528482ec33d0a171954ca610fe2bd28f1e871f247dc7f1565fa807", [:mix], [{:tzdata, "~> 0.1.201603 or ~> 0.5.20 or ~> 1.0", [hex: :tzdata, repo: "hexpm", optional: false]}], "hexpm", "990e9581920c82912a5ee50e62ff5ef96da6b15949a2ee4734f935fdef0f0a6f"},
"captcha": {:git, "https://git.pleroma.social/pleroma/elixir-libraries/elixir-captcha.git", "90f6ce7672f70f56708792a98d98bd05176c9176", [ref: "90f6ce7672f70f56708792a98d98bd05176c9176"]},
- "castore": {:hex, :castore, "1.0.6", "ffc42f110ebfdafab0ea159cd43d31365fa0af0ce4a02ecebf1707ae619ee727", [:mix], [], "hexpm", "374c6e7ca752296be3d6780a6d5b922854ffcc74123da90f2f328996b962d33a"},
+ "castore": {:hex, :castore, "1.0.7", "b651241514e5f6956028147fe6637f7ac13802537e895a724f90bf3e36ddd1dd", [:mix], [], "hexpm", "da7785a4b0d2a021cd1292a60875a784b6caef71e76bf4917bdee1f390455cf5"},
"certifi": {:hex, :certifi, "2.12.0", "2d1cca2ec95f59643862af91f001478c9863c2ac9cb6e2f89780bfd8de987329", [:rebar3], [], "hexpm", "ee68d85df22e554040cdb4be100f33873ac6051387baf6a8f6ce82272340ff1c"},
"combine": {:hex, :combine, "0.10.0", "eff8224eeb56498a2af13011d142c5e7997a80c8f5b97c499f84c841032e429f", [:mix], [], "hexpm", "1b1dbc1790073076580d0d1d64e42eae2366583e7aecd455d1215b0d16f2451b"},
"comeonin": {:hex, :comeonin, "5.4.0", "246a56ca3f41d404380fc6465650ddaa532c7f98be4bda1b4656b3a37cc13abe", [:mix], [], "hexpm", "796393a9e50d01999d56b7b8420ab0481a7538d0caf80919da493b4a6e51faf1"},
@@ -36,6 +36,7 @@
"elixir_xml_to_map": {:hex, :elixir_xml_to_map, "3.1.0", "4d6260486a8cce59e4bf3575fe2dd2a24766546ceeef9f93fcec6f7c62a2827a", [:mix], [{:erlsom, "~> 1.4", [hex: :erlsom, repo: "hexpm", optional: false]}], "hexpm", "8fe5f2e75f90bab07ee2161120c2dc038ebcae8135554f5582990f1c8c21f911"},
"erlex": {:hex, :erlex, "0.2.6", "c7987d15e899c7a2f34f5420d2a2ea0d659682c06ac607572df55a43753aa12e", [:mix], [], "hexpm", "2ed2e25711feb44d52b17d2780eabf998452f6efda104877a3881c2f8c0c0c75"},
"erlsom": {:hex, :erlsom, "1.5.1", "c8fe2babd33ff0846403f6522328b8ab676f896b793634cfe7ef181c05316c03", [:rebar3], [], "hexpm", "7965485494c5844dd127656ac40f141aadfa174839ec1be1074e7edf5b4239eb"},
+ "esbuild": {:hex, :esbuild, "0.8.1", "0cbf919f0eccb136d2eeef0df49c4acf55336de864e63594adcea3814f3edf41", [:mix], [{:castore, ">= 0.0.0", [hex: :castore, repo: "hexpm", optional: false]}, {:jason, "~> 1.4", [hex: :jason, repo: "hexpm", optional: false]}], "hexpm", "25fc876a67c13cb0a776e7b5d7974851556baeda2085296c14ab48555ea7560f"},
"eternal": {:hex, :eternal, "1.2.2", "d1641c86368de99375b98d183042dd6c2b234262b8d08dfd72b9eeaafc2a1abd", [:mix], [], "hexpm", "2c9fe32b9c3726703ba5e1d43a1d255a4f3f2d8f8f9bc19f094c7cb1a7a9e782"},
"ex_aws": {:hex, :ex_aws, "2.5.3", "9c2d05ba0c057395b12c7b5ca6267d14cdaec1d8e65bdf6481fe1fd245accfb4", [:mix], [{:configparser_ex, "~> 4.0", [hex: :configparser_ex, repo: "hexpm", optional: true]}, {:hackney, "~> 1.16", [hex: :hackney, repo: "hexpm", optional: true]}, {:jason, "~> 1.1", [hex: :jason, repo: "hexpm", optional: true]}, {:jsx, "~> 2.8 or ~> 3.0", [hex: :jsx, repo: "hexpm", optional: true]}, {:mime, "~> 1.2 or ~> 2.0", [hex: :mime, repo: "hexpm", optional: false]}, {:sweet_xml, "~> 0.7", [hex: :sweet_xml, repo: "hexpm", optional: true]}, {:telemetry, "~> 0.4.3 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "67115f1d399d7ec4d191812ee565c6106cb4b1bbf19a9d4db06f265fd87da97e"},
"ex_aws_s3": {:hex, :ex_aws_s3, "2.5.3", "422468e5c3e1a4da5298e66c3468b465cfd354b842e512cb1f6fbbe4e2f5bdaf", [:mix], [{:ex_aws, "~> 2.0", [hex: :ex_aws, repo: "hexpm", optional: false]}, {:sweet_xml, ">= 0.0.0", [hex: :sweet_xml, repo: "hexpm", optional: true]}], "hexpm", "4f09dd372cc386550e484808c5ac5027766c8d0cd8271ccc578b82ee6ef4f3b8"},
@@ -55,6 +56,7 @@
"gen_smtp": {:hex, :gen_smtp, "1.2.0", "9cfc75c72a8821588b9b9fe947ae5ab2aed95a052b81237e0928633a13276fd3", [:rebar3], [{:ranch, ">= 1.8.0", [hex: :ranch, repo: "hexpm", optional: false]}], "hexpm", "5ee0375680bca8f20c4d85f58c2894441443a743355430ff33a783fe03296779"},
"gettext": {:hex, :gettext, "0.22.3", "c8273e78db4a0bb6fba7e9f0fd881112f349a3117f7f7c598fa18c66c888e524", [:mix], [{:expo, "~> 0.4.0", [hex: :expo, repo: "hexpm", optional: false]}], "hexpm", "935f23447713954a6866f1bb28c3a878c4c011e802bcd68a726f5e558e4b64bd"},
"hackney": {:hex, :hackney, "1.20.1", "8d97aec62ddddd757d128bfd1df6c5861093419f8f7a4223823537bad5d064e2", [:rebar3], [{:certifi, "~> 2.12.0", [hex: :certifi, repo: "hexpm", optional: false]}, {:idna, "~> 6.1.0", [hex: :idna, repo: "hexpm", optional: false]}, {:metrics, "~> 1.0.0", [hex: :metrics, repo: "hexpm", optional: false]}, {:mimerl, "~> 1.1", [hex: :mimerl, repo: "hexpm", optional: false]}, {:parse_trans, "3.4.1", [hex: :parse_trans, repo: "hexpm", optional: false]}, {:ssl_verify_fun, "~> 1.1.0", [hex: :ssl_verify_fun, repo: "hexpm", optional: false]}, {:unicode_util_compat, "~> 0.7.0", [hex: :unicode_util_compat, repo: "hexpm", optional: false]}], "hexpm", "fe9094e5f1a2a2c0a7d10918fee36bfec0ec2a979994cff8cfe8058cd9af38e3"},
+ "heroicons": {:git, "https://github.com/tailwindlabs/heroicons.git", "88ab3a0d790e6a47404cba02800a6b25d2afae50", [tag: "v2.1.1", sparse: "optimized"]},
"hpax": {:hex, :hpax, "0.1.2", "09a75600d9d8bbd064cdd741f21fc06fc1f4cf3d0fcc335e5aa19be1a7235c84", [:mix], [], "hexpm", "2c87843d5a23f5f16748ebe77969880e29809580efdaccd615cd3bed628a8c13"},
"html_entities": {:hex, :html_entities, "0.5.2", "9e47e70598da7de2a9ff6af8758399251db6dbb7eebe2b013f2bbd2515895c3c", [:mix], [], "hexpm", "c53ba390403485615623b9531e97696f076ed415e8d8058b1dbaa28181f4fdcc"},
"http_signatures": {:git, "https://akkoma.dev/AkkomaGang/http_signatures.git", "6640ce7d24c783ac2ef56e27d00d12e8dc85f396", [ref: "6640ce7d24c783ac2ef56e27d00d12e8dc85f396"]},
@@ -89,15 +91,15 @@
"phoenix": {:hex, :phoenix, "1.7.12", "1cc589e0eab99f593a8aa38ec45f15d25297dd6187ee801c8de8947090b5a9d3", [:mix], [{:castore, ">= 0.0.0", [hex: :castore, repo: "hexpm", optional: false]}, {:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: true]}, {:phoenix_pubsub, "~> 2.1", [hex: :phoenix_pubsub, repo: "hexpm", optional: false]}, {:phoenix_template, "~> 1.0", [hex: :phoenix_template, repo: "hexpm", optional: false]}, {:phoenix_view, "~> 2.0", [hex: :phoenix_view, repo: "hexpm", optional: true]}, {:plug, "~> 1.14", [hex: :plug, repo: "hexpm", optional: false]}, {:plug_cowboy, "~> 2.7", [hex: :plug_cowboy, repo: "hexpm", optional: true]}, {:plug_crypto, "~> 1.2 or ~> 2.0", [hex: :plug_crypto, repo: "hexpm", optional: false]}, {:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}, {:websock_adapter, "~> 0.5.3", [hex: :websock_adapter, repo: "hexpm", optional: false]}], "hexpm", "d646192fbade9f485b01bc9920c139bfdd19d0f8df3d73fd8eaf2dfbe0d2837c"},
"phoenix_ecto": {:hex, :phoenix_ecto, "4.5.1", "6fdbc334ea53620e71655664df6f33f670747b3a7a6c4041cdda3e2c32df6257", [:mix], [{:ecto, "~> 3.5", [hex: :ecto, repo: "hexpm", optional: false]}, {:phoenix_html, "~> 2.14.2 or ~> 3.0 or ~> 4.1", [hex: :phoenix_html, repo: "hexpm", optional: true]}, {:plug, "~> 1.9", [hex: :plug, repo: "hexpm", optional: false]}], "hexpm", "ebe43aa580db129e54408e719fb9659b7f9e0d52b965c5be26cdca416ecead28"},
"phoenix_html": {:hex, :phoenix_html, "3.3.3", "380b8fb45912b5638d2f1d925a3771b4516b9a78587249cabe394e0a5d579dc9", [:mix], [{:plug, "~> 1.5", [hex: :plug, repo: "hexpm", optional: true]}], "hexpm", "923ebe6fec6e2e3b3e569dfbdc6560de932cd54b000ada0208b5f45024bdd76c"},
- "phoenix_live_dashboard": {:hex, :phoenix_live_dashboard, "0.7.2", "97cc4ff2dba1ebe504db72cb45098cb8e91f11160528b980bd282cc45c73b29c", [:mix], [{:ecto, "~> 3.6.2 or ~> 3.7", [hex: :ecto, repo: "hexpm", optional: true]}, {:ecto_mysql_extras, "~> 0.5", [hex: :ecto_mysql_extras, repo: "hexpm", optional: true]}, {:ecto_psql_extras, "~> 0.7", [hex: :ecto_psql_extras, repo: "hexpm", optional: true]}, {:mime, "~> 1.6 or ~> 2.0", [hex: :mime, repo: "hexpm", optional: false]}, {:phoenix_live_view, "~> 0.18.3", [hex: :phoenix_live_view, repo: "hexpm", optional: false]}, {:telemetry_metrics, "~> 0.6 or ~> 1.0", [hex: :telemetry_metrics, repo: "hexpm", optional: false]}], "hexpm", "0e5fdf063c7a3b620c566a30fcf68b7ee02e5e46fe48ee46a6ec3ba382dc05b7"},
- "phoenix_live_view": {:hex, :phoenix_live_view, "0.18.18", "1f38fbd7c363723f19aad1a04b5490ff3a178e37daaf6999594d5f34796c47fc", [:mix], [{:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: true]}, {:phoenix, "~> 1.6.15 or ~> 1.7.0", [hex: :phoenix, repo: "hexpm", optional: false]}, {:phoenix_html, "~> 3.3", [hex: :phoenix_html, repo: "hexpm", optional: false]}, {:phoenix_template, "~> 1.0", [hex: :phoenix_template, repo: "hexpm", optional: false]}, {:phoenix_view, "~> 2.0", [hex: :phoenix_view, repo: "hexpm", optional: true]}, {:telemetry, "~> 0.4.2 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "a5810d0472f3189ede6d2a95bda7f31c6113156b91784a3426cb0ab6a6d85214"},
+ "phoenix_live_dashboard": {:hex, :phoenix_live_dashboard, "0.8.3", "7ff51c9b6609470f681fbea20578dede0e548302b0c8bdf338b5a753a4f045bf", [:mix], [{:ecto, "~> 3.6.2 or ~> 3.7", [hex: :ecto, repo: "hexpm", optional: true]}, {:ecto_mysql_extras, "~> 0.5", [hex: :ecto_mysql_extras, repo: "hexpm", optional: true]}, {:ecto_psql_extras, "~> 0.7", [hex: :ecto_psql_extras, repo: "hexpm", optional: true]}, {:ecto_sqlite3_extras, "~> 1.1.7 or ~> 1.2.0", [hex: :ecto_sqlite3_extras, repo: "hexpm", optional: true]}, {:mime, "~> 1.6 or ~> 2.0", [hex: :mime, repo: "hexpm", optional: false]}, {:phoenix_live_view, "~> 0.19 or ~> 1.0", [hex: :phoenix_live_view, repo: "hexpm", optional: false]}, {:telemetry_metrics, "~> 0.6 or ~> 1.0", [hex: :telemetry_metrics, repo: "hexpm", optional: false]}], "hexpm", "f9470a0a8bae4f56430a23d42f977b5a6205fdba6559d76f932b876bfaec652d"},
+ "phoenix_live_view": {:hex, :phoenix_live_view, "0.20.14", "70fa101aa0539e81bed4238777498f6215e9dda3461bdaa067cad6908110c364", [:mix], [{:floki, "~> 0.36", [hex: :floki, repo: "hexpm", optional: true]}, {:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: true]}, {:phoenix, "~> 1.6.15 or ~> 1.7.0", [hex: :phoenix, repo: "hexpm", optional: false]}, {:phoenix_html, "~> 3.3 or ~> 4.0", [hex: :phoenix_html, repo: "hexpm", optional: false]}, {:phoenix_template, "~> 1.0", [hex: :phoenix_template, repo: "hexpm", optional: false]}, {:phoenix_view, "~> 2.0", [hex: :phoenix_view, repo: "hexpm", optional: true]}, {:plug, "~> 1.15", [hex: :plug, repo: "hexpm", optional: false]}, {:telemetry, "~> 0.4.2 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "82f6d006c5264f979ed5eb75593d808bbe39020f20df2e78426f4f2d570e2402"},
"phoenix_pubsub": {:hex, :phoenix_pubsub, "2.1.3", "3168d78ba41835aecad272d5e8cd51aa87a7ac9eb836eabc42f6e57538e3731d", [:mix], [], "hexpm", "bba06bc1dcfd8cb086759f0edc94a8ba2bc8896d5331a1e2c2902bf8e36ee502"},
"phoenix_swoosh": {:hex, :phoenix_swoosh, "1.2.1", "b74ccaa8046fbc388a62134360ee7d9742d5a8ae74063f34eb050279de7a99e1", [:mix], [{:finch, "~> 0.8", [hex: :finch, repo: "hexpm", optional: true]}, {:hackney, "~> 1.10", [hex: :hackney, repo: "hexpm", optional: true]}, {:phoenix, "~> 1.6", [hex: :phoenix, repo: "hexpm", optional: true]}, {:phoenix_html, "~> 3.0 or ~> 4.0", [hex: :phoenix_html, repo: "hexpm", optional: true]}, {:phoenix_view, "~> 1.0 or ~> 2.0", [hex: :phoenix_view, repo: "hexpm", optional: false]}, {:swoosh, "~> 1.5", [hex: :swoosh, repo: "hexpm", optional: false]}], "hexpm", "4000eeba3f9d7d1a6bf56d2bd56733d5cadf41a7f0d8ffe5bb67e7d667e204a2"},
"phoenix_template": {:hex, :phoenix_template, "1.0.4", "e2092c132f3b5e5b2d49c96695342eb36d0ed514c5b252a77048d5969330d639", [:mix], [{:phoenix_html, "~> 2.14.2 or ~> 3.0 or ~> 4.0", [hex: :phoenix_html, repo: "hexpm", optional: true]}], "hexpm", "2c0c81f0e5c6753faf5cca2f229c9709919aba34fab866d3bc05060c9c444206"},
"phoenix_view": {:hex, :phoenix_view, "2.0.3", "4d32c4817fce933693741deeb99ef1392619f942633dde834a5163124813aad3", [:mix], [{:phoenix_html, "~> 2.14.2 or ~> 3.0 or ~> 4.0", [hex: :phoenix_html, repo: "hexpm", optional: true]}, {:phoenix_template, "~> 1.0", [hex: :phoenix_template, repo: "hexpm", optional: false]}], "hexpm", "cd34049af41be2c627df99cd4eaa71fc52a328c0c3d8e7d4aa28f880c30e7f64"},
"plug": {:hex, :plug, "1.15.3", "712976f504418f6dff0a3e554c40d705a9bcf89a7ccef92fc6a5ef8f16a30a97", [:mix], [{:mime, "~> 1.0 or ~> 2.0", [hex: :mime, repo: "hexpm", optional: false]}, {:plug_crypto, "~> 1.1.1 or ~> 1.2 or ~> 2.0", [hex: :plug_crypto, repo: "hexpm", optional: false]}, {:telemetry, "~> 0.4.3 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "cc4365a3c010a56af402e0809208873d113e9c38c401cabd88027ef4f5c01fd2"},
"plug_cowboy": {:hex, :plug_cowboy, "2.7.1", "87677ffe3b765bc96a89be7960f81703223fe2e21efa42c125fcd0127dd9d6b2", [:mix], [{:cowboy, "~> 2.7", [hex: :cowboy, repo: "hexpm", optional: false]}, {:cowboy_telemetry, "~> 0.3", [hex: :cowboy_telemetry, repo: "hexpm", optional: false]}, {:plug, "~> 1.14", [hex: :plug, repo: "hexpm", optional: false]}], "hexpm", "02dbd5f9ab571b864ae39418db7811618506256f6d13b4a45037e5fe78dc5de3"},
- "plug_crypto": {:hex, :plug_crypto, "2.0.0", "77515cc10af06645abbfb5e6ad7a3e9714f805ae118fa1a70205f80d2d70fe73", [:mix], [], "hexpm", "53695bae57cc4e54566d993eb01074e4d894b65a3766f1c43e2c61a1b0f45ea9"},
+ "plug_crypto": {:hex, :plug_crypto, "2.1.0", "f44309c2b06d249c27c8d3f65cfe08158ade08418cf540fd4f72d4d6863abb7b", [:mix], [], "hexpm", "131216a4b030b8f8ce0f26038bc4421ae60e4bb95c5cf5395e1421437824c4fa"},
"plug_static_index_html": {:hex, :plug_static_index_html, "1.0.0", "840123d4d3975585133485ea86af73cb2600afd7f2a976f9f5fd8b3808e636a0", [:mix], [{:plug, "~> 1.0", [hex: :plug, repo: "hexpm", optional: false]}], "hexpm", "79fd4fcf34d110605c26560cbae8f23c603ec4158c08298bd4360fdea90bb5cf"},
"poison": {:hex, :poison, "5.0.0", "d2b54589ab4157bbb82ec2050757779bfed724463a544b6e20d79855a9e43b24", [:mix], [{:decimal, "~> 2.0", [hex: :decimal, repo: "hexpm", optional: true]}], "hexpm", "11dc6117c501b80c62a7594f941d043982a1bd05a1184280c0d9166eb4d8d3fc"},
"poolboy": {:hex, :poolboy, "1.5.2", "392b007a1693a64540cead79830443abf5762f5d30cf50bc95cb2c1aaafa006b", [:rebar3], [], "hexpm", "dad79704ce5440f3d5a3681c8590b9dc25d1a561e8f5a9c995281012860901e3"},
@@ -114,6 +116,7 @@
"swoosh": {:hex, :swoosh, "1.14.4", "94e9dba91f7695a10f49b0172c4a4cb658ef24abef7e8140394521b7f3bbb2d4", [:mix], [{:cowboy, "~> 1.1 or ~> 2.4", [hex: :cowboy, repo: "hexpm", optional: true]}, {:ex_aws, "~> 2.1", [hex: :ex_aws, repo: "hexpm", optional: true]}, {:finch, "~> 0.6", [hex: :finch, repo: "hexpm", optional: true]}, {:gen_smtp, "~> 0.13 or ~> 1.0", [hex: :gen_smtp, repo: "hexpm", optional: true]}, {:hackney, "~> 1.9", [hex: :hackney, repo: "hexpm", optional: true]}, {:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: false]}, {:mail, "~> 0.2", [hex: :mail, repo: "hexpm", optional: true]}, {:mime, "~> 1.1 or ~> 2.0", [hex: :mime, repo: "hexpm", optional: false]}, {:plug, "~> 1.9", [hex: :plug, repo: "hexpm", optional: true]}, {:plug_cowboy, ">= 1.0.0", [hex: :plug_cowboy, repo: "hexpm", optional: true]}, {:req, "~> 0.4 or ~> 1.0", [hex: :req, repo: "hexpm", optional: true]}, {:telemetry, "~> 0.4.2 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "081c5a590e4ba85cc89baddf7b2beecf6c13f7f84a958f1cd969290815f0f026"},
"syslog": {:hex, :syslog, "1.1.0", "6419a232bea84f07b56dc575225007ffe34d9fdc91abe6f1b2f254fd71d8efc2", [:rebar3], [], "hexpm", "4c6a41373c7e20587be33ef841d3de6f3beba08519809329ecc4d27b15b659e1"},
"table_rex": {:hex, :table_rex, "4.0.0", "3c613a68ebdc6d4d1e731bc973c233500974ec3993c99fcdabb210407b90959b", [:mix], [], "hexpm", "c35c4d5612ca49ebb0344ea10387da4d2afe278387d4019e4d8111e815df8f55"},
+ "tailwind": {:hex, :tailwind, "0.2.2", "9e27288b568ede1d88517e8c61259bc214a12d7eed271e102db4c93fcca9b2cd", [:mix], [{:castore, ">= 0.0.0", [hex: :castore, repo: "hexpm", optional: false]}], "hexpm", "ccfb5025179ea307f7f899d1bb3905cd0ac9f687ed77feebc8f67bdca78565c4"},
"telemetry": {:hex, :telemetry, "1.2.1", "68fdfe8d8f05a8428483a97d7aab2f268aaff24b49e0f599faa091f1d4e7f61c", [:rebar3], [], "hexpm", "dad9ce9d8effc621708f99eac538ef1cbe05d6a874dd741de2e689c47feafed5"},
"telemetry_metrics": {:hex, :telemetry_metrics, "0.6.2", "2caabe9344ec17eafe5403304771c3539f3b6e2f7fb6a6f602558c825d0d0bfb", [:mix], [{:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "9b43db0dc33863930b9ef9d27137e78974756f5f198cae18409970ed6fa5b561"},
"telemetry_metrics_prometheus": {:hex, :telemetry_metrics_prometheus, "1.1.0", "1cc23e932c1ef9aa3b91db257ead31ea58d53229d407e059b29bb962c1505a13", [:mix], [{:plug_cowboy, "~> 2.1", [hex: :plug_cowboy, repo: "hexpm", optional: false]}, {:telemetry_metrics_prometheus_core, "~> 1.0", [hex: :telemetry_metrics_prometheus_core, repo: "hexpm", optional: false]}], "hexpm", "d43b3659b3244da44fe0275b717701542365d4519b79d9ce895b9719c1ce4d26"},
diff --git a/priv/static/assets/app.css b/priv/static/assets/app.css
new file mode 100644
index 000000000..9ff315d0b
--- /dev/null
+++ b/priv/static/assets/app.css
@@ -0,0 +1,1982 @@
+/*
+! tailwindcss v3.4.0 | MIT License | https://tailwindcss.com
+*/
+
+/*
+1. Prevent padding and border from affecting element width. (https://github.com/mozdevs/cssremedy/issues/4)
+2. Allow adding a border to an element by just adding a border-width. (https://github.com/tailwindcss/tailwindcss/pull/116)
+*/
+
+*,
+::before,
+::after {
+ box-sizing: border-box;
+ /* 1 */
+ border-width: 0;
+ /* 2 */
+ border-style: solid;
+ /* 2 */
+ border-color: #e5e7eb;
+ /* 2 */
+}
+
+::before,
+::after {
+ --tw-content: '';
+}
+
+/*
+1. Use a consistent sensible line-height in all browsers.
+2. Prevent adjustments of font size after orientation changes in iOS.
+3. Use a more readable tab size.
+4. Use the user's configured `sans` font-family by default.
+5. Use the user's configured `sans` font-feature-settings by default.
+6. Use the user's configured `sans` font-variation-settings by default.
+7. Disable tap highlights on iOS
+*/
+
+html,
+:host {
+ line-height: 1.5;
+ /* 1 */
+ -webkit-text-size-adjust: 100%;
+ /* 2 */
+ -moz-tab-size: 4;
+ /* 3 */
+ -o-tab-size: 4;
+ tab-size: 4;
+ /* 3 */
+ font-family: ui-sans-serif, system-ui, sans-serif, "Apple Color Emoji", "Segoe UI Emoji", "Segoe UI Symbol", "Noto Color Emoji";
+ /* 4 */
+ font-feature-settings: normal;
+ /* 5 */
+ font-variation-settings: normal;
+ /* 6 */
+ -webkit-tap-highlight-color: transparent;
+ /* 7 */
+}
+
+/*
+1. Remove the margin in all browsers.
+2. Inherit line-height from `html` so users can set them as a class directly on the `html` element.
+*/
+
+body {
+ margin: 0;
+ /* 1 */
+ line-height: inherit;
+ /* 2 */
+}
+
+/*
+1. Add the correct height in Firefox.
+2. Correct the inheritance of border color in Firefox. (https://bugzilla.mozilla.org/show_bug.cgi?id=190655)
+3. Ensure horizontal rules are visible by default.
+*/
+
+hr {
+ height: 0;
+ /* 1 */
+ color: inherit;
+ /* 2 */
+ border-top-width: 1px;
+ /* 3 */
+}
+
+/*
+Add the correct text decoration in Chrome, Edge, and Safari.
+*/
+
+abbr:where([title]) {
+ -webkit-text-decoration: underline dotted;
+ text-decoration: underline dotted;
+}
+
+/*
+Remove the default font size and weight for headings.
+*/
+
+h1,
+h2,
+h3,
+h4,
+h5,
+h6 {
+ font-size: inherit;
+ font-weight: inherit;
+}
+
+/*
+Reset links to optimize for opt-in styling instead of opt-out.
+*/
+
+a {
+ color: inherit;
+ text-decoration: inherit;
+}
+
+/*
+Add the correct font weight in Edge and Safari.
+*/
+
+b,
+strong {
+ font-weight: bolder;
+}
+
+/*
+1. Use the user's configured `mono` font-family by default.
+2. Use the user's configured `mono` font-feature-settings by default.
+3. Use the user's configured `mono` font-variation-settings by default.
+4. Correct the odd `em` font sizing in all browsers.
+*/
+
+code,
+kbd,
+samp,
+pre {
+ font-family: ui-monospace, SFMono-Regular, Menlo, Monaco, Consolas, "Liberation Mono", "Courier New", monospace;
+ /* 1 */
+ font-feature-settings: normal;
+ /* 2 */
+ font-variation-settings: normal;
+ /* 3 */
+ font-size: 1em;
+ /* 4 */
+}
+
+/*
+Add the correct font size in all browsers.
+*/
+
+small {
+ font-size: 80%;
+}
+
+/*
+Prevent `sub` and `sup` elements from affecting the line height in all browsers.
+*/
+
+sub,
+sup {
+ font-size: 75%;
+ line-height: 0;
+ position: relative;
+ vertical-align: baseline;
+}
+
+sub {
+ bottom: -0.25em;
+}
+
+sup {
+ top: -0.5em;
+}
+
+/*
+1. Remove text indentation from table contents in Chrome and Safari. (https://bugs.chromium.org/p/chromium/issues/detail?id=999088, https://bugs.webkit.org/show_bug.cgi?id=201297)
+2. Correct table border color inheritance in all Chrome and Safari. (https://bugs.chromium.org/p/chromium/issues/detail?id=935729, https://bugs.webkit.org/show_bug.cgi?id=195016)
+3. Remove gaps between table borders by default.
+*/
+
+table {
+ text-indent: 0;
+ /* 1 */
+ border-color: inherit;
+ /* 2 */
+ border-collapse: collapse;
+ /* 3 */
+}
+
+/*
+1. Change the font styles in all browsers.
+2. Remove the margin in Firefox and Safari.
+3. Remove default padding in all browsers.
+*/
+
+button,
+input,
+optgroup,
+select,
+textarea {
+ font-family: inherit;
+ /* 1 */
+ font-feature-settings: inherit;
+ /* 1 */
+ font-variation-settings: inherit;
+ /* 1 */
+ font-size: 100%;
+ /* 1 */
+ font-weight: inherit;
+ /* 1 */
+ line-height: inherit;
+ /* 1 */
+ color: inherit;
+ /* 1 */
+ margin: 0;
+ /* 2 */
+ padding: 0;
+ /* 3 */
+}
+
+/*
+Remove the inheritance of text transform in Edge and Firefox.
+*/
+
+button,
+select {
+ text-transform: none;
+}
+
+/*
+1. Correct the inability to style clickable types in iOS and Safari.
+2. Remove default button styles.
+*/
+
+button,
+[type='button'],
+[type='reset'],
+[type='submit'] {
+ -webkit-appearance: button;
+ /* 1 */
+ background-color: transparent;
+ /* 2 */
+ background-image: none;
+ /* 2 */
+}
+
+/*
+Use the modern Firefox focus style for all focusable elements.
+*/
+
+:-moz-focusring {
+ outline: auto;
+}
+
+/*
+Remove the additional `:invalid` styles in Firefox. (https://github.com/mozilla/gecko-dev/blob/2f9eacd9d3d995c937b4251a5557d95d494c9be1/layout/style/res/forms.css#L728-L737)
+*/
+
+:-moz-ui-invalid {
+ box-shadow: none;
+}
+
+/*
+Add the correct vertical alignment in Chrome and Firefox.
+*/
+
+progress {
+ vertical-align: baseline;
+}
+
+/*
+Correct the cursor style of increment and decrement buttons in Safari.
+*/
+
+::-webkit-inner-spin-button,
+::-webkit-outer-spin-button {
+ height: auto;
+}
+
+/*
+1. Correct the odd appearance in Chrome and Safari.
+2. Correct the outline style in Safari.
+*/
+
+[type='search'] {
+ -webkit-appearance: textfield;
+ /* 1 */
+ outline-offset: -2px;
+ /* 2 */
+}
+
+/*
+Remove the inner padding in Chrome and Safari on macOS.
+*/
+
+::-webkit-search-decoration {
+ -webkit-appearance: none;
+}
+
+/*
+1. Correct the inability to style clickable types in iOS and Safari.
+2. Change font properties to `inherit` in Safari.
+*/
+
+::-webkit-file-upload-button {
+ -webkit-appearance: button;
+ /* 1 */
+ font: inherit;
+ /* 2 */
+}
+
+/*
+Add the correct display in Chrome and Safari.
+*/
+
+summary {
+ display: list-item;
+}
+
+/*
+Removes the default spacing and border for appropriate elements.
+*/
+
+blockquote,
+dl,
+dd,
+h1,
+h2,
+h3,
+h4,
+h5,
+h6,
+hr,
+figure,
+p,
+pre {
+ margin: 0;
+}
+
+fieldset {
+ margin: 0;
+ padding: 0;
+}
+
+legend {
+ padding: 0;
+}
+
+ol,
+ul,
+menu {
+ list-style: none;
+ margin: 0;
+ padding: 0;
+}
+
+/*
+Reset default styling for dialogs.
+*/
+
+dialog {
+ padding: 0;
+}
+
+/*
+Prevent resizing textareas horizontally by default.
+*/
+
+textarea {
+ resize: vertical;
+}
+
+/*
+1. Reset the default placeholder opacity in Firefox. (https://github.com/tailwindlabs/tailwindcss/issues/3300)
+2. Set the default placeholder color to the user's configured gray 400 color.
+*/
+
+input::-moz-placeholder, textarea::-moz-placeholder {
+ opacity: 1;
+ /* 1 */
+ color: #9ca3af;
+ /* 2 */
+}
+
+input::placeholder,
+textarea::placeholder {
+ opacity: 1;
+ /* 1 */
+ color: #9ca3af;
+ /* 2 */
+}
+
+/*
+Set the default cursor for buttons.
+*/
+
+button,
+[role="button"] {
+ cursor: pointer;
+}
+
+/*
+Make sure disabled buttons don't get the pointer cursor.
+*/
+
+:disabled {
+ cursor: default;
+}
+
+/*
+1. Make replaced elements `display: block` by default. (https://github.com/mozdevs/cssremedy/issues/14)
+2. Add `vertical-align: middle` to align replaced elements more sensibly by default. (https://github.com/jensimmons/cssremedy/issues/14#issuecomment-634934210)
+ This can trigger a poorly considered lint error in some tools but is included by design.
+*/
+
+img,
+svg,
+video,
+canvas,
+audio,
+iframe,
+embed,
+object {
+ display: block;
+ /* 1 */
+ vertical-align: middle;
+ /* 2 */
+}
+
+/*
+Constrain images and videos to the parent width and preserve their intrinsic aspect ratio. (https://github.com/mozdevs/cssremedy/issues/14)
+*/
+
+img,
+video {
+ max-width: 100%;
+ height: auto;
+}
+
+/* Make elements with the HTML hidden attribute stay hidden by default */
+
+[hidden] {
+ display: none;
+}
+
+[type='text'],[type='email'],[type='url'],[type='password'],[type='number'],[type='date'],[type='datetime-local'],[type='month'],[type='search'],[type='tel'],[type='time'],[type='week'],[multiple],textarea,select {
+ -webkit-appearance: none;
+ -moz-appearance: none;
+ appearance: none;
+ background-color: #fff;
+ border-color: #6b7280;
+ border-width: 1px;
+ border-radius: 0px;
+ padding-top: 0.5rem;
+ padding-right: 0.75rem;
+ padding-bottom: 0.5rem;
+ padding-left: 0.75rem;
+ font-size: 1rem;
+ line-height: 1.5rem;
+ --tw-shadow: 0 0 #0000;
+}
+
+[type='text']:focus, [type='email']:focus, [type='url']:focus, [type='password']:focus, [type='number']:focus, [type='date']:focus, [type='datetime-local']:focus, [type='month']:focus, [type='search']:focus, [type='tel']:focus, [type='time']:focus, [type='week']:focus, [multiple]:focus, textarea:focus, select:focus {
+ outline: 2px solid transparent;
+ outline-offset: 2px;
+ --tw-ring-inset: var(--tw-empty,/*!*/ /*!*/);
+ --tw-ring-offset-width: 0px;
+ --tw-ring-offset-color: #fff;
+ --tw-ring-color: #2563eb;
+ --tw-ring-offset-shadow: var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);
+ --tw-ring-shadow: var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color);
+ box-shadow: var(--tw-ring-offset-shadow), var(--tw-ring-shadow), var(--tw-shadow);
+ border-color: #2563eb;
+}
+
+input::-moz-placeholder, textarea::-moz-placeholder {
+ color: #6b7280;
+ opacity: 1;
+}
+
+input::placeholder,textarea::placeholder {
+ color: #6b7280;
+ opacity: 1;
+}
+
+::-webkit-datetime-edit-fields-wrapper {
+ padding: 0;
+}
+
+::-webkit-date-and-time-value {
+ min-height: 1.5em;
+}
+
+::-webkit-datetime-edit,::-webkit-datetime-edit-year-field,::-webkit-datetime-edit-month-field,::-webkit-datetime-edit-day-field,::-webkit-datetime-edit-hour-field,::-webkit-datetime-edit-minute-field,::-webkit-datetime-edit-second-field,::-webkit-datetime-edit-millisecond-field,::-webkit-datetime-edit-meridiem-field {
+ padding-top: 0;
+ padding-bottom: 0;
+}
+
+select {
+ background-image: url("data:image/svg+xml,%3csvg xmlns='http://www.w3.org/2000/svg' fill='none' viewBox='0 0 20 20'%3e%3cpath stroke='%236b7280' stroke-linecap='round' stroke-linejoin='round' stroke-width='1.5' d='M6 8l4 4 4-4'/%3e%3c/svg%3e");
+ background-position: right 0.5rem center;
+ background-repeat: no-repeat;
+ background-size: 1.5em 1.5em;
+ padding-right: 2.5rem;
+ -webkit-print-color-adjust: exact;
+ print-color-adjust: exact;
+}
+
+[multiple] {
+ background-image: initial;
+ background-position: initial;
+ background-repeat: unset;
+ background-size: initial;
+ padding-right: 0.75rem;
+ -webkit-print-color-adjust: unset;
+ print-color-adjust: unset;
+}
+
+[type='checkbox'],[type='radio'] {
+ -webkit-appearance: none;
+ -moz-appearance: none;
+ appearance: none;
+ padding: 0;
+ -webkit-print-color-adjust: exact;
+ print-color-adjust: exact;
+ display: inline-block;
+ vertical-align: middle;
+ background-origin: border-box;
+ -webkit-user-select: none;
+ -moz-user-select: none;
+ user-select: none;
+ flex-shrink: 0;
+ height: 1rem;
+ width: 1rem;
+ color: #2563eb;
+ background-color: #fff;
+ border-color: #6b7280;
+ border-width: 1px;
+ --tw-shadow: 0 0 #0000;
+}
+
+[type='checkbox'] {
+ border-radius: 0px;
+}
+
+[type='radio'] {
+ border-radius: 100%;
+}
+
+[type='checkbox']:focus,[type='radio']:focus {
+ outline: 2px solid transparent;
+ outline-offset: 2px;
+ --tw-ring-inset: var(--tw-empty,/*!*/ /*!*/);
+ --tw-ring-offset-width: 2px;
+ --tw-ring-offset-color: #fff;
+ --tw-ring-color: #2563eb;
+ --tw-ring-offset-shadow: var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);
+ --tw-ring-shadow: var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);
+ box-shadow: var(--tw-ring-offset-shadow), var(--tw-ring-shadow), var(--tw-shadow);
+}
+
+[type='checkbox']:checked,[type='radio']:checked {
+ border-color: transparent;
+ background-color: currentColor;
+ background-size: 100% 100%;
+ background-position: center;
+ background-repeat: no-repeat;
+}
+
+[type='checkbox']:checked {
+ background-image: url("data:image/svg+xml,%3csvg viewBox='0 0 16 16' fill='white' xmlns='http://www.w3.org/2000/svg'%3e%3cpath d='M12.207 4.793a1 1 0 010 1.414l-5 5a1 1 0 01-1.414 0l-2-2a1 1 0 011.414-1.414L6.5 9.086l4.293-4.293a1 1 0 011.414 0z'/%3e%3c/svg%3e");
+}
+
+[type='radio']:checked {
+ background-image: url("data:image/svg+xml,%3csvg viewBox='0 0 16 16' fill='white' xmlns='http://www.w3.org/2000/svg'%3e%3ccircle cx='8' cy='8' r='3'/%3e%3c/svg%3e");
+}
+
+[type='checkbox']:checked:hover,[type='checkbox']:checked:focus,[type='radio']:checked:hover,[type='radio']:checked:focus {
+ border-color: transparent;
+ background-color: currentColor;
+}
+
+[type='checkbox']:indeterminate {
+ background-image: url("data:image/svg+xml,%3csvg xmlns='http://www.w3.org/2000/svg' fill='none' viewBox='0 0 16 16'%3e%3cpath stroke='white' stroke-linecap='round' stroke-linejoin='round' stroke-width='2' d='M4 8h8'/%3e%3c/svg%3e");
+ border-color: transparent;
+ background-color: currentColor;
+ background-size: 100% 100%;
+ background-position: center;
+ background-repeat: no-repeat;
+}
+
+[type='checkbox']:indeterminate:hover,[type='checkbox']:indeterminate:focus {
+ border-color: transparent;
+ background-color: currentColor;
+}
+
+[type='file'] {
+ background: unset;
+ border-color: inherit;
+ border-width: 0;
+ border-radius: 0;
+ padding: 0;
+ font-size: unset;
+ line-height: inherit;
+}
+
+[type='file']:focus {
+ outline: 1px solid ButtonText;
+ outline: 1px auto -webkit-focus-ring-color;
+}
+
+*, ::before, ::after {
+ --tw-border-spacing-x: 0;
+ --tw-border-spacing-y: 0;
+ --tw-translate-x: 0;
+ --tw-translate-y: 0;
+ --tw-rotate: 0;
+ --tw-skew-x: 0;
+ --tw-skew-y: 0;
+ --tw-scale-x: 1;
+ --tw-scale-y: 1;
+ --tw-pan-x: ;
+ --tw-pan-y: ;
+ --tw-pinch-zoom: ;
+ --tw-scroll-snap-strictness: proximity;
+ --tw-gradient-from-position: ;
+ --tw-gradient-via-position: ;
+ --tw-gradient-to-position: ;
+ --tw-ordinal: ;
+ --tw-slashed-zero: ;
+ --tw-numeric-figure: ;
+ --tw-numeric-spacing: ;
+ --tw-numeric-fraction: ;
+ --tw-ring-inset: ;
+ --tw-ring-offset-width: 0px;
+ --tw-ring-offset-color: #fff;
+ --tw-ring-color: rgb(59 130 246 / 0.5);
+ --tw-ring-offset-shadow: 0 0 #0000;
+ --tw-ring-shadow: 0 0 #0000;
+ --tw-shadow: 0 0 #0000;
+ --tw-shadow-colored: 0 0 #0000;
+ --tw-blur: ;
+ --tw-brightness: ;
+ --tw-contrast: ;
+ --tw-grayscale: ;
+ --tw-hue-rotate: ;
+ --tw-invert: ;
+ --tw-saturate: ;
+ --tw-sepia: ;
+ --tw-drop-shadow: ;
+ --tw-backdrop-blur: ;
+ --tw-backdrop-brightness: ;
+ --tw-backdrop-contrast: ;
+ --tw-backdrop-grayscale: ;
+ --tw-backdrop-hue-rotate: ;
+ --tw-backdrop-invert: ;
+ --tw-backdrop-opacity: ;
+ --tw-backdrop-saturate: ;
+ --tw-backdrop-sepia: ;
+}
+
+::backdrop {
+ --tw-border-spacing-x: 0;
+ --tw-border-spacing-y: 0;
+ --tw-translate-x: 0;
+ --tw-translate-y: 0;
+ --tw-rotate: 0;
+ --tw-skew-x: 0;
+ --tw-skew-y: 0;
+ --tw-scale-x: 1;
+ --tw-scale-y: 1;
+ --tw-pan-x: ;
+ --tw-pan-y: ;
+ --tw-pinch-zoom: ;
+ --tw-scroll-snap-strictness: proximity;
+ --tw-gradient-from-position: ;
+ --tw-gradient-via-position: ;
+ --tw-gradient-to-position: ;
+ --tw-ordinal: ;
+ --tw-slashed-zero: ;
+ --tw-numeric-figure: ;
+ --tw-numeric-spacing: ;
+ --tw-numeric-fraction: ;
+ --tw-ring-inset: ;
+ --tw-ring-offset-width: 0px;
+ --tw-ring-offset-color: #fff;
+ --tw-ring-color: rgb(59 130 246 / 0.5);
+ --tw-ring-offset-shadow: 0 0 #0000;
+ --tw-ring-shadow: 0 0 #0000;
+ --tw-shadow: 0 0 #0000;
+ --tw-shadow-colored: 0 0 #0000;
+ --tw-blur: ;
+ --tw-brightness: ;
+ --tw-contrast: ;
+ --tw-grayscale: ;
+ --tw-hue-rotate: ;
+ --tw-invert: ;
+ --tw-saturate: ;
+ --tw-sepia: ;
+ --tw-drop-shadow: ;
+ --tw-backdrop-blur: ;
+ --tw-backdrop-brightness: ;
+ --tw-backdrop-contrast: ;
+ --tw-backdrop-grayscale: ;
+ --tw-backdrop-hue-rotate: ;
+ --tw-backdrop-invert: ;
+ --tw-backdrop-opacity: ;
+ --tw-backdrop-saturate: ;
+ --tw-backdrop-sepia: ;
+}
+
+.container {
+ width: 100%;
+}
+
+@media (min-width: 640px) {
+ .container {
+ max-width: 640px;
+ }
+}
+
+@media (min-width: 768px) {
+ .container {
+ max-width: 768px;
+ }
+}
+
+@media (min-width: 1024px) {
+ .container {
+ max-width: 1024px;
+ }
+}
+
+@media (min-width: 1280px) {
+ .container {
+ max-width: 1280px;
+ }
+}
+
+@media (min-width: 1536px) {
+ .container {
+ max-width: 1536px;
+ }
+}
+
+.form-input,.form-textarea,.form-select,.form-multiselect {
+ -webkit-appearance: none;
+ -moz-appearance: none;
+ appearance: none;
+ background-color: #fff;
+ border-color: #6b7280;
+ border-width: 1px;
+ border-radius: 0px;
+ padding-top: 0.5rem;
+ padding-right: 0.75rem;
+ padding-bottom: 0.5rem;
+ padding-left: 0.75rem;
+ font-size: 1rem;
+ line-height: 1.5rem;
+ --tw-shadow: 0 0 #0000;
+}
+
+.form-input:focus, .form-textarea:focus, .form-select:focus, .form-multiselect:focus {
+ outline: 2px solid transparent;
+ outline-offset: 2px;
+ --tw-ring-inset: var(--tw-empty,/*!*/ /*!*/);
+ --tw-ring-offset-width: 0px;
+ --tw-ring-offset-color: #fff;
+ --tw-ring-color: #2563eb;
+ --tw-ring-offset-shadow: var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);
+ --tw-ring-shadow: var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color);
+ box-shadow: var(--tw-ring-offset-shadow), var(--tw-ring-shadow), var(--tw-shadow);
+ border-color: #2563eb;
+}
+
+.form-input::-moz-placeholder, .form-textarea::-moz-placeholder {
+ color: #6b7280;
+ opacity: 1;
+}
+
+.form-input::placeholder,.form-textarea::placeholder {
+ color: #6b7280;
+ opacity: 1;
+}
+
+.form-input::-webkit-datetime-edit-fields-wrapper {
+ padding: 0;
+}
+
+.form-input::-webkit-date-and-time-value {
+ min-height: 1.5em;
+}
+
+.form-input::-webkit-datetime-edit,.form-input::-webkit-datetime-edit-year-field,.form-input::-webkit-datetime-edit-month-field,.form-input::-webkit-datetime-edit-day-field,.form-input::-webkit-datetime-edit-hour-field,.form-input::-webkit-datetime-edit-minute-field,.form-input::-webkit-datetime-edit-second-field,.form-input::-webkit-datetime-edit-millisecond-field,.form-input::-webkit-datetime-edit-meridiem-field {
+ padding-top: 0;
+ padding-bottom: 0;
+}
+
+.hero-arrow-left-solid {
+ --hero-arrow-left-solid: url('data:image/svg+xml;utf8, ');
+ -webkit-mask: var(--hero-arrow-left-solid);
+ mask: var(--hero-arrow-left-solid);
+ -webkit-mask-repeat: no-repeat;
+ mask-repeat: no-repeat;
+ background-color: currentColor;
+ vertical-align: middle;
+ display: inline-block;
+ width: 1.5rem;
+ height: 1.5rem;
+}
+
+.hero-arrow-path {
+ --hero-arrow-path: url('data:image/svg+xml;utf8, ');
+ -webkit-mask: var(--hero-arrow-path);
+ mask: var(--hero-arrow-path);
+ -webkit-mask-repeat: no-repeat;
+ mask-repeat: no-repeat;
+ background-color: currentColor;
+ vertical-align: middle;
+ display: inline-block;
+ width: 1.5rem;
+ height: 1.5rem;
+}
+
+.hero-exclamation-circle-mini {
+ --hero-exclamation-circle-mini: url('data:image/svg+xml;utf8, ');
+ -webkit-mask: var(--hero-exclamation-circle-mini);
+ mask: var(--hero-exclamation-circle-mini);
+ -webkit-mask-repeat: no-repeat;
+ mask-repeat: no-repeat;
+ background-color: currentColor;
+ vertical-align: middle;
+ display: inline-block;
+ width: 1.25rem;
+ height: 1.25rem;
+}
+
+.hero-information-circle-mini {
+ --hero-information-circle-mini: url('data:image/svg+xml;utf8, ');
+ -webkit-mask: var(--hero-information-circle-mini);
+ mask: var(--hero-information-circle-mini);
+ -webkit-mask-repeat: no-repeat;
+ mask-repeat: no-repeat;
+ background-color: currentColor;
+ vertical-align: middle;
+ display: inline-block;
+ width: 1.25rem;
+ height: 1.25rem;
+}
+
+.hero-x-mark-solid {
+ --hero-x-mark-solid: url('data:image/svg+xml;utf8, ');
+ -webkit-mask: var(--hero-x-mark-solid);
+ mask: var(--hero-x-mark-solid);
+ -webkit-mask-repeat: no-repeat;
+ mask-repeat: no-repeat;
+ background-color: currentColor;
+ vertical-align: middle;
+ display: inline-block;
+ width: 1.5rem;
+ height: 1.5rem;
+}
+
+.sr-only {
+ position: absolute;
+ width: 1px;
+ height: 1px;
+ padding: 0;
+ margin: -1px;
+ overflow: hidden;
+ clip: rect(0, 0, 0, 0);
+ white-space: nowrap;
+ border-width: 0;
+}
+
+.visible {
+ visibility: visible;
+}
+
+.invisible {
+ visibility: hidden;
+}
+
+.collapse {
+ visibility: collapse;
+}
+
+.static {
+ position: static;
+}
+
+.fixed {
+ position: fixed;
+}
+
+.absolute {
+ position: absolute;
+}
+
+.relative {
+ position: relative;
+}
+
+.inset-0 {
+ inset: 0px;
+}
+
+.-inset-y-px {
+ top: -1px;
+ bottom: -1px;
+}
+
+.-left-4 {
+ left: -1rem;
+}
+
+.-right-4 {
+ right: -1rem;
+}
+
+.left-0 {
+ left: 0px;
+}
+
+.left-full {
+ left: 100%;
+}
+
+.right-0 {
+ right: 0px;
+}
+
+.right-1 {
+ right: 0.25rem;
+}
+
+.right-2 {
+ right: 0.5rem;
+}
+
+.right-5 {
+ right: 1.25rem;
+}
+
+.top-0 {
+ top: 0px;
+}
+
+.top-1 {
+ top: 0.25rem;
+}
+
+.top-2 {
+ top: 0.5rem;
+}
+
+.top-6 {
+ top: 1.5rem;
+}
+
+.z-50 {
+ z-index: 50;
+}
+
+.-m-2 {
+ margin: -0.5rem;
+}
+
+.-m-2\.5 {
+ margin: -0.625rem;
+}
+
+.-m-3 {
+ margin: -0.75rem;
+}
+
+.-mx-2 {
+ margin-left: -0.5rem;
+ margin-right: -0.5rem;
+}
+
+.-mx-6 {
+ margin-left: -1.5rem;
+ margin-right: -1.5rem;
+}
+
+.-my-4 {
+ margin-top: -1rem;
+ margin-bottom: -1rem;
+}
+
+.ml-1 {
+ margin-left: 0.25rem;
+}
+
+.ml-2 {
+ margin-left: 0.5rem;
+}
+
+.ml-3 {
+ margin-left: 0.75rem;
+}
+
+.ml-4 {
+ margin-left: 1rem;
+}
+
+.mr-16 {
+ margin-right: 4rem;
+}
+
+.mr-2 {
+ margin-right: 0.5rem;
+}
+
+.mt-0 {
+ margin-top: 0px;
+}
+
+.mt-0\.5 {
+ margin-top: 0.125rem;
+}
+
+.mt-10 {
+ margin-top: 2.5rem;
+}
+
+.mt-11 {
+ margin-top: 2.75rem;
+}
+
+.mt-14 {
+ margin-top: 3.5rem;
+}
+
+.mt-16 {
+ margin-top: 4rem;
+}
+
+.mt-2 {
+ margin-top: 0.5rem;
+}
+
+.mt-3 {
+ margin-top: 0.75rem;
+}
+
+.mt-auto {
+ margin-top: auto;
+}
+
+.block {
+ display: block;
+}
+
+.inline {
+ display: inline;
+}
+
+.flex {
+ display: flex;
+}
+
+.table {
+ display: table;
+}
+
+.table-cell {
+ display: table-cell;
+}
+
+.contents {
+ display: contents;
+}
+
+.hidden {
+ display: none;
+}
+
+.h-16 {
+ height: 4rem;
+}
+
+.h-3 {
+ height: 0.75rem;
+}
+
+.h-4 {
+ height: 1rem;
+}
+
+.h-5 {
+ height: 1.25rem;
+}
+
+.h-6 {
+ height: 1.5rem;
+}
+
+.h-8 {
+ height: 2rem;
+}
+
+.h-full {
+ height: 100%;
+}
+
+.min-h-\[6rem\] {
+ min-height: 6rem;
+}
+
+.min-h-full {
+ min-height: 100%;
+}
+
+.w-1\/4 {
+ width: 25%;
+}
+
+.w-14 {
+ width: 3.5rem;
+}
+
+.w-16 {
+ width: 4rem;
+}
+
+.w-3 {
+ width: 0.75rem;
+}
+
+.w-4 {
+ width: 1rem;
+}
+
+.w-5 {
+ width: 1.25rem;
+}
+
+.w-6 {
+ width: 1.5rem;
+}
+
+.w-8 {
+ width: 2rem;
+}
+
+.w-80 {
+ width: 20rem;
+}
+
+.w-\[40rem\] {
+ width: 40rem;
+}
+
+.w-auto {
+ width: auto;
+}
+
+.w-full {
+ width: 100%;
+}
+
+.max-w-3xl {
+ max-width: 48rem;
+}
+
+.max-w-xs {
+ max-width: 20rem;
+}
+
+.flex-1 {
+ flex: 1 1 0%;
+}
+
+.flex-none {
+ flex: none;
+}
+
+.shrink-0 {
+ flex-shrink: 0;
+}
+
+.grow {
+ flex-grow: 1;
+}
+
+.border-collapse {
+ border-collapse: collapse;
+}
+
+.-translate-x-full {
+ --tw-translate-x: -100%;
+ transform: translate(var(--tw-translate-x), var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y));
+}
+
+.translate-x-0 {
+ --tw-translate-x: 0px;
+ transform: translate(var(--tw-translate-x), var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y));
+}
+
+.translate-y-0 {
+ --tw-translate-y: 0px;
+ transform: translate(var(--tw-translate-x), var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y));
+}
+
+.translate-y-4 {
+ --tw-translate-y: 1rem;
+ transform: translate(var(--tw-translate-x), var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y));
+}
+
+.transform {
+ transform: translate(var(--tw-translate-x), var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y));
+}
+
+@keyframes spin {
+ to {
+ transform: rotate(360deg);
+ }
+}
+
+.animate-spin {
+ animation: spin 1s linear infinite;
+}
+
+.resize {
+ resize: both;
+}
+
+.flex-col {
+ flex-direction: column;
+}
+
+.items-center {
+ align-items: center;
+}
+
+.justify-center {
+ justify-content: center;
+}
+
+.justify-between {
+ justify-content: space-between;
+}
+
+.gap-1 {
+ gap: 0.25rem;
+}
+
+.gap-1\.5 {
+ gap: 0.375rem;
+}
+
+.gap-3 {
+ gap: 0.75rem;
+}
+
+.gap-4 {
+ gap: 1rem;
+}
+
+.gap-6 {
+ gap: 1.5rem;
+}
+
+.gap-x-3 {
+ -moz-column-gap: 0.75rem;
+ column-gap: 0.75rem;
+}
+
+.gap-x-4 {
+ -moz-column-gap: 1rem;
+ column-gap: 1rem;
+}
+
+.gap-y-5 {
+ row-gap: 1.25rem;
+}
+
+.gap-y-7 {
+ row-gap: 1.75rem;
+}
+
+.space-y-1 > :not([hidden]) ~ :not([hidden]) {
+ --tw-space-y-reverse: 0;
+ margin-top: calc(0.25rem * calc(1 - var(--tw-space-y-reverse)));
+ margin-bottom: calc(0.25rem * var(--tw-space-y-reverse));
+}
+
+.space-y-8 > :not([hidden]) ~ :not([hidden]) {
+ --tw-space-y-reverse: 0;
+ margin-top: calc(2rem * calc(1 - var(--tw-space-y-reverse)));
+ margin-bottom: calc(2rem * var(--tw-space-y-reverse));
+}
+
+.divide-y > :not([hidden]) ~ :not([hidden]) {
+ --tw-divide-y-reverse: 0;
+ border-top-width: calc(1px * calc(1 - var(--tw-divide-y-reverse)));
+ border-bottom-width: calc(1px * var(--tw-divide-y-reverse));
+}
+
+.divide-zinc-100 > :not([hidden]) ~ :not([hidden]) {
+ --tw-divide-opacity: 1;
+ border-color: rgb(244 244 245 / var(--tw-divide-opacity));
+}
+
+.overflow-hidden {
+ overflow: hidden;
+}
+
+.overflow-y-auto {
+ overflow-y: auto;
+}
+
+.truncate {
+ overflow: hidden;
+ text-overflow: ellipsis;
+ white-space: nowrap;
+}
+
+.whitespace-nowrap {
+ white-space: nowrap;
+}
+
+.rounded {
+ border-radius: 0.25rem;
+}
+
+.rounded-2xl {
+ border-radius: 1rem;
+}
+
+.rounded-full {
+ border-radius: 9999px;
+}
+
+.rounded-lg {
+ border-radius: 0.5rem;
+}
+
+.rounded-md {
+ border-radius: 0.375rem;
+}
+
+.border {
+ border-width: 1px;
+}
+
+.border-b {
+ border-bottom-width: 1px;
+}
+
+.border-t {
+ border-top-width: 1px;
+}
+
+.border-gray-300 {
+ --tw-border-opacity: 1;
+ border-color: rgb(209 213 219 / var(--tw-border-opacity));
+}
+
+.border-gray-700 {
+ --tw-border-opacity: 1;
+ border-color: rgb(55 65 81 / var(--tw-border-opacity));
+}
+
+.border-rose-400 {
+ --tw-border-opacity: 1;
+ border-color: rgb(251 113 133 / var(--tw-border-opacity));
+}
+
+.border-white\/5 {
+ border-color: rgb(255 255 255 / 0.05);
+}
+
+.border-zinc-200 {
+ --tw-border-opacity: 1;
+ border-color: rgb(228 228 231 / var(--tw-border-opacity));
+}
+
+.border-zinc-300 {
+ --tw-border-opacity: 1;
+ border-color: rgb(212 212 216 / var(--tw-border-opacity));
+}
+
+.bg-black\/10 {
+ background-color: rgb(0 0 0 / 0.1);
+}
+
+.bg-emerald-50 {
+ --tw-bg-opacity: 1;
+ background-color: rgb(236 253 245 / var(--tw-bg-opacity));
+}
+
+.bg-gray-800 {
+ --tw-bg-opacity: 1;
+ background-color: rgb(31 41 55 / var(--tw-bg-opacity));
+}
+
+.bg-gray-900 {
+ --tw-bg-opacity: 1;
+ background-color: rgb(17 24 39 / var(--tw-bg-opacity));
+}
+
+.bg-gray-900\/80 {
+ background-color: rgb(17 24 39 / 0.8);
+}
+
+.bg-rose-50 {
+ --tw-bg-opacity: 1;
+ background-color: rgb(255 241 242 / var(--tw-bg-opacity));
+}
+
+.bg-white {
+ --tw-bg-opacity: 1;
+ background-color: rgb(255 255 255 / var(--tw-bg-opacity));
+}
+
+.bg-zinc-50\/90 {
+ background-color: rgb(250 250 250 / 0.9);
+}
+
+.bg-zinc-900 {
+ --tw-bg-opacity: 1;
+ background-color: rgb(24 24 27 / var(--tw-bg-opacity));
+}
+
+.fill-cyan-900 {
+ fill: #164e63;
+}
+
+.fill-rose-900 {
+ fill: #881337;
+}
+
+.p-0 {
+ padding: 0px;
+}
+
+.p-14 {
+ padding: 3.5rem;
+}
+
+.p-2 {
+ padding: 0.5rem;
+}
+
+.p-2\.5 {
+ padding: 0.625rem;
+}
+
+.p-3 {
+ padding: 0.75rem;
+}
+
+.p-4 {
+ padding: 1rem;
+}
+
+.px-3 {
+ padding-left: 0.75rem;
+ padding-right: 0.75rem;
+}
+
+.px-4 {
+ padding-left: 1rem;
+ padding-right: 1rem;
+}
+
+.px-6 {
+ padding-left: 1.5rem;
+ padding-right: 1.5rem;
+}
+
+.py-2 {
+ padding-top: 0.5rem;
+ padding-bottom: 0.5rem;
+}
+
+.py-3 {
+ padding-top: 0.75rem;
+ padding-bottom: 0.75rem;
+}
+
+.py-4 {
+ padding-top: 1rem;
+ padding-bottom: 1rem;
+}
+
+.pb-4 {
+ padding-bottom: 1rem;
+}
+
+.pr-6 {
+ padding-right: 1.5rem;
+}
+
+.pt-5 {
+ padding-top: 1.25rem;
+}
+
+.text-left {
+ text-align: left;
+}
+
+.text-right {
+ text-align: right;
+}
+
+.text-2xl {
+ font-size: 1.5rem;
+ line-height: 2rem;
+}
+
+.text-\[0\.625rem\] {
+ font-size: 0.625rem;
+}
+
+.text-base {
+ font-size: 1rem;
+ line-height: 1.5rem;
+}
+
+.text-lg {
+ font-size: 1.125rem;
+ line-height: 1.75rem;
+}
+
+.text-sm {
+ font-size: 0.875rem;
+ line-height: 1.25rem;
+}
+
+.text-xs {
+ font-size: 0.75rem;
+ line-height: 1rem;
+}
+
+.font-medium {
+ font-weight: 500;
+}
+
+.font-normal {
+ font-weight: 400;
+}
+
+.font-semibold {
+ font-weight: 600;
+}
+
+.capitalize {
+ text-transform: capitalize;
+}
+
+.leading-5 {
+ line-height: 1.25rem;
+}
+
+.leading-6 {
+ line-height: 1.5rem;
+}
+
+.leading-7 {
+ line-height: 1.75rem;
+}
+
+.leading-8 {
+ line-height: 2rem;
+}
+
+.text-black {
+ --tw-text-opacity: 1;
+ color: rgb(0 0 0 / var(--tw-text-opacity));
+}
+
+.text-emerald-800 {
+ --tw-text-opacity: 1;
+ color: rgb(6 95 70 / var(--tw-text-opacity));
+}
+
+.text-gray-400 {
+ --tw-text-opacity: 1;
+ color: rgb(156 163 175 / var(--tw-text-opacity));
+}
+
+.text-rose-600 {
+ --tw-text-opacity: 1;
+ color: rgb(225 29 72 / var(--tw-text-opacity));
+}
+
+.text-rose-900 {
+ --tw-text-opacity: 1;
+ color: rgb(136 19 55 / var(--tw-text-opacity));
+}
+
+.text-white {
+ --tw-text-opacity: 1;
+ color: rgb(255 255 255 / var(--tw-text-opacity));
+}
+
+.text-zinc-500 {
+ --tw-text-opacity: 1;
+ color: rgb(113 113 122 / var(--tw-text-opacity));
+}
+
+.text-zinc-600 {
+ --tw-text-opacity: 1;
+ color: rgb(82 82 91 / var(--tw-text-opacity));
+}
+
+.text-zinc-700 {
+ --tw-text-opacity: 1;
+ color: rgb(63 63 70 / var(--tw-text-opacity));
+}
+
+.text-zinc-800 {
+ --tw-text-opacity: 1;
+ color: rgb(39 39 42 / var(--tw-text-opacity));
+}
+
+.text-zinc-900 {
+ --tw-text-opacity: 1;
+ color: rgb(24 24 27 / var(--tw-text-opacity));
+}
+
+.antialiased {
+ -webkit-font-smoothing: antialiased;
+ -moz-osx-font-smoothing: grayscale;
+}
+
+.opacity-0 {
+ opacity: 0;
+}
+
+.opacity-100 {
+ opacity: 1;
+}
+
+.opacity-20 {
+ opacity: 0.2;
+}
+
+.opacity-40 {
+ opacity: 0.4;
+}
+
+.shadow-lg {
+ --tw-shadow: 0 10px 15px -3px rgb(0 0 0 / 0.1), 0 4px 6px -4px rgb(0 0 0 / 0.1);
+ --tw-shadow-colored: 0 10px 15px -3px var(--tw-shadow-color), 0 4px 6px -4px var(--tw-shadow-color);
+ box-shadow: var(--tw-ring-offset-shadow, 0 0 #0000), var(--tw-ring-shadow, 0 0 #0000), var(--tw-shadow);
+}
+
+.shadow-md {
+ --tw-shadow: 0 4px 6px -1px rgb(0 0 0 / 0.1), 0 2px 4px -2px rgb(0 0 0 / 0.1);
+ --tw-shadow-colored: 0 4px 6px -1px var(--tw-shadow-color), 0 2px 4px -2px var(--tw-shadow-color);
+ box-shadow: var(--tw-ring-offset-shadow, 0 0 #0000), var(--tw-ring-shadow, 0 0 #0000), var(--tw-shadow);
+}
+
+.shadow-sm {
+ --tw-shadow: 0 1px 2px 0 rgb(0 0 0 / 0.05);
+ --tw-shadow-colored: 0 1px 2px 0 var(--tw-shadow-color);
+ box-shadow: var(--tw-ring-offset-shadow, 0 0 #0000), var(--tw-ring-shadow, 0 0 #0000), var(--tw-shadow);
+}
+
+.shadow-zinc-700\/10 {
+ --tw-shadow-color: rgb(63 63 70 / 0.1);
+ --tw-shadow: var(--tw-shadow-colored);
+}
+
+.outline {
+ outline-style: solid;
+}
+
+.ring-1 {
+ --tw-ring-offset-shadow: var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);
+ --tw-ring-shadow: var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color);
+ box-shadow: var(--tw-ring-offset-shadow), var(--tw-ring-shadow), var(--tw-shadow, 0 0 #0000);
+}
+
+.ring-emerald-500 {
+ --tw-ring-opacity: 1;
+ --tw-ring-color: rgb(16 185 129 / var(--tw-ring-opacity));
+}
+
+.ring-rose-500 {
+ --tw-ring-opacity: 1;
+ --tw-ring-color: rgb(244 63 94 / var(--tw-ring-opacity));
+}
+
+.ring-white\/10 {
+ --tw-ring-color: rgb(255 255 255 / 0.1);
+}
+
+.ring-white\/5 {
+ --tw-ring-color: rgb(255 255 255 / 0.05);
+}
+
+.ring-zinc-700\/10 {
+ --tw-ring-color: rgb(63 63 70 / 0.1);
+}
+
+.filter {
+ filter: var(--tw-blur) var(--tw-brightness) var(--tw-contrast) var(--tw-grayscale) var(--tw-hue-rotate) var(--tw-invert) var(--tw-saturate) var(--tw-sepia) var(--tw-drop-shadow);
+}
+
+.transition {
+ transition-property: color, background-color, border-color, text-decoration-color, fill, stroke, opacity, box-shadow, transform, filter, -webkit-backdrop-filter;
+ transition-property: color, background-color, border-color, text-decoration-color, fill, stroke, opacity, box-shadow, transform, filter, backdrop-filter;
+ transition-property: color, background-color, border-color, text-decoration-color, fill, stroke, opacity, box-shadow, transform, filter, backdrop-filter, -webkit-backdrop-filter;
+ transition-timing-function: cubic-bezier(0.4, 0, 0.2, 1);
+ transition-duration: 150ms;
+}
+
+.transition-all {
+ transition-property: all;
+ transition-timing-function: cubic-bezier(0.4, 0, 0.2, 1);
+ transition-duration: 150ms;
+}
+
+.transition-opacity {
+ transition-property: opacity;
+ transition-timing-function: cubic-bezier(0.4, 0, 0.2, 1);
+ transition-duration: 150ms;
+}
+
+.duration-200 {
+ transition-duration: 200ms;
+}
+
+.duration-300 {
+ transition-duration: 300ms;
+}
+
+.ease-in {
+ transition-timing-function: cubic-bezier(0.4, 0, 1, 1);
+}
+
+.ease-in-out {
+ transition-timing-function: cubic-bezier(0.4, 0, 0.2, 1);
+}
+
+.ease-linear {
+ transition-timing-function: linear;
+}
+
+.ease-out {
+ transition-timing-function: cubic-bezier(0, 0, 0.2, 1);
+}
+
+.\[scrollbar-gutter\:stable\] {
+ scrollbar-gutter: stable;
+}
+
+/* This file is for your main application CSS */
+
+.hover\:cursor-pointer:hover {
+ cursor: pointer;
+}
+
+.hover\:bg-gray-800:hover {
+ --tw-bg-opacity: 1;
+ background-color: rgb(31 41 55 / var(--tw-bg-opacity));
+}
+
+.hover\:bg-zinc-50:hover {
+ --tw-bg-opacity: 1;
+ background-color: rgb(250 250 250 / var(--tw-bg-opacity));
+}
+
+.hover\:bg-zinc-700:hover {
+ --tw-bg-opacity: 1;
+ background-color: rgb(63 63 70 / var(--tw-bg-opacity));
+}
+
+.hover\:text-white:hover {
+ --tw-text-opacity: 1;
+ color: rgb(255 255 255 / var(--tw-text-opacity));
+}
+
+.hover\:text-zinc-700:hover {
+ --tw-text-opacity: 1;
+ color: rgb(63 63 70 / var(--tw-text-opacity));
+}
+
+.hover\:opacity-40:hover {
+ opacity: 0.4;
+}
+
+.focus\:border-rose-400:focus {
+ --tw-border-opacity: 1;
+ border-color: rgb(251 113 133 / var(--tw-border-opacity));
+}
+
+.focus\:border-zinc-400:focus {
+ --tw-border-opacity: 1;
+ border-color: rgb(161 161 170 / var(--tw-border-opacity));
+}
+
+.focus\:ring-0:focus {
+ --tw-ring-offset-shadow: var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);
+ --tw-ring-shadow: var(--tw-ring-inset) 0 0 0 calc(0px + var(--tw-ring-offset-width)) var(--tw-ring-color);
+ box-shadow: var(--tw-ring-offset-shadow), var(--tw-ring-shadow), var(--tw-shadow, 0 0 #0000);
+}
+
+.active\:text-white\/80:active {
+ color: rgb(255 255 255 / 0.8);
+}
+
+.group:hover .group-hover\:bg-zinc-50 {
+ --tw-bg-opacity: 1;
+ background-color: rgb(250 250 250 / var(--tw-bg-opacity));
+}
+
+.group:hover .group-hover\:text-white {
+ --tw-text-opacity: 1;
+ color: rgb(255 255 255 / var(--tw-text-opacity));
+}
+
+.group:hover .group-hover\:opacity-70 {
+ opacity: 0.7;
+}
+
+.phx-no-feedback.phx-no-feedback\:hidden {
+ display: none;
+}
+
+.phx-no-feedback.phx-no-feedback\:border-zinc-300 {
+ --tw-border-opacity: 1;
+ border-color: rgb(212 212 216 / var(--tw-border-opacity));
+}
+
+.phx-no-feedback.phx-no-feedback\:focus\:border-zinc-400:focus {
+ --tw-border-opacity: 1;
+ border-color: rgb(161 161 170 / var(--tw-border-opacity));
+}
+
+.phx-no-feedback .phx-no-feedback\:hidden {
+ display: none;
+}
+
+.phx-no-feedback .phx-no-feedback\:border-zinc-300 {
+ --tw-border-opacity: 1;
+ border-color: rgb(212 212 216 / var(--tw-border-opacity));
+}
+
+.phx-no-feedback .phx-no-feedback\:focus\:border-zinc-400:focus {
+ --tw-border-opacity: 1;
+ border-color: rgb(161 161 170 / var(--tw-border-opacity));
+}
+
+.phx-submit-loading.phx-submit-loading\:opacity-75 {
+ opacity: 0.75;
+}
+
+.phx-submit-loading .phx-submit-loading\:opacity-75 {
+ opacity: 0.75;
+}
+
+@media (min-width: 640px) {
+ .sm\:w-96 {
+ width: 24rem;
+ }
+
+ .sm\:w-full {
+ width: 100%;
+ }
+
+ .sm\:translate-y-0 {
+ --tw-translate-y: 0px;
+ transform: translate(var(--tw-translate-x), var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y));
+ }
+
+ .sm\:scale-100 {
+ --tw-scale-x: 1;
+ --tw-scale-y: 1;
+ transform: translate(var(--tw-translate-x), var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y));
+ }
+
+ .sm\:scale-95 {
+ --tw-scale-x: .95;
+ --tw-scale-y: .95;
+ transform: translate(var(--tw-translate-x), var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y));
+ }
+
+ .sm\:gap-8 {
+ gap: 2rem;
+ }
+
+ .sm\:overflow-visible {
+ overflow: visible;
+ }
+
+ .sm\:rounded-l-xl {
+ border-top-left-radius: 0.75rem;
+ border-bottom-left-radius: 0.75rem;
+ }
+
+ .sm\:rounded-r-xl {
+ border-top-right-radius: 0.75rem;
+ border-bottom-right-radius: 0.75rem;
+ }
+
+ .sm\:p-6 {
+ padding: 1.5rem;
+ }
+
+ .sm\:px-0 {
+ padding-left: 0px;
+ padding-right: 0px;
+ }
+
+ .sm\:px-6 {
+ padding-left: 1.5rem;
+ padding-right: 1.5rem;
+ }
+
+ .sm\:py-6 {
+ padding-top: 1.5rem;
+ padding-bottom: 1.5rem;
+ }
+
+ .sm\:text-sm {
+ font-size: 0.875rem;
+ line-height: 1.25rem;
+ }
+
+ .sm\:leading-6 {
+ line-height: 1.5rem;
+ }
+}
+
+@media (min-width: 1024px) {
+ .lg\:px-8 {
+ padding-left: 2rem;
+ padding-right: 2rem;
+ }
+
+ .lg\:py-8 {
+ padding-top: 2rem;
+ padding-bottom: 2rem;
+ }
+
+ .lg\:pr-96 {
+ padding-right: 24rem;
+ }
+}
+
+@media (min-width: 1280px) {
+ .xl\:fixed {
+ position: fixed;
+ }
+
+ .xl\:inset-y-0 {
+ top: 0px;
+ bottom: 0px;
+ }
+
+ .xl\:z-50 {
+ z-index: 50;
+ }
+
+ .xl\:flex {
+ display: flex;
+ }
+
+ .xl\:hidden {
+ display: none;
+ }
+
+ .xl\:w-72 {
+ width: 18rem;
+ }
+
+ .xl\:flex-col {
+ flex-direction: column;
+ }
+
+ .xl\:pl-72 {
+ padding-left: 18rem;
+ }
+}
diff --git a/priv/static/assets/app.js b/priv/static/assets/app.js
new file mode 100644
index 000000000..ce329a915
--- /dev/null
+++ b/priv/static/assets/app.js
@@ -0,0 +1,6495 @@
+(() => {
+ var __create = Object.create;
+ var __defProp = Object.defineProperty;
+ var __getOwnPropDesc = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames = Object.getOwnPropertyNames;
+ var __getOwnPropSymbols = Object.getOwnPropertySymbols;
+ var __getProtoOf = Object.getPrototypeOf;
+ var __hasOwnProp = Object.prototype.hasOwnProperty;
+ var __propIsEnum = Object.prototype.propertyIsEnumerable;
+ var __defNormalProp = (obj, key, value) => key in obj ? __defProp(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;
+ var __spreadValues = (a, b) => {
+ for (var prop in b || (b = {}))
+ if (__hasOwnProp.call(b, prop))
+ __defNormalProp(a, prop, b[prop]);
+ if (__getOwnPropSymbols)
+ for (var prop of __getOwnPropSymbols(b)) {
+ if (__propIsEnum.call(b, prop))
+ __defNormalProp(a, prop, b[prop]);
+ }
+ return a;
+ };
+ var __objRest = (source, exclude) => {
+ var target = {};
+ for (var prop in source)
+ if (__hasOwnProp.call(source, prop) && exclude.indexOf(prop) < 0)
+ target[prop] = source[prop];
+ if (source != null && __getOwnPropSymbols)
+ for (var prop of __getOwnPropSymbols(source)) {
+ if (exclude.indexOf(prop) < 0 && __propIsEnum.call(source, prop))
+ target[prop] = source[prop];
+ }
+ return target;
+ };
+ var __commonJS = (cb, mod) => function __require() {
+ return mod || (0, cb[__getOwnPropNames(cb)[0]])((mod = { exports: {} }).exports, mod), mod.exports;
+ };
+ var __copyProps = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames(from))
+ if (!__hasOwnProp.call(to, key) && key !== except)
+ __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps(
+ // If the importer is in node compatibility mode or this is not an ESM
+ // file that has been converted to a CommonJS file using a Babel-
+ // compatible transform (i.e. "__esModule" has not been set), then set
+ // "default" to the CommonJS "module.exports" for node compatibility.
+ isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target,
+ mod
+ ));
+
+ // vendor/topbar.js
+ var require_topbar = __commonJS({
+ "vendor/topbar.js"(exports, module) {
+ (function(window2, document2) {
+ "use strict";
+ (function() {
+ var lastTime = 0;
+ var vendors = ["ms", "moz", "webkit", "o"];
+ for (var x = 0; x < vendors.length && !window2.requestAnimationFrame; ++x) {
+ window2.requestAnimationFrame = window2[vendors[x] + "RequestAnimationFrame"];
+ window2.cancelAnimationFrame = window2[vendors[x] + "CancelAnimationFrame"] || window2[vendors[x] + "CancelRequestAnimationFrame"];
+ }
+ if (!window2.requestAnimationFrame)
+ window2.requestAnimationFrame = function(callback, element) {
+ var currTime = (/* @__PURE__ */ new Date()).getTime();
+ var timeToCall = Math.max(0, 16 - (currTime - lastTime));
+ var id = window2.setTimeout(function() {
+ callback(currTime + timeToCall);
+ }, timeToCall);
+ lastTime = currTime + timeToCall;
+ return id;
+ };
+ if (!window2.cancelAnimationFrame)
+ window2.cancelAnimationFrame = function(id) {
+ clearTimeout(id);
+ };
+ })();
+ var canvas, currentProgress, showing, progressTimerId = null, fadeTimerId = null, delayTimerId = null, addEvent = function(elem, type, handler) {
+ if (elem.addEventListener)
+ elem.addEventListener(type, handler, false);
+ else if (elem.attachEvent)
+ elem.attachEvent("on" + type, handler);
+ else
+ elem["on" + type] = handler;
+ }, options = {
+ autoRun: true,
+ barThickness: 3,
+ barColors: {
+ 0: "rgba(26, 188, 156, .9)",
+ ".25": "rgba(52, 152, 219, .9)",
+ ".50": "rgba(241, 196, 15, .9)",
+ ".75": "rgba(230, 126, 34, .9)",
+ "1.0": "rgba(211, 84, 0, .9)"
+ },
+ shadowBlur: 10,
+ shadowColor: "rgba(0, 0, 0, .6)",
+ className: null
+ }, repaint = function() {
+ canvas.width = window2.innerWidth;
+ canvas.height = options.barThickness * 5;
+ var ctx = canvas.getContext("2d");
+ ctx.shadowBlur = options.shadowBlur;
+ ctx.shadowColor = options.shadowColor;
+ var lineGradient = ctx.createLinearGradient(0, 0, canvas.width, 0);
+ for (var stop in options.barColors)
+ lineGradient.addColorStop(stop, options.barColors[stop]);
+ ctx.lineWidth = options.barThickness;
+ ctx.beginPath();
+ ctx.moveTo(0, options.barThickness / 2);
+ ctx.lineTo(
+ Math.ceil(currentProgress * canvas.width),
+ options.barThickness / 2
+ );
+ ctx.strokeStyle = lineGradient;
+ ctx.stroke();
+ }, createCanvas = function() {
+ canvas = document2.createElement("canvas");
+ var style = canvas.style;
+ style.position = "fixed";
+ style.top = style.left = style.right = style.margin = style.padding = 0;
+ style.zIndex = 100001;
+ style.display = "none";
+ if (options.className)
+ canvas.classList.add(options.className);
+ document2.body.appendChild(canvas);
+ addEvent(window2, "resize", repaint);
+ }, topbar2 = {
+ config: function(opts) {
+ for (var key in opts)
+ if (options.hasOwnProperty(key))
+ options[key] = opts[key];
+ },
+ show: function(delay) {
+ if (showing)
+ return;
+ if (delay) {
+ if (delayTimerId)
+ return;
+ delayTimerId = setTimeout(() => topbar2.show(), delay);
+ } else {
+ showing = true;
+ if (fadeTimerId !== null)
+ window2.cancelAnimationFrame(fadeTimerId);
+ if (!canvas)
+ createCanvas();
+ canvas.style.opacity = 1;
+ canvas.style.display = "block";
+ topbar2.progress(0);
+ if (options.autoRun) {
+ (function loop() {
+ progressTimerId = window2.requestAnimationFrame(loop);
+ topbar2.progress(
+ "+" + 0.05 * Math.pow(1 - Math.sqrt(currentProgress), 2)
+ );
+ })();
+ }
+ }
+ },
+ progress: function(to) {
+ if (typeof to === "undefined")
+ return currentProgress;
+ if (typeof to === "string") {
+ to = (to.indexOf("+") >= 0 || to.indexOf("-") >= 0 ? currentProgress : 0) + parseFloat(to);
+ }
+ currentProgress = to > 1 ? 1 : to;
+ repaint();
+ return currentProgress;
+ },
+ hide: function() {
+ clearTimeout(delayTimerId);
+ delayTimerId = null;
+ if (!showing)
+ return;
+ showing = false;
+ if (progressTimerId != null) {
+ window2.cancelAnimationFrame(progressTimerId);
+ progressTimerId = null;
+ }
+ (function loop() {
+ if (topbar2.progress("+.1") >= 1) {
+ canvas.style.opacity -= 0.05;
+ if (canvas.style.opacity <= 0.05) {
+ canvas.style.display = "none";
+ fadeTimerId = null;
+ return;
+ }
+ }
+ fadeTimerId = window2.requestAnimationFrame(loop);
+ })();
+ }
+ };
+ if (typeof module === "object" && typeof module.exports === "object") {
+ module.exports = topbar2;
+ } else if (typeof define === "function" && define.amd) {
+ define(function() {
+ return topbar2;
+ });
+ } else {
+ this.topbar = topbar2;
+ }
+ }).call(exports, window, document);
+ }
+ });
+
+ // ../deps/phoenix_html/priv/static/phoenix_html.js
+ (function() {
+ var PolyfillEvent = eventConstructor();
+ function eventConstructor() {
+ if (typeof window.CustomEvent === "function")
+ return window.CustomEvent;
+ function CustomEvent2(event, params) {
+ params = params || { bubbles: false, cancelable: false, detail: void 0 };
+ var evt = document.createEvent("CustomEvent");
+ evt.initCustomEvent(event, params.bubbles, params.cancelable, params.detail);
+ return evt;
+ }
+ CustomEvent2.prototype = window.Event.prototype;
+ return CustomEvent2;
+ }
+ function buildHiddenInput(name, value) {
+ var input = document.createElement("input");
+ input.type = "hidden";
+ input.name = name;
+ input.value = value;
+ return input;
+ }
+ function handleClick(element, targetModifierKey) {
+ var to = element.getAttribute("data-to"), method = buildHiddenInput("_method", element.getAttribute("data-method")), csrf = buildHiddenInput("_csrf_token", element.getAttribute("data-csrf")), form = document.createElement("form"), submit = document.createElement("input"), target = element.getAttribute("target");
+ form.method = element.getAttribute("data-method") === "get" ? "get" : "post";
+ form.action = to;
+ form.style.display = "none";
+ if (target)
+ form.target = target;
+ else if (targetModifierKey)
+ form.target = "_blank";
+ form.appendChild(csrf);
+ form.appendChild(method);
+ document.body.appendChild(form);
+ submit.type = "submit";
+ form.appendChild(submit);
+ submit.click();
+ }
+ window.addEventListener("click", function(e) {
+ var element = e.target;
+ if (e.defaultPrevented)
+ return;
+ while (element && element.getAttribute) {
+ var phoenixLinkEvent = new PolyfillEvent("phoenix.link.click", {
+ "bubbles": true,
+ "cancelable": true
+ });
+ if (!element.dispatchEvent(phoenixLinkEvent)) {
+ e.preventDefault();
+ e.stopImmediatePropagation();
+ return false;
+ }
+ if (element.getAttribute("data-method")) {
+ handleClick(element, e.metaKey || e.shiftKey);
+ e.preventDefault();
+ return false;
+ } else {
+ element = element.parentNode;
+ }
+ }
+ }, false);
+ window.addEventListener("phoenix.link.click", function(e) {
+ var message = e.target.getAttribute("data-confirm");
+ if (message && !window.confirm(message)) {
+ e.preventDefault();
+ }
+ }, false);
+ })();
+
+ // ../deps/phoenix/priv/static/phoenix.mjs
+ var closure = (value) => {
+ if (typeof value === "function") {
+ return value;
+ } else {
+ let closure22 = function() {
+ return value;
+ };
+ return closure22;
+ }
+ };
+ var globalSelf = typeof self !== "undefined" ? self : null;
+ var phxWindow = typeof window !== "undefined" ? window : null;
+ var global = globalSelf || phxWindow || global;
+ var DEFAULT_VSN = "2.0.0";
+ var SOCKET_STATES = { connecting: 0, open: 1, closing: 2, closed: 3 };
+ var DEFAULT_TIMEOUT = 1e4;
+ var WS_CLOSE_NORMAL = 1e3;
+ var CHANNEL_STATES = {
+ closed: "closed",
+ errored: "errored",
+ joined: "joined",
+ joining: "joining",
+ leaving: "leaving"
+ };
+ var CHANNEL_EVENTS = {
+ close: "phx_close",
+ error: "phx_error",
+ join: "phx_join",
+ reply: "phx_reply",
+ leave: "phx_leave"
+ };
+ var TRANSPORTS = {
+ longpoll: "longpoll",
+ websocket: "websocket"
+ };
+ var XHR_STATES = {
+ complete: 4
+ };
+ var Push = class {
+ constructor(channel, event, payload, timeout) {
+ this.channel = channel;
+ this.event = event;
+ this.payload = payload || function() {
+ return {};
+ };
+ this.receivedResp = null;
+ this.timeout = timeout;
+ this.timeoutTimer = null;
+ this.recHooks = [];
+ this.sent = false;
+ }
+ /**
+ *
+ * @param {number} timeout
+ */
+ resend(timeout) {
+ this.timeout = timeout;
+ this.reset();
+ this.send();
+ }
+ /**
+ *
+ */
+ send() {
+ if (this.hasReceived("timeout")) {
+ return;
+ }
+ this.startTimeout();
+ this.sent = true;
+ this.channel.socket.push({
+ topic: this.channel.topic,
+ event: this.event,
+ payload: this.payload(),
+ ref: this.ref,
+ join_ref: this.channel.joinRef()
+ });
+ }
+ /**
+ *
+ * @param {*} status
+ * @param {*} callback
+ */
+ receive(status, callback) {
+ if (this.hasReceived(status)) {
+ callback(this.receivedResp.response);
+ }
+ this.recHooks.push({ status, callback });
+ return this;
+ }
+ /**
+ * @private
+ */
+ reset() {
+ this.cancelRefEvent();
+ this.ref = null;
+ this.refEvent = null;
+ this.receivedResp = null;
+ this.sent = false;
+ }
+ /**
+ * @private
+ */
+ matchReceive({ status, response, _ref }) {
+ this.recHooks.filter((h) => h.status === status).forEach((h) => h.callback(response));
+ }
+ /**
+ * @private
+ */
+ cancelRefEvent() {
+ if (!this.refEvent) {
+ return;
+ }
+ this.channel.off(this.refEvent);
+ }
+ /**
+ * @private
+ */
+ cancelTimeout() {
+ clearTimeout(this.timeoutTimer);
+ this.timeoutTimer = null;
+ }
+ /**
+ * @private
+ */
+ startTimeout() {
+ if (this.timeoutTimer) {
+ this.cancelTimeout();
+ }
+ this.ref = this.channel.socket.makeRef();
+ this.refEvent = this.channel.replyEventName(this.ref);
+ this.channel.on(this.refEvent, (payload) => {
+ this.cancelRefEvent();
+ this.cancelTimeout();
+ this.receivedResp = payload;
+ this.matchReceive(payload);
+ });
+ this.timeoutTimer = setTimeout(() => {
+ this.trigger("timeout", {});
+ }, this.timeout);
+ }
+ /**
+ * @private
+ */
+ hasReceived(status) {
+ return this.receivedResp && this.receivedResp.status === status;
+ }
+ /**
+ * @private
+ */
+ trigger(status, response) {
+ this.channel.trigger(this.refEvent, { status, response });
+ }
+ };
+ var Timer = class {
+ constructor(callback, timerCalc) {
+ this.callback = callback;
+ this.timerCalc = timerCalc;
+ this.timer = null;
+ this.tries = 0;
+ }
+ reset() {
+ this.tries = 0;
+ clearTimeout(this.timer);
+ }
+ /**
+ * Cancels any previous scheduleTimeout and schedules callback
+ */
+ scheduleTimeout() {
+ clearTimeout(this.timer);
+ this.timer = setTimeout(() => {
+ this.tries = this.tries + 1;
+ this.callback();
+ }, this.timerCalc(this.tries + 1));
+ }
+ };
+ var Channel = class {
+ constructor(topic, params, socket) {
+ this.state = CHANNEL_STATES.closed;
+ this.topic = topic;
+ this.params = closure(params || {});
+ this.socket = socket;
+ this.bindings = [];
+ this.bindingRef = 0;
+ this.timeout = this.socket.timeout;
+ this.joinedOnce = false;
+ this.joinPush = new Push(this, CHANNEL_EVENTS.join, this.params, this.timeout);
+ this.pushBuffer = [];
+ this.stateChangeRefs = [];
+ this.rejoinTimer = new Timer(() => {
+ if (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();
+ if (this.isErrored()) {
+ this.rejoin();
+ }
+ })
+ );
+ this.joinPush.receive("ok", () => {
+ this.state = CHANNEL_STATES.joined;
+ this.rejoinTimer.reset();
+ this.pushBuffer.forEach((pushEvent) => pushEvent.send());
+ this.pushBuffer = [];
+ });
+ this.joinPush.receive("error", () => {
+ this.state = CHANNEL_STATES.errored;
+ if (this.socket.isConnected()) {
+ this.rejoinTimer.scheduleTimeout();
+ }
+ });
+ this.onClose(() => {
+ this.rejoinTimer.reset();
+ if (this.socket.hasLogger())
+ this.socket.log("channel", `close ${this.topic} ${this.joinRef()}`);
+ this.state = CHANNEL_STATES.closed;
+ this.socket.remove(this);
+ });
+ this.onError((reason) => {
+ if (this.socket.hasLogger())
+ this.socket.log("channel", `error ${this.topic}`, reason);
+ if (this.isJoining()) {
+ this.joinPush.reset();
+ }
+ this.state = CHANNEL_STATES.errored;
+ if (this.socket.isConnected()) {
+ this.rejoinTimer.scheduleTimeout();
+ }
+ });
+ this.joinPush.receive("timeout", () => {
+ if (this.socket.hasLogger())
+ this.socket.log("channel", `timeout ${this.topic} (${this.joinRef()})`, this.joinPush.timeout);
+ let leavePush = new Push(this, CHANNEL_EVENTS.leave, closure({}), this.timeout);
+ leavePush.send();
+ this.state = CHANNEL_STATES.errored;
+ this.joinPush.reset();
+ if (this.socket.isConnected()) {
+ this.rejoinTimer.scheduleTimeout();
+ }
+ });
+ this.on(CHANNEL_EVENTS.reply, (payload, ref) => {
+ this.trigger(this.replyEventName(ref), payload);
+ });
+ }
+ /**
+ * Join the channel
+ * @param {integer} timeout
+ * @returns {Push}
+ */
+ join(timeout = this.timeout) {
+ if (this.joinedOnce) {
+ throw new Error("tried to join multiple times. 'join' can only be called a single time per channel instance");
+ } else {
+ this.timeout = timeout;
+ this.joinedOnce = true;
+ this.rejoin();
+ return this.joinPush;
+ }
+ }
+ /**
+ * Hook into channel close
+ * @param {Function} callback
+ */
+ onClose(callback) {
+ this.on(CHANNEL_EVENTS.close, callback);
+ }
+ /**
+ * Hook into channel errors
+ * @param {Function} callback
+ */
+ onError(callback) {
+ return this.on(CHANNEL_EVENTS.error, (reason) => callback(reason));
+ }
+ /**
+ * Subscribes on channel events
+ *
+ * Subscription returns a ref counter, which can be used later to
+ * unsubscribe the exact event listener
+ *
+ * @example
+ * const ref1 = channel.on("event", do_stuff)
+ * const ref2 = channel.on("event", do_other_stuff)
+ * channel.off("event", ref1)
+ * // Since unsubscription, do_stuff won't fire,
+ * // while do_other_stuff will keep firing on the "event"
+ *
+ * @param {string} event
+ * @param {Function} callback
+ * @returns {integer} ref
+ */
+ on(event, callback) {
+ let ref = this.bindingRef++;
+ this.bindings.push({ event, ref, callback });
+ return ref;
+ }
+ /**
+ * Unsubscribes off of channel events
+ *
+ * Use the ref returned from a channel.on() to unsubscribe one
+ * handler, or pass nothing for the ref to unsubscribe all
+ * handlers for the given event.
+ *
+ * @example
+ * // Unsubscribe the do_stuff handler
+ * const ref1 = channel.on("event", do_stuff)
+ * channel.off("event", ref1)
+ *
+ * // Unsubscribe all handlers from event
+ * channel.off("event")
+ *
+ * @param {string} event
+ * @param {integer} ref
+ */
+ off(event, ref) {
+ this.bindings = this.bindings.filter((bind) => {
+ return !(bind.event === event && (typeof ref === "undefined" || ref === bind.ref));
+ });
+ }
+ /**
+ * @private
+ */
+ canPush() {
+ return this.socket.isConnected() && this.isJoined();
+ }
+ /**
+ * Sends a message `event` to phoenix with the payload `payload`.
+ * Phoenix receives this in the `handle_in(event, payload, socket)`
+ * function. if phoenix replies or it times out (default 10000ms),
+ * then optionally the reply can be received.
+ *
+ * @example
+ * channel.push("event")
+ * .receive("ok", payload => console.log("phoenix replied:", payload))
+ * .receive("error", err => console.log("phoenix errored", err))
+ * .receive("timeout", () => console.log("timed out pushing"))
+ * @param {string} event
+ * @param {Object} payload
+ * @param {number} [timeout]
+ * @returns {Push}
+ */
+ push(event, payload, timeout = this.timeout) {
+ payload = payload || {};
+ if (!this.joinedOnce) {
+ throw new Error(`tried to push '${event}' to '${this.topic}' before joining. Use channel.join() before pushing events`);
+ }
+ let pushEvent = new Push(this, event, function() {
+ return payload;
+ }, timeout);
+ if (this.canPush()) {
+ pushEvent.send();
+ } else {
+ pushEvent.startTimeout();
+ this.pushBuffer.push(pushEvent);
+ }
+ return pushEvent;
+ }
+ /** Leaves the channel
+ *
+ * Unsubscribes from server events, and
+ * instructs channel to terminate on server
+ *
+ * Triggers onClose() hooks
+ *
+ * To receive leave acknowledgements, use the `receive`
+ * hook to bind to the server ack, ie:
+ *
+ * @example
+ * channel.leave().receive("ok", () => alert("left!") )
+ *
+ * @param {integer} timeout
+ * @returns {Push}
+ */
+ leave(timeout = this.timeout) {
+ this.rejoinTimer.reset();
+ this.joinPush.cancelTimeout();
+ this.state = CHANNEL_STATES.leaving;
+ let onClose = () => {
+ if (this.socket.hasLogger())
+ this.socket.log("channel", `leave ${this.topic}`);
+ this.trigger(CHANNEL_EVENTS.close, "leave");
+ };
+ let leavePush = new Push(this, CHANNEL_EVENTS.leave, closure({}), timeout);
+ leavePush.receive("ok", () => onClose()).receive("timeout", () => onClose());
+ leavePush.send();
+ if (!this.canPush()) {
+ leavePush.trigger("ok", {});
+ }
+ return leavePush;
+ }
+ /**
+ * Overridable message hook
+ *
+ * Receives all events for specialized message handling
+ * before dispatching to the channel callbacks.
+ *
+ * Must return the payload, modified or unmodified
+ * @param {string} event
+ * @param {Object} payload
+ * @param {integer} ref
+ * @returns {Object}
+ */
+ onMessage(_event, payload, _ref) {
+ return payload;
+ }
+ /**
+ * @private
+ */
+ isMember(topic, event, payload, joinRef) {
+ if (this.topic !== topic) {
+ return false;
+ }
+ if (joinRef && joinRef !== this.joinRef()) {
+ if (this.socket.hasLogger())
+ this.socket.log("channel", "dropping outdated message", { topic, event, payload, joinRef });
+ return false;
+ } else {
+ return true;
+ }
+ }
+ /**
+ * @private
+ */
+ joinRef() {
+ return this.joinPush.ref;
+ }
+ /**
+ * @private
+ */
+ rejoin(timeout = this.timeout) {
+ if (this.isLeaving()) {
+ return;
+ }
+ this.socket.leaveOpenTopic(this.topic);
+ this.state = CHANNEL_STATES.joining;
+ this.joinPush.resend(timeout);
+ }
+ /**
+ * @private
+ */
+ trigger(event, payload, ref, joinRef) {
+ let handledPayload = this.onMessage(event, payload, ref, joinRef);
+ if (payload && !handledPayload) {
+ throw new Error("channel onMessage callbacks must return the payload, modified or unmodified");
+ }
+ let eventBindings = this.bindings.filter((bind) => bind.event === event);
+ for (let i = 0; i < eventBindings.length; i++) {
+ let bind = eventBindings[i];
+ bind.callback(handledPayload, ref, joinRef || this.joinRef());
+ }
+ }
+ /**
+ * @private
+ */
+ replyEventName(ref) {
+ return `chan_reply_${ref}`;
+ }
+ /**
+ * @private
+ */
+ isClosed() {
+ return this.state === CHANNEL_STATES.closed;
+ }
+ /**
+ * @private
+ */
+ isErrored() {
+ return this.state === CHANNEL_STATES.errored;
+ }
+ /**
+ * @private
+ */
+ isJoined() {
+ return this.state === CHANNEL_STATES.joined;
+ }
+ /**
+ * @private
+ */
+ isJoining() {
+ return this.state === CHANNEL_STATES.joining;
+ }
+ /**
+ * @private
+ */
+ isLeaving() {
+ return this.state === CHANNEL_STATES.leaving;
+ }
+ };
+ var Ajax = class {
+ static request(method, endPoint, accept, body, timeout, ontimeout, callback) {
+ if (global.XDomainRequest) {
+ let req = new global.XDomainRequest();
+ return this.xdomainRequest(req, method, endPoint, body, timeout, ontimeout, callback);
+ } else {
+ let req = new global.XMLHttpRequest();
+ return this.xhrRequest(req, method, endPoint, accept, body, timeout, ontimeout, callback);
+ }
+ }
+ static xdomainRequest(req, method, endPoint, body, timeout, ontimeout, callback) {
+ req.timeout = timeout;
+ req.open(method, endPoint);
+ req.onload = () => {
+ let response = this.parseJSON(req.responseText);
+ callback && callback(response);
+ };
+ if (ontimeout) {
+ req.ontimeout = ontimeout;
+ }
+ req.onprogress = () => {
+ };
+ req.send(body);
+ return req;
+ }
+ static xhrRequest(req, method, endPoint, accept, body, timeout, ontimeout, callback) {
+ req.open(method, endPoint, true);
+ req.timeout = timeout;
+ req.setRequestHeader("Content-Type", accept);
+ req.onerror = () => callback && callback(null);
+ req.onreadystatechange = () => {
+ if (req.readyState === XHR_STATES.complete && callback) {
+ let response = this.parseJSON(req.responseText);
+ callback(response);
+ }
+ };
+ if (ontimeout) {
+ req.ontimeout = ontimeout;
+ }
+ req.send(body);
+ return req;
+ }
+ static parseJSON(resp) {
+ if (!resp || resp === "") {
+ return null;
+ }
+ try {
+ return JSON.parse(resp);
+ } catch (e) {
+ console && console.log("failed to parse JSON response", resp);
+ return null;
+ }
+ }
+ static serialize(obj, parentKey) {
+ let queryStr = [];
+ for (var key in obj) {
+ if (!Object.prototype.hasOwnProperty.call(obj, key)) {
+ continue;
+ }
+ let paramKey = parentKey ? `${parentKey}[${key}]` : key;
+ let paramVal = obj[key];
+ if (typeof paramVal === "object") {
+ queryStr.push(this.serialize(paramVal, paramKey));
+ } else {
+ queryStr.push(encodeURIComponent(paramKey) + "=" + encodeURIComponent(paramVal));
+ }
+ }
+ return queryStr.join("&");
+ }
+ static appendParams(url, params) {
+ if (Object.keys(params).length === 0) {
+ return url;
+ }
+ let prefix = url.match(/\?/) ? "&" : "?";
+ return `${url}${prefix}${this.serialize(params)}`;
+ }
+ };
+ var arrayBufferToBase64 = (buffer) => {
+ let binary = "";
+ let bytes = new Uint8Array(buffer);
+ let len = bytes.byteLength;
+ for (let i = 0; i < len; i++) {
+ binary += String.fromCharCode(bytes[i]);
+ }
+ return btoa(binary);
+ };
+ var LongPoll = class {
+ constructor(endPoint) {
+ this.endPoint = null;
+ this.token = null;
+ this.skipHeartbeat = true;
+ this.reqs = /* @__PURE__ */ new Set();
+ this.awaitingBatchAck = false;
+ this.currentBatch = null;
+ this.currentBatchTimer = null;
+ this.batchBuffer = [];
+ this.onopen = function() {
+ };
+ this.onerror = function() {
+ };
+ this.onmessage = function() {
+ };
+ this.onclose = function() {
+ };
+ this.pollEndpoint = this.normalizeEndpoint(endPoint);
+ this.readyState = SOCKET_STATES.connecting;
+ setTimeout(() => this.poll(), 0);
+ }
+ normalizeEndpoint(endPoint) {
+ return endPoint.replace("ws://", "http://").replace("wss://", "https://").replace(new RegExp("(.*)/" + TRANSPORTS.websocket), "$1/" + TRANSPORTS.longpoll);
+ }
+ endpointURL() {
+ return Ajax.appendParams(this.pollEndpoint, { token: this.token });
+ }
+ closeAndRetry(code, reason, wasClean) {
+ this.close(code, reason, wasClean);
+ this.readyState = SOCKET_STATES.connecting;
+ }
+ ontimeout() {
+ this.onerror("timeout");
+ this.closeAndRetry(1005, "timeout", false);
+ }
+ isActive() {
+ return this.readyState === SOCKET_STATES.open || this.readyState === SOCKET_STATES.connecting;
+ }
+ poll() {
+ this.ajax("GET", "application/json", null, () => this.ontimeout(), (resp) => {
+ if (resp) {
+ var { status, token, messages } = resp;
+ this.token = token;
+ } else {
+ status = 0;
+ }
+ switch (status) {
+ case 200:
+ messages.forEach((msg) => {
+ setTimeout(() => this.onmessage({ data: msg }), 0);
+ });
+ this.poll();
+ break;
+ case 204:
+ this.poll();
+ break;
+ case 410:
+ this.readyState = SOCKET_STATES.open;
+ this.onopen({});
+ this.poll();
+ break;
+ case 403:
+ this.onerror(403);
+ this.close(1008, "forbidden", false);
+ break;
+ case 0:
+ case 500:
+ this.onerror(500);
+ this.closeAndRetry(1011, "internal server error", 500);
+ break;
+ default:
+ throw new Error(`unhandled poll status ${status}`);
+ }
+ });
+ }
+ // we collect all pushes within the current event loop by
+ // setTimeout 0, which optimizes back-to-back procedural
+ // pushes against an empty buffer
+ send(body) {
+ if (typeof body !== "string") {
+ body = arrayBufferToBase64(body);
+ }
+ if (this.currentBatch) {
+ this.currentBatch.push(body);
+ } else if (this.awaitingBatchAck) {
+ this.batchBuffer.push(body);
+ } else {
+ this.currentBatch = [body];
+ this.currentBatchTimer = setTimeout(() => {
+ this.batchSend(this.currentBatch);
+ this.currentBatch = null;
+ }, 0);
+ }
+ }
+ batchSend(messages) {
+ this.awaitingBatchAck = true;
+ this.ajax("POST", "application/x-ndjson", messages.join("\n"), () => this.onerror("timeout"), (resp) => {
+ this.awaitingBatchAck = false;
+ if (!resp || resp.status !== 200) {
+ this.onerror(resp && resp.status);
+ this.closeAndRetry(1011, "internal server error", false);
+ } else if (this.batchBuffer.length > 0) {
+ this.batchSend(this.batchBuffer);
+ this.batchBuffer = [];
+ }
+ });
+ }
+ close(code, reason, wasClean) {
+ for (let req of this.reqs) {
+ req.abort();
+ }
+ this.readyState = SOCKET_STATES.closed;
+ let opts = Object.assign({ code: 1e3, reason: void 0, wasClean: true }, { code, reason, wasClean });
+ this.batchBuffer = [];
+ clearTimeout(this.currentBatchTimer);
+ this.currentBatchTimer = null;
+ if (typeof CloseEvent !== "undefined") {
+ this.onclose(new CloseEvent("close", opts));
+ } else {
+ this.onclose(opts);
+ }
+ }
+ ajax(method, contentType, body, onCallerTimeout, callback) {
+ let req;
+ let ontimeout = () => {
+ this.reqs.delete(req);
+ onCallerTimeout();
+ };
+ req = Ajax.request(method, this.endpointURL(), contentType, body, this.timeout, ontimeout, (resp) => {
+ this.reqs.delete(req);
+ if (this.isActive()) {
+ callback(resp);
+ }
+ });
+ this.reqs.add(req);
+ }
+ };
+ var serializer_default = {
+ HEADER_LENGTH: 1,
+ META_LENGTH: 4,
+ KINDS: { push: 0, reply: 1, broadcast: 2 },
+ encode(msg, callback) {
+ if (msg.payload.constructor === ArrayBuffer) {
+ return callback(this.binaryEncode(msg));
+ } else {
+ let payload = [msg.join_ref, msg.ref, msg.topic, msg.event, msg.payload];
+ return callback(JSON.stringify(payload));
+ }
+ },
+ decode(rawPayload, callback) {
+ if (rawPayload.constructor === ArrayBuffer) {
+ return callback(this.binaryDecode(rawPayload));
+ } else {
+ let [join_ref, ref, topic, event, payload] = JSON.parse(rawPayload);
+ return callback({ join_ref, ref, topic, event, payload });
+ }
+ },
+ // private
+ binaryEncode(message) {
+ let { join_ref, ref, event, topic, payload } = message;
+ let metaLength = this.META_LENGTH + join_ref.length + ref.length + topic.length + event.length;
+ let header = new ArrayBuffer(this.HEADER_LENGTH + metaLength);
+ let view = new DataView(header);
+ let offset = 0;
+ view.setUint8(offset++, this.KINDS.push);
+ view.setUint8(offset++, join_ref.length);
+ view.setUint8(offset++, ref.length);
+ view.setUint8(offset++, topic.length);
+ view.setUint8(offset++, event.length);
+ Array.from(join_ref, (char) => view.setUint8(offset++, char.charCodeAt(0)));
+ Array.from(ref, (char) => view.setUint8(offset++, char.charCodeAt(0)));
+ Array.from(topic, (char) => view.setUint8(offset++, char.charCodeAt(0)));
+ Array.from(event, (char) => view.setUint8(offset++, char.charCodeAt(0)));
+ var combined = new Uint8Array(header.byteLength + payload.byteLength);
+ combined.set(new Uint8Array(header), 0);
+ combined.set(new Uint8Array(payload), header.byteLength);
+ return combined.buffer;
+ },
+ binaryDecode(buffer) {
+ let view = new DataView(buffer);
+ let kind = view.getUint8(0);
+ let decoder = new TextDecoder();
+ switch (kind) {
+ case this.KINDS.push:
+ return this.decodePush(buffer, view, decoder);
+ case this.KINDS.reply:
+ return this.decodeReply(buffer, view, decoder);
+ case this.KINDS.broadcast:
+ return this.decodeBroadcast(buffer, view, decoder);
+ }
+ },
+ decodePush(buffer, view, decoder) {
+ let joinRefSize = view.getUint8(1);
+ let topicSize = view.getUint8(2);
+ let eventSize = view.getUint8(3);
+ let offset = this.HEADER_LENGTH + this.META_LENGTH - 1;
+ let joinRef = decoder.decode(buffer.slice(offset, offset + joinRefSize));
+ offset = offset + joinRefSize;
+ let topic = decoder.decode(buffer.slice(offset, offset + topicSize));
+ offset = offset + topicSize;
+ let event = decoder.decode(buffer.slice(offset, offset + eventSize));
+ offset = offset + eventSize;
+ let data = buffer.slice(offset, buffer.byteLength);
+ return { join_ref: joinRef, ref: null, topic, event, payload: data };
+ },
+ decodeReply(buffer, view, decoder) {
+ let joinRefSize = view.getUint8(1);
+ let refSize = view.getUint8(2);
+ let topicSize = view.getUint8(3);
+ let eventSize = view.getUint8(4);
+ let offset = this.HEADER_LENGTH + this.META_LENGTH;
+ let joinRef = decoder.decode(buffer.slice(offset, offset + joinRefSize));
+ offset = offset + joinRefSize;
+ let ref = decoder.decode(buffer.slice(offset, offset + refSize));
+ offset = offset + refSize;
+ let topic = decoder.decode(buffer.slice(offset, offset + topicSize));
+ offset = offset + topicSize;
+ let event = decoder.decode(buffer.slice(offset, offset + eventSize));
+ offset = offset + eventSize;
+ let data = buffer.slice(offset, buffer.byteLength);
+ let payload = { status: event, response: data };
+ return { join_ref: joinRef, ref, topic, event: CHANNEL_EVENTS.reply, payload };
+ },
+ decodeBroadcast(buffer, view, decoder) {
+ let topicSize = view.getUint8(1);
+ let eventSize = view.getUint8(2);
+ let offset = this.HEADER_LENGTH + 2;
+ let topic = decoder.decode(buffer.slice(offset, offset + topicSize));
+ offset = offset + topicSize;
+ let event = decoder.decode(buffer.slice(offset, offset + eventSize));
+ offset = offset + eventSize;
+ let data = buffer.slice(offset, buffer.byteLength);
+ return { join_ref: null, ref: null, topic, event, payload: data };
+ }
+ };
+ var Socket = class {
+ constructor(endPoint, opts = {}) {
+ this.stateChangeCallbacks = { open: [], close: [], error: [], message: [] };
+ this.channels = [];
+ this.sendBuffer = [];
+ this.ref = 0;
+ this.timeout = opts.timeout || DEFAULT_TIMEOUT;
+ this.transport = opts.transport || global.WebSocket || LongPoll;
+ this.primaryPassedHealthCheck = false;
+ this.longPollFallbackMs = opts.longPollFallbackMs;
+ this.fallbackTimer = null;
+ this.sessionStore = opts.sessionStorage || global.sessionStorage;
+ this.establishedConnections = 0;
+ this.defaultEncoder = serializer_default.encode.bind(serializer_default);
+ this.defaultDecoder = serializer_default.decode.bind(serializer_default);
+ this.closeWasClean = false;
+ this.binaryType = opts.binaryType || "arraybuffer";
+ this.connectClock = 1;
+ if (this.transport !== LongPoll) {
+ this.encode = opts.encode || this.defaultEncoder;
+ this.decode = opts.decode || this.defaultDecoder;
+ } else {
+ this.encode = this.defaultEncoder;
+ this.decode = this.defaultDecoder;
+ }
+ let awaitingConnectionOnPageShow = null;
+ if (phxWindow && phxWindow.addEventListener) {
+ phxWindow.addEventListener("pagehide", (_e) => {
+ if (this.conn) {
+ this.disconnect();
+ awaitingConnectionOnPageShow = this.connectClock;
+ }
+ });
+ phxWindow.addEventListener("pageshow", (_e) => {
+ if (awaitingConnectionOnPageShow === this.connectClock) {
+ awaitingConnectionOnPageShow = null;
+ this.connect();
+ }
+ });
+ }
+ this.heartbeatIntervalMs = opts.heartbeatIntervalMs || 3e4;
+ this.rejoinAfterMs = (tries) => {
+ if (opts.rejoinAfterMs) {
+ return opts.rejoinAfterMs(tries);
+ } else {
+ return [1e3, 2e3, 5e3][tries - 1] || 1e4;
+ }
+ };
+ this.reconnectAfterMs = (tries) => {
+ if (opts.reconnectAfterMs) {
+ return opts.reconnectAfterMs(tries);
+ } else {
+ return [10, 50, 100, 150, 200, 250, 500, 1e3, 2e3][tries - 1] || 5e3;
+ }
+ };
+ this.logger = opts.logger || null;
+ if (!this.logger && opts.debug) {
+ this.logger = (kind, msg, data) => {
+ console.log(`${kind}: ${msg}`, data);
+ };
+ }
+ this.longpollerTimeout = opts.longpollerTimeout || 2e4;
+ this.params = closure(opts.params || {});
+ this.endPoint = `${endPoint}/${TRANSPORTS.websocket}`;
+ this.vsn = opts.vsn || DEFAULT_VSN;
+ this.heartbeatTimeoutTimer = null;
+ this.heartbeatTimer = null;
+ this.pendingHeartbeatRef = null;
+ this.reconnectTimer = new Timer(() => {
+ this.teardown(() => this.connect());
+ }, this.reconnectAfterMs);
+ }
+ /**
+ * Returns the LongPoll transport reference
+ */
+ getLongPollTransport() {
+ return LongPoll;
+ }
+ /**
+ * Disconnects and replaces the active transport
+ *
+ * @param {Function} newTransport - The new transport class to instantiate
+ *
+ */
+ replaceTransport(newTransport) {
+ this.connectClock++;
+ this.closeWasClean = true;
+ clearTimeout(this.fallbackTimer);
+ this.reconnectTimer.reset();
+ if (this.conn) {
+ this.conn.close();
+ this.conn = null;
+ }
+ this.transport = newTransport;
+ }
+ /**
+ * Returns the socket protocol
+ *
+ * @returns {string}
+ */
+ protocol() {
+ return location.protocol.match(/^https/) ? "wss" : "ws";
+ }
+ /**
+ * The fully qualified socket url
+ *
+ * @returns {string}
+ */
+ endPointURL() {
+ let uri = Ajax.appendParams(
+ Ajax.appendParams(this.endPoint, this.params()),
+ { vsn: this.vsn }
+ );
+ if (uri.charAt(0) !== "/") {
+ return uri;
+ }
+ if (uri.charAt(1) === "/") {
+ return `${this.protocol()}:${uri}`;
+ }
+ return `${this.protocol()}://${location.host}${uri}`;
+ }
+ /**
+ * Disconnects the socket
+ *
+ * See https://developer.mozilla.org/en-US/docs/Web/API/CloseEvent#Status_codes for valid status codes.
+ *
+ * @param {Function} callback - Optional callback which is called after socket is disconnected.
+ * @param {integer} code - A status code for disconnection (Optional).
+ * @param {string} reason - A textual description of the reason to disconnect. (Optional)
+ */
+ disconnect(callback, code, reason) {
+ this.connectClock++;
+ this.closeWasClean = true;
+ clearTimeout(this.fallbackTimer);
+ this.reconnectTimer.reset();
+ this.teardown(callback, code, reason);
+ }
+ /**
+ *
+ * @param {Object} params - The params to send when connecting, for example `{user_id: userToken}`
+ *
+ * Passing params to connect is deprecated; pass them in the Socket constructor instead:
+ * `new Socket("/socket", {params: {user_id: userToken}})`.
+ */
+ connect(params) {
+ if (params) {
+ console && console.log("passing params to connect is deprecated. Instead pass :params to the Socket constructor");
+ this.params = closure(params);
+ }
+ if (this.conn) {
+ return;
+ }
+ if (this.longPollFallbackMs && this.transport !== LongPoll) {
+ this.connectWithFallback(LongPoll, this.longPollFallbackMs);
+ } else {
+ this.transportConnect();
+ }
+ }
+ /**
+ * Logs the message. Override `this.logger` for specialized logging. noops by default
+ * @param {string} kind
+ * @param {string} msg
+ * @param {Object} data
+ */
+ log(kind, msg, data) {
+ this.logger && this.logger(kind, msg, data);
+ }
+ /**
+ * Returns true if a logger has been set on this socket.
+ */
+ hasLogger() {
+ return this.logger !== null;
+ }
+ /**
+ * Registers callbacks for connection open events
+ *
+ * @example socket.onOpen(function(){ console.info("the socket was opened") })
+ *
+ * @param {Function} callback
+ */
+ onOpen(callback) {
+ let ref = this.makeRef();
+ this.stateChangeCallbacks.open.push([ref, callback]);
+ return ref;
+ }
+ /**
+ * Registers callbacks for connection close events
+ * @param {Function} callback
+ */
+ onClose(callback) {
+ let ref = this.makeRef();
+ this.stateChangeCallbacks.close.push([ref, callback]);
+ return ref;
+ }
+ /**
+ * Registers callbacks for connection error events
+ *
+ * @example socket.onError(function(error){ alert("An error occurred") })
+ *
+ * @param {Function} callback
+ */
+ onError(callback) {
+ let ref = this.makeRef();
+ this.stateChangeCallbacks.error.push([ref, callback]);
+ return ref;
+ }
+ /**
+ * Registers callbacks for connection message events
+ * @param {Function} callback
+ */
+ onMessage(callback) {
+ let ref = this.makeRef();
+ this.stateChangeCallbacks.message.push([ref, callback]);
+ return ref;
+ }
+ /**
+ * Pings the server and invokes the callback with the RTT in milliseconds
+ * @param {Function} callback
+ *
+ * Returns true if the ping was pushed or false if unable to be pushed.
+ */
+ ping(callback) {
+ if (!this.isConnected()) {
+ return false;
+ }
+ let ref = this.makeRef();
+ let startTime = Date.now();
+ this.push({ topic: "phoenix", event: "heartbeat", payload: {}, ref });
+ let onMsgRef = this.onMessage((msg) => {
+ if (msg.ref === ref) {
+ this.off([onMsgRef]);
+ callback(Date.now() - startTime);
+ }
+ });
+ return true;
+ }
+ /**
+ * @private
+ */
+ transportConnect() {
+ this.connectClock++;
+ this.closeWasClean = false;
+ 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 = (error) => this.onConnError(error);
+ this.conn.onmessage = (event) => this.onConnMessage(event);
+ this.conn.onclose = (event) => this.onConnClose(event);
+ }
+ getSession(key) {
+ return this.sessionStore && this.sessionStore.getItem(key);
+ }
+ storeSession(key, val) {
+ this.sessionStore && this.sessionStore.setItem(key, val);
+ }
+ connectWithFallback(fallbackTransport, fallbackThreshold = 2500) {
+ clearTimeout(this.fallbackTimer);
+ let established = false;
+ let primaryTransport = true;
+ let openRef, errorRef;
+ let fallback = (reason) => {
+ this.log("transport", `falling back to ${fallbackTransport.name}...`, reason);
+ this.off([openRef, errorRef]);
+ primaryTransport = false;
+ this.replaceTransport(fallbackTransport);
+ this.transportConnect();
+ };
+ if (this.getSession(`phx:fallback:${fallbackTransport.name}`)) {
+ return fallback("memorized");
+ }
+ this.fallbackTimer = setTimeout(fallback, fallbackThreshold);
+ errorRef = this.onError((reason) => {
+ this.log("transport", "error", reason);
+ if (primaryTransport && !established) {
+ clearTimeout(this.fallbackTimer);
+ fallback(reason);
+ }
+ });
+ this.onOpen(() => {
+ established = true;
+ if (!primaryTransport) {
+ if (!this.primaryPassedHealthCheck) {
+ this.storeSession(`phx:fallback:${fallbackTransport.name}`, "true");
+ }
+ return this.log("transport", `established ${fallbackTransport.name} fallback`);
+ }
+ clearTimeout(this.fallbackTimer);
+ this.fallbackTimer = setTimeout(fallback, fallbackThreshold);
+ this.ping((rtt) => {
+ this.log("transport", "connected to primary after", rtt);
+ this.primaryPassedHealthCheck = true;
+ clearTimeout(this.fallbackTimer);
+ });
+ });
+ this.transportConnect();
+ }
+ clearHeartbeats() {
+ clearTimeout(this.heartbeatTimer);
+ clearTimeout(this.heartbeatTimeoutTimer);
+ }
+ onConnOpen() {
+ if (this.hasLogger())
+ this.log("transport", `${this.transport.name} connected to ${this.endPointURL()}`);
+ this.closeWasClean = false;
+ this.establishedConnections++;
+ this.flushSendBuffer();
+ this.reconnectTimer.reset();
+ this.resetHeartbeat();
+ this.stateChangeCallbacks.open.forEach(([, callback]) => callback());
+ }
+ /**
+ * @private
+ */
+ heartbeatTimeout() {
+ if (this.pendingHeartbeatRef) {
+ this.pendingHeartbeatRef = null;
+ if (this.hasLogger()) {
+ this.log("transport", "heartbeat timeout. Attempting to re-establish connection");
+ }
+ this.triggerChanError();
+ this.closeWasClean = false;
+ this.teardown(() => this.reconnectTimer.scheduleTimeout(), WS_CLOSE_NORMAL, "heartbeat timeout");
+ }
+ }
+ resetHeartbeat() {
+ if (this.conn && this.conn.skipHeartbeat) {
+ return;
+ }
+ this.pendingHeartbeatRef = null;
+ this.clearHeartbeats();
+ this.heartbeatTimer = setTimeout(() => this.sendHeartbeat(), this.heartbeatIntervalMs);
+ }
+ teardown(callback, code, reason) {
+ if (!this.conn) {
+ return callback && callback();
+ }
+ this.waitForBufferDone(() => {
+ if (this.conn) {
+ if (code) {
+ this.conn.close(code, reason || "");
+ } else {
+ this.conn.close();
+ }
+ }
+ this.waitForSocketClosed(() => {
+ if (this.conn) {
+ this.conn.onopen = function() {
+ };
+ this.conn.onerror = function() {
+ };
+ this.conn.onmessage = function() {
+ };
+ this.conn.onclose = function() {
+ };
+ this.conn = null;
+ }
+ callback && callback();
+ });
+ });
+ }
+ waitForBufferDone(callback, tries = 1) {
+ if (tries === 5 || !this.conn || !this.conn.bufferedAmount) {
+ callback();
+ return;
+ }
+ setTimeout(() => {
+ this.waitForBufferDone(callback, tries + 1);
+ }, 150 * tries);
+ }
+ waitForSocketClosed(callback, tries = 1) {
+ if (tries === 5 || !this.conn || this.conn.readyState === SOCKET_STATES.closed) {
+ callback();
+ return;
+ }
+ setTimeout(() => {
+ this.waitForSocketClosed(callback, tries + 1);
+ }, 150 * tries);
+ }
+ onConnClose(event) {
+ let closeCode = event && event.code;
+ if (this.hasLogger())
+ this.log("transport", "close", event);
+ this.triggerChanError();
+ this.clearHeartbeats();
+ if (!this.closeWasClean && closeCode !== 1e3) {
+ this.reconnectTimer.scheduleTimeout();
+ }
+ this.stateChangeCallbacks.close.forEach(([, callback]) => callback(event));
+ }
+ /**
+ * @private
+ */
+ onConnError(error) {
+ if (this.hasLogger())
+ this.log("transport", error);
+ let transportBefore = this.transport;
+ let establishedBefore = this.establishedConnections;
+ this.stateChangeCallbacks.error.forEach(([, callback]) => {
+ callback(error, transportBefore, establishedBefore);
+ });
+ if (transportBefore === this.transport || establishedBefore > 0) {
+ this.triggerChanError();
+ }
+ }
+ /**
+ * @private
+ */
+ triggerChanError() {
+ this.channels.forEach((channel) => {
+ if (!(channel.isErrored() || channel.isLeaving() || channel.isClosed())) {
+ channel.trigger(CHANNEL_EVENTS.error);
+ }
+ });
+ }
+ /**
+ * @returns {string}
+ */
+ connectionState() {
+ switch (this.conn && this.conn.readyState) {
+ case SOCKET_STATES.connecting:
+ return "connecting";
+ case SOCKET_STATES.open:
+ return "open";
+ case SOCKET_STATES.closing:
+ return "closing";
+ default:
+ return "closed";
+ }
+ }
+ /**
+ * @returns {boolean}
+ */
+ isConnected() {
+ return this.connectionState() === "open";
+ }
+ /**
+ * @private
+ *
+ * @param {Channel}
+ */
+ remove(channel) {
+ this.off(channel.stateChangeRefs);
+ this.channels = this.channels.filter((c) => c !== channel);
+ }
+ /**
+ * Removes `onOpen`, `onClose`, `onError,` and `onMessage` registrations.
+ *
+ * @param {refs} - list of refs returned by calls to
+ * `onOpen`, `onClose`, `onError,` and `onMessage`
+ */
+ off(refs) {
+ for (let key in this.stateChangeCallbacks) {
+ this.stateChangeCallbacks[key] = this.stateChangeCallbacks[key].filter(([ref]) => {
+ return refs.indexOf(ref) === -1;
+ });
+ }
+ }
+ /**
+ * Initiates a new channel for the given topic
+ *
+ * @param {string} topic
+ * @param {Object} chanParams - Parameters for the channel
+ * @returns {Channel}
+ */
+ channel(topic, chanParams = {}) {
+ let chan = new Channel(topic, chanParams, this);
+ this.channels.push(chan);
+ return chan;
+ }
+ /**
+ * @param {Object} data
+ */
+ push(data) {
+ if (this.hasLogger()) {
+ let { topic, event, payload, ref, join_ref } = data;
+ this.log("push", `${topic} ${event} (${join_ref}, ${ref})`, payload);
+ }
+ if (this.isConnected()) {
+ this.encode(data, (result) => this.conn.send(result));
+ } else {
+ this.sendBuffer.push(() => this.encode(data, (result) => this.conn.send(result)));
+ }
+ }
+ /**
+ * Return the next message ref, accounting for overflows
+ * @returns {string}
+ */
+ makeRef() {
+ let newRef = this.ref + 1;
+ if (newRef === this.ref) {
+ this.ref = 0;
+ } else {
+ this.ref = newRef;
+ }
+ return this.ref.toString();
+ }
+ sendHeartbeat() {
+ if (this.pendingHeartbeatRef && !this.isConnected()) {
+ return;
+ }
+ this.pendingHeartbeatRef = this.makeRef();
+ this.push({ topic: "phoenix", event: "heartbeat", payload: {}, ref: this.pendingHeartbeatRef });
+ this.heartbeatTimeoutTimer = setTimeout(() => this.heartbeatTimeout(), this.heartbeatIntervalMs);
+ }
+ flushSendBuffer() {
+ if (this.isConnected() && this.sendBuffer.length > 0) {
+ this.sendBuffer.forEach((callback) => callback());
+ this.sendBuffer = [];
+ }
+ }
+ onConnMessage(rawMessage) {
+ this.decode(rawMessage.data, (msg) => {
+ let { topic, event, payload, ref, join_ref } = msg;
+ if (ref && ref === this.pendingHeartbeatRef) {
+ this.clearHeartbeats();
+ this.pendingHeartbeatRef = null;
+ this.heartbeatTimer = setTimeout(() => this.sendHeartbeat(), this.heartbeatIntervalMs);
+ }
+ if (this.hasLogger())
+ this.log("receive", `${payload.status || ""} ${topic} ${event} ${ref && "(" + ref + ")" || ""}`, payload);
+ for (let i = 0; i < this.channels.length; i++) {
+ const channel = this.channels[i];
+ if (!channel.isMember(topic, event, payload, join_ref)) {
+ continue;
+ }
+ channel.trigger(event, payload, ref, join_ref);
+ }
+ for (let i = 0; i < this.stateChangeCallbacks.message.length; i++) {
+ let [, callback] = this.stateChangeCallbacks.message[i];
+ callback(msg);
+ }
+ });
+ }
+ leaveOpenTopic(topic) {
+ let dupChannel = this.channels.find((c) => c.topic === topic && (c.isJoined() || c.isJoining()));
+ if (dupChannel) {
+ if (this.hasLogger())
+ this.log("transport", `leaving duplicate topic "${topic}"`);
+ dupChannel.leave();
+ }
+ }
+ };
+
+ // ../deps/phoenix_live_view/priv/static/phoenix_live_view.esm.js
+ var CONSECUTIVE_RELOADS = "consecutive-reloads";
+ var MAX_RELOADS = 10;
+ var RELOAD_JITTER_MIN = 5e3;
+ var RELOAD_JITTER_MAX = 1e4;
+ var FAILSAFE_JITTER = 3e4;
+ var PHX_EVENT_CLASSES = [
+ "phx-click-loading",
+ "phx-change-loading",
+ "phx-submit-loading",
+ "phx-keydown-loading",
+ "phx-keyup-loading",
+ "phx-blur-loading",
+ "phx-focus-loading",
+ "phx-hook-loading"
+ ];
+ var PHX_COMPONENT = "data-phx-component";
+ var PHX_LIVE_LINK = "data-phx-link";
+ var PHX_TRACK_STATIC = "track-static";
+ var PHX_LINK_STATE = "data-phx-link-state";
+ var PHX_REF = "data-phx-ref";
+ var PHX_REF_SRC = "data-phx-ref-src";
+ var PHX_TRACK_UPLOADS = "track-uploads";
+ var PHX_UPLOAD_REF = "data-phx-upload-ref";
+ var PHX_PREFLIGHTED_REFS = "data-phx-preflighted-refs";
+ var PHX_DONE_REFS = "data-phx-done-refs";
+ var PHX_DROP_TARGET = "drop-target";
+ var PHX_ACTIVE_ENTRY_REFS = "data-phx-active-refs";
+ var PHX_LIVE_FILE_UPDATED = "phx:live-file:updated";
+ var PHX_SKIP = "data-phx-skip";
+ var PHX_MAGIC_ID = "data-phx-id";
+ var PHX_PRUNE = "data-phx-prune";
+ var PHX_PAGE_LOADING = "page-loading";
+ var PHX_CONNECTED_CLASS = "phx-connected";
+ var PHX_LOADING_CLASS = "phx-loading";
+ var PHX_NO_FEEDBACK_CLASS = "phx-no-feedback";
+ var PHX_ERROR_CLASS = "phx-error";
+ var PHX_CLIENT_ERROR_CLASS = "phx-client-error";
+ var PHX_SERVER_ERROR_CLASS = "phx-server-error";
+ var PHX_PARENT_ID = "data-phx-parent-id";
+ var PHX_MAIN = "data-phx-main";
+ var PHX_ROOT_ID = "data-phx-root-id";
+ var PHX_VIEWPORT_TOP = "viewport-top";
+ var PHX_VIEWPORT_BOTTOM = "viewport-bottom";
+ var PHX_TRIGGER_ACTION = "trigger-action";
+ var PHX_FEEDBACK_FOR = "feedback-for";
+ var PHX_FEEDBACK_GROUP = "feedback-group";
+ var PHX_HAS_FOCUSED = "phx-has-focused";
+ var FOCUSABLE_INPUTS = ["text", "textarea", "number", "email", "password", "search", "tel", "url", "date", "time", "datetime-local", "color", "range"];
+ var CHECKABLE_INPUTS = ["checkbox", "radio"];
+ var PHX_HAS_SUBMITTED = "phx-has-submitted";
+ var PHX_SESSION = "data-phx-session";
+ var PHX_VIEW_SELECTOR = `[${PHX_SESSION}]`;
+ var PHX_STICKY = "data-phx-sticky";
+ var PHX_STATIC = "data-phx-static";
+ var PHX_READONLY = "data-phx-readonly";
+ var PHX_DISABLED = "data-phx-disabled";
+ var PHX_DISABLE_WITH = "disable-with";
+ var PHX_DISABLE_WITH_RESTORE = "data-phx-disable-with-restore";
+ var PHX_HOOK = "hook";
+ var PHX_DEBOUNCE = "debounce";
+ var PHX_THROTTLE = "throttle";
+ var PHX_UPDATE = "update";
+ var PHX_STREAM = "stream";
+ var PHX_STREAM_REF = "data-phx-stream";
+ var PHX_KEY = "key";
+ var PHX_PRIVATE = "phxPrivate";
+ var PHX_AUTO_RECOVER = "auto-recover";
+ var PHX_LV_DEBUG = "phx:live-socket:debug";
+ var PHX_LV_PROFILE = "phx:live-socket:profiling";
+ var PHX_LV_LATENCY_SIM = "phx:live-socket:latency-sim";
+ var PHX_PROGRESS = "progress";
+ var PHX_MOUNTED = "mounted";
+ var LOADER_TIMEOUT = 1;
+ var BEFORE_UNLOAD_LOADER_TIMEOUT = 200;
+ var BINDING_PREFIX = "phx-";
+ var PUSH_TIMEOUT = 3e4;
+ var DEBOUNCE_TRIGGER = "debounce-trigger";
+ var THROTTLED = "throttled";
+ var DEBOUNCE_PREV_KEY = "debounce-prev-key";
+ var DEFAULTS = {
+ debounce: 300,
+ throttle: 300
+ };
+ var DYNAMICS = "d";
+ var STATIC = "s";
+ var ROOT = "r";
+ var COMPONENTS = "c";
+ var EVENTS = "e";
+ var REPLY = "r";
+ var TITLE = "t";
+ var TEMPLATES = "p";
+ var STREAM = "stream";
+ var EntryUploader = class {
+ constructor(entry, chunkSize, liveSocket2) {
+ this.liveSocket = liveSocket2;
+ this.entry = entry;
+ this.offset = 0;
+ this.chunkSize = chunkSize;
+ this.chunkTimer = null;
+ this.errored = false;
+ this.uploadChannel = liveSocket2.channel(`lvu:${entry.ref}`, { token: entry.metadata() });
+ }
+ error(reason) {
+ if (this.errored) {
+ return;
+ }
+ this.uploadChannel.leave();
+ this.errored = true;
+ clearTimeout(this.chunkTimer);
+ this.entry.error(reason);
+ }
+ upload() {
+ this.uploadChannel.onError((reason) => this.error(reason));
+ this.uploadChannel.join().receive("ok", (_data) => this.readNextChunk()).receive("error", (reason) => this.error(reason));
+ }
+ isDone() {
+ return this.offset >= this.entry.file.size;
+ }
+ readNextChunk() {
+ let reader = new window.FileReader();
+ let blob = this.entry.file.slice(this.offset, this.chunkSize + this.offset);
+ reader.onload = (e) => {
+ if (e.target.error === null) {
+ this.offset += e.target.result.byteLength;
+ this.pushChunk(e.target.result);
+ } else {
+ return logError("Read error: " + e.target.error);
+ }
+ };
+ reader.readAsArrayBuffer(blob);
+ }
+ pushChunk(chunk) {
+ if (!this.uploadChannel.isJoined()) {
+ return;
+ }
+ this.uploadChannel.push("chunk", chunk).receive("ok", () => {
+ this.entry.progress(this.offset / this.entry.file.size * 100);
+ if (!this.isDone()) {
+ this.chunkTimer = setTimeout(() => this.readNextChunk(), this.liveSocket.getLatencySim() || 0);
+ }
+ }).receive("error", ({ reason }) => this.error(reason));
+ }
+ };
+ var logError = (msg, obj) => console.error && console.error(msg, obj);
+ var isCid = (cid) => {
+ let type = typeof cid;
+ return type === "number" || type === "string" && /^(0|[1-9]\d*)$/.test(cid);
+ };
+ function detectDuplicateIds() {
+ let ids = /* @__PURE__ */ new Set();
+ let elems = document.querySelectorAll("*[id]");
+ for (let i = 0, len = elems.length; i < len; i++) {
+ if (ids.has(elems[i].id)) {
+ console.error(`Multiple IDs detected: ${elems[i].id}. Ensure unique element ids.`);
+ } else {
+ ids.add(elems[i].id);
+ }
+ }
+ }
+ var debug = (view, kind, msg, obj) => {
+ if (view.liveSocket.isDebugEnabled()) {
+ console.log(`${view.id} ${kind}: ${msg} - `, obj);
+ }
+ };
+ var closure2 = (val) => typeof val === "function" ? val : function() {
+ return val;
+ };
+ var clone = (obj) => {
+ return JSON.parse(JSON.stringify(obj));
+ };
+ var closestPhxBinding = (el, binding, borderEl) => {
+ do {
+ if (el.matches(`[${binding}]`) && !el.disabled) {
+ return el;
+ }
+ el = el.parentElement || el.parentNode;
+ } while (el !== null && el.nodeType === 1 && !(borderEl && borderEl.isSameNode(el) || el.matches(PHX_VIEW_SELECTOR)));
+ return null;
+ };
+ var isObject = (obj) => {
+ return obj !== null && typeof obj === "object" && !(obj instanceof Array);
+ };
+ var isEqualObj = (obj1, obj2) => JSON.stringify(obj1) === JSON.stringify(obj2);
+ var isEmpty = (obj) => {
+ for (let x in obj) {
+ return false;
+ }
+ return true;
+ };
+ var maybe = (el, callback) => el && callback(el);
+ var channelUploader = function(entries, onError, resp, liveSocket2) {
+ entries.forEach((entry) => {
+ let entryUploader = new EntryUploader(entry, resp.config.chunk_size, liveSocket2);
+ entryUploader.upload();
+ });
+ };
+ var Browser = {
+ canPushState() {
+ return typeof history.pushState !== "undefined";
+ },
+ dropLocal(localStorage, namespace, subkey) {
+ return localStorage.removeItem(this.localKey(namespace, subkey));
+ },
+ updateLocal(localStorage, namespace, subkey, initial, func) {
+ let current = this.getLocal(localStorage, namespace, subkey);
+ let key = this.localKey(namespace, subkey);
+ let newVal = current === null ? initial : func(current);
+ localStorage.setItem(key, JSON.stringify(newVal));
+ return newVal;
+ },
+ getLocal(localStorage, namespace, subkey) {
+ return JSON.parse(localStorage.getItem(this.localKey(namespace, subkey)));
+ },
+ updateCurrentState(callback) {
+ if (!this.canPushState()) {
+ return;
+ }
+ history.replaceState(callback(history.state || {}), "", window.location.href);
+ },
+ pushState(kind, meta, to) {
+ if (this.canPushState()) {
+ if (to !== window.location.href) {
+ if (meta.type == "redirect" && meta.scroll) {
+ let currentState = history.state || {};
+ currentState.scroll = meta.scroll;
+ history.replaceState(currentState, "", window.location.href);
+ }
+ delete meta.scroll;
+ history[kind + "State"](meta, "", to || null);
+ let hashEl = this.getHashTargetEl(window.location.hash);
+ if (hashEl) {
+ hashEl.scrollIntoView();
+ } else if (meta.type === "redirect") {
+ window.scroll(0, 0);
+ }
+ }
+ } else {
+ this.redirect(to);
+ }
+ },
+ setCookie(name, value) {
+ document.cookie = `${name}=${value}`;
+ },
+ getCookie(name) {
+ return document.cookie.replace(new RegExp(`(?:(?:^|.*;s*)${name}s*=s*([^;]*).*$)|^.*$`), "$1");
+ },
+ redirect(toURL, flash) {
+ if (flash) {
+ Browser.setCookie("__phoenix_flash__", flash + "; max-age=60000; path=/");
+ }
+ window.location = toURL;
+ },
+ localKey(namespace, subkey) {
+ return `${namespace}-${subkey}`;
+ },
+ getHashTargetEl(maybeHash) {
+ let hash = maybeHash.toString().substring(1);
+ if (hash === "") {
+ return;
+ }
+ return document.getElementById(hash) || document.querySelector(`a[name="${hash}"]`);
+ }
+ };
+ var browser_default = Browser;
+ var ARIA = {
+ focusMain() {
+ let target = document.querySelector("main h1, main, h1");
+ if (target) {
+ let origTabIndex = target.tabIndex;
+ target.tabIndex = -1;
+ target.focus();
+ target.tabIndex = origTabIndex;
+ }
+ },
+ anyOf(instance, classes) {
+ return classes.find((name) => instance instanceof name);
+ },
+ isFocusable(el, interactiveOnly) {
+ return el instanceof HTMLAnchorElement && el.rel !== "ignore" || el instanceof HTMLAreaElement && el.href !== void 0 || !el.disabled && this.anyOf(el, [HTMLInputElement, HTMLSelectElement, HTMLTextAreaElement, HTMLButtonElement]) || el instanceof HTMLIFrameElement || (el.tabIndex > 0 || !interactiveOnly && el.getAttribute("tabindex") !== null && el.getAttribute("aria-hidden") !== "true");
+ },
+ attemptFocus(el, interactiveOnly) {
+ if (this.isFocusable(el, interactiveOnly)) {
+ try {
+ el.focus();
+ } catch (e) {
+ }
+ }
+ return !!document.activeElement && document.activeElement.isSameNode(el);
+ },
+ focusFirstInteractive(el) {
+ let child = el.firstElementChild;
+ while (child) {
+ if (this.attemptFocus(child, true) || this.focusFirstInteractive(child, true)) {
+ return true;
+ }
+ child = child.nextElementSibling;
+ }
+ },
+ focusFirst(el) {
+ let child = el.firstElementChild;
+ while (child) {
+ if (this.attemptFocus(child) || this.focusFirst(child)) {
+ return true;
+ }
+ child = child.nextElementSibling;
+ }
+ },
+ focusLast(el) {
+ let child = el.lastElementChild;
+ while (child) {
+ if (this.attemptFocus(child) || this.focusLast(child)) {
+ return true;
+ }
+ child = child.previousElementSibling;
+ }
+ }
+ };
+ var aria_default = ARIA;
+ var focusStack = null;
+ var default_transition_time = 200;
+ var JS = {
+ exec(eventType, phxEvent, view, sourceEl, defaults) {
+ let [defaultKind, defaultArgs] = defaults || [null, { callback: defaults && defaults.callback }];
+ let commands = phxEvent.charAt(0) === "[" ? JSON.parse(phxEvent) : [[defaultKind, defaultArgs]];
+ commands.forEach(([kind, args]) => {
+ if (kind === defaultKind && defaultArgs.data) {
+ args.data = Object.assign(args.data || {}, defaultArgs.data);
+ args.callback = args.callback || defaultArgs.callback;
+ }
+ this.filterToEls(sourceEl, args).forEach((el) => {
+ this[`exec_${kind}`](eventType, phxEvent, view, sourceEl, el, args);
+ });
+ });
+ },
+ isVisible(el) {
+ return !!(el.offsetWidth || el.offsetHeight || el.getClientRects().length > 0);
+ },
+ isInViewport(el) {
+ const rect = el.getBoundingClientRect();
+ const windowHeight = window.innerHeight || document.documentElement.clientHeight;
+ const windowWidth = window.innerWidth || document.documentElement.clientWidth;
+ return rect.right > 0 && rect.bottom > 0 && rect.left < windowWidth && rect.top < windowHeight;
+ },
+ exec_exec(eventType, phxEvent, view, sourceEl, el, { attr, to }) {
+ let nodes = to ? dom_default.all(document, to) : [sourceEl];
+ nodes.forEach((node) => {
+ let encodedJS = node.getAttribute(attr);
+ if (!encodedJS) {
+ throw new Error(`expected ${attr} to contain JS command on "${to}"`);
+ }
+ view.liveSocket.execJS(node, encodedJS, eventType);
+ });
+ },
+ exec_dispatch(eventType, phxEvent, view, sourceEl, el, { to, event, detail, bubbles }) {
+ detail = detail || {};
+ detail.dispatcher = sourceEl;
+ dom_default.dispatchEvent(el, event, { detail, bubbles });
+ },
+ exec_push(eventType, phxEvent, view, sourceEl, el, args) {
+ let { event, data, target, page_loading, loading, value, dispatcher, callback } = args;
+ let pushOpts = { loading, value, target, page_loading: !!page_loading };
+ let targetSrc = eventType === "change" && dispatcher ? dispatcher : sourceEl;
+ let phxTarget = target || targetSrc.getAttribute(view.binding("target")) || targetSrc;
+ view.withinTargets(phxTarget, (targetView, targetCtx) => {
+ if (!targetView.isConnected()) {
+ return;
+ }
+ if (eventType === "change") {
+ let { newCid, _target } = args;
+ _target = _target || (dom_default.isFormInput(sourceEl) ? sourceEl.name : void 0);
+ if (_target) {
+ pushOpts._target = _target;
+ }
+ targetView.pushInput(sourceEl, targetCtx, newCid, event || phxEvent, pushOpts, callback);
+ } else if (eventType === "submit") {
+ let { submitter } = args;
+ targetView.submitForm(sourceEl, targetCtx, event || phxEvent, submitter, pushOpts, callback);
+ } else {
+ targetView.pushEvent(eventType, sourceEl, targetCtx, event || phxEvent, data, pushOpts, callback);
+ }
+ });
+ },
+ exec_navigate(eventType, phxEvent, view, sourceEl, el, { href, replace }) {
+ view.liveSocket.historyRedirect(href, replace ? "replace" : "push");
+ },
+ exec_patch(eventType, phxEvent, view, sourceEl, el, { href, replace }) {
+ view.liveSocket.pushHistoryPatch(href, replace ? "replace" : "push", sourceEl);
+ },
+ exec_focus(eventType, phxEvent, view, sourceEl, el) {
+ window.requestAnimationFrame(() => aria_default.attemptFocus(el));
+ },
+ exec_focus_first(eventType, phxEvent, view, sourceEl, el) {
+ window.requestAnimationFrame(() => aria_default.focusFirstInteractive(el) || aria_default.focusFirst(el));
+ },
+ exec_push_focus(eventType, phxEvent, view, sourceEl, el) {
+ window.requestAnimationFrame(() => focusStack = el || sourceEl);
+ },
+ exec_pop_focus(eventType, phxEvent, view, sourceEl, el) {
+ window.requestAnimationFrame(() => {
+ if (focusStack) {
+ focusStack.focus();
+ }
+ focusStack = null;
+ });
+ },
+ exec_add_class(eventType, phxEvent, view, sourceEl, el, { names, transition, time }) {
+ this.addOrRemoveClasses(el, names, [], transition, time, view);
+ },
+ exec_remove_class(eventType, phxEvent, view, sourceEl, el, { names, transition, time }) {
+ this.addOrRemoveClasses(el, [], names, transition, time, view);
+ },
+ exec_toggle_class(eventType, phxEvent, view, sourceEl, el, { to, names, transition, time }) {
+ this.toggleClasses(el, names, transition, view);
+ },
+ exec_toggle_attr(eventType, phxEvent, view, sourceEl, el, { attr: [attr, val1, val2] }) {
+ if (el.hasAttribute(attr)) {
+ if (val2 !== void 0) {
+ if (el.getAttribute(attr) === val1) {
+ this.setOrRemoveAttrs(el, [[attr, val2]], []);
+ } else {
+ this.setOrRemoveAttrs(el, [[attr, val1]], []);
+ }
+ } else {
+ this.setOrRemoveAttrs(el, [], [attr]);
+ }
+ } else {
+ this.setOrRemoveAttrs(el, [[attr, val1]], []);
+ }
+ },
+ exec_transition(eventType, phxEvent, view, sourceEl, el, { time, transition }) {
+ this.addOrRemoveClasses(el, [], [], transition, time, view);
+ },
+ exec_toggle(eventType, phxEvent, view, sourceEl, el, { display, ins, outs, time }) {
+ this.toggle(eventType, view, el, display, ins, outs, time);
+ },
+ exec_show(eventType, phxEvent, view, sourceEl, el, { display, transition, time }) {
+ this.show(eventType, view, el, display, transition, time);
+ },
+ exec_hide(eventType, phxEvent, view, sourceEl, el, { display, transition, time }) {
+ this.hide(eventType, view, el, display, transition, time);
+ },
+ exec_set_attr(eventType, phxEvent, view, sourceEl, el, { attr: [attr, val] }) {
+ this.setOrRemoveAttrs(el, [[attr, val]], []);
+ },
+ exec_remove_attr(eventType, phxEvent, view, sourceEl, el, { attr }) {
+ this.setOrRemoveAttrs(el, [], [attr]);
+ },
+ show(eventType, view, el, display, transition, time) {
+ if (!this.isVisible(el)) {
+ this.toggle(eventType, view, el, display, transition, null, time);
+ }
+ },
+ hide(eventType, view, el, display, transition, time) {
+ if (this.isVisible(el)) {
+ this.toggle(eventType, view, el, display, null, transition, time);
+ }
+ },
+ toggle(eventType, view, el, display, ins, outs, time) {
+ time = time || default_transition_time;
+ let [inClasses, inStartClasses, inEndClasses] = ins || [[], [], []];
+ let [outClasses, outStartClasses, outEndClasses] = outs || [[], [], []];
+ if (inClasses.length > 0 || outClasses.length > 0) {
+ if (this.isVisible(el)) {
+ let onStart = () => {
+ this.addOrRemoveClasses(el, outStartClasses, inClasses.concat(inStartClasses).concat(inEndClasses));
+ window.requestAnimationFrame(() => {
+ this.addOrRemoveClasses(el, outClasses, []);
+ window.requestAnimationFrame(() => this.addOrRemoveClasses(el, outEndClasses, outStartClasses));
+ });
+ };
+ el.dispatchEvent(new Event("phx:hide-start"));
+ view.transition(time, onStart, () => {
+ this.addOrRemoveClasses(el, [], outClasses.concat(outEndClasses));
+ dom_default.putSticky(el, "toggle", (currentEl) => currentEl.style.display = "none");
+ el.dispatchEvent(new Event("phx:hide-end"));
+ });
+ } else {
+ if (eventType === "remove") {
+ return;
+ }
+ let onStart = () => {
+ this.addOrRemoveClasses(el, inStartClasses, outClasses.concat(outStartClasses).concat(outEndClasses));
+ let stickyDisplay = display || this.defaultDisplay(el);
+ dom_default.putSticky(el, "toggle", (currentEl) => currentEl.style.display = stickyDisplay);
+ window.requestAnimationFrame(() => {
+ this.addOrRemoveClasses(el, inClasses, []);
+ window.requestAnimationFrame(() => this.addOrRemoveClasses(el, inEndClasses, inStartClasses));
+ });
+ };
+ el.dispatchEvent(new Event("phx:show-start"));
+ view.transition(time, onStart, () => {
+ this.addOrRemoveClasses(el, [], inClasses.concat(inEndClasses));
+ el.dispatchEvent(new Event("phx:show-end"));
+ });
+ }
+ } else {
+ if (this.isVisible(el)) {
+ window.requestAnimationFrame(() => {
+ el.dispatchEvent(new Event("phx:hide-start"));
+ dom_default.putSticky(el, "toggle", (currentEl) => currentEl.style.display = "none");
+ el.dispatchEvent(new Event("phx:hide-end"));
+ });
+ } else {
+ window.requestAnimationFrame(() => {
+ el.dispatchEvent(new Event("phx:show-start"));
+ let stickyDisplay = display || this.defaultDisplay(el);
+ dom_default.putSticky(el, "toggle", (currentEl) => currentEl.style.display = stickyDisplay);
+ el.dispatchEvent(new Event("phx:show-end"));
+ });
+ }
+ }
+ },
+ toggleClasses(el, classes, transition, time, view) {
+ window.requestAnimationFrame(() => {
+ let [prevAdds, prevRemoves] = dom_default.getSticky(el, "classes", [[], []]);
+ let newAdds = classes.filter((name) => prevAdds.indexOf(name) < 0 && !el.classList.contains(name));
+ let newRemoves = classes.filter((name) => prevRemoves.indexOf(name) < 0 && el.classList.contains(name));
+ this.addOrRemoveClasses(el, newAdds, newRemoves, transition, time, view);
+ });
+ },
+ addOrRemoveClasses(el, adds, removes, transition, time, view) {
+ time = time || default_transition_time;
+ let [transitionRun, transitionStart, transitionEnd] = transition || [[], [], []];
+ if (transitionRun.length > 0) {
+ let onStart = () => {
+ this.addOrRemoveClasses(el, transitionStart, [].concat(transitionRun).concat(transitionEnd));
+ window.requestAnimationFrame(() => {
+ this.addOrRemoveClasses(el, transitionRun, []);
+ window.requestAnimationFrame(() => this.addOrRemoveClasses(el, transitionEnd, transitionStart));
+ });
+ };
+ let onDone = () => this.addOrRemoveClasses(el, adds.concat(transitionEnd), removes.concat(transitionRun).concat(transitionStart));
+ return view.transition(time, onStart, onDone);
+ }
+ window.requestAnimationFrame(() => {
+ let [prevAdds, prevRemoves] = dom_default.getSticky(el, "classes", [[], []]);
+ let keepAdds = adds.filter((name) => prevAdds.indexOf(name) < 0 && !el.classList.contains(name));
+ let keepRemoves = removes.filter((name) => prevRemoves.indexOf(name) < 0 && el.classList.contains(name));
+ let newAdds = prevAdds.filter((name) => removes.indexOf(name) < 0).concat(keepAdds);
+ let newRemoves = prevRemoves.filter((name) => adds.indexOf(name) < 0).concat(keepRemoves);
+ dom_default.putSticky(el, "classes", (currentEl) => {
+ currentEl.classList.remove(...newRemoves);
+ currentEl.classList.add(...newAdds);
+ return [newAdds, newRemoves];
+ });
+ });
+ },
+ setOrRemoveAttrs(el, sets, removes) {
+ let [prevSets, prevRemoves] = dom_default.getSticky(el, "attrs", [[], []]);
+ let alteredAttrs = sets.map(([attr, _val]) => attr).concat(removes);
+ let newSets = prevSets.filter(([attr, _val]) => !alteredAttrs.includes(attr)).concat(sets);
+ let newRemoves = prevRemoves.filter((attr) => !alteredAttrs.includes(attr)).concat(removes);
+ dom_default.putSticky(el, "attrs", (currentEl) => {
+ newRemoves.forEach((attr) => currentEl.removeAttribute(attr));
+ newSets.forEach(([attr, val]) => currentEl.setAttribute(attr, val));
+ return [newSets, newRemoves];
+ });
+ },
+ hasAllClasses(el, classes) {
+ return classes.every((name) => el.classList.contains(name));
+ },
+ isToggledOut(el, outClasses) {
+ return !this.isVisible(el) || this.hasAllClasses(el, outClasses);
+ },
+ filterToEls(sourceEl, { to }) {
+ return to ? dom_default.all(document, to) : [sourceEl];
+ },
+ defaultDisplay(el) {
+ return { tr: "table-row", td: "table-cell" }[el.tagName.toLowerCase()] || "block";
+ }
+ };
+ var js_default = JS;
+ var DOM = {
+ byId(id) {
+ return document.getElementById(id) || logError(`no id found for ${id}`);
+ },
+ removeClass(el, className) {
+ el.classList.remove(className);
+ if (el.classList.length === 0) {
+ el.removeAttribute("class");
+ }
+ },
+ all(node, query, callback) {
+ if (!node) {
+ return [];
+ }
+ let array = Array.from(node.querySelectorAll(query));
+ return callback ? array.forEach(callback) : array;
+ },
+ childNodeLength(html) {
+ let template = document.createElement("template");
+ template.innerHTML = html;
+ return template.content.childElementCount;
+ },
+ isUploadInput(el) {
+ return el.type === "file" && el.getAttribute(PHX_UPLOAD_REF) !== null;
+ },
+ isAutoUpload(inputEl) {
+ return inputEl.hasAttribute("data-phx-auto-upload");
+ },
+ findUploadInputs(node) {
+ const formId = node.id;
+ const inputsOutsideForm = this.all(document, `input[type="file"][${PHX_UPLOAD_REF}][form="${formId}"]`);
+ return this.all(node, `input[type="file"][${PHX_UPLOAD_REF}]`).concat(inputsOutsideForm);
+ },
+ findComponentNodeList(node, cid) {
+ return this.filterWithinSameLiveView(this.all(node, `[${PHX_COMPONENT}="${cid}"]`), node);
+ },
+ isPhxDestroyed(node) {
+ return node.id && DOM.private(node, "destroyed") ? true : false;
+ },
+ wantsNewTab(e) {
+ let wantsNewTab = e.ctrlKey || e.shiftKey || e.metaKey || e.button && e.button === 1;
+ let isDownload = e.target instanceof HTMLAnchorElement && e.target.hasAttribute("download");
+ let isTargetBlank = e.target.hasAttribute("target") && e.target.getAttribute("target").toLowerCase() === "_blank";
+ return wantsNewTab || isTargetBlank || isDownload;
+ },
+ isUnloadableFormSubmit(e) {
+ let isDialogSubmit = e.target && e.target.getAttribute("method") === "dialog" || e.submitter && e.submitter.getAttribute("formmethod") === "dialog";
+ if (isDialogSubmit) {
+ return false;
+ } else {
+ return !e.defaultPrevented && !this.wantsNewTab(e);
+ }
+ },
+ isNewPageClick(e, currentLocation) {
+ let href = e.target instanceof HTMLAnchorElement ? e.target.getAttribute("href") : null;
+ let url;
+ if (e.defaultPrevented || href === null || this.wantsNewTab(e)) {
+ return false;
+ }
+ if (href.startsWith("mailto:") || href.startsWith("tel:")) {
+ return false;
+ }
+ if (e.target.isContentEditable) {
+ return false;
+ }
+ try {
+ url = new URL(href);
+ } catch (e2) {
+ try {
+ url = new URL(href, currentLocation);
+ } catch (e3) {
+ return true;
+ }
+ }
+ if (url.host === currentLocation.host && url.protocol === currentLocation.protocol) {
+ if (url.pathname === currentLocation.pathname && url.search === currentLocation.search) {
+ return url.hash === "" && !url.href.endsWith("#");
+ }
+ }
+ return url.protocol.startsWith("http");
+ },
+ markPhxChildDestroyed(el) {
+ if (this.isPhxChild(el)) {
+ el.setAttribute(PHX_SESSION, "");
+ }
+ this.putPrivate(el, "destroyed", true);
+ },
+ findPhxChildrenInFragment(html, parentId) {
+ let template = document.createElement("template");
+ template.innerHTML = html;
+ return this.findPhxChildren(template.content, parentId);
+ },
+ isIgnored(el, phxUpdate) {
+ return (el.getAttribute(phxUpdate) || el.getAttribute("data-phx-update")) === "ignore";
+ },
+ isPhxUpdate(el, phxUpdate, updateTypes) {
+ return el.getAttribute && updateTypes.indexOf(el.getAttribute(phxUpdate)) >= 0;
+ },
+ findPhxSticky(el) {
+ return this.all(el, `[${PHX_STICKY}]`);
+ },
+ findPhxChildren(el, parentId) {
+ return this.all(el, `${PHX_VIEW_SELECTOR}[${PHX_PARENT_ID}="${parentId}"]`);
+ },
+ findExistingParentCIDs(node, cids) {
+ let parentCids = /* @__PURE__ */ new Set();
+ let childrenCids = /* @__PURE__ */ new Set();
+ cids.forEach((cid) => {
+ this.filterWithinSameLiveView(this.all(node, `[${PHX_COMPONENT}="${cid}"]`), node).forEach((parent) => {
+ parentCids.add(cid);
+ this.all(parent, `[${PHX_COMPONENT}]`).map((el) => parseInt(el.getAttribute(PHX_COMPONENT))).forEach((childCID) => childrenCids.add(childCID));
+ });
+ });
+ childrenCids.forEach((childCid) => parentCids.delete(childCid));
+ return parentCids;
+ },
+ filterWithinSameLiveView(nodes, parent) {
+ if (parent.querySelector(PHX_VIEW_SELECTOR)) {
+ return nodes.filter((el) => this.withinSameLiveView(el, parent));
+ } else {
+ return nodes;
+ }
+ },
+ withinSameLiveView(node, parent) {
+ while (node = node.parentNode) {
+ if (node.isSameNode(parent)) {
+ return true;
+ }
+ if (node.getAttribute(PHX_SESSION) !== null) {
+ return false;
+ }
+ }
+ },
+ private(el, key) {
+ return el[PHX_PRIVATE] && el[PHX_PRIVATE][key];
+ },
+ deletePrivate(el, key) {
+ el[PHX_PRIVATE] && delete el[PHX_PRIVATE][key];
+ },
+ putPrivate(el, key, value) {
+ if (!el[PHX_PRIVATE]) {
+ el[PHX_PRIVATE] = {};
+ }
+ el[PHX_PRIVATE][key] = value;
+ },
+ updatePrivate(el, key, defaultVal, updateFunc) {
+ let existing = this.private(el, key);
+ if (existing === void 0) {
+ this.putPrivate(el, key, updateFunc(defaultVal));
+ } else {
+ this.putPrivate(el, key, updateFunc(existing));
+ }
+ },
+ copyPrivates(target, source) {
+ if (source[PHX_PRIVATE]) {
+ target[PHX_PRIVATE] = source[PHX_PRIVATE];
+ }
+ },
+ putTitle(str) {
+ let titleEl = document.querySelector("title");
+ if (titleEl) {
+ let { prefix, suffix } = titleEl.dataset;
+ document.title = `${prefix || ""}${str}${suffix || ""}`;
+ } else {
+ document.title = str;
+ }
+ },
+ debounce(el, event, phxDebounce, defaultDebounce, phxThrottle, defaultThrottle, asyncFilter, callback) {
+ let debounce = el.getAttribute(phxDebounce);
+ let throttle = el.getAttribute(phxThrottle);
+ if (debounce === "") {
+ debounce = defaultDebounce;
+ }
+ if (throttle === "") {
+ throttle = defaultThrottle;
+ }
+ let value = debounce || throttle;
+ switch (value) {
+ case null:
+ return callback();
+ case "blur":
+ if (this.once(el, "debounce-blur")) {
+ el.addEventListener("blur", () => callback());
+ }
+ return;
+ default:
+ let timeout = parseInt(value);
+ let trigger = () => throttle ? this.deletePrivate(el, THROTTLED) : callback();
+ let currentCycle = this.incCycle(el, DEBOUNCE_TRIGGER, trigger);
+ if (isNaN(timeout)) {
+ return logError(`invalid throttle/debounce value: ${value}`);
+ }
+ if (throttle) {
+ let newKeyDown = false;
+ if (event.type === "keydown") {
+ let prevKey = this.private(el, DEBOUNCE_PREV_KEY);
+ this.putPrivate(el, DEBOUNCE_PREV_KEY, event.key);
+ newKeyDown = prevKey !== event.key;
+ }
+ if (!newKeyDown && this.private(el, THROTTLED)) {
+ return false;
+ } else {
+ callback();
+ const t = setTimeout(() => {
+ if (asyncFilter()) {
+ this.triggerCycle(el, DEBOUNCE_TRIGGER);
+ }
+ }, timeout);
+ this.putPrivate(el, THROTTLED, t);
+ }
+ } else {
+ setTimeout(() => {
+ if (asyncFilter()) {
+ this.triggerCycle(el, DEBOUNCE_TRIGGER, currentCycle);
+ }
+ }, timeout);
+ }
+ let form = el.form;
+ if (form && this.once(form, "bind-debounce")) {
+ form.addEventListener("submit", () => {
+ Array.from(new FormData(form).entries(), ([name]) => {
+ let input = form.querySelector(`[name="${name}"]`);
+ this.incCycle(input, DEBOUNCE_TRIGGER);
+ this.deletePrivate(input, THROTTLED);
+ });
+ });
+ }
+ if (this.once(el, "bind-debounce")) {
+ el.addEventListener("blur", () => {
+ clearTimeout(this.private(el, THROTTLED));
+ this.triggerCycle(el, DEBOUNCE_TRIGGER);
+ });
+ }
+ }
+ },
+ triggerCycle(el, key, currentCycle) {
+ let [cycle, trigger] = this.private(el, key);
+ if (!currentCycle) {
+ currentCycle = cycle;
+ }
+ if (currentCycle === cycle) {
+ this.incCycle(el, key);
+ trigger();
+ }
+ },
+ once(el, key) {
+ if (this.private(el, key) === true) {
+ return false;
+ }
+ this.putPrivate(el, key, true);
+ return true;
+ },
+ incCycle(el, key, trigger = function() {
+ }) {
+ let [currentCycle] = this.private(el, key) || [0, trigger];
+ currentCycle++;
+ this.putPrivate(el, key, [currentCycle, trigger]);
+ return currentCycle;
+ },
+ maybeAddPrivateHooks(el, phxViewportTop, phxViewportBottom) {
+ if (el.hasAttribute && (el.hasAttribute(phxViewportTop) || el.hasAttribute(phxViewportBottom))) {
+ el.setAttribute("data-phx-hook", "Phoenix.InfiniteScroll");
+ }
+ },
+ isFeedbackContainer(el, phxFeedbackFor) {
+ return el.hasAttribute && el.hasAttribute(phxFeedbackFor);
+ },
+ maybeHideFeedback(container, feedbackContainers, phxFeedbackFor, phxFeedbackGroup) {
+ const feedbackResults = {};
+ feedbackContainers.forEach((el) => {
+ if (!container.contains(el))
+ return;
+ const feedback = el.getAttribute(phxFeedbackFor);
+ if (!feedback) {
+ js_default.addOrRemoveClasses(el, [], [PHX_NO_FEEDBACK_CLASS]);
+ return;
+ }
+ if (feedbackResults[feedback] === true) {
+ this.hideFeedback(el);
+ return;
+ }
+ feedbackResults[feedback] = this.shouldHideFeedback(container, feedback, phxFeedbackGroup);
+ if (feedbackResults[feedback] === true) {
+ this.hideFeedback(el);
+ }
+ });
+ },
+ hideFeedback(container) {
+ js_default.addOrRemoveClasses(container, [PHX_NO_FEEDBACK_CLASS], []);
+ },
+ shouldHideFeedback(container, nameOrGroup, phxFeedbackGroup) {
+ const query = `[name="${nameOrGroup}"],
+ [name="${nameOrGroup}[]"],
+ [${phxFeedbackGroup}="${nameOrGroup}"]`;
+ let focused = false;
+ DOM.all(container, query, (input) => {
+ if (this.private(input, PHX_HAS_FOCUSED) || this.private(input, PHX_HAS_SUBMITTED)) {
+ focused = true;
+ }
+ });
+ return !focused;
+ },
+ feedbackSelector(input, phxFeedbackFor, phxFeedbackGroup) {
+ let query = `[${phxFeedbackFor}="${input.name}"],
+ [${phxFeedbackFor}="${input.name.replace(/\[\]$/, "")}"]`;
+ if (input.getAttribute(phxFeedbackGroup)) {
+ query += `,[${phxFeedbackFor}="${input.getAttribute(phxFeedbackGroup)}"]`;
+ }
+ return query;
+ },
+ resetForm(form, phxFeedbackFor, phxFeedbackGroup) {
+ Array.from(form.elements).forEach((input) => {
+ let query = this.feedbackSelector(input, phxFeedbackFor, phxFeedbackGroup);
+ this.deletePrivate(input, PHX_HAS_FOCUSED);
+ this.deletePrivate(input, PHX_HAS_SUBMITTED);
+ this.all(document, query, (feedbackEl) => {
+ js_default.addOrRemoveClasses(feedbackEl, [PHX_NO_FEEDBACK_CLASS], []);
+ });
+ });
+ },
+ showError(inputEl, phxFeedbackFor, phxFeedbackGroup) {
+ if (inputEl.name) {
+ let query = this.feedbackSelector(inputEl, phxFeedbackFor, phxFeedbackGroup);
+ this.all(document, query, (el) => {
+ js_default.addOrRemoveClasses(el, [], [PHX_NO_FEEDBACK_CLASS]);
+ });
+ }
+ },
+ isPhxChild(node) {
+ return node.getAttribute && node.getAttribute(PHX_PARENT_ID);
+ },
+ isPhxSticky(node) {
+ return node.getAttribute && node.getAttribute(PHX_STICKY) !== null;
+ },
+ isChildOfAny(el, parents) {
+ return !!parents.find((parent) => parent.contains(el));
+ },
+ firstPhxChild(el) {
+ return this.isPhxChild(el) ? el : this.all(el, `[${PHX_PARENT_ID}]`)[0];
+ },
+ dispatchEvent(target, name, opts = {}) {
+ let defaultBubble = true;
+ let isUploadTarget = target.nodeName === "INPUT" && target.type === "file";
+ if (isUploadTarget && name === "click") {
+ defaultBubble = false;
+ }
+ let bubbles = opts.bubbles === void 0 ? defaultBubble : !!opts.bubbles;
+ let eventOpts = { bubbles, cancelable: true, detail: opts.detail || {} };
+ let event = name === "click" ? new MouseEvent("click", eventOpts) : new CustomEvent(name, eventOpts);
+ target.dispatchEvent(event);
+ },
+ cloneNode(node, html) {
+ if (typeof html === "undefined") {
+ return node.cloneNode(true);
+ } else {
+ let cloned = node.cloneNode(false);
+ cloned.innerHTML = html;
+ return cloned;
+ }
+ },
+ mergeAttrs(target, source, opts = {}) {
+ let exclude = new Set(opts.exclude || []);
+ let isIgnored = opts.isIgnored;
+ let sourceAttrs = source.attributes;
+ for (let i = sourceAttrs.length - 1; i >= 0; i--) {
+ let name = sourceAttrs[i].name;
+ if (!exclude.has(name)) {
+ const sourceValue = source.getAttribute(name);
+ if (target.getAttribute(name) !== sourceValue && (!isIgnored || isIgnored && name.startsWith("data-"))) {
+ target.setAttribute(name, sourceValue);
+ }
+ } else {
+ if (name === "value" && target.value === source.value) {
+ target.setAttribute("value", source.getAttribute(name));
+ }
+ }
+ }
+ let targetAttrs = target.attributes;
+ for (let i = targetAttrs.length - 1; i >= 0; i--) {
+ let name = targetAttrs[i].name;
+ if (isIgnored) {
+ if (name.startsWith("data-") && !source.hasAttribute(name) && ![PHX_REF, PHX_REF_SRC].includes(name)) {
+ target.removeAttribute(name);
+ }
+ } else {
+ if (!source.hasAttribute(name)) {
+ target.removeAttribute(name);
+ }
+ }
+ }
+ },
+ mergeFocusedInput(target, source) {
+ if (!(target instanceof HTMLSelectElement)) {
+ DOM.mergeAttrs(target, source, { exclude: ["value"] });
+ }
+ if (source.readOnly) {
+ target.setAttribute("readonly", true);
+ } else {
+ target.removeAttribute("readonly");
+ }
+ },
+ hasSelectionRange(el) {
+ return el.setSelectionRange && (el.type === "text" || el.type === "textarea");
+ },
+ restoreFocus(focused, selectionStart, selectionEnd) {
+ if (focused instanceof HTMLSelectElement) {
+ focused.focus();
+ }
+ if (!DOM.isTextualInput(focused)) {
+ return;
+ }
+ let wasFocused = focused.matches(":focus");
+ if (focused.readOnly) {
+ focused.blur();
+ }
+ if (!wasFocused) {
+ focused.focus();
+ }
+ if (this.hasSelectionRange(focused)) {
+ focused.setSelectionRange(selectionStart, selectionEnd);
+ }
+ },
+ isFormInput(el) {
+ return /^(?:input|select|textarea)$/i.test(el.tagName) && el.type !== "button";
+ },
+ syncAttrsToProps(el) {
+ if (el instanceof HTMLInputElement && CHECKABLE_INPUTS.indexOf(el.type.toLocaleLowerCase()) >= 0) {
+ el.checked = el.getAttribute("checked") !== null;
+ }
+ },
+ isTextualInput(el) {
+ return FOCUSABLE_INPUTS.indexOf(el.type) >= 0;
+ },
+ isNowTriggerFormExternal(el, phxTriggerExternal) {
+ return el.getAttribute && el.getAttribute(phxTriggerExternal) !== null;
+ },
+ syncPendingRef(fromEl, toEl, disableWith) {
+ let ref = fromEl.getAttribute(PHX_REF);
+ if (ref === null) {
+ return true;
+ }
+ let refSrc = fromEl.getAttribute(PHX_REF_SRC);
+ if (DOM.isFormInput(fromEl) || fromEl.getAttribute(disableWith) !== null) {
+ if (DOM.isUploadInput(fromEl)) {
+ DOM.mergeAttrs(fromEl, toEl, { isIgnored: true });
+ }
+ DOM.putPrivate(fromEl, PHX_REF, toEl);
+ return false;
+ } else {
+ PHX_EVENT_CLASSES.forEach((className) => {
+ fromEl.classList.contains(className) && toEl.classList.add(className);
+ });
+ toEl.setAttribute(PHX_REF, ref);
+ toEl.setAttribute(PHX_REF_SRC, refSrc);
+ return true;
+ }
+ },
+ cleanChildNodes(container, phxUpdate) {
+ if (DOM.isPhxUpdate(container, phxUpdate, ["append", "prepend"])) {
+ let toRemove = [];
+ container.childNodes.forEach((childNode) => {
+ if (!childNode.id) {
+ let isEmptyTextNode = childNode.nodeType === Node.TEXT_NODE && childNode.nodeValue.trim() === "";
+ if (!isEmptyTextNode) {
+ logError(`only HTML element tags with an id are allowed inside containers with phx-update.
+
+removing illegal node: "${(childNode.outerHTML || childNode.nodeValue).trim()}"
+
+`);
+ }
+ toRemove.push(childNode);
+ }
+ });
+ toRemove.forEach((childNode) => childNode.remove());
+ }
+ },
+ replaceRootContainer(container, tagName, attrs) {
+ let retainedAttrs = /* @__PURE__ */ new Set(["id", PHX_SESSION, PHX_STATIC, PHX_MAIN, PHX_ROOT_ID]);
+ if (container.tagName.toLowerCase() === tagName.toLowerCase()) {
+ Array.from(container.attributes).filter((attr) => !retainedAttrs.has(attr.name.toLowerCase())).forEach((attr) => container.removeAttribute(attr.name));
+ Object.keys(attrs).filter((name) => !retainedAttrs.has(name.toLowerCase())).forEach((attr) => container.setAttribute(attr, attrs[attr]));
+ return container;
+ } else {
+ let newContainer = document.createElement(tagName);
+ Object.keys(attrs).forEach((attr) => newContainer.setAttribute(attr, attrs[attr]));
+ retainedAttrs.forEach((attr) => newContainer.setAttribute(attr, container.getAttribute(attr)));
+ newContainer.innerHTML = container.innerHTML;
+ container.replaceWith(newContainer);
+ return newContainer;
+ }
+ },
+ getSticky(el, name, defaultVal) {
+ let op = (DOM.private(el, "sticky") || []).find(([existingName]) => name === existingName);
+ if (op) {
+ let [_name, _op, stashedResult] = op;
+ return stashedResult;
+ } else {
+ return typeof defaultVal === "function" ? defaultVal() : defaultVal;
+ }
+ },
+ deleteSticky(el, name) {
+ this.updatePrivate(el, "sticky", [], (ops) => {
+ return ops.filter(([existingName, _]) => existingName !== name);
+ });
+ },
+ putSticky(el, name, op) {
+ let stashedResult = op(el);
+ this.updatePrivate(el, "sticky", [], (ops) => {
+ let existingIndex = ops.findIndex(([existingName]) => name === existingName);
+ if (existingIndex >= 0) {
+ ops[existingIndex] = [name, op, stashedResult];
+ } else {
+ ops.push([name, op, stashedResult]);
+ }
+ return ops;
+ });
+ },
+ applyStickyOperations(el) {
+ let ops = DOM.private(el, "sticky");
+ if (!ops) {
+ return;
+ }
+ ops.forEach(([name, op, _stashed]) => this.putSticky(el, name, op));
+ }
+ };
+ var dom_default = DOM;
+ var UploadEntry = class {
+ static isActive(fileEl, file) {
+ let isNew = file._phxRef === void 0;
+ let activeRefs = fileEl.getAttribute(PHX_ACTIVE_ENTRY_REFS).split(",");
+ let isActive = activeRefs.indexOf(LiveUploader.genFileRef(file)) >= 0;
+ return file.size > 0 && (isNew || isActive);
+ }
+ static isPreflighted(fileEl, file) {
+ let preflightedRefs = fileEl.getAttribute(PHX_PREFLIGHTED_REFS).split(",");
+ let isPreflighted = preflightedRefs.indexOf(LiveUploader.genFileRef(file)) >= 0;
+ return isPreflighted && this.isActive(fileEl, file);
+ }
+ static isPreflightInProgress(file) {
+ return file._preflightInProgress === true;
+ }
+ static markPreflightInProgress(file) {
+ file._preflightInProgress = true;
+ }
+ constructor(fileEl, file, view, autoUpload) {
+ this.ref = LiveUploader.genFileRef(file);
+ this.fileEl = fileEl;
+ this.file = file;
+ this.view = view;
+ this.meta = null;
+ this._isCancelled = false;
+ this._isDone = false;
+ this._progress = 0;
+ this._lastProgressSent = -1;
+ this._onDone = function() {
+ };
+ this._onElUpdated = this.onElUpdated.bind(this);
+ this.fileEl.addEventListener(PHX_LIVE_FILE_UPDATED, this._onElUpdated);
+ this.autoUpload = autoUpload;
+ }
+ metadata() {
+ return this.meta;
+ }
+ progress(progress) {
+ this._progress = Math.floor(progress);
+ if (this._progress > this._lastProgressSent) {
+ if (this._progress >= 100) {
+ this._progress = 100;
+ this._lastProgressSent = 100;
+ this._isDone = true;
+ this.view.pushFileProgress(this.fileEl, this.ref, 100, () => {
+ LiveUploader.untrackFile(this.fileEl, this.file);
+ this._onDone();
+ });
+ } else {
+ this._lastProgressSent = this._progress;
+ this.view.pushFileProgress(this.fileEl, this.ref, this._progress);
+ }
+ }
+ }
+ isCancelled() {
+ return this._isCancelled;
+ }
+ cancel() {
+ this.file._preflightInProgress = false;
+ this._isCancelled = true;
+ this._isDone = true;
+ this._onDone();
+ }
+ isDone() {
+ return this._isDone;
+ }
+ error(reason = "failed") {
+ this.fileEl.removeEventListener(PHX_LIVE_FILE_UPDATED, this._onElUpdated);
+ this.view.pushFileProgress(this.fileEl, this.ref, { error: reason });
+ if (!this.isAutoUpload()) {
+ LiveUploader.clearFiles(this.fileEl);
+ }
+ }
+ isAutoUpload() {
+ return this.autoUpload;
+ }
+ onDone(callback) {
+ this._onDone = () => {
+ this.fileEl.removeEventListener(PHX_LIVE_FILE_UPDATED, this._onElUpdated);
+ callback();
+ };
+ }
+ onElUpdated() {
+ let activeRefs = this.fileEl.getAttribute(PHX_ACTIVE_ENTRY_REFS).split(",");
+ if (activeRefs.indexOf(this.ref) === -1) {
+ LiveUploader.untrackFile(this.fileEl, this.file);
+ 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,
+ meta: typeof this.file.meta === "function" ? this.file.meta() : void 0
+ };
+ }
+ uploader(uploaders) {
+ if (this.meta.uploader) {
+ let callback = uploaders[this.meta.uploader] || logError(`no uploader configured for ${this.meta.uploader}`);
+ return { name: this.meta.uploader, callback };
+ } else {
+ return { name: "channel", callback: channelUploader };
+ }
+ }
+ zipPostFlight(resp) {
+ this.meta = resp.entries[this.ref];
+ if (!this.meta) {
+ logError(`no preflight upload response returned with ref ${this.ref}`, { input: this.fileEl, response: resp });
+ }
+ }
+ };
+ var liveUploaderFileRef = 0;
+ var LiveUploader = class {
+ static genFileRef(file) {
+ let ref = file._phxRef;
+ if (ref !== void 0) {
+ return ref;
+ } else {
+ file._phxRef = (liveUploaderFileRef++).toString();
+ return file._phxRef;
+ }
+ }
+ static getEntryDataURL(inputEl, ref, callback) {
+ let file = this.activeFiles(inputEl).find((file2) => this.genFileRef(file2) === ref);
+ callback(URL.createObjectURL(file));
+ }
+ static hasUploadsInProgress(formEl) {
+ let active = 0;
+ dom_default.findUploadInputs(formEl).forEach((input) => {
+ if (input.getAttribute(PHX_PREFLIGHTED_REFS) !== input.getAttribute(PHX_DONE_REFS)) {
+ active++;
+ }
+ });
+ return active > 0;
+ }
+ static serializeUploads(inputEl) {
+ let files = this.activeFiles(inputEl);
+ let fileData = {};
+ files.forEach((file) => {
+ let entry = { path: inputEl.name };
+ let uploadRef = inputEl.getAttribute(PHX_UPLOAD_REF);
+ fileData[uploadRef] = fileData[uploadRef] || [];
+ entry.ref = this.genFileRef(file);
+ entry.last_modified = file.lastModified;
+ entry.name = file.name || entry.ref;
+ entry.relative_path = file.webkitRelativePath;
+ entry.type = file.type;
+ entry.size = file.size;
+ if (typeof file.meta === "function") {
+ entry.meta = file.meta();
+ }
+ fileData[uploadRef].push(entry);
+ });
+ return fileData;
+ }
+ static clearFiles(inputEl) {
+ inputEl.value = null;
+ inputEl.removeAttribute(PHX_UPLOAD_REF);
+ dom_default.putPrivate(inputEl, "files", []);
+ }
+ static untrackFile(inputEl, file) {
+ dom_default.putPrivate(inputEl, "files", dom_default.private(inputEl, "files").filter((f) => !Object.is(f, file)));
+ }
+ static trackFiles(inputEl, files, dataTransfer) {
+ if (inputEl.getAttribute("multiple") !== null) {
+ let newFiles = files.filter((file) => !this.activeFiles(inputEl).find((f) => Object.is(f, file)));
+ dom_default.updatePrivate(inputEl, "files", [], (existing) => existing.concat(newFiles));
+ inputEl.value = null;
+ } else {
+ if (dataTransfer && dataTransfer.files.length > 0) {
+ inputEl.files = dataTransfer.files;
+ }
+ dom_default.putPrivate(inputEl, "files", files);
+ }
+ }
+ static activeFileInputs(formEl) {
+ let fileInputs = dom_default.findUploadInputs(formEl);
+ return Array.from(fileInputs).filter((el) => el.files && this.activeFiles(el).length > 0);
+ }
+ static activeFiles(input) {
+ return (dom_default.private(input, "files") || []).filter((f) => UploadEntry.isActive(input, f));
+ }
+ static inputsAwaitingPreflight(formEl) {
+ let fileInputs = dom_default.findUploadInputs(formEl);
+ return Array.from(fileInputs).filter((input) => this.filesAwaitingPreflight(input).length > 0);
+ }
+ static filesAwaitingPreflight(input) {
+ return this.activeFiles(input).filter((f) => !UploadEntry.isPreflighted(input, f) && !UploadEntry.isPreflightInProgress(f));
+ }
+ static markPreflightInProgress(entries) {
+ entries.forEach((entry) => UploadEntry.markPreflightInProgress(entry.file));
+ }
+ constructor(inputEl, view, onComplete) {
+ this.autoUpload = dom_default.isAutoUpload(inputEl);
+ this.view = view;
+ this.onComplete = onComplete;
+ this._entries = Array.from(LiveUploader.filesAwaitingPreflight(inputEl) || []).map((file) => new UploadEntry(inputEl, file, view, this.autoUpload));
+ LiveUploader.markPreflightInProgress(this._entries);
+ this.numEntriesInProgress = this._entries.length;
+ }
+ isAutoUpload() {
+ return this.autoUpload;
+ }
+ entries() {
+ return this._entries;
+ }
+ initAdapterUpload(resp, onError, liveSocket2) {
+ this._entries = this._entries.map((entry) => {
+ if (entry.isCancelled()) {
+ this.numEntriesInProgress--;
+ if (this.numEntriesInProgress === 0) {
+ this.onComplete();
+ }
+ } else {
+ entry.zipPostFlight(resp);
+ entry.onDone(() => {
+ this.numEntriesInProgress--;
+ if (this.numEntriesInProgress === 0) {
+ this.onComplete();
+ }
+ });
+ }
+ return entry;
+ });
+ let groupedEntries = this._entries.reduce((acc, entry) => {
+ if (!entry.meta) {
+ return acc;
+ }
+ let { name, callback } = entry.uploader(liveSocket2.uploaders);
+ acc[name] = acc[name] || { callback, entries: [] };
+ acc[name].entries.push(entry);
+ return acc;
+ }, {});
+ for (let name in groupedEntries) {
+ let { callback, entries } = groupedEntries[name];
+ callback(entries, onError, resp, liveSocket2);
+ }
+ }
+ };
+ var Hooks = {
+ LiveFileUpload: {
+ activeRefs() {
+ return this.el.getAttribute(PHX_ACTIVE_ENTRY_REFS);
+ },
+ preflightedRefs() {
+ return this.el.getAttribute(PHX_PREFLIGHTED_REFS);
+ },
+ mounted() {
+ this.preflightedWas = this.preflightedRefs();
+ },
+ updated() {
+ let newPreflights = this.preflightedRefs();
+ if (this.preflightedWas !== newPreflights) {
+ this.preflightedWas = newPreflights;
+ if (newPreflights === "") {
+ this.__view.cancelSubmit(this.el.form);
+ }
+ }
+ if (this.activeRefs() === "") {
+ this.el.value = null;
+ }
+ this.el.dispatchEvent(new CustomEvent(PHX_LIVE_FILE_UPDATED));
+ }
+ },
+ LiveImgPreview: {
+ mounted() {
+ this.ref = this.el.getAttribute("data-phx-entry-ref");
+ this.inputEl = document.getElementById(this.el.getAttribute(PHX_UPLOAD_REF));
+ LiveUploader.getEntryDataURL(this.inputEl, this.ref, (url) => {
+ this.url = url;
+ this.el.src = url;
+ });
+ },
+ destroyed() {
+ URL.revokeObjectURL(this.url);
+ }
+ },
+ FocusWrap: {
+ mounted() {
+ this.focusStart = this.el.firstElementChild;
+ this.focusEnd = this.el.lastElementChild;
+ this.focusStart.addEventListener("focus", () => aria_default.focusLast(this.el));
+ this.focusEnd.addEventListener("focus", () => aria_default.focusFirst(this.el));
+ this.el.addEventListener("phx:show-end", () => this.el.focus());
+ if (window.getComputedStyle(this.el).display !== "none") {
+ aria_default.focusFirst(this.el);
+ }
+ }
+ }
+ };
+ var findScrollContainer = (el) => {
+ if (["scroll", "auto"].indexOf(getComputedStyle(el).overflowY) >= 0)
+ return el;
+ if (document.documentElement === el)
+ return null;
+ return findScrollContainer(el.parentElement);
+ };
+ var scrollTop = (scrollContainer) => {
+ if (scrollContainer) {
+ return scrollContainer.scrollTop;
+ } else {
+ return document.documentElement.scrollTop || document.body.scrollTop;
+ }
+ };
+ var bottom = (scrollContainer) => {
+ if (scrollContainer) {
+ return scrollContainer.getBoundingClientRect().bottom;
+ } else {
+ return window.innerHeight || document.documentElement.clientHeight;
+ }
+ };
+ var top = (scrollContainer) => {
+ if (scrollContainer) {
+ return scrollContainer.getBoundingClientRect().top;
+ } else {
+ return 0;
+ }
+ };
+ var isAtViewportTop = (el, scrollContainer) => {
+ let rect = el.getBoundingClientRect();
+ return rect.top >= top(scrollContainer) && rect.left >= 0 && rect.top <= bottom(scrollContainer);
+ };
+ var isAtViewportBottom = (el, scrollContainer) => {
+ let rect = el.getBoundingClientRect();
+ return rect.right >= top(scrollContainer) && rect.left >= 0 && rect.bottom <= bottom(scrollContainer);
+ };
+ var isWithinViewport = (el, scrollContainer) => {
+ let rect = el.getBoundingClientRect();
+ return rect.top >= top(scrollContainer) && rect.left >= 0 && rect.top <= bottom(scrollContainer);
+ };
+ Hooks.InfiniteScroll = {
+ mounted() {
+ this.scrollContainer = findScrollContainer(this.el);
+ let scrollBefore = scrollTop(this.scrollContainer);
+ let topOverran = false;
+ let throttleInterval = 500;
+ let pendingOp = null;
+ let onTopOverrun = this.throttle(throttleInterval, (topEvent, firstChild) => {
+ pendingOp = () => true;
+ this.liveSocket.execJSHookPush(this.el, topEvent, { id: firstChild.id, _overran: true }, () => {
+ pendingOp = null;
+ });
+ });
+ let onFirstChildAtTop = this.throttle(throttleInterval, (topEvent, firstChild) => {
+ pendingOp = () => firstChild.scrollIntoView({ block: "start" });
+ this.liveSocket.execJSHookPush(this.el, topEvent, { id: firstChild.id }, () => {
+ pendingOp = null;
+ window.requestAnimationFrame(() => {
+ if (!isWithinViewport(firstChild, this.scrollContainer)) {
+ firstChild.scrollIntoView({ block: "start" });
+ }
+ });
+ });
+ });
+ let onLastChildAtBottom = this.throttle(throttleInterval, (bottomEvent, lastChild) => {
+ pendingOp = () => lastChild.scrollIntoView({ block: "end" });
+ this.liveSocket.execJSHookPush(this.el, bottomEvent, { id: lastChild.id }, () => {
+ pendingOp = null;
+ window.requestAnimationFrame(() => {
+ if (!isWithinViewport(lastChild, this.scrollContainer)) {
+ lastChild.scrollIntoView({ block: "end" });
+ }
+ });
+ });
+ });
+ this.onScroll = (_e) => {
+ let scrollNow = scrollTop(this.scrollContainer);
+ if (pendingOp) {
+ scrollBefore = scrollNow;
+ return pendingOp();
+ }
+ let rect = this.el.getBoundingClientRect();
+ let topEvent = this.el.getAttribute(this.liveSocket.binding("viewport-top"));
+ let bottomEvent = this.el.getAttribute(this.liveSocket.binding("viewport-bottom"));
+ let lastChild = this.el.lastElementChild;
+ let firstChild = this.el.firstElementChild;
+ let isScrollingUp = scrollNow < scrollBefore;
+ let isScrollingDown = scrollNow > scrollBefore;
+ if (isScrollingUp && topEvent && !topOverran && rect.top >= 0) {
+ topOverran = true;
+ onTopOverrun(topEvent, firstChild);
+ } else if (isScrollingDown && topOverran && rect.top <= 0) {
+ topOverran = false;
+ }
+ if (topEvent && isScrollingUp && isAtViewportTop(firstChild, this.scrollContainer)) {
+ onFirstChildAtTop(topEvent, firstChild);
+ } else if (bottomEvent && isScrollingDown && isAtViewportBottom(lastChild, this.scrollContainer)) {
+ onLastChildAtBottom(bottomEvent, lastChild);
+ }
+ scrollBefore = scrollNow;
+ };
+ if (this.scrollContainer) {
+ this.scrollContainer.addEventListener("scroll", this.onScroll);
+ } else {
+ window.addEventListener("scroll", this.onScroll);
+ }
+ },
+ destroyed() {
+ if (this.scrollContainer) {
+ this.scrollContainer.removeEventListener("scroll", this.onScroll);
+ } else {
+ window.removeEventListener("scroll", this.onScroll);
+ }
+ },
+ throttle(interval, callback) {
+ let lastCallAt = 0;
+ let timer;
+ return (...args) => {
+ let now = Date.now();
+ let remainingTime = interval - (now - lastCallAt);
+ if (remainingTime <= 0 || remainingTime > interval) {
+ if (timer) {
+ clearTimeout(timer);
+ timer = null;
+ }
+ lastCallAt = now;
+ callback(...args);
+ } else if (!timer) {
+ timer = setTimeout(() => {
+ lastCallAt = Date.now();
+ timer = null;
+ callback(...args);
+ }, remainingTime);
+ }
+ };
+ }
+ };
+ var hooks_default = Hooks;
+ var DOMPostMorphRestorer = class {
+ constructor(containerBefore, containerAfter, updateType) {
+ let idsBefore = /* @__PURE__ */ new Set();
+ let idsAfter = new Set([...containerAfter.children].map((child) => child.id));
+ let elementsToModify = [];
+ Array.from(containerBefore.children).forEach((child) => {
+ if (child.id) {
+ idsBefore.add(child.id);
+ if (idsAfter.has(child.id)) {
+ let previousElementId = child.previousElementSibling && child.previousElementSibling.id;
+ elementsToModify.push({ elementId: child.id, previousElementId });
+ }
+ }
+ });
+ this.containerId = containerAfter.id;
+ this.updateType = updateType;
+ this.elementsToModify = elementsToModify;
+ this.elementIdsToAdd = [...idsAfter].filter((id) => !idsBefore.has(id));
+ }
+ perform() {
+ let container = dom_default.byId(this.containerId);
+ this.elementsToModify.forEach((elementToModify) => {
+ if (elementToModify.previousElementId) {
+ maybe(document.getElementById(elementToModify.previousElementId), (previousElem) => {
+ maybe(document.getElementById(elementToModify.elementId), (elem) => {
+ let isInRightPlace = elem.previousElementSibling && elem.previousElementSibling.id == previousElem.id;
+ if (!isInRightPlace) {
+ previousElem.insertAdjacentElement("afterend", elem);
+ }
+ });
+ });
+ } else {
+ maybe(document.getElementById(elementToModify.elementId), (elem) => {
+ let isInRightPlace = elem.previousElementSibling == null;
+ if (!isInRightPlace) {
+ container.insertAdjacentElement("afterbegin", elem);
+ }
+ });
+ }
+ });
+ if (this.updateType == "prepend") {
+ this.elementIdsToAdd.reverse().forEach((elemId) => {
+ maybe(document.getElementById(elemId), (elem) => container.insertAdjacentElement("afterbegin", elem));
+ });
+ }
+ }
+ };
+ var DOCUMENT_FRAGMENT_NODE = 11;
+ function morphAttrs(fromNode, toNode) {
+ var toNodeAttrs = toNode.attributes;
+ var attr;
+ var attrName;
+ var attrNamespaceURI;
+ var attrValue;
+ var fromValue;
+ if (toNode.nodeType === DOCUMENT_FRAGMENT_NODE || fromNode.nodeType === DOCUMENT_FRAGMENT_NODE) {
+ return;
+ }
+ for (var i = toNodeAttrs.length - 1; i >= 0; i--) {
+ attr = toNodeAttrs[i];
+ attrName = attr.name;
+ attrNamespaceURI = attr.namespaceURI;
+ attrValue = attr.value;
+ if (attrNamespaceURI) {
+ attrName = attr.localName || attrName;
+ fromValue = fromNode.getAttributeNS(attrNamespaceURI, attrName);
+ if (fromValue !== attrValue) {
+ if (attr.prefix === "xmlns") {
+ attrName = attr.name;
+ }
+ fromNode.setAttributeNS(attrNamespaceURI, attrName, attrValue);
+ }
+ } else {
+ fromValue = fromNode.getAttribute(attrName);
+ if (fromValue !== attrValue) {
+ fromNode.setAttribute(attrName, attrValue);
+ }
+ }
+ }
+ var fromNodeAttrs = fromNode.attributes;
+ for (var d = fromNodeAttrs.length - 1; d >= 0; d--) {
+ attr = fromNodeAttrs[d];
+ attrName = attr.name;
+ attrNamespaceURI = attr.namespaceURI;
+ if (attrNamespaceURI) {
+ attrName = attr.localName || attrName;
+ if (!toNode.hasAttributeNS(attrNamespaceURI, attrName)) {
+ fromNode.removeAttributeNS(attrNamespaceURI, attrName);
+ }
+ } else {
+ if (!toNode.hasAttribute(attrName)) {
+ fromNode.removeAttribute(attrName);
+ }
+ }
+ }
+ }
+ var range;
+ var NS_XHTML = "http://www.w3.org/1999/xhtml";
+ var doc = typeof document === "undefined" ? void 0 : document;
+ var HAS_TEMPLATE_SUPPORT = !!doc && "content" in doc.createElement("template");
+ var HAS_RANGE_SUPPORT = !!doc && doc.createRange && "createContextualFragment" in doc.createRange();
+ function createFragmentFromTemplate(str) {
+ var template = doc.createElement("template");
+ template.innerHTML = str;
+ return template.content.childNodes[0];
+ }
+ function createFragmentFromRange(str) {
+ if (!range) {
+ range = doc.createRange();
+ range.selectNode(doc.body);
+ }
+ var fragment = range.createContextualFragment(str);
+ return fragment.childNodes[0];
+ }
+ function createFragmentFromWrap(str) {
+ var fragment = doc.createElement("body");
+ fragment.innerHTML = str;
+ return fragment.childNodes[0];
+ }
+ function toElement(str) {
+ str = str.trim();
+ if (HAS_TEMPLATE_SUPPORT) {
+ return createFragmentFromTemplate(str);
+ } else if (HAS_RANGE_SUPPORT) {
+ return createFragmentFromRange(str);
+ }
+ return createFragmentFromWrap(str);
+ }
+ function compareNodeNames(fromEl, toEl) {
+ var fromNodeName = fromEl.nodeName;
+ var toNodeName = toEl.nodeName;
+ var fromCodeStart, toCodeStart;
+ if (fromNodeName === toNodeName) {
+ return true;
+ }
+ fromCodeStart = fromNodeName.charCodeAt(0);
+ toCodeStart = toNodeName.charCodeAt(0);
+ if (fromCodeStart <= 90 && toCodeStart >= 97) {
+ return fromNodeName === toNodeName.toUpperCase();
+ } else if (toCodeStart <= 90 && fromCodeStart >= 97) {
+ return toNodeName === fromNodeName.toUpperCase();
+ } else {
+ return false;
+ }
+ }
+ function createElementNS(name, namespaceURI) {
+ return !namespaceURI || namespaceURI === NS_XHTML ? doc.createElement(name) : doc.createElementNS(namespaceURI, name);
+ }
+ function moveChildren(fromEl, toEl) {
+ var curChild = fromEl.firstChild;
+ while (curChild) {
+ var nextChild = curChild.nextSibling;
+ toEl.appendChild(curChild);
+ curChild = nextChild;
+ }
+ return toEl;
+ }
+ function syncBooleanAttrProp(fromEl, toEl, name) {
+ if (fromEl[name] !== toEl[name]) {
+ fromEl[name] = toEl[name];
+ if (fromEl[name]) {
+ fromEl.setAttribute(name, "");
+ } else {
+ fromEl.removeAttribute(name);
+ }
+ }
+ }
+ var specialElHandlers = {
+ OPTION: function(fromEl, toEl) {
+ var parentNode = fromEl.parentNode;
+ if (parentNode) {
+ var parentName = parentNode.nodeName.toUpperCase();
+ if (parentName === "OPTGROUP") {
+ parentNode = parentNode.parentNode;
+ parentName = parentNode && parentNode.nodeName.toUpperCase();
+ }
+ if (parentName === "SELECT" && !parentNode.hasAttribute("multiple")) {
+ if (fromEl.hasAttribute("selected") && !toEl.selected) {
+ fromEl.setAttribute("selected", "selected");
+ fromEl.removeAttribute("selected");
+ }
+ parentNode.selectedIndex = -1;
+ }
+ }
+ syncBooleanAttrProp(fromEl, toEl, "selected");
+ },
+ INPUT: function(fromEl, toEl) {
+ syncBooleanAttrProp(fromEl, toEl, "checked");
+ syncBooleanAttrProp(fromEl, toEl, "disabled");
+ if (fromEl.value !== toEl.value) {
+ fromEl.value = toEl.value;
+ }
+ if (!toEl.hasAttribute("value")) {
+ fromEl.removeAttribute("value");
+ }
+ },
+ TEXTAREA: function(fromEl, toEl) {
+ var newValue = toEl.value;
+ if (fromEl.value !== newValue) {
+ fromEl.value = newValue;
+ }
+ var firstChild = fromEl.firstChild;
+ if (firstChild) {
+ var oldValue = firstChild.nodeValue;
+ if (oldValue == newValue || !newValue && oldValue == fromEl.placeholder) {
+ return;
+ }
+ firstChild.nodeValue = newValue;
+ }
+ },
+ SELECT: function(fromEl, toEl) {
+ if (!toEl.hasAttribute("multiple")) {
+ var selectedIndex = -1;
+ var i = 0;
+ var curChild = fromEl.firstChild;
+ var optgroup;
+ var nodeName;
+ while (curChild) {
+ nodeName = curChild.nodeName && curChild.nodeName.toUpperCase();
+ if (nodeName === "OPTGROUP") {
+ optgroup = curChild;
+ curChild = optgroup.firstChild;
+ } else {
+ if (nodeName === "OPTION") {
+ if (curChild.hasAttribute("selected")) {
+ selectedIndex = i;
+ break;
+ }
+ i++;
+ }
+ curChild = curChild.nextSibling;
+ if (!curChild && optgroup) {
+ curChild = optgroup.nextSibling;
+ optgroup = null;
+ }
+ }
+ }
+ fromEl.selectedIndex = selectedIndex;
+ }
+ }
+ };
+ var ELEMENT_NODE = 1;
+ var DOCUMENT_FRAGMENT_NODE$1 = 11;
+ var TEXT_NODE = 3;
+ var COMMENT_NODE = 8;
+ function noop() {
+ }
+ function defaultGetNodeKey(node) {
+ if (node) {
+ return node.getAttribute && node.getAttribute("id") || node.id;
+ }
+ }
+ function morphdomFactory(morphAttrs2) {
+ return function morphdom2(fromNode, toNode, options) {
+ if (!options) {
+ options = {};
+ }
+ if (typeof toNode === "string") {
+ if (fromNode.nodeName === "#document" || fromNode.nodeName === "HTML" || fromNode.nodeName === "BODY") {
+ var toNodeHtml = toNode;
+ toNode = doc.createElement("html");
+ toNode.innerHTML = toNodeHtml;
+ } else {
+ toNode = toElement(toNode);
+ }
+ } else if (toNode.nodeType === DOCUMENT_FRAGMENT_NODE$1) {
+ toNode = toNode.firstElementChild;
+ }
+ var getNodeKey = options.getNodeKey || defaultGetNodeKey;
+ var onBeforeNodeAdded = options.onBeforeNodeAdded || noop;
+ var onNodeAdded = options.onNodeAdded || noop;
+ var onBeforeElUpdated = options.onBeforeElUpdated || noop;
+ var onElUpdated = options.onElUpdated || noop;
+ var onBeforeNodeDiscarded = options.onBeforeNodeDiscarded || noop;
+ var onNodeDiscarded = options.onNodeDiscarded || noop;
+ var onBeforeElChildrenUpdated = options.onBeforeElChildrenUpdated || noop;
+ var skipFromChildren = options.skipFromChildren || noop;
+ var addChild = options.addChild || function(parent, child) {
+ return parent.appendChild(child);
+ };
+ var childrenOnly = options.childrenOnly === true;
+ var fromNodesLookup = /* @__PURE__ */ Object.create(null);
+ var keyedRemovalList = [];
+ function addKeyedRemoval(key) {
+ keyedRemovalList.push(key);
+ }
+ function walkDiscardedChildNodes(node, skipKeyedNodes) {
+ if (node.nodeType === ELEMENT_NODE) {
+ var curChild = node.firstChild;
+ while (curChild) {
+ var key = void 0;
+ if (skipKeyedNodes && (key = getNodeKey(curChild))) {
+ addKeyedRemoval(key);
+ } else {
+ onNodeDiscarded(curChild);
+ if (curChild.firstChild) {
+ walkDiscardedChildNodes(curChild, skipKeyedNodes);
+ }
+ }
+ curChild = curChild.nextSibling;
+ }
+ }
+ }
+ function removeNode(node, parentNode, skipKeyedNodes) {
+ if (onBeforeNodeDiscarded(node) === false) {
+ return;
+ }
+ if (parentNode) {
+ parentNode.removeChild(node);
+ }
+ onNodeDiscarded(node);
+ walkDiscardedChildNodes(node, skipKeyedNodes);
+ }
+ function indexTree(node) {
+ if (node.nodeType === ELEMENT_NODE || node.nodeType === DOCUMENT_FRAGMENT_NODE$1) {
+ var curChild = node.firstChild;
+ while (curChild) {
+ var key = getNodeKey(curChild);
+ if (key) {
+ fromNodesLookup[key] = curChild;
+ }
+ indexTree(curChild);
+ curChild = curChild.nextSibling;
+ }
+ }
+ }
+ indexTree(fromNode);
+ function handleNodeAdded(el) {
+ onNodeAdded(el);
+ var curChild = el.firstChild;
+ while (curChild) {
+ var nextSibling = curChild.nextSibling;
+ var key = getNodeKey(curChild);
+ if (key) {
+ var unmatchedFromEl = fromNodesLookup[key];
+ if (unmatchedFromEl && compareNodeNames(curChild, unmatchedFromEl)) {
+ curChild.parentNode.replaceChild(unmatchedFromEl, curChild);
+ morphEl(unmatchedFromEl, curChild);
+ } else {
+ handleNodeAdded(curChild);
+ }
+ } else {
+ handleNodeAdded(curChild);
+ }
+ curChild = nextSibling;
+ }
+ }
+ function cleanupFromEl(fromEl, curFromNodeChild, curFromNodeKey) {
+ while (curFromNodeChild) {
+ var fromNextSibling = curFromNodeChild.nextSibling;
+ if (curFromNodeKey = getNodeKey(curFromNodeChild)) {
+ addKeyedRemoval(curFromNodeKey);
+ } else {
+ removeNode(curFromNodeChild, fromEl, true);
+ }
+ curFromNodeChild = fromNextSibling;
+ }
+ }
+ function morphEl(fromEl, toEl, childrenOnly2) {
+ var toElKey = getNodeKey(toEl);
+ if (toElKey) {
+ delete fromNodesLookup[toElKey];
+ }
+ if (!childrenOnly2) {
+ if (onBeforeElUpdated(fromEl, toEl) === false) {
+ return;
+ }
+ morphAttrs2(fromEl, toEl);
+ onElUpdated(fromEl);
+ if (onBeforeElChildrenUpdated(fromEl, toEl) === false) {
+ return;
+ }
+ }
+ if (fromEl.nodeName !== "TEXTAREA") {
+ morphChildren(fromEl, toEl);
+ } else {
+ specialElHandlers.TEXTAREA(fromEl, toEl);
+ }
+ }
+ function morphChildren(fromEl, toEl) {
+ var skipFrom = skipFromChildren(fromEl, toEl);
+ var curToNodeChild = toEl.firstChild;
+ var curFromNodeChild = fromEl.firstChild;
+ var curToNodeKey;
+ var curFromNodeKey;
+ var fromNextSibling;
+ var toNextSibling;
+ var matchingFromEl;
+ outer:
+ while (curToNodeChild) {
+ toNextSibling = curToNodeChild.nextSibling;
+ curToNodeKey = getNodeKey(curToNodeChild);
+ while (!skipFrom && curFromNodeChild) {
+ fromNextSibling = curFromNodeChild.nextSibling;
+ if (curToNodeChild.isSameNode && curToNodeChild.isSameNode(curFromNodeChild)) {
+ curToNodeChild = toNextSibling;
+ curFromNodeChild = fromNextSibling;
+ continue outer;
+ }
+ curFromNodeKey = getNodeKey(curFromNodeChild);
+ var curFromNodeType = curFromNodeChild.nodeType;
+ var isCompatible = void 0;
+ if (curFromNodeType === curToNodeChild.nodeType) {
+ if (curFromNodeType === ELEMENT_NODE) {
+ if (curToNodeKey) {
+ if (curToNodeKey !== curFromNodeKey) {
+ if (matchingFromEl = fromNodesLookup[curToNodeKey]) {
+ if (fromNextSibling === matchingFromEl) {
+ isCompatible = false;
+ } else {
+ fromEl.insertBefore(matchingFromEl, curFromNodeChild);
+ if (curFromNodeKey) {
+ addKeyedRemoval(curFromNodeKey);
+ } else {
+ removeNode(curFromNodeChild, fromEl, true);
+ }
+ curFromNodeChild = matchingFromEl;
+ curFromNodeKey = getNodeKey(curFromNodeChild);
+ }
+ } else {
+ isCompatible = false;
+ }
+ }
+ } else if (curFromNodeKey) {
+ isCompatible = false;
+ }
+ isCompatible = isCompatible !== false && compareNodeNames(curFromNodeChild, curToNodeChild);
+ if (isCompatible) {
+ morphEl(curFromNodeChild, curToNodeChild);
+ }
+ } else if (curFromNodeType === TEXT_NODE || curFromNodeType == COMMENT_NODE) {
+ isCompatible = true;
+ if (curFromNodeChild.nodeValue !== curToNodeChild.nodeValue) {
+ curFromNodeChild.nodeValue = curToNodeChild.nodeValue;
+ }
+ }
+ }
+ if (isCompatible) {
+ curToNodeChild = toNextSibling;
+ curFromNodeChild = fromNextSibling;
+ continue outer;
+ }
+ if (curFromNodeKey) {
+ addKeyedRemoval(curFromNodeKey);
+ } else {
+ removeNode(curFromNodeChild, fromEl, true);
+ }
+ curFromNodeChild = fromNextSibling;
+ }
+ if (curToNodeKey && (matchingFromEl = fromNodesLookup[curToNodeKey]) && compareNodeNames(matchingFromEl, curToNodeChild)) {
+ if (!skipFrom) {
+ addChild(fromEl, matchingFromEl);
+ }
+ morphEl(matchingFromEl, curToNodeChild);
+ } else {
+ var onBeforeNodeAddedResult = onBeforeNodeAdded(curToNodeChild);
+ if (onBeforeNodeAddedResult !== false) {
+ if (onBeforeNodeAddedResult) {
+ curToNodeChild = onBeforeNodeAddedResult;
+ }
+ if (curToNodeChild.actualize) {
+ curToNodeChild = curToNodeChild.actualize(fromEl.ownerDocument || doc);
+ }
+ addChild(fromEl, curToNodeChild);
+ handleNodeAdded(curToNodeChild);
+ }
+ }
+ curToNodeChild = toNextSibling;
+ curFromNodeChild = fromNextSibling;
+ }
+ cleanupFromEl(fromEl, curFromNodeChild, curFromNodeKey);
+ var specialElHandler = specialElHandlers[fromEl.nodeName];
+ if (specialElHandler) {
+ specialElHandler(fromEl, toEl);
+ }
+ }
+ var morphedNode = fromNode;
+ var morphedNodeType = morphedNode.nodeType;
+ var toNodeType = toNode.nodeType;
+ if (!childrenOnly) {
+ if (morphedNodeType === ELEMENT_NODE) {
+ if (toNodeType === ELEMENT_NODE) {
+ if (!compareNodeNames(fromNode, toNode)) {
+ onNodeDiscarded(fromNode);
+ morphedNode = moveChildren(fromNode, createElementNS(toNode.nodeName, toNode.namespaceURI));
+ }
+ } else {
+ morphedNode = toNode;
+ }
+ } else if (morphedNodeType === TEXT_NODE || morphedNodeType === COMMENT_NODE) {
+ if (toNodeType === morphedNodeType) {
+ if (morphedNode.nodeValue !== toNode.nodeValue) {
+ morphedNode.nodeValue = toNode.nodeValue;
+ }
+ return morphedNode;
+ } else {
+ morphedNode = toNode;
+ }
+ }
+ }
+ if (morphedNode === toNode) {
+ onNodeDiscarded(fromNode);
+ } else {
+ if (toNode.isSameNode && toNode.isSameNode(morphedNode)) {
+ return;
+ }
+ morphEl(morphedNode, toNode, childrenOnly);
+ if (keyedRemovalList) {
+ for (var i = 0, len = keyedRemovalList.length; i < len; i++) {
+ var elToRemove = fromNodesLookup[keyedRemovalList[i]];
+ if (elToRemove) {
+ removeNode(elToRemove, elToRemove.parentNode, false);
+ }
+ }
+ }
+ }
+ if (!childrenOnly && morphedNode !== fromNode && fromNode.parentNode) {
+ if (morphedNode.actualize) {
+ morphedNode = morphedNode.actualize(fromNode.ownerDocument || doc);
+ }
+ fromNode.parentNode.replaceChild(morphedNode, fromNode);
+ }
+ return morphedNode;
+ };
+ }
+ var morphdom = morphdomFactory(morphAttrs);
+ var morphdom_esm_default = morphdom;
+ var DOMPatch = class {
+ static patchEl(fromEl, toEl, activeElement) {
+ morphdom_esm_default(fromEl, toEl, {
+ childrenOnly: false,
+ onBeforeElUpdated: (fromEl2, toEl2) => {
+ if (activeElement && activeElement.isSameNode(fromEl2) && dom_default.isFormInput(fromEl2)) {
+ dom_default.mergeFocusedInput(fromEl2, toEl2);
+ return false;
+ }
+ }
+ });
+ }
+ constructor(view, container, id, html, streams, targetCID) {
+ this.view = view;
+ this.liveSocket = view.liveSocket;
+ this.container = container;
+ this.id = id;
+ this.rootID = view.root.id;
+ this.html = html;
+ this.streams = streams;
+ this.streamInserts = {};
+ this.streamComponentRestore = {};
+ this.targetCID = targetCID;
+ this.cidPatch = isCid(this.targetCID);
+ this.pendingRemoves = [];
+ this.phxRemove = this.liveSocket.binding("remove");
+ this.callbacks = {
+ beforeadded: [],
+ beforeupdated: [],
+ beforephxChildAdded: [],
+ afteradded: [],
+ afterupdated: [],
+ afterdiscarded: [],
+ afterphxChildAdded: [],
+ aftertransitionsDiscarded: []
+ };
+ }
+ before(kind, callback) {
+ this.callbacks[`before${kind}`].push(callback);
+ }
+ after(kind, callback) {
+ this.callbacks[`after${kind}`].push(callback);
+ }
+ trackBefore(kind, ...args) {
+ this.callbacks[`before${kind}`].forEach((callback) => callback(...args));
+ }
+ trackAfter(kind, ...args) {
+ this.callbacks[`after${kind}`].forEach((callback) => callback(...args));
+ }
+ markPrunableContentForRemoval() {
+ let phxUpdate = this.liveSocket.binding(PHX_UPDATE);
+ dom_default.all(this.container, `[${phxUpdate}=append] > *, [${phxUpdate}=prepend] > *`, (el) => {
+ el.setAttribute(PHX_PRUNE, "");
+ });
+ }
+ perform(isJoinPatch) {
+ let { view, liveSocket: liveSocket2, container, html } = this;
+ let targetContainer = this.isCIDPatch() ? this.targetCIDContainer(html) : container;
+ if (this.isCIDPatch() && !targetContainer) {
+ return;
+ }
+ let focused = liveSocket2.getActiveElement();
+ let { selectionStart, selectionEnd } = focused && dom_default.hasSelectionRange(focused) ? focused : {};
+ let phxUpdate = liveSocket2.binding(PHX_UPDATE);
+ let phxFeedbackFor = liveSocket2.binding(PHX_FEEDBACK_FOR);
+ let phxFeedbackGroup = liveSocket2.binding(PHX_FEEDBACK_GROUP);
+ let disableWith = liveSocket2.binding(PHX_DISABLE_WITH);
+ let phxViewportTop = liveSocket2.binding(PHX_VIEWPORT_TOP);
+ let phxViewportBottom = liveSocket2.binding(PHX_VIEWPORT_BOTTOM);
+ let phxTriggerExternal = liveSocket2.binding(PHX_TRIGGER_ACTION);
+ let added = [];
+ let feedbackContainers = [];
+ let updates = [];
+ let appendPrependUpdates = [];
+ let externalFormTriggered = null;
+ function morph(targetContainer2, source) {
+ morphdom_esm_default(targetContainer2, source, {
+ childrenOnly: targetContainer2.getAttribute(PHX_COMPONENT) === null,
+ getNodeKey: (node) => {
+ if (dom_default.isPhxDestroyed(node)) {
+ return null;
+ }
+ if (isJoinPatch) {
+ return node.id;
+ }
+ return node.id || node.getAttribute && node.getAttribute(PHX_MAGIC_ID);
+ },
+ skipFromChildren: (from) => {
+ return from.getAttribute(phxUpdate) === PHX_STREAM;
+ },
+ addChild: (parent, child) => {
+ let { ref, streamAt } = this.getStreamInsert(child);
+ if (ref === void 0) {
+ return parent.appendChild(child);
+ }
+ this.setStreamRef(child, ref);
+ if (streamAt === 0) {
+ parent.insertAdjacentElement("afterbegin", child);
+ } else if (streamAt === -1) {
+ parent.appendChild(child);
+ } else if (streamAt > 0) {
+ let sibling = Array.from(parent.children)[streamAt];
+ parent.insertBefore(child, sibling);
+ }
+ },
+ onBeforeNodeAdded: (el) => {
+ dom_default.maybeAddPrivateHooks(el, phxViewportTop, phxViewportBottom);
+ this.trackBefore("added", el);
+ let morphedEl = el;
+ if (!isJoinPatch && this.streamComponentRestore[el.id]) {
+ morphedEl = this.streamComponentRestore[el.id];
+ delete this.streamComponentRestore[el.id];
+ morph.bind(this)(morphedEl, el);
+ }
+ return morphedEl;
+ },
+ onNodeAdded: (el) => {
+ if (el.getAttribute) {
+ this.maybeReOrderStream(el, true);
+ }
+ if (dom_default.isFeedbackContainer(el, phxFeedbackFor))
+ feedbackContainers.push(el);
+ if (el instanceof HTMLImageElement && el.srcset) {
+ el.srcset = el.srcset;
+ } else if (el instanceof HTMLVideoElement && el.autoplay) {
+ el.play();
+ }
+ if (dom_default.isNowTriggerFormExternal(el, phxTriggerExternal)) {
+ externalFormTriggered = el;
+ }
+ if (dom_default.isPhxChild(el) && view.ownsElement(el) || dom_default.isPhxSticky(el) && view.ownsElement(el.parentNode)) {
+ this.trackAfter("phxChildAdded", el);
+ }
+ added.push(el);
+ },
+ onNodeDiscarded: (el) => this.onNodeDiscarded(el),
+ onBeforeNodeDiscarded: (el) => {
+ if (el.getAttribute && el.getAttribute(PHX_PRUNE) !== null) {
+ return true;
+ }
+ if (el.parentElement !== null && el.id && dom_default.isPhxUpdate(el.parentElement, phxUpdate, [PHX_STREAM, "append", "prepend"])) {
+ return false;
+ }
+ if (this.maybePendingRemove(el)) {
+ return false;
+ }
+ if (this.skipCIDSibling(el)) {
+ return false;
+ }
+ return true;
+ },
+ onElUpdated: (el) => {
+ if (dom_default.isNowTriggerFormExternal(el, phxTriggerExternal)) {
+ externalFormTriggered = el;
+ }
+ updates.push(el);
+ this.maybeReOrderStream(el, false);
+ },
+ onBeforeElUpdated: (fromEl, toEl) => {
+ dom_default.maybeAddPrivateHooks(toEl, phxViewportTop, phxViewportBottom);
+ if (dom_default.isFeedbackContainer(fromEl, phxFeedbackFor) || dom_default.isFeedbackContainer(toEl, phxFeedbackFor)) {
+ feedbackContainers.push(fromEl);
+ feedbackContainers.push(toEl);
+ }
+ dom_default.cleanChildNodes(toEl, phxUpdate);
+ if (this.skipCIDSibling(toEl)) {
+ this.maybeReOrderStream(fromEl);
+ return false;
+ }
+ if (dom_default.isPhxSticky(fromEl)) {
+ return false;
+ }
+ if (dom_default.isIgnored(fromEl, phxUpdate) || fromEl.form && fromEl.form.isSameNode(externalFormTriggered)) {
+ this.trackBefore("updated", fromEl, toEl);
+ dom_default.mergeAttrs(fromEl, toEl, { isIgnored: true });
+ updates.push(fromEl);
+ dom_default.applyStickyOperations(fromEl);
+ return false;
+ }
+ if (fromEl.type === "number" && (fromEl.validity && fromEl.validity.badInput)) {
+ return false;
+ }
+ if (!dom_default.syncPendingRef(fromEl, toEl, disableWith)) {
+ if (dom_default.isUploadInput(fromEl)) {
+ this.trackBefore("updated", fromEl, toEl);
+ updates.push(fromEl);
+ }
+ dom_default.applyStickyOperations(fromEl);
+ return false;
+ }
+ if (dom_default.isPhxChild(toEl)) {
+ let prevSession = fromEl.getAttribute(PHX_SESSION);
+ dom_default.mergeAttrs(fromEl, toEl, { exclude: [PHX_STATIC] });
+ if (prevSession !== "") {
+ fromEl.setAttribute(PHX_SESSION, prevSession);
+ }
+ fromEl.setAttribute(PHX_ROOT_ID, this.rootID);
+ dom_default.applyStickyOperations(fromEl);
+ return false;
+ }
+ dom_default.copyPrivates(toEl, fromEl);
+ let isFocusedFormEl = focused && fromEl.isSameNode(focused) && dom_default.isFormInput(fromEl);
+ let focusedSelectChanged = isFocusedFormEl && this.isChangedSelect(fromEl, toEl);
+ if (isFocusedFormEl && fromEl.type !== "hidden" && !focusedSelectChanged) {
+ this.trackBefore("updated", fromEl, toEl);
+ dom_default.mergeFocusedInput(fromEl, toEl);
+ dom_default.syncAttrsToProps(fromEl);
+ updates.push(fromEl);
+ dom_default.applyStickyOperations(fromEl);
+ return false;
+ } else {
+ if (focusedSelectChanged) {
+ fromEl.blur();
+ }
+ if (dom_default.isPhxUpdate(toEl, phxUpdate, ["append", "prepend"])) {
+ appendPrependUpdates.push(new DOMPostMorphRestorer(fromEl, toEl, toEl.getAttribute(phxUpdate)));
+ }
+ dom_default.syncAttrsToProps(toEl);
+ dom_default.applyStickyOperations(toEl);
+ this.trackBefore("updated", fromEl, toEl);
+ return true;
+ }
+ }
+ });
+ }
+ this.trackBefore("added", container);
+ this.trackBefore("updated", container, container);
+ liveSocket2.time("morphdom", () => {
+ this.streams.forEach(([ref, inserts, deleteIds, reset]) => {
+ inserts.forEach(([key, streamAt, limit]) => {
+ this.streamInserts[key] = { ref, streamAt, limit, reset };
+ });
+ if (reset !== void 0) {
+ dom_default.all(container, `[${PHX_STREAM_REF}="${ref}"]`, (child) => {
+ this.removeStreamChildElement(child);
+ });
+ }
+ deleteIds.forEach((id) => {
+ let child = container.querySelector(`[id="${id}"]`);
+ if (child) {
+ this.removeStreamChildElement(child);
+ }
+ });
+ });
+ if (isJoinPatch) {
+ dom_default.all(this.container, `[${phxUpdate}=${PHX_STREAM}]`, (el) => {
+ this.liveSocket.owner(el, (view2) => {
+ if (view2 === this.view) {
+ Array.from(el.children).forEach((child) => {
+ this.removeStreamChildElement(child);
+ });
+ }
+ });
+ });
+ }
+ morph.bind(this)(targetContainer, html);
+ });
+ if (liveSocket2.isDebugEnabled()) {
+ detectDuplicateIds();
+ }
+ if (appendPrependUpdates.length > 0) {
+ liveSocket2.time("post-morph append/prepend restoration", () => {
+ appendPrependUpdates.forEach((update) => update.perform());
+ });
+ }
+ dom_default.maybeHideFeedback(targetContainer, feedbackContainers, phxFeedbackFor, phxFeedbackGroup);
+ liveSocket2.silenceEvents(() => dom_default.restoreFocus(focused, selectionStart, selectionEnd));
+ dom_default.dispatchEvent(document, "phx:update");
+ added.forEach((el) => this.trackAfter("added", el));
+ updates.forEach((el) => this.trackAfter("updated", el));
+ this.transitionPendingRemoves();
+ if (externalFormTriggered) {
+ liveSocket2.unload();
+ Object.getPrototypeOf(externalFormTriggered).submit.call(externalFormTriggered);
+ }
+ return true;
+ }
+ onNodeDiscarded(el) {
+ if (dom_default.isPhxChild(el) || dom_default.isPhxSticky(el)) {
+ this.liveSocket.destroyViewByEl(el);
+ }
+ this.trackAfter("discarded", el);
+ }
+ maybePendingRemove(node) {
+ if (node.getAttribute && node.getAttribute(this.phxRemove) !== null) {
+ this.pendingRemoves.push(node);
+ return true;
+ } else {
+ return false;
+ }
+ }
+ removeStreamChildElement(child) {
+ if (this.streamInserts[child.id]) {
+ this.streamComponentRestore[child.id] = child;
+ child.remove();
+ } else {
+ if (!this.maybePendingRemove(child)) {
+ child.remove();
+ this.onNodeDiscarded(child);
+ }
+ }
+ }
+ getStreamInsert(el) {
+ let insert = el.id ? this.streamInserts[el.id] : {};
+ return insert || {};
+ }
+ setStreamRef(el, ref) {
+ dom_default.putSticky(el, PHX_STREAM_REF, (el2) => el2.setAttribute(PHX_STREAM_REF, ref));
+ }
+ maybeReOrderStream(el, isNew) {
+ let { ref, streamAt, reset } = this.getStreamInsert(el);
+ if (streamAt === void 0) {
+ return;
+ }
+ this.setStreamRef(el, ref);
+ if (!reset && !isNew) {
+ return;
+ }
+ if (!el.parentElement) {
+ return;
+ }
+ if (streamAt === 0) {
+ el.parentElement.insertBefore(el, el.parentElement.firstElementChild);
+ } else if (streamAt > 0) {
+ let children = Array.from(el.parentElement.children);
+ let oldIndex = children.indexOf(el);
+ if (streamAt >= children.length - 1) {
+ el.parentElement.appendChild(el);
+ } else {
+ let sibling = children[streamAt];
+ if (oldIndex > streamAt) {
+ el.parentElement.insertBefore(el, sibling);
+ } else {
+ el.parentElement.insertBefore(el, sibling.nextElementSibling);
+ }
+ }
+ }
+ this.maybeLimitStream(el);
+ }
+ maybeLimitStream(el) {
+ let { limit } = this.getStreamInsert(el);
+ let children = limit !== null && Array.from(el.parentElement.children);
+ if (limit && limit < 0 && children.length > limit * -1) {
+ children.slice(0, children.length + limit).forEach((child) => this.removeStreamChildElement(child));
+ } else if (limit && limit >= 0 && children.length > limit) {
+ children.slice(limit).forEach((child) => this.removeStreamChildElement(child));
+ }
+ }
+ transitionPendingRemoves() {
+ let { pendingRemoves, liveSocket: liveSocket2 } = this;
+ if (pendingRemoves.length > 0) {
+ liveSocket2.transitionRemoves(pendingRemoves);
+ liveSocket2.requestDOMUpdate(() => {
+ pendingRemoves.forEach((el) => {
+ let child = dom_default.firstPhxChild(el);
+ if (child) {
+ liveSocket2.destroyViewByEl(child);
+ }
+ el.remove();
+ });
+ this.trackAfter("transitionsDiscarded", pendingRemoves);
+ });
+ }
+ }
+ isChangedSelect(fromEl, toEl) {
+ if (!(fromEl instanceof HTMLSelectElement) || fromEl.multiple) {
+ return false;
+ }
+ if (fromEl.options.length !== toEl.options.length) {
+ return true;
+ }
+ let fromSelected = fromEl.selectedOptions[0];
+ let toSelected = toEl.selectedOptions[0];
+ if (fromSelected && fromSelected.hasAttribute("selected")) {
+ toSelected.setAttribute("selected", fromSelected.getAttribute("selected"));
+ }
+ return !fromEl.isEqualNode(toEl);
+ }
+ isCIDPatch() {
+ return this.cidPatch;
+ }
+ skipCIDSibling(el) {
+ return el.nodeType === Node.ELEMENT_NODE && el.hasAttribute(PHX_SKIP);
+ }
+ targetCIDContainer(html) {
+ if (!this.isCIDPatch()) {
+ return;
+ }
+ let [first, ...rest] = dom_default.findComponentNodeList(this.container, this.targetCID);
+ if (rest.length === 0 && dom_default.childNodeLength(html) === 1) {
+ return first;
+ } else {
+ return first && first.parentNode;
+ }
+ }
+ indexOf(parent, child) {
+ return Array.from(parent.children).indexOf(child);
+ }
+ };
+ var VOID_TAGS = /* @__PURE__ */ new Set([
+ "area",
+ "base",
+ "br",
+ "col",
+ "command",
+ "embed",
+ "hr",
+ "img",
+ "input",
+ "keygen",
+ "link",
+ "meta",
+ "param",
+ "source",
+ "track",
+ "wbr"
+ ]);
+ var quoteChars = /* @__PURE__ */ new Set(["'", '"']);
+ var modifyRoot = (html, attrs, clearInnerHTML) => {
+ let i = 0;
+ let insideComment = false;
+ let beforeTag, afterTag, tag, tagNameEndsAt, id, newHTML;
+ let lookahead = html.match(/^(\s*(?:\s*)*)<([^\s\/>]+)/);
+ if (lookahead === null) {
+ throw new Error(`malformed html ${html}`);
+ }
+ i = lookahead[0].length;
+ beforeTag = lookahead[1];
+ tag = lookahead[2];
+ tagNameEndsAt = i;
+ for (i; i < html.length; i++) {
+ if (html.charAt(i) === ">") {
+ break;
+ }
+ if (html.charAt(i) === "=") {
+ let isId = html.slice(i - 3, i) === " id";
+ i++;
+ let char = html.charAt(i);
+ if (quoteChars.has(char)) {
+ let attrStartsAt = i;
+ i++;
+ for (i; i < html.length; i++) {
+ if (html.charAt(i) === char) {
+ break;
+ }
+ }
+ if (isId) {
+ id = html.slice(attrStartsAt + 1, i);
+ break;
+ }
+ }
+ }
+ }
+ let closeAt = html.length - 1;
+ insideComment = false;
+ while (closeAt >= beforeTag.length + tag.length) {
+ let char = html.charAt(closeAt);
+ if (insideComment) {
+ if (char === "-" && html.slice(closeAt - 3, closeAt) === "" && html.slice(closeAt - 2, closeAt) === "--") {
+ insideComment = true;
+ closeAt -= 3;
+ } else if (char === ">") {
+ break;
+ } else {
+ closeAt -= 1;
+ }
+ }
+ afterTag = html.slice(closeAt + 1, html.length);
+ let attrsStr = Object.keys(attrs).map((attr) => attrs[attr] === true ? attr : `${attr}="${attrs[attr]}"`).join(" ");
+ if (clearInnerHTML) {
+ let idAttrStr = id ? ` id="${id}"` : "";
+ if (VOID_TAGS.has(tag)) {
+ newHTML = `<${tag}${idAttrStr}${attrsStr === "" ? "" : " "}${attrsStr}/>`;
+ } else {
+ newHTML = `<${tag}${idAttrStr}${attrsStr === "" ? "" : " "}${attrsStr}>${tag}>`;
+ }
+ } else {
+ let rest = html.slice(tagNameEndsAt, closeAt + 1);
+ newHTML = `<${tag}${attrsStr === "" ? "" : " "}${attrsStr}${rest}`;
+ }
+ return [newHTML, beforeTag, afterTag];
+ };
+ var Rendered = class {
+ static extract(diff) {
+ let { [REPLY]: reply, [EVENTS]: events, [TITLE]: title } = diff;
+ delete diff[REPLY];
+ delete diff[EVENTS];
+ delete diff[TITLE];
+ return { diff, title, reply: reply || null, events: events || [] };
+ }
+ constructor(viewId, rendered) {
+ this.viewId = viewId;
+ this.rendered = {};
+ this.magicId = 0;
+ this.mergeDiff(rendered);
+ }
+ parentViewId() {
+ return this.viewId;
+ }
+ toString(onlyCids) {
+ let [str, streams] = this.recursiveToString(this.rendered, this.rendered[COMPONENTS], onlyCids, true, {});
+ return [str, streams];
+ }
+ recursiveToString(rendered, components = rendered[COMPONENTS], onlyCids, changeTracking, rootAttrs) {
+ onlyCids = onlyCids ? new Set(onlyCids) : null;
+ let output = { buffer: "", components, onlyCids, streams: /* @__PURE__ */ new Set() };
+ this.toOutputBuffer(rendered, null, output, changeTracking, rootAttrs);
+ return [output.buffer, output.streams];
+ }
+ componentCIDs(diff) {
+ return Object.keys(diff[COMPONENTS] || {}).map((i) => parseInt(i));
+ }
+ isComponentOnlyDiff(diff) {
+ if (!diff[COMPONENTS]) {
+ return false;
+ }
+ return Object.keys(diff).length === 1;
+ }
+ getComponent(diff, cid) {
+ return diff[COMPONENTS][cid];
+ }
+ resetRender(cid) {
+ if (this.rendered[COMPONENTS][cid]) {
+ this.rendered[COMPONENTS][cid].reset = true;
+ }
+ }
+ mergeDiff(diff) {
+ let newc = diff[COMPONENTS];
+ let cache = {};
+ delete diff[COMPONENTS];
+ this.rendered = this.mutableMerge(this.rendered, diff);
+ this.rendered[COMPONENTS] = this.rendered[COMPONENTS] || {};
+ if (newc) {
+ let oldc = this.rendered[COMPONENTS];
+ for (let cid in newc) {
+ newc[cid] = this.cachedFindComponent(cid, newc[cid], oldc, newc, cache);
+ }
+ for (let cid in newc) {
+ oldc[cid] = newc[cid];
+ }
+ diff[COMPONENTS] = newc;
+ }
+ }
+ cachedFindComponent(cid, cdiff, oldc, newc, cache) {
+ if (cache[cid]) {
+ return cache[cid];
+ } else {
+ let ndiff, stat, scid = cdiff[STATIC];
+ if (isCid(scid)) {
+ let tdiff;
+ if (scid > 0) {
+ tdiff = this.cachedFindComponent(scid, newc[scid], oldc, newc, cache);
+ } else {
+ tdiff = oldc[-scid];
+ }
+ stat = tdiff[STATIC];
+ ndiff = this.cloneMerge(tdiff, cdiff, true);
+ ndiff[STATIC] = stat;
+ } else {
+ ndiff = cdiff[STATIC] !== void 0 || oldc[cid] === void 0 ? cdiff : this.cloneMerge(oldc[cid], cdiff, false);
+ }
+ cache[cid] = ndiff;
+ return ndiff;
+ }
+ }
+ mutableMerge(target, source) {
+ if (source[STATIC] !== void 0) {
+ return source;
+ } else {
+ this.doMutableMerge(target, source);
+ return target;
+ }
+ }
+ doMutableMerge(target, source) {
+ for (let key in source) {
+ let val = source[key];
+ let targetVal = target[key];
+ let isObjVal = isObject(val);
+ if (isObjVal && val[STATIC] === void 0 && isObject(targetVal)) {
+ this.doMutableMerge(targetVal, val);
+ } else {
+ target[key] = val;
+ }
+ }
+ if (target[ROOT]) {
+ target.newRender = true;
+ }
+ }
+ cloneMerge(target, source, pruneMagicId) {
+ let merged = __spreadValues(__spreadValues({}, target), source);
+ for (let key in merged) {
+ let val = source[key];
+ let targetVal = target[key];
+ if (isObject(val) && val[STATIC] === void 0 && isObject(targetVal)) {
+ merged[key] = this.cloneMerge(targetVal, val, pruneMagicId);
+ } else if (val === void 0 && isObject(targetVal)) {
+ merged[key] = this.cloneMerge(targetVal, {}, pruneMagicId);
+ }
+ }
+ if (pruneMagicId) {
+ delete merged.magicId;
+ delete merged.newRender;
+ } else if (target[ROOT]) {
+ merged.newRender = true;
+ }
+ return merged;
+ }
+ componentToString(cid) {
+ let [str, streams] = this.recursiveCIDToString(this.rendered[COMPONENTS], cid, null);
+ let [strippedHTML, _before, _after] = modifyRoot(str, {});
+ return [strippedHTML, streams];
+ }
+ pruneCIDs(cids) {
+ cids.forEach((cid) => delete this.rendered[COMPONENTS][cid]);
+ }
+ get() {
+ return this.rendered;
+ }
+ isNewFingerprint(diff = {}) {
+ return !!diff[STATIC];
+ }
+ templateStatic(part, templates) {
+ if (typeof part === "number") {
+ return templates[part];
+ } else {
+ return part;
+ }
+ }
+ nextMagicID() {
+ this.magicId++;
+ return `m${this.magicId}-${this.parentViewId()}`;
+ }
+ toOutputBuffer(rendered, templates, output, changeTracking, rootAttrs = {}) {
+ if (rendered[DYNAMICS]) {
+ return this.comprehensionToBuffer(rendered, templates, output);
+ }
+ let { [STATIC]: statics } = rendered;
+ statics = this.templateStatic(statics, templates);
+ let isRoot = rendered[ROOT];
+ let prevBuffer = output.buffer;
+ if (isRoot) {
+ output.buffer = "";
+ }
+ if (changeTracking && isRoot && !rendered.magicId) {
+ rendered.newRender = true;
+ rendered.magicId = this.nextMagicID();
+ }
+ output.buffer += statics[0];
+ for (let i = 1; i < statics.length; i++) {
+ this.dynamicToBuffer(rendered[i - 1], templates, output, changeTracking);
+ output.buffer += statics[i];
+ }
+ if (isRoot) {
+ let skip = false;
+ let attrs;
+ if (changeTracking || rendered.magicId) {
+ skip = changeTracking && !rendered.newRender;
+ attrs = __spreadValues({ [PHX_MAGIC_ID]: rendered.magicId }, rootAttrs);
+ } else {
+ attrs = rootAttrs;
+ }
+ if (skip) {
+ attrs[PHX_SKIP] = true;
+ }
+ let [newRoot, commentBefore, commentAfter] = modifyRoot(output.buffer, attrs, skip);
+ rendered.newRender = false;
+ output.buffer = prevBuffer + commentBefore + newRoot + commentAfter;
+ }
+ }
+ comprehensionToBuffer(rendered, templates, output) {
+ let { [DYNAMICS]: dynamics, [STATIC]: statics, [STREAM]: stream } = rendered;
+ let [_ref, _inserts, deleteIds, reset] = stream || [null, {}, [], null];
+ statics = this.templateStatic(statics, templates);
+ let compTemplates = templates || rendered[TEMPLATES];
+ for (let d = 0; d < dynamics.length; d++) {
+ let dynamic = dynamics[d];
+ output.buffer += statics[0];
+ for (let i = 1; i < statics.length; i++) {
+ let changeTracking = false;
+ this.dynamicToBuffer(dynamic[i - 1], compTemplates, output, changeTracking);
+ output.buffer += statics[i];
+ }
+ }
+ if (stream !== void 0 && (rendered[DYNAMICS].length > 0 || deleteIds.length > 0 || reset)) {
+ delete rendered[STREAM];
+ rendered[DYNAMICS] = [];
+ output.streams.add(stream);
+ }
+ }
+ dynamicToBuffer(rendered, templates, output, changeTracking) {
+ if (typeof rendered === "number") {
+ let [str, streams] = this.recursiveCIDToString(output.components, rendered, output.onlyCids);
+ output.buffer += str;
+ output.streams = /* @__PURE__ */ new Set([...output.streams, ...streams]);
+ } else if (isObject(rendered)) {
+ this.toOutputBuffer(rendered, templates, output, changeTracking, {});
+ } else {
+ output.buffer += rendered;
+ }
+ }
+ recursiveCIDToString(components, cid, onlyCids) {
+ let component = components[cid] || logError(`no component for CID ${cid}`, components);
+ let attrs = { [PHX_COMPONENT]: cid };
+ let skip = onlyCids && !onlyCids.has(cid);
+ component.newRender = !skip;
+ component.magicId = `c${cid}-${this.parentViewId()}`;
+ let changeTracking = !component.reset;
+ let [html, streams] = this.recursiveToString(component, components, onlyCids, changeTracking, attrs);
+ delete component.reset;
+ return [html, streams];
+ }
+ };
+ var viewHookID = 1;
+ var ViewHook = class {
+ static makeID() {
+ return viewHookID++;
+ }
+ static elementID(el) {
+ return el.phxHookId;
+ }
+ constructor(view, el, callbacks) {
+ this.__view = view;
+ this.liveSocket = view.liveSocket;
+ this.__callbacks = callbacks;
+ this.__listeners = /* @__PURE__ */ new Set();
+ this.__isDisconnected = false;
+ this.el = el;
+ this.el.phxHookId = this.constructor.makeID();
+ for (let key in this.__callbacks) {
+ this[key] = this.__callbacks[key];
+ }
+ }
+ __mounted() {
+ this.mounted && this.mounted();
+ }
+ __updated() {
+ this.updated && this.updated();
+ }
+ __beforeUpdate() {
+ this.beforeUpdate && this.beforeUpdate();
+ }
+ __destroyed() {
+ this.destroyed && this.destroyed();
+ }
+ __reconnected() {
+ if (this.__isDisconnected) {
+ this.__isDisconnected = false;
+ this.reconnected && this.reconnected();
+ }
+ }
+ __disconnected() {
+ this.__isDisconnected = true;
+ this.disconnected && this.disconnected();
+ }
+ pushEvent(event, payload = {}, onReply = function() {
+ }) {
+ return this.__view.pushHookEvent(this.el, null, event, payload, onReply);
+ }
+ pushEventTo(phxTarget, event, payload = {}, onReply = function() {
+ }) {
+ return this.__view.withinTargets(phxTarget, (view, targetCtx) => {
+ return view.pushHookEvent(this.el, targetCtx, event, payload, onReply);
+ });
+ }
+ handleEvent(event, callback) {
+ let callbackRef = (customEvent, bypass) => bypass ? event : callback(customEvent.detail);
+ window.addEventListener(`phx:${event}`, callbackRef);
+ this.__listeners.add(callbackRef);
+ return callbackRef;
+ }
+ removeHandleEvent(callbackRef) {
+ let event = callbackRef(null, true);
+ window.removeEventListener(`phx:${event}`, callbackRef);
+ this.__listeners.delete(callbackRef);
+ }
+ upload(name, files) {
+ return this.__view.dispatchUploads(null, name, files);
+ }
+ uploadTo(phxTarget, name, files) {
+ return this.__view.withinTargets(phxTarget, (view, targetCtx) => {
+ view.dispatchUploads(targetCtx, name, files);
+ });
+ }
+ __cleanup__() {
+ this.__listeners.forEach((callbackRef) => this.removeHandleEvent(callbackRef));
+ }
+ };
+ var serializeForm = (form, metadata, onlyNames = []) => {
+ const _a = metadata, { submitter } = _a, meta = __objRest(_a, ["submitter"]);
+ let injectedElement;
+ if (submitter && submitter.name) {
+ const input = document.createElement("input");
+ input.type = "hidden";
+ const formId = submitter.getAttribute("form");
+ if (formId) {
+ input.setAttribute("form", formId);
+ }
+ input.name = submitter.name;
+ input.value = submitter.value;
+ submitter.parentElement.insertBefore(input, submitter);
+ injectedElement = input;
+ }
+ const formData = new FormData(form);
+ const toRemove = [];
+ formData.forEach((val, key, _index) => {
+ if (val instanceof File) {
+ toRemove.push(key);
+ }
+ });
+ toRemove.forEach((key) => formData.delete(key));
+ const params = new URLSearchParams();
+ for (let [key, val] of formData.entries()) {
+ if (onlyNames.length === 0 || onlyNames.indexOf(key) >= 0) {
+ params.append(key, val);
+ }
+ }
+ if (submitter && injectedElement) {
+ submitter.parentElement.removeChild(injectedElement);
+ }
+ for (let metaKey in meta) {
+ params.append(metaKey, meta[metaKey]);
+ }
+ return params.toString();
+ };
+ var View = class {
+ constructor(el, liveSocket2, parentView, flash, liveReferer) {
+ this.isDead = false;
+ this.liveSocket = liveSocket2;
+ this.flash = flash;
+ this.parent = parentView;
+ this.root = parentView ? parentView.root : this;
+ this.el = el;
+ this.id = this.el.id;
+ this.ref = 0;
+ this.childJoins = 0;
+ this.loaderTimer = null;
+ this.pendingDiffs = [];
+ this.pendingForms = /* @__PURE__ */ new Set();
+ this.redirect = false;
+ this.href = null;
+ this.joinCount = this.parent ? this.parent.joinCount - 1 : 0;
+ this.joinPending = true;
+ this.destroyed = false;
+ this.joinCallback = function(onDone) {
+ onDone && onDone();
+ };
+ this.stopCallback = function() {
+ };
+ this.pendingJoinOps = this.parent ? null : [];
+ this.viewHooks = {};
+ this.formSubmits = [];
+ this.children = this.parent ? null : {};
+ this.root.children[this.id] = {};
+ this.channel = this.liveSocket.channel(`lv:${this.id}`, () => {
+ let url = this.href && this.expandURL(this.href);
+ return {
+ redirect: this.redirect ? url : void 0,
+ url: this.redirect ? void 0 : url || void 0,
+ params: this.connectParams(liveReferer),
+ session: this.getSession(),
+ static: this.getStatic(),
+ flash: this.flash
+ };
+ });
+ }
+ setHref(href) {
+ this.href = href;
+ }
+ setRedirect(href) {
+ this.redirect = true;
+ this.href = href;
+ }
+ isMain() {
+ return this.el.hasAttribute(PHX_MAIN);
+ }
+ connectParams(liveReferer) {
+ let params = this.liveSocket.params(this.el);
+ let manifest = dom_default.all(document, `[${this.binding(PHX_TRACK_STATIC)}]`).map((node) => node.src || node.href).filter((url) => typeof url === "string");
+ if (manifest.length > 0) {
+ params["_track_static"] = manifest;
+ }
+ params["_mounts"] = this.joinCount;
+ params["_live_referer"] = liveReferer;
+ return params;
+ }
+ isConnected() {
+ return this.channel.canPush();
+ }
+ getSession() {
+ return this.el.getAttribute(PHX_SESSION);
+ }
+ getStatic() {
+ let val = this.el.getAttribute(PHX_STATIC);
+ return val === "" ? null : val;
+ }
+ destroy(callback = function() {
+ }) {
+ this.destroyAllChildren();
+ this.destroyed = true;
+ delete this.root.children[this.id];
+ if (this.parent) {
+ delete this.root.children[this.parent.id][this.id];
+ }
+ clearTimeout(this.loaderTimer);
+ let onFinished = () => {
+ callback();
+ for (let id in this.viewHooks) {
+ this.destroyHook(this.viewHooks[id]);
+ }
+ };
+ dom_default.markPhxChildDestroyed(this.el);
+ this.log("destroyed", () => ["the child has been removed from the parent"]);
+ this.channel.leave().receive("ok", onFinished).receive("error", onFinished).receive("timeout", onFinished);
+ }
+ setContainerClasses(...classes) {
+ this.el.classList.remove(PHX_CONNECTED_CLASS, PHX_LOADING_CLASS, PHX_ERROR_CLASS, PHX_CLIENT_ERROR_CLASS, PHX_SERVER_ERROR_CLASS);
+ this.el.classList.add(...classes);
+ }
+ showLoader(timeout) {
+ clearTimeout(this.loaderTimer);
+ if (timeout) {
+ this.loaderTimer = setTimeout(() => this.showLoader(), timeout);
+ } else {
+ for (let id in this.viewHooks) {
+ this.viewHooks[id].__disconnected();
+ }
+ this.setContainerClasses(PHX_LOADING_CLASS);
+ }
+ }
+ execAll(binding) {
+ dom_default.all(this.el, `[${binding}]`, (el) => this.liveSocket.execJS(el, el.getAttribute(binding)));
+ }
+ hideLoader() {
+ clearTimeout(this.loaderTimer);
+ this.setContainerClasses(PHX_CONNECTED_CLASS);
+ this.execAll(this.binding("connected"));
+ }
+ triggerReconnected() {
+ for (let id in this.viewHooks) {
+ this.viewHooks[id].__reconnected();
+ }
+ }
+ log(kind, msgCallback) {
+ this.liveSocket.log(this, kind, msgCallback);
+ }
+ transition(time, onStart, onDone = function() {
+ }) {
+ this.liveSocket.transition(time, onStart, onDone);
+ }
+ withinTargets(phxTarget, callback) {
+ if (phxTarget instanceof HTMLElement || phxTarget instanceof SVGElement) {
+ return this.liveSocket.owner(phxTarget, (view) => callback(view, phxTarget));
+ }
+ if (isCid(phxTarget)) {
+ let targets = dom_default.findComponentNodeList(this.el, phxTarget);
+ if (targets.length === 0) {
+ logError(`no component found matching phx-target of ${phxTarget}`);
+ } else {
+ callback(this, parseInt(phxTarget));
+ }
+ } else {
+ let targets = Array.from(document.querySelectorAll(phxTarget));
+ if (targets.length === 0) {
+ logError(`nothing found matching the phx-target selector "${phxTarget}"`);
+ }
+ targets.forEach((target) => this.liveSocket.owner(target, (view) => callback(view, target)));
+ }
+ }
+ applyDiff(type, rawDiff, callback) {
+ this.log(type, () => ["", clone(rawDiff)]);
+ let { diff, reply, events, title } = Rendered.extract(rawDiff);
+ callback({ diff, reply, events });
+ if (title) {
+ window.requestAnimationFrame(() => dom_default.putTitle(title));
+ }
+ }
+ onJoin(resp) {
+ let { rendered, container } = resp;
+ if (container) {
+ let [tag, attrs] = container;
+ this.el = dom_default.replaceRootContainer(this.el, tag, attrs);
+ }
+ this.childJoins = 0;
+ this.joinPending = true;
+ this.flash = null;
+ browser_default.dropLocal(this.liveSocket.localStorage, window.location.pathname, CONSECUTIVE_RELOADS);
+ this.applyDiff("mount", rendered, ({ diff, events }) => {
+ this.rendered = new Rendered(this.id, diff);
+ let [html, streams] = this.renderContainer(null, "join");
+ this.dropPendingRefs();
+ let forms = this.formsForRecovery(html).filter(([form, newForm, newCid]) => {
+ return !this.pendingForms.has(form.id);
+ });
+ this.joinCount++;
+ if (forms.length > 0) {
+ forms.forEach(([form, newForm, newCid], i) => {
+ this.pendingForms.add(form.id);
+ this.pushFormRecovery(form, newCid, (resp2) => {
+ this.pendingForms.delete(form.id);
+ if (i === forms.length - 1) {
+ this.onJoinComplete(resp2, html, streams, events);
+ }
+ });
+ });
+ } else {
+ this.onJoinComplete(resp, html, streams, events);
+ }
+ });
+ }
+ dropPendingRefs() {
+ dom_default.all(document, `[${PHX_REF_SRC}="${this.id}"][${PHX_REF}]`, (el) => {
+ el.removeAttribute(PHX_REF);
+ el.removeAttribute(PHX_REF_SRC);
+ });
+ }
+ onJoinComplete({ live_patch }, html, streams, events) {
+ this.pendingForms.clear();
+ if (this.joinCount > 1 || this.parent && !this.parent.isJoinPending()) {
+ return this.applyJoinPatch(live_patch, html, streams, events);
+ }
+ let newChildren = dom_default.findPhxChildrenInFragment(html, this.id).filter((toEl) => {
+ let fromEl = toEl.id && this.el.querySelector(`[id="${toEl.id}"]`);
+ let phxStatic = fromEl && fromEl.getAttribute(PHX_STATIC);
+ if (phxStatic) {
+ toEl.setAttribute(PHX_STATIC, phxStatic);
+ }
+ if (fromEl) {
+ fromEl.setAttribute(PHX_ROOT_ID, this.root.id);
+ }
+ return this.joinChild(toEl);
+ });
+ if (newChildren.length === 0) {
+ if (this.parent) {
+ this.root.pendingJoinOps.push([this, () => this.applyJoinPatch(live_patch, html, streams, events)]);
+ this.parent.ackJoin(this);
+ } else {
+ this.onAllChildJoinsComplete();
+ this.applyJoinPatch(live_patch, html, streams, events);
+ }
+ } else {
+ this.root.pendingJoinOps.push([this, () => this.applyJoinPatch(live_patch, html, streams, events)]);
+ }
+ }
+ attachTrueDocEl() {
+ this.el = dom_default.byId(this.id);
+ this.el.setAttribute(PHX_ROOT_ID, this.root.id);
+ }
+ execNewMounted() {
+ let phxViewportTop = this.binding(PHX_VIEWPORT_TOP);
+ let phxViewportBottom = this.binding(PHX_VIEWPORT_BOTTOM);
+ dom_default.all(this.el, `[${phxViewportTop}], [${phxViewportBottom}]`, (hookEl) => {
+ dom_default.maybeAddPrivateHooks(hookEl, phxViewportTop, phxViewportBottom);
+ this.maybeAddNewHook(hookEl);
+ });
+ dom_default.all(this.el, `[${this.binding(PHX_HOOK)}], [data-phx-${PHX_HOOK}]`, (hookEl) => {
+ this.maybeAddNewHook(hookEl);
+ });
+ dom_default.all(this.el, `[${this.binding(PHX_MOUNTED)}]`, (el) => this.maybeMounted(el));
+ }
+ applyJoinPatch(live_patch, html, streams, events) {
+ this.attachTrueDocEl();
+ let patch = new DOMPatch(this, this.el, this.id, html, streams, null);
+ patch.markPrunableContentForRemoval();
+ this.performPatch(patch, false, true);
+ this.joinNewChildren();
+ this.execNewMounted();
+ this.joinPending = false;
+ this.liveSocket.dispatchEvents(events);
+ this.applyPendingUpdates();
+ if (live_patch) {
+ let { kind, to } = live_patch;
+ this.liveSocket.historyPatch(to, kind);
+ }
+ this.hideLoader();
+ if (this.joinCount > 1) {
+ this.triggerReconnected();
+ }
+ this.stopCallback();
+ }
+ triggerBeforeUpdateHook(fromEl, toEl) {
+ this.liveSocket.triggerDOM("onBeforeElUpdated", [fromEl, toEl]);
+ let hook = this.getHook(fromEl);
+ let isIgnored = hook && dom_default.isIgnored(fromEl, this.binding(PHX_UPDATE));
+ if (hook && !fromEl.isEqualNode(toEl) && !(isIgnored && isEqualObj(fromEl.dataset, toEl.dataset))) {
+ hook.__beforeUpdate();
+ return hook;
+ }
+ }
+ maybeMounted(el) {
+ let phxMounted = el.getAttribute(this.binding(PHX_MOUNTED));
+ let hasBeenInvoked = phxMounted && dom_default.private(el, "mounted");
+ if (phxMounted && !hasBeenInvoked) {
+ this.liveSocket.execJS(el, phxMounted);
+ dom_default.putPrivate(el, "mounted", true);
+ }
+ }
+ maybeAddNewHook(el, force) {
+ let newHook = this.addHook(el);
+ if (newHook) {
+ newHook.__mounted();
+ }
+ }
+ performPatch(patch, pruneCids, isJoinPatch = false) {
+ let removedEls = [];
+ let phxChildrenAdded = false;
+ let updatedHookIds = /* @__PURE__ */ new Set();
+ patch.after("added", (el) => {
+ this.liveSocket.triggerDOM("onNodeAdded", [el]);
+ let phxViewportTop = this.binding(PHX_VIEWPORT_TOP);
+ let phxViewportBottom = this.binding(PHX_VIEWPORT_BOTTOM);
+ dom_default.maybeAddPrivateHooks(el, phxViewportTop, phxViewportBottom);
+ this.maybeAddNewHook(el);
+ if (el.getAttribute) {
+ this.maybeMounted(el);
+ }
+ });
+ patch.after("phxChildAdded", (el) => {
+ if (dom_default.isPhxSticky(el)) {
+ this.liveSocket.joinRootViews();
+ } else {
+ phxChildrenAdded = true;
+ }
+ });
+ patch.before("updated", (fromEl, toEl) => {
+ let hook = this.triggerBeforeUpdateHook(fromEl, toEl);
+ if (hook) {
+ updatedHookIds.add(fromEl.id);
+ }
+ });
+ patch.after("updated", (el) => {
+ if (updatedHookIds.has(el.id)) {
+ this.getHook(el).__updated();
+ }
+ });
+ patch.after("discarded", (el) => {
+ if (el.nodeType === Node.ELEMENT_NODE) {
+ removedEls.push(el);
+ }
+ });
+ patch.after("transitionsDiscarded", (els) => this.afterElementsRemoved(els, pruneCids));
+ patch.perform(isJoinPatch);
+ this.afterElementsRemoved(removedEls, pruneCids);
+ return phxChildrenAdded;
+ }
+ afterElementsRemoved(elements, pruneCids) {
+ let destroyedCIDs = [];
+ elements.forEach((parent) => {
+ let components = dom_default.all(parent, `[${PHX_COMPONENT}]`);
+ let hooks = dom_default.all(parent, `[${this.binding(PHX_HOOK)}]`);
+ components.concat(parent).forEach((el) => {
+ let cid = this.componentID(el);
+ if (isCid(cid) && destroyedCIDs.indexOf(cid) === -1) {
+ destroyedCIDs.push(cid);
+ }
+ });
+ hooks.concat(parent).forEach((hookEl) => {
+ let hook = this.getHook(hookEl);
+ hook && this.destroyHook(hook);
+ });
+ });
+ if (pruneCids) {
+ this.maybePushComponentsDestroyed(destroyedCIDs);
+ }
+ }
+ joinNewChildren() {
+ dom_default.findPhxChildren(this.el, this.id).forEach((el) => this.joinChild(el));
+ }
+ getChildById(id) {
+ return this.root.children[this.id][id];
+ }
+ getDescendentByEl(el) {
+ if (el.id === this.id) {
+ return this;
+ } else {
+ return this.children[el.getAttribute(PHX_PARENT_ID)][el.id];
+ }
+ }
+ destroyDescendent(id) {
+ for (let parentId in this.root.children) {
+ for (let childId in this.root.children[parentId]) {
+ if (childId === id) {
+ return this.root.children[parentId][childId].destroy();
+ }
+ }
+ }
+ }
+ joinChild(el) {
+ let child = this.getChildById(el.id);
+ if (!child) {
+ let view = new View(el, this.liveSocket, this);
+ this.root.children[this.id][view.id] = view;
+ view.join();
+ this.childJoins++;
+ return true;
+ }
+ }
+ isJoinPending() {
+ return this.joinPending;
+ }
+ ackJoin(_child) {
+ this.childJoins--;
+ if (this.childJoins === 0) {
+ if (this.parent) {
+ this.parent.ackJoin(this);
+ } else {
+ this.onAllChildJoinsComplete();
+ }
+ }
+ }
+ onAllChildJoinsComplete() {
+ this.joinCallback(() => {
+ this.pendingJoinOps.forEach(([view, op]) => {
+ if (!view.isDestroyed()) {
+ op();
+ }
+ });
+ this.pendingJoinOps = [];
+ });
+ }
+ update(diff, events) {
+ if (this.isJoinPending() || this.liveSocket.hasPendingLink() && this.root.isMain()) {
+ return this.pendingDiffs.push({ diff, events });
+ }
+ this.rendered.mergeDiff(diff);
+ let phxChildrenAdded = false;
+ if (this.rendered.isComponentOnlyDiff(diff)) {
+ this.liveSocket.time("component patch complete", () => {
+ let parentCids = dom_default.findExistingParentCIDs(this.el, this.rendered.componentCIDs(diff));
+ parentCids.forEach((parentCID) => {
+ if (this.componentPatch(this.rendered.getComponent(diff, parentCID), parentCID)) {
+ phxChildrenAdded = true;
+ }
+ });
+ });
+ } else if (!isEmpty(diff)) {
+ this.liveSocket.time("full patch complete", () => {
+ let [html, streams] = this.renderContainer(diff, "update");
+ let patch = new DOMPatch(this, this.el, this.id, html, streams, null);
+ phxChildrenAdded = this.performPatch(patch, true);
+ });
+ }
+ this.liveSocket.dispatchEvents(events);
+ if (phxChildrenAdded) {
+ this.joinNewChildren();
+ }
+ }
+ renderContainer(diff, kind) {
+ return this.liveSocket.time(`toString diff (${kind})`, () => {
+ let tag = this.el.tagName;
+ let cids = diff ? this.rendered.componentCIDs(diff) : null;
+ let [html, streams] = this.rendered.toString(cids);
+ return [`<${tag}>${html}${tag}>`, streams];
+ });
+ }
+ componentPatch(diff, cid) {
+ if (isEmpty(diff))
+ return false;
+ let [html, streams] = this.rendered.componentToString(cid);
+ let patch = new DOMPatch(this, this.el, this.id, html, streams, cid);
+ let childrenAdded = this.performPatch(patch, true);
+ return childrenAdded;
+ }
+ getHook(el) {
+ return this.viewHooks[ViewHook.elementID(el)];
+ }
+ addHook(el) {
+ if (ViewHook.elementID(el) || !el.getAttribute) {
+ return;
+ }
+ let hookName = el.getAttribute(`data-phx-${PHX_HOOK}`) || el.getAttribute(this.binding(PHX_HOOK));
+ if (hookName && !this.ownsElement(el)) {
+ return;
+ }
+ let callbacks = this.liveSocket.getHookCallbacks(hookName);
+ if (callbacks) {
+ if (!el.id) {
+ logError(`no DOM ID for hook "${hookName}". Hooks require a unique ID on each element.`, el);
+ }
+ let hook = new ViewHook(this, el, callbacks);
+ this.viewHooks[ViewHook.elementID(hook.el)] = hook;
+ return hook;
+ } else if (hookName !== null) {
+ logError(`unknown hook found for "${hookName}"`, el);
+ }
+ }
+ destroyHook(hook) {
+ hook.__destroyed();
+ hook.__cleanup__();
+ delete this.viewHooks[ViewHook.elementID(hook.el)];
+ }
+ applyPendingUpdates() {
+ this.pendingDiffs.forEach(({ diff, events }) => this.update(diff, events));
+ this.pendingDiffs = [];
+ this.eachChild((child) => child.applyPendingUpdates());
+ }
+ eachChild(callback) {
+ let children = this.root.children[this.id] || {};
+ for (let id in children) {
+ callback(this.getChildById(id));
+ }
+ }
+ onChannel(event, cb) {
+ this.liveSocket.onChannel(this.channel, event, (resp) => {
+ if (this.isJoinPending()) {
+ this.root.pendingJoinOps.push([this, () => cb(resp)]);
+ } else {
+ this.liveSocket.requestDOMUpdate(() => cb(resp));
+ }
+ });
+ }
+ bindChannel() {
+ this.liveSocket.onChannel(this.channel, "diff", (rawDiff) => {
+ this.liveSocket.requestDOMUpdate(() => {
+ this.applyDiff("update", rawDiff, ({ diff, events }) => this.update(diff, events));
+ });
+ });
+ this.onChannel("redirect", ({ to, flash }) => this.onRedirect({ to, flash }));
+ this.onChannel("live_patch", (redir) => this.onLivePatch(redir));
+ this.onChannel("live_redirect", (redir) => this.onLiveRedirect(redir));
+ this.channel.onError((reason) => this.onError(reason));
+ this.channel.onClose((reason) => this.onClose(reason));
+ }
+ destroyAllChildren() {
+ this.eachChild((child) => child.destroy());
+ }
+ onLiveRedirect(redir) {
+ let { to, kind, flash } = redir;
+ let url = this.expandURL(to);
+ this.liveSocket.historyRedirect(url, kind, flash);
+ }
+ onLivePatch(redir) {
+ let { to, kind } = redir;
+ this.href = this.expandURL(to);
+ this.liveSocket.historyPatch(to, kind);
+ }
+ expandURL(to) {
+ return to.startsWith("/") ? `${window.location.protocol}//${window.location.host}${to}` : to;
+ }
+ onRedirect({ to, flash }) {
+ this.liveSocket.redirect(to, flash);
+ }
+ isDestroyed() {
+ return this.destroyed;
+ }
+ joinDead() {
+ this.isDead = true;
+ }
+ join(callback) {
+ this.showLoader(this.liveSocket.loaderTimeout);
+ this.bindChannel();
+ if (this.isMain()) {
+ this.stopCallback = this.liveSocket.withPageLoading({ to: this.href, kind: "initial" });
+ }
+ this.joinCallback = (onDone) => {
+ onDone = onDone || function() {
+ };
+ callback ? callback(this.joinCount, onDone) : onDone();
+ };
+ this.liveSocket.wrapPush(this, { timeout: false }, () => {
+ return this.channel.join().receive("ok", (data) => {
+ if (!this.isDestroyed()) {
+ this.liveSocket.requestDOMUpdate(() => this.onJoin(data));
+ }
+ }).receive("error", (resp) => !this.isDestroyed() && this.onJoinError(resp)).receive("timeout", () => !this.isDestroyed() && this.onJoinError({ reason: "timeout" }));
+ });
+ }
+ onJoinError(resp) {
+ if (resp.reason === "reload") {
+ this.log("error", () => [`failed mount with ${resp.status}. Falling back to page request`, resp]);
+ if (this.isMain()) {
+ this.onRedirect({ to: this.href });
+ }
+ return;
+ } else if (resp.reason === "unauthorized" || resp.reason === "stale") {
+ this.log("error", () => ["unauthorized live_redirect. Falling back to page request", resp]);
+ if (this.isMain()) {
+ this.onRedirect({ to: this.href });
+ }
+ return;
+ }
+ if (resp.redirect || resp.live_redirect) {
+ this.joinPending = false;
+ this.channel.leave();
+ }
+ if (resp.redirect) {
+ return this.onRedirect(resp.redirect);
+ }
+ if (resp.live_redirect) {
+ return this.onLiveRedirect(resp.live_redirect);
+ }
+ this.displayError([PHX_LOADING_CLASS, PHX_ERROR_CLASS, PHX_SERVER_ERROR_CLASS]);
+ this.log("error", () => ["unable to join", resp]);
+ if (this.liveSocket.isConnected()) {
+ this.liveSocket.reloadWithJitter(this);
+ }
+ }
+ onClose(reason) {
+ if (this.isDestroyed()) {
+ return;
+ }
+ if (this.liveSocket.hasPendingLink() && reason !== "leave") {
+ return this.liveSocket.reloadWithJitter(this);
+ }
+ this.destroyAllChildren();
+ this.liveSocket.dropActiveElement(this);
+ if (document.activeElement) {
+ document.activeElement.blur();
+ }
+ if (this.liveSocket.isUnloaded()) {
+ this.showLoader(BEFORE_UNLOAD_LOADER_TIMEOUT);
+ }
+ }
+ onError(reason) {
+ this.onClose(reason);
+ if (this.liveSocket.isConnected()) {
+ this.log("error", () => ["view crashed", reason]);
+ }
+ if (!this.liveSocket.isUnloaded()) {
+ if (this.liveSocket.isConnected()) {
+ this.displayError([PHX_LOADING_CLASS, PHX_ERROR_CLASS, PHX_SERVER_ERROR_CLASS]);
+ } else {
+ this.displayError([PHX_LOADING_CLASS, PHX_ERROR_CLASS, PHX_CLIENT_ERROR_CLASS]);
+ }
+ }
+ }
+ displayError(classes) {
+ if (this.isMain()) {
+ dom_default.dispatchEvent(window, "phx:page-loading-start", { detail: { to: this.href, kind: "error" } });
+ }
+ this.showLoader();
+ this.setContainerClasses(...classes);
+ this.execAll(this.binding("disconnected"));
+ }
+ pushWithReply(refGenerator, event, payload, onReply = function() {
+ }) {
+ if (!this.isConnected()) {
+ return;
+ }
+ let [ref, [el], opts] = refGenerator ? refGenerator() : [null, [], {}];
+ let onLoadingDone = function() {
+ };
+ if (opts.page_loading || el && el.getAttribute(this.binding(PHX_PAGE_LOADING)) !== null) {
+ onLoadingDone = this.liveSocket.withPageLoading({ kind: "element", target: el });
+ }
+ if (typeof payload.cid !== "number") {
+ delete payload.cid;
+ }
+ return this.liveSocket.wrapPush(this, { timeout: true }, () => {
+ return this.channel.push(event, payload, PUSH_TIMEOUT).receive("ok", (resp) => {
+ let finish = (hookReply) => {
+ if (resp.redirect) {
+ this.onRedirect(resp.redirect);
+ }
+ if (resp.live_patch) {
+ this.onLivePatch(resp.live_patch);
+ }
+ if (resp.live_redirect) {
+ this.onLiveRedirect(resp.live_redirect);
+ }
+ onLoadingDone();
+ onReply(resp, hookReply);
+ };
+ if (resp.diff) {
+ this.liveSocket.requestDOMUpdate(() => {
+ this.applyDiff("update", resp.diff, ({ diff, reply, events }) => {
+ if (ref !== null) {
+ this.undoRefs(ref);
+ }
+ this.update(diff, events);
+ finish(reply);
+ });
+ });
+ } else {
+ if (ref !== null) {
+ this.undoRefs(ref);
+ }
+ finish(null);
+ }
+ });
+ });
+ }
+ undoRefs(ref) {
+ if (!this.isConnected()) {
+ return;
+ }
+ dom_default.all(document, `[${PHX_REF_SRC}="${this.id}"][${PHX_REF}="${ref}"]`, (el) => {
+ let disabledVal = el.getAttribute(PHX_DISABLED);
+ let readOnlyVal = el.getAttribute(PHX_READONLY);
+ el.removeAttribute(PHX_REF);
+ el.removeAttribute(PHX_REF_SRC);
+ if (readOnlyVal !== null) {
+ el.readOnly = readOnlyVal === "true" ? true : false;
+ el.removeAttribute(PHX_READONLY);
+ }
+ if (disabledVal !== null) {
+ el.disabled = disabledVal === "true" ? true : false;
+ el.removeAttribute(PHX_DISABLED);
+ }
+ PHX_EVENT_CLASSES.forEach((className) => dom_default.removeClass(el, className));
+ let disableRestore = el.getAttribute(PHX_DISABLE_WITH_RESTORE);
+ if (disableRestore !== null) {
+ el.innerText = disableRestore;
+ el.removeAttribute(PHX_DISABLE_WITH_RESTORE);
+ }
+ let toEl = dom_default.private(el, PHX_REF);
+ if (toEl) {
+ let hook = this.triggerBeforeUpdateHook(el, toEl);
+ DOMPatch.patchEl(el, toEl, this.liveSocket.getActiveElement());
+ if (hook) {
+ hook.__updated();
+ }
+ dom_default.deletePrivate(el, PHX_REF);
+ }
+ });
+ }
+ putRef(elements, event, opts = {}) {
+ let newRef = this.ref++;
+ let disableWith = this.binding(PHX_DISABLE_WITH);
+ if (opts.loading) {
+ elements = elements.concat(dom_default.all(document, opts.loading));
+ }
+ elements.forEach((el) => {
+ el.classList.add(`phx-${event}-loading`);
+ el.setAttribute(PHX_REF, newRef);
+ el.setAttribute(PHX_REF_SRC, this.el.id);
+ let disableText = el.getAttribute(disableWith);
+ if (disableText !== null) {
+ if (!el.getAttribute(PHX_DISABLE_WITH_RESTORE)) {
+ el.setAttribute(PHX_DISABLE_WITH_RESTORE, el.innerText);
+ }
+ if (disableText !== "") {
+ el.innerText = disableText;
+ }
+ el.setAttribute(PHX_DISABLED, el.getAttribute(PHX_DISABLED) || el.disabled);
+ el.setAttribute("disabled", "");
+ }
+ });
+ return [newRef, elements, opts];
+ }
+ componentID(el) {
+ let cid = el.getAttribute && el.getAttribute(PHX_COMPONENT);
+ return cid ? parseInt(cid) : null;
+ }
+ targetComponentID(target, targetCtx, opts = {}) {
+ if (isCid(targetCtx)) {
+ return targetCtx;
+ }
+ let cidOrSelector = opts.target || target.getAttribute(this.binding("target"));
+ if (isCid(cidOrSelector)) {
+ return parseInt(cidOrSelector);
+ } else if (targetCtx && (cidOrSelector !== null || opts.target)) {
+ return this.closestComponentID(targetCtx);
+ } else {
+ return null;
+ }
+ }
+ closestComponentID(targetCtx) {
+ if (isCid(targetCtx)) {
+ return targetCtx;
+ } else if (targetCtx) {
+ return maybe(targetCtx.closest(`[${PHX_COMPONENT}]`), (el) => this.ownsElement(el) && this.componentID(el));
+ } else {
+ return null;
+ }
+ }
+ pushHookEvent(el, targetCtx, event, payload, onReply) {
+ if (!this.isConnected()) {
+ this.log("hook", () => ["unable to push hook event. LiveView not connected", event, payload]);
+ return false;
+ }
+ let [ref, els, opts] = this.putRef([el], "hook");
+ this.pushWithReply(() => [ref, els, opts], "event", {
+ type: "hook",
+ event,
+ value: payload,
+ cid: this.closestComponentID(targetCtx)
+ }, (resp, reply) => onReply(reply, ref));
+ return ref;
+ }
+ extractMeta(el, meta, value) {
+ let prefix = this.binding("value-");
+ for (let i = 0; i < el.attributes.length; i++) {
+ if (!meta) {
+ meta = {};
+ }
+ let name = el.attributes[i].name;
+ if (name.startsWith(prefix)) {
+ meta[name.replace(prefix, "")] = el.getAttribute(name);
+ }
+ }
+ if (el.value !== void 0 && !(el instanceof HTMLFormElement)) {
+ if (!meta) {
+ meta = {};
+ }
+ meta.value = el.value;
+ if (el.tagName === "INPUT" && CHECKABLE_INPUTS.indexOf(el.type) >= 0 && !el.checked) {
+ delete meta.value;
+ }
+ }
+ if (value) {
+ if (!meta) {
+ meta = {};
+ }
+ for (let key in value) {
+ meta[key] = value[key];
+ }
+ }
+ return meta;
+ }
+ pushEvent(type, el, targetCtx, phxEvent, meta, opts = {}, onReply) {
+ this.pushWithReply(() => this.putRef([el], type, opts), "event", {
+ type,
+ event: phxEvent,
+ value: this.extractMeta(el, meta, opts.value),
+ cid: this.targetComponentID(el, targetCtx, opts)
+ }, (resp, reply) => onReply && onReply(reply));
+ }
+ pushFileProgress(fileEl, entryRef, progress, onReply = function() {
+ }) {
+ this.liveSocket.withinOwners(fileEl.form, (view, targetCtx) => {
+ view.pushWithReply(null, "progress", {
+ event: fileEl.getAttribute(view.binding(PHX_PROGRESS)),
+ ref: fileEl.getAttribute(PHX_UPLOAD_REF),
+ entry_ref: entryRef,
+ progress,
+ cid: view.targetComponentID(fileEl.form, targetCtx)
+ }, onReply);
+ });
+ }
+ pushInput(inputEl, targetCtx, forceCid, phxEvent, opts, callback) {
+ let uploads;
+ let cid = isCid(forceCid) ? forceCid : this.targetComponentID(inputEl.form, targetCtx, opts);
+ let refGenerator = () => this.putRef([inputEl, inputEl.form], "change", opts);
+ let formData;
+ let meta = this.extractMeta(inputEl.form);
+ if (inputEl instanceof HTMLButtonElement) {
+ meta.submitter = inputEl;
+ }
+ if (inputEl.getAttribute(this.binding("change"))) {
+ formData = serializeForm(inputEl.form, __spreadValues({ _target: opts._target }, meta), [inputEl.name]);
+ } else {
+ formData = serializeForm(inputEl.form, __spreadValues({ _target: opts._target }, meta));
+ }
+ if (dom_default.isUploadInput(inputEl) && inputEl.files && inputEl.files.length > 0) {
+ LiveUploader.trackFiles(inputEl, Array.from(inputEl.files));
+ }
+ uploads = LiveUploader.serializeUploads(inputEl);
+ let event = {
+ type: "form",
+ event: phxEvent,
+ value: formData,
+ uploads,
+ cid
+ };
+ this.pushWithReply(refGenerator, "event", event, (resp) => {
+ dom_default.showError(inputEl, this.liveSocket.binding(PHX_FEEDBACK_FOR), this.liveSocket.binding(PHX_FEEDBACK_GROUP));
+ if (dom_default.isUploadInput(inputEl) && dom_default.isAutoUpload(inputEl)) {
+ if (LiveUploader.filesAwaitingPreflight(inputEl).length > 0) {
+ let [ref, _els] = refGenerator();
+ this.uploadFiles(inputEl.form, targetCtx, ref, cid, (_uploads) => {
+ callback && callback(resp);
+ this.triggerAwaitingSubmit(inputEl.form);
+ this.undoRefs(ref);
+ });
+ }
+ } else {
+ callback && callback(resp);
+ }
+ });
+ }
+ triggerAwaitingSubmit(formEl) {
+ let awaitingSubmit = this.getScheduledSubmit(formEl);
+ if (awaitingSubmit) {
+ let [_el, _ref, _opts, callback] = awaitingSubmit;
+ this.cancelSubmit(formEl);
+ callback();
+ }
+ }
+ getScheduledSubmit(formEl) {
+ return this.formSubmits.find(([el, _ref, _opts, _callback]) => el.isSameNode(formEl));
+ }
+ scheduleSubmit(formEl, ref, opts, callback) {
+ if (this.getScheduledSubmit(formEl)) {
+ return true;
+ }
+ this.formSubmits.push([formEl, ref, opts, callback]);
+ }
+ cancelSubmit(formEl) {
+ this.formSubmits = this.formSubmits.filter(([el, ref, _callback]) => {
+ if (el.isSameNode(formEl)) {
+ this.undoRefs(ref);
+ return false;
+ } else {
+ return true;
+ }
+ });
+ }
+ disableForm(formEl, opts = {}) {
+ let filterIgnored = (el) => {
+ let userIgnored = closestPhxBinding(el, `${this.binding(PHX_UPDATE)}=ignore`, el.form);
+ return !(userIgnored || closestPhxBinding(el, "data-phx-update=ignore", el.form));
+ };
+ let filterDisables = (el) => {
+ return el.hasAttribute(this.binding(PHX_DISABLE_WITH));
+ };
+ let filterButton = (el) => el.tagName == "BUTTON";
+ let filterInput = (el) => ["INPUT", "TEXTAREA", "SELECT"].includes(el.tagName);
+ let formElements = Array.from(formEl.elements);
+ let disables = formElements.filter(filterDisables);
+ let buttons = formElements.filter(filterButton).filter(filterIgnored);
+ let inputs = formElements.filter(filterInput).filter(filterIgnored);
+ buttons.forEach((button) => {
+ button.setAttribute(PHX_DISABLED, button.disabled);
+ button.disabled = true;
+ });
+ inputs.forEach((input) => {
+ input.setAttribute(PHX_READONLY, input.readOnly);
+ input.readOnly = true;
+ if (input.files) {
+ input.setAttribute(PHX_DISABLED, input.disabled);
+ input.disabled = true;
+ }
+ });
+ formEl.setAttribute(this.binding(PHX_PAGE_LOADING), "");
+ return this.putRef([formEl].concat(disables).concat(buttons).concat(inputs), "submit", opts);
+ }
+ pushFormSubmit(formEl, targetCtx, phxEvent, submitter, opts, onReply) {
+ let refGenerator = () => this.disableForm(formEl, opts);
+ let cid = this.targetComponentID(formEl, targetCtx);
+ if (LiveUploader.hasUploadsInProgress(formEl)) {
+ let [ref, _els] = refGenerator();
+ let push = () => this.pushFormSubmit(formEl, targetCtx, phxEvent, submitter, opts, onReply);
+ return this.scheduleSubmit(formEl, ref, opts, push);
+ } else if (LiveUploader.inputsAwaitingPreflight(formEl).length > 0) {
+ let [ref, els] = refGenerator();
+ let proxyRefGen = () => [ref, els, opts];
+ this.uploadFiles(formEl, targetCtx, ref, cid, (uploads) => {
+ if (LiveUploader.inputsAwaitingPreflight(formEl).length > 0) {
+ return this.undoRefs(ref);
+ }
+ let meta = this.extractMeta(formEl);
+ let formData = serializeForm(formEl, __spreadValues({ submitter }, meta));
+ this.pushWithReply(proxyRefGen, "event", {
+ type: "form",
+ event: phxEvent,
+ value: formData,
+ cid
+ }, onReply);
+ });
+ } else if (!(formEl.hasAttribute(PHX_REF) && formEl.classList.contains("phx-submit-loading"))) {
+ let meta = this.extractMeta(formEl);
+ let formData = serializeForm(formEl, __spreadValues({ submitter }, meta));
+ this.pushWithReply(refGenerator, "event", {
+ type: "form",
+ event: phxEvent,
+ value: formData,
+ cid
+ }, onReply);
+ }
+ }
+ uploadFiles(formEl, targetCtx, ref, cid, onComplete) {
+ let joinCountAtUpload = this.joinCount;
+ let inputEls = LiveUploader.activeFileInputs(formEl);
+ let numFileInputsInProgress = inputEls.length;
+ inputEls.forEach((inputEl) => {
+ let uploader = new LiveUploader(inputEl, this, () => {
+ numFileInputsInProgress--;
+ if (numFileInputsInProgress === 0) {
+ onComplete();
+ }
+ });
+ let entries = uploader.entries().map((entry) => entry.toPreflightPayload());
+ if (entries.length === 0) {
+ numFileInputsInProgress--;
+ return;
+ }
+ let payload = {
+ ref: inputEl.getAttribute(PHX_UPLOAD_REF),
+ entries,
+ cid: this.targetComponentID(inputEl.form, targetCtx)
+ };
+ this.log("upload", () => ["sending preflight request", payload]);
+ this.pushWithReply(null, "allow_upload", payload, (resp) => {
+ this.log("upload", () => ["got preflight response", resp]);
+ uploader.entries().forEach((entry) => {
+ if (resp.entries && !resp.entries[entry.ref]) {
+ this.handleFailedEntryPreflight(entry.ref, "failed preflight", uploader);
+ }
+ });
+ if (resp.error || Object.keys(resp.entries).length === 0) {
+ this.undoRefs(ref);
+ let errors = resp.error || [];
+ errors.map(([entry_ref, reason]) => {
+ this.handleFailedEntryPreflight(entry_ref, reason, uploader);
+ });
+ } else {
+ let onError = (callback) => {
+ this.channel.onError(() => {
+ if (this.joinCount === joinCountAtUpload) {
+ callback();
+ }
+ });
+ };
+ uploader.initAdapterUpload(resp, onError, this.liveSocket);
+ }
+ });
+ });
+ }
+ handleFailedEntryPreflight(uploadRef, reason, uploader) {
+ if (uploader.isAutoUpload()) {
+ let entry = uploader.entries().find((entry2) => entry2.ref === uploadRef.toString());
+ if (entry) {
+ entry.cancel();
+ }
+ } else {
+ uploader.entries().map((entry) => entry.cancel());
+ }
+ this.log("upload", () => [`error for entry ${uploadRef}`, reason]);
+ }
+ dispatchUploads(targetCtx, name, filesOrBlobs) {
+ let targetElement = this.targetCtxElement(targetCtx) || this.el;
+ let inputs = dom_default.findUploadInputs(targetElement).filter((el) => el.name === name);
+ if (inputs.length === 0) {
+ logError(`no live file inputs found matching the name "${name}"`);
+ } else if (inputs.length > 1) {
+ logError(`duplicate live file inputs found matching the name "${name}"`);
+ } else {
+ dom_default.dispatchEvent(inputs[0], PHX_TRACK_UPLOADS, { detail: { files: filesOrBlobs } });
+ }
+ }
+ targetCtxElement(targetCtx) {
+ if (isCid(targetCtx)) {
+ let [target] = dom_default.findComponentNodeList(this.el, targetCtx);
+ return target;
+ } else if (targetCtx) {
+ return targetCtx;
+ } else {
+ return null;
+ }
+ }
+ pushFormRecovery(form, newCid, callback) {
+ this.liveSocket.withinOwners(form, (view, targetCtx) => {
+ let phxChange = this.binding("change");
+ let inputs = Array.from(form.elements).filter((el) => dom_default.isFormInput(el) && el.name && !el.hasAttribute(phxChange));
+ if (inputs.length === 0) {
+ return;
+ }
+ inputs.forEach((input2) => input2.hasAttribute(PHX_UPLOAD_REF) && LiveUploader.clearFiles(input2));
+ let input = inputs.find((el) => el.type !== "hidden") || inputs[0];
+ let phxEvent = form.getAttribute(this.binding(PHX_AUTO_RECOVER)) || form.getAttribute(this.binding("change"));
+ js_default.exec("change", phxEvent, view, input, ["push", { _target: input.name, newCid, callback }]);
+ });
+ }
+ pushLinkPatch(href, targetEl, callback) {
+ let linkRef = this.liveSocket.setPendingLink(href);
+ let refGen = targetEl ? () => this.putRef([targetEl], "click") : null;
+ let fallback = () => this.liveSocket.redirect(window.location.href);
+ let url = href.startsWith("/") ? `${location.protocol}//${location.host}${href}` : href;
+ let push = this.pushWithReply(refGen, "live_patch", { url }, (resp) => {
+ this.liveSocket.requestDOMUpdate(() => {
+ if (resp.link_redirect) {
+ this.liveSocket.replaceMain(href, null, callback, linkRef);
+ } else {
+ if (this.liveSocket.commitPendingLink(linkRef)) {
+ this.href = href;
+ }
+ this.applyPendingUpdates();
+ callback && callback(linkRef);
+ }
+ });
+ });
+ if (push) {
+ push.receive("timeout", fallback);
+ } else {
+ fallback();
+ }
+ }
+ formsForRecovery(html) {
+ if (this.joinCount === 0) {
+ return [];
+ }
+ let phxChange = this.binding("change");
+ let template = document.createElement("template");
+ template.innerHTML = html;
+ return dom_default.all(this.el, `form[${phxChange}]`).filter((form) => form.id && this.ownsElement(form)).filter((form) => form.elements.length > 0).filter((form) => form.getAttribute(this.binding(PHX_AUTO_RECOVER)) !== "ignore").map((form) => {
+ const phxChangeValue = CSS.escape(form.getAttribute(phxChange));
+ let newForm = template.content.querySelector(`form[id="${form.id}"][${phxChange}="${phxChangeValue}"]`);
+ if (newForm) {
+ return [form, newForm, this.targetComponentID(newForm)];
+ } else {
+ return [form, form, this.targetComponentID(form)];
+ }
+ }).filter(([form, newForm, newCid]) => newForm);
+ }
+ maybePushComponentsDestroyed(destroyedCIDs) {
+ let willDestroyCIDs = destroyedCIDs.filter((cid) => {
+ return dom_default.findComponentNodeList(this.el, cid).length === 0;
+ });
+ if (willDestroyCIDs.length > 0) {
+ willDestroyCIDs.forEach((cid) => this.rendered.resetRender(cid));
+ this.pushWithReply(null, "cids_will_destroy", { cids: willDestroyCIDs }, () => {
+ let completelyDestroyCIDs = willDestroyCIDs.filter((cid) => {
+ return dom_default.findComponentNodeList(this.el, cid).length === 0;
+ });
+ if (completelyDestroyCIDs.length > 0) {
+ this.pushWithReply(null, "cids_destroyed", { cids: completelyDestroyCIDs }, (resp) => {
+ this.rendered.pruneCIDs(resp.cids);
+ });
+ }
+ });
+ }
+ }
+ ownsElement(el) {
+ let parentViewEl = el.closest(PHX_VIEW_SELECTOR);
+ return el.getAttribute(PHX_PARENT_ID) === this.id || parentViewEl && parentViewEl.id === this.id || !parentViewEl && this.isDead;
+ }
+ submitForm(form, targetCtx, phxEvent, submitter, opts = {}) {
+ dom_default.putPrivate(form, PHX_HAS_SUBMITTED, true);
+ const phxFeedbackFor = this.liveSocket.binding(PHX_FEEDBACK_FOR);
+ const phxFeedbackGroup = this.liveSocket.binding(PHX_FEEDBACK_GROUP);
+ const inputs = Array.from(form.elements);
+ inputs.forEach((input) => dom_default.putPrivate(input, PHX_HAS_SUBMITTED, true));
+ this.liveSocket.blurActiveElement(this);
+ this.pushFormSubmit(form, targetCtx, phxEvent, submitter, opts, () => {
+ inputs.forEach((input) => dom_default.showError(input, phxFeedbackFor, phxFeedbackGroup));
+ this.liveSocket.restorePreviouslyActiveFocus();
+ });
+ }
+ binding(kind) {
+ return this.liveSocket.binding(kind);
+ }
+ };
+ var LiveSocket = class {
+ constructor(url, phxSocket, opts = {}) {
+ this.unloaded = false;
+ if (!phxSocket || phxSocket.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 phxSocket(url, opts);
+ this.bindingPrefix = opts.bindingPrefix || BINDING_PREFIX;
+ this.opts = opts;
+ this.params = closure2(opts.params || {});
+ this.viewLogger = opts.viewLogger;
+ this.metadataCallbacks = opts.metadata || {};
+ this.defaults = Object.assign(clone(DEFAULTS), opts.defaults || {});
+ this.activeElement = null;
+ this.prevActive = null;
+ this.silenced = false;
+ this.main = null;
+ this.outgoingMainEl = null;
+ this.clickStartedAtTarget = null;
+ this.linkRef = 1;
+ this.roots = {};
+ this.href = window.location.href;
+ this.pendingLink = null;
+ this.currentLocation = clone(window.location);
+ this.hooks = opts.hooks || {};
+ this.uploaders = opts.uploaders || {};
+ this.loaderTimeout = opts.loaderTimeout || LOADER_TIMEOUT;
+ this.reloadWithJitterTimer = null;
+ this.maxReloads = opts.maxReloads || MAX_RELOADS;
+ this.reloadJitterMin = opts.reloadJitterMin || RELOAD_JITTER_MIN;
+ this.reloadJitterMax = opts.reloadJitterMax || RELOAD_JITTER_MAX;
+ this.failsafeJitter = opts.failsafeJitter || FAILSAFE_JITTER;
+ this.localStorage = opts.localStorage || window.localStorage;
+ this.sessionStorage = opts.sessionStorage || window.sessionStorage;
+ this.boundTopLevelEvents = false;
+ this.domCallbacks = Object.assign({ onNodeAdded: closure2(), onBeforeElUpdated: closure2() }, opts.dom || {});
+ this.transitions = new TransitionSet();
+ window.addEventListener("pagehide", (_e) => {
+ this.unloaded = true;
+ });
+ this.socket.onOpen(() => {
+ if (this.isUnloaded()) {
+ window.location.reload();
+ }
+ });
+ }
+ isProfileEnabled() {
+ return this.sessionStorage.getItem(PHX_LV_PROFILE) === "true";
+ }
+ isDebugEnabled() {
+ return this.sessionStorage.getItem(PHX_LV_DEBUG) === "true";
+ }
+ isDebugDisabled() {
+ return this.sessionStorage.getItem(PHX_LV_DEBUG) === "false";
+ }
+ enableDebug() {
+ this.sessionStorage.setItem(PHX_LV_DEBUG, "true");
+ }
+ enableProfiling() {
+ this.sessionStorage.setItem(PHX_LV_PROFILE, "true");
+ }
+ disableDebug() {
+ this.sessionStorage.setItem(PHX_LV_DEBUG, "false");
+ }
+ disableProfiling() {
+ this.sessionStorage.removeItem(PHX_LV_PROFILE);
+ }
+ enableLatencySim(upperBoundMs) {
+ this.enableDebug();
+ console.log("latency simulator enabled for the duration of this browser session. Call disableLatencySim() to disable");
+ this.sessionStorage.setItem(PHX_LV_LATENCY_SIM, upperBoundMs);
+ }
+ disableLatencySim() {
+ this.sessionStorage.removeItem(PHX_LV_LATENCY_SIM);
+ }
+ getLatencySim() {
+ let str = this.sessionStorage.getItem(PHX_LV_LATENCY_SIM);
+ return str ? parseInt(str) : null;
+ }
+ getSocket() {
+ return this.socket;
+ }
+ connect() {
+ if (window.location.hostname === "localhost" && !this.isDebugDisabled()) {
+ this.enableDebug();
+ }
+ let doConnect = () => {
+ if (this.joinRootViews()) {
+ this.bindTopLevelEvents();
+ this.socket.connect();
+ } else if (this.main) {
+ this.socket.connect();
+ } else {
+ this.bindTopLevelEvents({ dead: true });
+ }
+ this.joinDeadView();
+ };
+ if (["complete", "loaded", "interactive"].indexOf(document.readyState) >= 0) {
+ doConnect();
+ } else {
+ document.addEventListener("DOMContentLoaded", () => doConnect());
+ }
+ }
+ disconnect(callback) {
+ clearTimeout(this.reloadWithJitterTimer);
+ this.socket.disconnect(callback);
+ }
+ replaceTransport(transport) {
+ clearTimeout(this.reloadWithJitterTimer);
+ this.socket.replaceTransport(transport);
+ this.connect();
+ }
+ execJS(el, encodedJS, eventType = null) {
+ this.owner(el, (view) => js_default.exec(eventType, encodedJS, view, el));
+ }
+ execJSHookPush(el, phxEvent, data, callback) {
+ this.withinOwners(el, (view) => {
+ js_default.exec("hook", phxEvent, view, el, ["push", { data, callback }]);
+ });
+ }
+ unload() {
+ if (this.unloaded) {
+ return;
+ }
+ if (this.main && this.isConnected()) {
+ this.log(this.main, "socket", () => ["disconnect for page nav"]);
+ }
+ this.unloaded = true;
+ this.destroyAllViews();
+ this.disconnect();
+ }
+ triggerDOM(kind, args) {
+ this.domCallbacks[kind](...args);
+ }
+ time(name, func) {
+ if (!this.isProfileEnabled() || !console.time) {
+ return func();
+ }
+ console.time(name);
+ let result = func();
+ console.timeEnd(name);
+ return result;
+ }
+ log(view, kind, msgCallback) {
+ if (this.viewLogger) {
+ let [msg, obj] = msgCallback();
+ this.viewLogger(view, kind, msg, obj);
+ } else if (this.isDebugEnabled()) {
+ let [msg, obj] = msgCallback();
+ debug(view, kind, msg, obj);
+ }
+ }
+ requestDOMUpdate(callback) {
+ this.transitions.after(callback);
+ }
+ transition(time, onStart, onDone = function() {
+ }) {
+ this.transitions.addTransition(time, onStart, onDone);
+ }
+ onChannel(channel, event, cb) {
+ channel.on(event, (data) => {
+ let latency = this.getLatencySim();
+ if (!latency) {
+ cb(data);
+ } else {
+ setTimeout(() => cb(data), latency);
+ }
+ });
+ }
+ wrapPush(view, opts, push) {
+ let latency = this.getLatencySim();
+ let oldJoinCount = view.joinCount;
+ if (!latency) {
+ if (this.isConnected() && opts.timeout) {
+ return push().receive("timeout", () => {
+ if (view.joinCount === oldJoinCount && !view.isDestroyed()) {
+ this.reloadWithJitter(view, () => {
+ this.log(view, "timeout", () => ["received timeout while communicating with server. Falling back to hard refresh for recovery"]);
+ });
+ }
+ });
+ } else {
+ return push();
+ }
+ }
+ let fakePush = {
+ receives: [],
+ receive(kind, cb) {
+ this.receives.push([kind, cb]);
+ }
+ };
+ setTimeout(() => {
+ if (view.isDestroyed()) {
+ return;
+ }
+ fakePush.receives.reduce((acc, [kind, cb]) => acc.receive(kind, cb), push());
+ }, latency);
+ return fakePush;
+ }
+ reloadWithJitter(view, log) {
+ clearTimeout(this.reloadWithJitterTimer);
+ this.disconnect();
+ let minMs = this.reloadJitterMin;
+ let maxMs = this.reloadJitterMax;
+ let afterMs = Math.floor(Math.random() * (maxMs - minMs + 1)) + minMs;
+ let tries = browser_default.updateLocal(this.localStorage, window.location.pathname, CONSECUTIVE_RELOADS, 0, (count) => count + 1);
+ if (tries > this.maxReloads) {
+ afterMs = this.failsafeJitter;
+ }
+ this.reloadWithJitterTimer = setTimeout(() => {
+ if (view.isDestroyed() || view.isConnected()) {
+ return;
+ }
+ view.destroy();
+ log ? log() : this.log(view, "join", () => [`encountered ${tries} consecutive reloads`]);
+ if (tries > this.maxReloads) {
+ this.log(view, "join", () => [`exceeded ${this.maxReloads} consecutive reloads. Entering failsafe mode`]);
+ }
+ if (this.hasPendingLink()) {
+ window.location = this.pendingLink;
+ } else {
+ window.location.reload();
+ }
+ }, afterMs);
+ }
+ getHookCallbacks(name) {
+ return name && name.startsWith("Phoenix.") ? hooks_default[name.split(".")[1]] : this.hooks[name];
+ }
+ isUnloaded() {
+ return this.unloaded;
+ }
+ isConnected() {
+ return this.socket.isConnected();
+ }
+ getBindingPrefix() {
+ return this.bindingPrefix;
+ }
+ binding(kind) {
+ return `${this.getBindingPrefix()}${kind}`;
+ }
+ channel(topic, params) {
+ return this.socket.channel(topic, params);
+ }
+ joinDeadView() {
+ let body = document.body;
+ if (body && !this.isPhxView(body) && !this.isPhxView(document.firstElementChild)) {
+ let view = this.newRootView(body);
+ view.setHref(this.getHref());
+ view.joinDead();
+ if (!this.main) {
+ this.main = view;
+ }
+ window.requestAnimationFrame(() => view.execNewMounted());
+ }
+ }
+ joinRootViews() {
+ let rootsFound = false;
+ dom_default.all(document, `${PHX_VIEW_SELECTOR}:not([${PHX_PARENT_ID}])`, (rootEl) => {
+ if (!this.getRootById(rootEl.id)) {
+ let view = this.newRootView(rootEl);
+ view.setHref(this.getHref());
+ view.join();
+ if (rootEl.hasAttribute(PHX_MAIN)) {
+ this.main = view;
+ }
+ }
+ rootsFound = true;
+ });
+ return rootsFound;
+ }
+ redirect(to, flash) {
+ this.unload();
+ browser_default.redirect(to, flash);
+ }
+ replaceMain(href, flash, callback = null, linkRef = this.setPendingLink(href)) {
+ let liveReferer = this.currentLocation.href;
+ this.outgoingMainEl = this.outgoingMainEl || this.main.el;
+ let newMainEl = dom_default.cloneNode(this.outgoingMainEl, "");
+ this.main.showLoader(this.loaderTimeout);
+ this.main.destroy();
+ this.main = this.newRootView(newMainEl, flash, liveReferer);
+ this.main.setRedirect(href);
+ this.transitionRemoves(null, true);
+ this.main.join((joinCount, onDone) => {
+ if (joinCount === 1 && this.commitPendingLink(linkRef)) {
+ this.requestDOMUpdate(() => {
+ dom_default.findPhxSticky(document).forEach((el) => newMainEl.appendChild(el));
+ this.outgoingMainEl.replaceWith(newMainEl);
+ this.outgoingMainEl = null;
+ callback && callback(linkRef);
+ onDone();
+ });
+ }
+ });
+ }
+ transitionRemoves(elements, skipSticky) {
+ let removeAttr = this.binding("remove");
+ elements = elements || dom_default.all(document, `[${removeAttr}]`);
+ if (skipSticky) {
+ const stickies = dom_default.findPhxSticky(document) || [];
+ elements = elements.filter((el) => !dom_default.isChildOfAny(el, stickies));
+ }
+ elements.forEach((el) => {
+ this.execJS(el, el.getAttribute(removeAttr), "remove");
+ });
+ }
+ isPhxView(el) {
+ return el.getAttribute && el.getAttribute(PHX_SESSION) !== null;
+ }
+ newRootView(el, flash, liveReferer) {
+ let view = new View(el, this, null, flash, liveReferer);
+ this.roots[view.id] = view;
+ return view;
+ }
+ owner(childEl, callback) {
+ let view = maybe(childEl.closest(PHX_VIEW_SELECTOR), (el) => this.getViewByEl(el)) || this.main;
+ if (view) {
+ callback(view);
+ }
+ }
+ withinOwners(childEl, callback) {
+ this.owner(childEl, (view) => callback(view, childEl));
+ }
+ getViewByEl(el) {
+ let rootId = el.getAttribute(PHX_ROOT_ID);
+ return maybe(this.getRootById(rootId), (root) => root.getDescendentByEl(el));
+ }
+ getRootById(id) {
+ return this.roots[id];
+ }
+ destroyAllViews() {
+ for (let id in this.roots) {
+ this.roots[id].destroy();
+ delete this.roots[id];
+ }
+ this.main = null;
+ }
+ destroyViewByEl(el) {
+ let root = this.getRootById(el.getAttribute(PHX_ROOT_ID));
+ if (root && root.id === el.id) {
+ root.destroy();
+ delete this.roots[root.id];
+ } else if (root) {
+ root.destroyDescendent(el.id);
+ }
+ }
+ setActiveElement(target) {
+ if (this.activeElement === target) {
+ return;
+ }
+ this.activeElement = target;
+ let cancel = () => {
+ if (target === this.activeElement) {
+ this.activeElement = null;
+ }
+ target.removeEventListener("mouseup", this);
+ target.removeEventListener("touchend", this);
+ };
+ target.addEventListener("mouseup", cancel);
+ target.addEventListener("touchend", cancel);
+ }
+ getActiveElement() {
+ if (document.activeElement === document.body) {
+ return this.activeElement || document.activeElement;
+ } else {
+ return document.activeElement || document.body;
+ }
+ }
+ dropActiveElement(view) {
+ if (this.prevActive && view.ownsElement(this.prevActive)) {
+ this.prevActive = null;
+ }
+ }
+ restorePreviouslyActiveFocus() {
+ if (this.prevActive && this.prevActive !== document.body) {
+ this.prevActive.focus();
+ }
+ }
+ blurActiveElement() {
+ this.prevActive = this.getActiveElement();
+ if (this.prevActive !== document.body) {
+ this.prevActive.blur();
+ }
+ }
+ bindTopLevelEvents({ dead } = {}) {
+ if (this.boundTopLevelEvents) {
+ return;
+ }
+ this.boundTopLevelEvents = true;
+ this.socket.onClose((event) => {
+ if (event && event.code === 1e3 && this.main) {
+ return this.reloadWithJitter(this.main);
+ }
+ });
+ document.body.addEventListener("click", function() {
+ });
+ window.addEventListener("pageshow", (e) => {
+ if (e.persisted) {
+ this.getSocket().disconnect();
+ this.withPageLoading({ to: window.location.href, kind: "redirect" });
+ window.location.reload();
+ }
+ }, true);
+ if (!dead) {
+ this.bindNav();
+ }
+ this.bindClicks();
+ if (!dead) {
+ this.bindForms();
+ }
+ this.bind({ keyup: "keyup", keydown: "keydown" }, (e, type, view, targetEl, phxEvent, phxTarget) => {
+ let matchKey = targetEl.getAttribute(this.binding(PHX_KEY));
+ let pressedKey = e.key && e.key.toLowerCase();
+ if (matchKey && matchKey.toLowerCase() !== pressedKey) {
+ return;
+ }
+ let data = __spreadValues({ key: e.key }, this.eventMeta(type, e, targetEl));
+ js_default.exec(type, phxEvent, view, targetEl, ["push", { data }]);
+ });
+ this.bind({ blur: "focusout", focus: "focusin" }, (e, type, view, targetEl, phxEvent, phxTarget) => {
+ if (!phxTarget) {
+ let data = __spreadValues({ key: e.key }, this.eventMeta(type, e, targetEl));
+ js_default.exec(type, phxEvent, view, targetEl, ["push", { data }]);
+ }
+ });
+ this.bind({ blur: "blur", focus: "focus" }, (e, type, view, targetEl, phxEvent, phxTarget) => {
+ if (phxTarget === "window") {
+ let data = this.eventMeta(type, e, targetEl);
+ js_default.exec(type, phxEvent, view, targetEl, ["push", { data }]);
+ }
+ });
+ window.addEventListener("dragover", (e) => e.preventDefault());
+ window.addEventListener("drop", (e) => {
+ e.preventDefault();
+ let dropTargetId = maybe(closestPhxBinding(e.target, this.binding(PHX_DROP_TARGET)), (trueTarget) => {
+ return trueTarget.getAttribute(this.binding(PHX_DROP_TARGET));
+ });
+ let dropTarget = dropTargetId && document.getElementById(dropTargetId);
+ let files = Array.from(e.dataTransfer.files || []);
+ if (!dropTarget || dropTarget.disabled || files.length === 0 || !(dropTarget.files instanceof FileList)) {
+ return;
+ }
+ LiveUploader.trackFiles(dropTarget, files, e.dataTransfer);
+ dropTarget.dispatchEvent(new Event("input", { bubbles: true }));
+ });
+ this.on(PHX_TRACK_UPLOADS, (e) => {
+ let uploadTarget = e.target;
+ if (!dom_default.isUploadInput(uploadTarget)) {
+ return;
+ }
+ let files = Array.from(e.detail.files || []).filter((f) => f instanceof File || f instanceof Blob);
+ LiveUploader.trackFiles(uploadTarget, files);
+ uploadTarget.dispatchEvent(new Event("input", { bubbles: true }));
+ });
+ }
+ eventMeta(eventName, e, targetEl) {
+ let callback = this.metadataCallbacks[eventName];
+ return callback ? callback(e, targetEl) : {};
+ }
+ setPendingLink(href) {
+ this.linkRef++;
+ this.pendingLink = href;
+ return this.linkRef;
+ }
+ commitPendingLink(linkRef) {
+ if (this.linkRef !== linkRef) {
+ return false;
+ } else {
+ this.href = this.pendingLink;
+ this.pendingLink = null;
+ return true;
+ }
+ }
+ getHref() {
+ return this.href;
+ }
+ hasPendingLink() {
+ return !!this.pendingLink;
+ }
+ bind(events, callback) {
+ for (let event in events) {
+ let browserEventName = events[event];
+ this.on(browserEventName, (e) => {
+ let binding = this.binding(event);
+ let windowBinding = this.binding(`window-${event}`);
+ let targetPhxEvent = e.target.getAttribute && e.target.getAttribute(binding);
+ if (targetPhxEvent) {
+ this.debounce(e.target, e, browserEventName, () => {
+ this.withinOwners(e.target, (view) => {
+ callback(e, event, view, e.target, targetPhxEvent, null);
+ });
+ });
+ } else {
+ dom_default.all(document, `[${windowBinding}]`, (el) => {
+ let phxEvent = el.getAttribute(windowBinding);
+ this.debounce(el, e, browserEventName, () => {
+ this.withinOwners(el, (view) => {
+ callback(e, event, view, el, phxEvent, "window");
+ });
+ });
+ });
+ }
+ });
+ }
+ }
+ bindClicks() {
+ window.addEventListener("mousedown", (e) => this.clickStartedAtTarget = e.target);
+ this.bindClick("click", "click", false);
+ this.bindClick("mousedown", "capture-click", true);
+ }
+ bindClick(eventName, bindingName, capture) {
+ let click = this.binding(bindingName);
+ window.addEventListener(eventName, (e) => {
+ let target = null;
+ if (capture) {
+ target = e.target.matches(`[${click}]`) ? e.target : e.target.querySelector(`[${click}]`);
+ } else {
+ if (e.detail === 0)
+ this.clickStartedAtTarget = e.target;
+ let clickStartedAtTarget = this.clickStartedAtTarget || e.target;
+ target = closestPhxBinding(clickStartedAtTarget, click);
+ this.dispatchClickAway(e, clickStartedAtTarget);
+ this.clickStartedAtTarget = null;
+ }
+ let phxEvent = target && target.getAttribute(click);
+ if (!phxEvent) {
+ if (!capture && dom_default.isNewPageClick(e, window.location)) {
+ this.unload();
+ }
+ return;
+ }
+ if (target.getAttribute("href") === "#") {
+ e.preventDefault();
+ }
+ if (target.hasAttribute(PHX_REF)) {
+ return;
+ }
+ this.debounce(target, e, "click", () => {
+ this.withinOwners(target, (view) => {
+ js_default.exec("click", phxEvent, view, target, ["push", { data: this.eventMeta("click", e, target) }]);
+ });
+ });
+ }, capture);
+ }
+ dispatchClickAway(e, clickStartedAt) {
+ let phxClickAway = this.binding("click-away");
+ dom_default.all(document, `[${phxClickAway}]`, (el) => {
+ if (!(el.isSameNode(clickStartedAt) || el.contains(clickStartedAt))) {
+ this.withinOwners(el, (view) => {
+ let phxEvent = el.getAttribute(phxClickAway);
+ if (js_default.isVisible(el) && js_default.isInViewport(el)) {
+ js_default.exec("click", phxEvent, view, el, ["push", { data: this.eventMeta("click", e, e.target) }]);
+ }
+ });
+ }
+ });
+ }
+ bindNav() {
+ if (!browser_default.canPushState()) {
+ return;
+ }
+ if (history.scrollRestoration) {
+ history.scrollRestoration = "manual";
+ }
+ let scrollTimer = null;
+ window.addEventListener("scroll", (_e) => {
+ clearTimeout(scrollTimer);
+ scrollTimer = setTimeout(() => {
+ browser_default.updateCurrentState((state) => Object.assign(state, { scroll: window.scrollY }));
+ }, 100);
+ });
+ window.addEventListener("popstate", (event) => {
+ if (!this.registerNewLocation(window.location)) {
+ return;
+ }
+ let { type, id, root, scroll } = event.state || {};
+ let href = window.location.href;
+ dom_default.dispatchEvent(window, "phx:navigate", { detail: { href, patch: type === "patch", pop: true } });
+ this.requestDOMUpdate(() => {
+ if (this.main.isConnected() && (type === "patch" && id === this.main.id)) {
+ this.main.pushLinkPatch(href, null, () => {
+ this.maybeScroll(scroll);
+ });
+ } else {
+ this.replaceMain(href, null, () => {
+ if (root) {
+ this.replaceRootHistory();
+ }
+ this.maybeScroll(scroll);
+ });
+ }
+ });
+ }, false);
+ window.addEventListener("click", (e) => {
+ let target = closestPhxBinding(e.target, PHX_LIVE_LINK);
+ let type = target && target.getAttribute(PHX_LIVE_LINK);
+ if (!type || !this.isConnected() || !this.main || dom_default.wantsNewTab(e)) {
+ return;
+ }
+ let href = target.href instanceof SVGAnimatedString ? target.href.baseVal : target.href;
+ let linkState = target.getAttribute(PHX_LINK_STATE);
+ e.preventDefault();
+ e.stopImmediatePropagation();
+ if (this.pendingLink === href) {
+ return;
+ }
+ this.requestDOMUpdate(() => {
+ if (type === "patch") {
+ this.pushHistoryPatch(href, linkState, target);
+ } else if (type === "redirect") {
+ this.historyRedirect(href, linkState);
+ } else {
+ throw new Error(`expected ${PHX_LIVE_LINK} to be "patch" or "redirect", got: ${type}`);
+ }
+ let phxClick = target.getAttribute(this.binding("click"));
+ if (phxClick) {
+ this.requestDOMUpdate(() => this.execJS(target, phxClick, "click"));
+ }
+ });
+ }, false);
+ }
+ maybeScroll(scroll) {
+ if (typeof scroll === "number") {
+ requestAnimationFrame(() => {
+ window.scrollTo(0, scroll);
+ });
+ }
+ }
+ dispatchEvent(event, payload = {}) {
+ dom_default.dispatchEvent(window, `phx:${event}`, { detail: payload });
+ }
+ dispatchEvents(events) {
+ events.forEach(([event, payload]) => this.dispatchEvent(event, payload));
+ }
+ withPageLoading(info, callback) {
+ dom_default.dispatchEvent(window, "phx:page-loading-start", { detail: info });
+ let done = () => dom_default.dispatchEvent(window, "phx:page-loading-stop", { detail: info });
+ return callback ? callback(done) : done;
+ }
+ pushHistoryPatch(href, linkState, targetEl) {
+ if (!this.isConnected() || !this.main.isMain()) {
+ return browser_default.redirect(href);
+ }
+ this.withPageLoading({ to: href, kind: "patch" }, (done) => {
+ this.main.pushLinkPatch(href, targetEl, (linkRef) => {
+ this.historyPatch(href, linkState, linkRef);
+ done();
+ });
+ });
+ }
+ historyPatch(href, linkState, linkRef = this.setPendingLink(href)) {
+ if (!this.commitPendingLink(linkRef)) {
+ return;
+ }
+ browser_default.pushState(linkState, { type: "patch", id: this.main.id }, href);
+ dom_default.dispatchEvent(window, "phx:navigate", { detail: { patch: true, href, pop: false } });
+ this.registerNewLocation(window.location);
+ }
+ historyRedirect(href, linkState, flash) {
+ if (!this.isConnected() || !this.main.isMain()) {
+ return browser_default.redirect(href, flash);
+ }
+ if (/^\/$|^\/[^\/]+.*$/.test(href)) {
+ let { protocol, host } = window.location;
+ href = `${protocol}//${host}${href}`;
+ }
+ let scroll = window.scrollY;
+ this.withPageLoading({ to: href, kind: "redirect" }, (done) => {
+ this.replaceMain(href, flash, (linkRef) => {
+ if (linkRef === this.linkRef) {
+ browser_default.pushState(linkState, { type: "redirect", id: this.main.id, scroll }, href);
+ dom_default.dispatchEvent(window, "phx:navigate", { detail: { href, patch: false, pop: false } });
+ this.registerNewLocation(window.location);
+ }
+ done();
+ });
+ });
+ }
+ replaceRootHistory() {
+ browser_default.pushState("replace", { root: true, type: "patch", id: this.main.id });
+ }
+ registerNewLocation(newLocation) {
+ let { pathname, search } = this.currentLocation;
+ if (pathname + search === newLocation.pathname + newLocation.search) {
+ return false;
+ } else {
+ this.currentLocation = clone(newLocation);
+ return true;
+ }
+ }
+ bindForms() {
+ let iterations = 0;
+ let externalFormSubmitted = false;
+ this.on("submit", (e) => {
+ let phxSubmit = e.target.getAttribute(this.binding("submit"));
+ let phxChange = e.target.getAttribute(this.binding("change"));
+ if (!externalFormSubmitted && phxChange && !phxSubmit) {
+ externalFormSubmitted = true;
+ e.preventDefault();
+ this.withinOwners(e.target, (view) => {
+ view.disableForm(e.target);
+ window.requestAnimationFrame(() => {
+ if (dom_default.isUnloadableFormSubmit(e)) {
+ this.unload();
+ }
+ e.target.submit();
+ });
+ });
+ }
+ }, true);
+ this.on("submit", (e) => {
+ let phxEvent = e.target.getAttribute(this.binding("submit"));
+ if (!phxEvent) {
+ if (dom_default.isUnloadableFormSubmit(e)) {
+ this.unload();
+ }
+ return;
+ }
+ e.preventDefault();
+ e.target.disabled = true;
+ this.withinOwners(e.target, (view) => {
+ js_default.exec("submit", phxEvent, view, e.target, ["push", { submitter: e.submitter }]);
+ });
+ }, false);
+ for (let type of ["change", "input"]) {
+ this.on(type, (e) => {
+ let phxChange = this.binding("change");
+ let input = e.target;
+ let inputEvent = input.getAttribute(phxChange);
+ let formEvent = input.form && input.form.getAttribute(phxChange);
+ let phxEvent = inputEvent || formEvent;
+ if (!phxEvent) {
+ return;
+ }
+ if (input.type === "number" && input.validity && input.validity.badInput) {
+ return;
+ }
+ let dispatcher = inputEvent ? input : input.form;
+ let currentIterations = iterations;
+ iterations++;
+ let { at, type: lastType } = dom_default.private(input, "prev-iteration") || {};
+ if (at === currentIterations - 1 && type === "change" && lastType === "input") {
+ return;
+ }
+ dom_default.putPrivate(input, "prev-iteration", { at: currentIterations, type });
+ this.debounce(input, e, type, () => {
+ this.withinOwners(dispatcher, (view) => {
+ dom_default.putPrivate(input, PHX_HAS_FOCUSED, true);
+ if (!dom_default.isTextualInput(input)) {
+ this.setActiveElement(input);
+ }
+ js_default.exec("change", phxEvent, view, input, ["push", { _target: e.target.name, dispatcher }]);
+ });
+ });
+ }, false);
+ }
+ this.on("reset", (e) => {
+ let form = e.target;
+ dom_default.resetForm(form, this.binding(PHX_FEEDBACK_FOR), this.binding(PHX_FEEDBACK_GROUP));
+ let input = Array.from(form.elements).find((el) => el.type === "reset");
+ if (input) {
+ window.requestAnimationFrame(() => {
+ input.dispatchEvent(new Event("input", { bubbles: true, cancelable: false }));
+ });
+ }
+ });
+ }
+ debounce(el, event, eventType, callback) {
+ if (eventType === "blur" || eventType === "focusout") {
+ return callback();
+ }
+ let phxDebounce = this.binding(PHX_DEBOUNCE);
+ let phxThrottle = this.binding(PHX_THROTTLE);
+ let defaultDebounce = this.defaults.debounce.toString();
+ let defaultThrottle = this.defaults.throttle.toString();
+ this.withinOwners(el, (view) => {
+ let asyncFilter = () => !view.isDestroyed() && document.body.contains(el);
+ dom_default.debounce(el, event, phxDebounce, defaultDebounce, phxThrottle, defaultThrottle, asyncFilter, () => {
+ callback();
+ });
+ });
+ }
+ silenceEvents(callback) {
+ this.silenced = true;
+ callback();
+ this.silenced = false;
+ }
+ on(event, callback) {
+ window.addEventListener(event, (e) => {
+ if (!this.silenced) {
+ callback(e);
+ }
+ });
+ }
+ };
+ var TransitionSet = class {
+ constructor() {
+ this.transitions = /* @__PURE__ */ new Set();
+ this.pendingOps = [];
+ }
+ reset() {
+ this.transitions.forEach((timer) => {
+ clearTimeout(timer);
+ this.transitions.delete(timer);
+ });
+ this.flushPendingOps();
+ }
+ after(callback) {
+ if (this.size() === 0) {
+ callback();
+ } else {
+ this.pushPendingOp(callback);
+ }
+ }
+ addTransition(time, onStart, onDone) {
+ onStart();
+ let timer = setTimeout(() => {
+ this.transitions.delete(timer);
+ onDone();
+ this.flushPendingOps();
+ }, time);
+ this.transitions.add(timer);
+ }
+ pushPendingOp(op) {
+ this.pendingOps.push(op);
+ }
+ size() {
+ return this.transitions.size;
+ }
+ flushPendingOps() {
+ if (this.size() > 0) {
+ return;
+ }
+ let op = this.pendingOps.shift();
+ if (op) {
+ op();
+ this.flushPendingOps();
+ }
+ }
+ };
+
+ // js/app.js
+ var import_topbar = __toESM(require_topbar());
+ var csrfToken = document.querySelector("meta[name='csrf-token']").getAttribute("content");
+ var liveSocket = new LiveSocket("/live", Socket, {
+ longPollFallbackMs: 2500,
+ params: { _csrf_token: csrfToken }
+ });
+ import_topbar.default.config({ barColors: { 0: "#29d" }, shadowColor: "rgba(0, 0, 0, .3)" });
+ window.addEventListener("phx:page-loading-start", (_info) => import_topbar.default.show(300));
+ window.addEventListener("phx:page-loading-stop", (_info) => import_topbar.default.hide());
+ liveSocket.connect();
+ window.liveSocket = liveSocket;
+})();
+/**
+ * @license MIT
+ * topbar 2.0.0, 2023-02-04
+ * https://buunguyen.github.io/topbar
+ * Copyright (c) 2021 Buu Nguyen
+ */