logo

pleroma

My custom branche(s) on git.pleroma.social/pleroma/pleroma git clone https://hacktivis.me/git/pleroma.git
commit: a0f5e8b27edbe2224d9c2c3997ad5b8ea484244b
parent 425324aae3d4534bc045466a1cc15653ddfa27d2
Author: rinpatch <rinpatch@sdf.org>
Date:   Thu, 17 Sep 2020 19:09:10 +0000

Merge branch 'release/2.1.2' into 'stable'

Release/2.1.2

See merge request pleroma/secteam/pleroma!17

Diffstat:

MCHANGELOG.md22++++++++++++++++++++++
Mlib/pleroma/web/activity_pub/activity_pub.ex4++--
Mlib/pleroma/web/activity_pub/mrf.ex24+++++++++++++++++++++---
Mlib/pleroma/web/activity_pub/mrf/keyword_policy.ex67++++++++++++++++++++++++++++++++-----------------------------------
Mlib/pleroma/web/activity_pub/mrf/simple_policy.ex3++-
Mlib/pleroma/web/activity_pub/mrf/subchain_policy.ex3+--
Mlib/pleroma/web/activity_pub/pipeline.ex8++++++--
Mlib/pleroma/web/activity_pub/transmogrifier.ex2+-
Mlib/pleroma/web/api_spec/operations/chat_operation.ex3++-
Mlib/pleroma/web/api_spec/operations/status_operation.ex2+-
Mlib/pleroma/web/common_api/common_api.ex3+++
Mlib/pleroma/web/mastodon_api/websocket_handler.ex12+++++++++---
Mlib/pleroma/web/oauth/oauth_controller.ex5++++-
Mlib/pleroma/web/pleroma_api/controllers/chat_controller.ex10++++++++++
Mlib/pleroma/web/rich_media/helpers.ex46+++++++++++++++++++++++++++++++++++++++++++++-
Mlib/pleroma/web/rich_media/parser.ex8++++++++
Mlib/pleroma/web/templates/o_auth/o_auth/oob_authorization_created.html.eex2+-
Mlib/pleroma/web/templates/o_auth/o_auth/oob_token_exists.html.eex2+-
Mmix.exs2+-
Mpriv/static/index.html4++--
Dpriv/static/static/font/fontello.1599568314856.eot0
Dpriv/static/static/font/fontello.1599568314856.svg139-------------------------------------------------------------------------------
Dpriv/static/static/font/fontello.1599568314856.ttf0
Dpriv/static/static/font/fontello.1599568314856.woff0
Dpriv/static/static/font/fontello.1599568314856.woff20
Apriv/static/static/font/fontello.1600365488745.eot0
Apriv/static/static/font/fontello.1600365488745.svg141+++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
Apriv/static/static/font/fontello.1600365488745.ttf0
Apriv/static/static/font/fontello.1600365488745.woff0
Apriv/static/static/font/fontello.1600365488745.woff20
Dpriv/static/static/fontello.1599568314856.css158-------------------------------------------------------------------------------
Apriv/static/static/fontello.1600365488745.css160+++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
Mpriv/static/static/fontello.json6++++++
Dpriv/static/static/js/2.c92f4803ff24726cea58.js3---
Dpriv/static/static/js/2.c92f4803ff24726cea58.js.map2--
Apriv/static/static/js/2.e852a6b4b3bba752b838.js3+++
Apriv/static/static/js/2.e852a6b4b3bba752b838.js.map2++
Dpriv/static/static/js/app.55d173dc5e39519aa518.js3---
Dpriv/static/static/js/app.55d173dc5e39519aa518.js.map2--
Apriv/static/static/js/app.826c44232e0a76bbd9ba.js3+++
Apriv/static/static/js/app.826c44232e0a76bbd9ba.js.map2++
Mpriv/static/sw-pleroma.js2+-
Mtest/integration/mastodon_websocket_test.exs26+++++++++++++-------------
Mtest/support/http_request_mock.ex17+++++++++++++++++
Mtest/user_test.exs39+++++++++++++++++++++++++++++++++++++++
Mtest/web/activity_pub/activity_pub_test.exs8++++++++
Mtest/web/activity_pub/pipeline_test.exs16++++++++--------
Mtest/web/common_api/common_api_test.exs11+++++++++++
Mtest/web/pleroma_api/controllers/chat_controller_test.exs19++++++++++++++++++-
Mtest/web/rich_media/parser_test.exs29+++++++++++++++++++++++++++++
50 files changed, 635 insertions(+), 388 deletions(-)

diff --git a/CHANGELOG.md b/CHANGELOG.md @@ -3,6 +3,28 @@ All notable changes to this project will be documented in this file. The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/). +## [2.1.2] - 2020-09-17 + +### Security + +- Fix most MRF rules either crashing or not being applied to objects passed into the Common Pipeline (ChatMessage, Question, Answer, Audio, Event). + +### Fixed + +- Welcome Chat messages preventing user registration with MRF Simple Policy applied to the local instance. +- Mastodon API: the public timeline returning an error when the `reply_visibility` parameter is set to `self` for an unauthenticated user. +- Mastodon Streaming API: Handler crashes on authentication failures, resulting in error logs. +- Mastodon Streaming API: Error logs on client pings. +- Rich media: Log spam on failures. Now the error is only logged once per attempt. + +### Changed + +- Rich Media: A HEAD request is now done to the url, to ensure it has the appropriate content type and size before proceeding with a GET. + +### Upgrade notes + +1. Restart Pleroma + ## [2.1.1] - 2020-09-08 ### Security diff --git a/lib/pleroma/web/activity_pub/activity_pub.ex b/lib/pleroma/web/activity_pub/activity_pub.ex @@ -744,7 +744,7 @@ defmodule Pleroma.Web.ActivityPub.ActivityPub do end defp restrict_replies(query, %{ - reply_filtering_user: user, + reply_filtering_user: %User{} = user, reply_visibility: "self" }) do from( @@ -760,7 +760,7 @@ defmodule Pleroma.Web.ActivityPub.ActivityPub do end defp restrict_replies(query, %{ - reply_filtering_user: user, + reply_filtering_user: %User{} = user, reply_visibility: "following" }) do from( diff --git a/lib/pleroma/web/activity_pub/mrf.ex b/lib/pleroma/web/activity_pub/mrf.ex @@ -5,16 +5,34 @@ defmodule Pleroma.Web.ActivityPub.MRF do @callback filter(Map.t()) :: {:ok | :reject, Map.t()} - def filter(policies, %{} = object) do + def filter(policies, %{} = message) do policies - |> Enum.reduce({:ok, object}, fn - policy, {:ok, object} -> policy.filter(object) + |> Enum.reduce({:ok, message}, fn + policy, {:ok, message} -> policy.filter(message) _, error -> error end) end def filter(%{} = object), do: get_policies() |> filter(object) + def pipeline_filter(%{} = message, meta) do + object = meta[:object_data] + ap_id = message["object"] + + if object && ap_id do + with {:ok, message} <- filter(Map.put(message, "object", object)) do + meta = Keyword.put(meta, :object_data, message["object"]) + {:ok, Map.put(message, "object", ap_id), meta} + else + {err, message} -> {err, message, meta} + end + else + {err, message} = filter(message) + + {err, message, meta} + end + end + def get_policies do Pleroma.Config.get([:mrf, :policies], []) |> get_policies() end diff --git a/lib/pleroma/web/activity_pub/mrf/keyword_policy.ex b/lib/pleroma/web/activity_pub/mrf/keyword_policy.ex @@ -20,9 +20,17 @@ defmodule Pleroma.Web.ActivityPub.MRF.KeywordPolicy do String.match?(string, pattern) end - defp check_reject(%{"object" => %{"content" => content, "summary" => summary}} = message) do + defp object_payload(%{} = object) do + [object["content"], object["summary"], object["name"]] + |> Enum.filter(& &1) + |> Enum.join("\n") + end + + defp check_reject(%{"object" => %{} = object} = message) do + payload = object_payload(object) + if Enum.any?(Pleroma.Config.get([:mrf_keyword, :reject]), fn pattern -> - string_matches?(content, pattern) or string_matches?(summary, pattern) + string_matches?(payload, pattern) end) do {:reject, "[KeywordPolicy] Matches with rejected keyword"} else @@ -30,12 +38,12 @@ defmodule Pleroma.Web.ActivityPub.MRF.KeywordPolicy do end end - defp check_ftl_removal( - %{"to" => to, "object" => %{"content" => content, "summary" => summary}} = message - ) do + defp check_ftl_removal(%{"to" => to, "object" => %{} = object} = message) do + payload = object_payload(object) + if Pleroma.Constants.as_public() in to and Enum.any?(Pleroma.Config.get([:mrf_keyword, :federated_timeline_removal]), fn pattern -> - string_matches?(content, pattern) or string_matches?(summary, pattern) + string_matches?(payload, pattern) end) do to = List.delete(to, Pleroma.Constants.as_public()) cc = [Pleroma.Constants.as_public() | message["cc"] || []] @@ -51,35 +59,24 @@ defmodule Pleroma.Web.ActivityPub.MRF.KeywordPolicy do end end - defp check_replace(%{"object" => %{"content" => content, "summary" => summary}} = message) do - content = - if is_binary(content) do - content - else - "" - end - - summary = - if is_binary(summary) do - summary - else - "" - end - - {content, summary} = - Enum.reduce( - Pleroma.Config.get([:mrf_keyword, :replace]), - {content, summary}, - fn {pattern, replacement}, {content_acc, summary_acc} -> - {String.replace(content_acc, pattern, replacement), - String.replace(summary_acc, pattern, replacement)} - end - ) - - {:ok, - message - |> put_in(["object", "content"], content) - |> put_in(["object", "summary"], summary)} + defp check_replace(%{"object" => %{} = object} = message) do + object = + ["content", "name", "summary"] + |> Enum.filter(fn field -> Map.has_key?(object, field) && object[field] end) + |> Enum.reduce(object, fn field, object -> + data = + Enum.reduce( + Pleroma.Config.get([:mrf_keyword, :replace]), + object[field], + fn {pat, repl}, acc -> String.replace(acc, pat, repl) end + ) + + Map.put(object, field, data) + end) + + message = Map.put(message, "object", object) + + {:ok, message} end @impl true diff --git a/lib/pleroma/web/activity_pub/mrf/simple_policy.ex b/lib/pleroma/web/activity_pub/mrf/simple_policy.ex @@ -66,7 +66,8 @@ defmodule Pleroma.Web.ActivityPub.MRF.SimplePolicy do "type" => "Create", "object" => child_object } = object - ) do + ) + when is_map(child_object) do media_nsfw = Config.get([:mrf_simple, :media_nsfw]) |> MRF.subdomains_regex() diff --git a/lib/pleroma/web/activity_pub/mrf/subchain_policy.ex b/lib/pleroma/web/activity_pub/mrf/subchain_policy.ex @@ -28,8 +28,7 @@ defmodule Pleroma.Web.ActivityPub.MRF.SubchainPolicy do }" ) - subchain - |> MRF.filter(message) + MRF.filter(subchain, message) else _e -> {:ok, message} end diff --git a/lib/pleroma/web/activity_pub/pipeline.ex b/lib/pleroma/web/activity_pub/pipeline.ex @@ -26,13 +26,17 @@ defmodule Pleroma.Web.ActivityPub.Pipeline do {:error, e} -> {:error, e} + + {:reject, e} -> + {:reject, e} end end def do_common_pipeline(object, meta) do with {_, {:ok, validated_object, meta}} <- {:validate_object, ObjectValidator.validate(object, meta)}, - {_, {:ok, mrfd_object}} <- {:mrf_object, MRF.filter(validated_object)}, + {_, {:ok, mrfd_object, meta}} <- + {:mrf_object, MRF.pipeline_filter(validated_object, meta)}, {_, {:ok, activity, meta}} <- {:persist_object, ActivityPub.persist(mrfd_object, meta)}, {_, {:ok, activity, meta}} <- @@ -40,7 +44,7 @@ defmodule Pleroma.Web.ActivityPub.Pipeline do {_, {:ok, _}} <- {:federation, maybe_federate(activity, meta)} do {:ok, activity, meta} else - {:mrf_object, {:reject, _}} -> {:ok, nil, meta} + {:mrf_object, {:reject, message, _}} -> {:reject, message} e -> {:error, e} end end diff --git a/lib/pleroma/web/activity_pub/transmogrifier.ex b/lib/pleroma/web/activity_pub/transmogrifier.ex @@ -311,7 +311,7 @@ defmodule Pleroma.Web.ActivityPub.Transmogrifier do def fix_emoji(%{"tag" => tags} = object) when is_list(tags) do emoji = tags - |> Enum.filter(fn data -> data["type"] == "Emoji" and data["icon"] end) + |> Enum.filter(fn data -> is_map(data) and data["type"] == "Emoji" and data["icon"] end) |> Enum.reduce(%{}, fn data, mapping -> name = String.trim(data["name"], ":") diff --git a/lib/pleroma/web/api_spec/operations/chat_operation.ex b/lib/pleroma/web/api_spec/operations/chat_operation.ex @@ -184,7 +184,8 @@ defmodule Pleroma.Web.ApiSpec.ChatOperation do "application/json", ChatMessage ), - 400 => Operation.response("Bad Request", "application/json", ApiError) + 400 => Operation.response("Bad Request", "application/json", ApiError), + 422 => Operation.response("MRF Rejection", "application/json", ApiError) }, security: [ %{ diff --git a/lib/pleroma/web/api_spec/operations/status_operation.ex b/lib/pleroma/web/api_spec/operations/status_operation.ex @@ -55,7 +55,7 @@ defmodule Pleroma.Web.ApiSpec.StatusOperation do "application/json", %Schema{oneOf: [Status, ScheduledStatus]} ), - 422 => Operation.response("Bad Request", "application/json", ApiError) + 422 => Operation.response("Bad Request / MRF Rejection", "application/json", ApiError) } } end diff --git a/lib/pleroma/web/common_api/common_api.ex b/lib/pleroma/web/common_api/common_api.ex @@ -49,6 +49,9 @@ defmodule Pleroma.Web.CommonAPI do local: true )} do {:ok, activity} + else + {:common_pipeline, {:reject, _} = e} -> e + e -> e end end diff --git a/lib/pleroma/web/mastodon_api/websocket_handler.ex b/lib/pleroma/web/mastodon_api/websocket_handler.ex @@ -37,12 +37,12 @@ defmodule Pleroma.Web.MastodonAPI.WebsocketHandler do else {:error, :bad_topic} -> Logger.debug("#{__MODULE__} bad topic #{inspect(req)}") - {:ok, req} = :cowboy_req.reply(404, req) + req = :cowboy_req.reply(404, req) {:ok, req, state} {:error, :unauthorized} -> Logger.debug("#{__MODULE__} authentication error: #{inspect(req)}") - {:ok, req} = :cowboy_req.reply(401, req) + req = :cowboy_req.reply(401, req) {:ok, req, state} end end @@ -64,7 +64,9 @@ defmodule Pleroma.Web.MastodonAPI.WebsocketHandler do {:ok, %{state | timer: timer()}} end - # We never receive messages. + # We only receive pings for now + def websocket_handle(:ping, state), do: {:ok, state} + def websocket_handle(frame, state) do Logger.error("#{__MODULE__} received frame: #{inspect(frame)}") {:ok, state} @@ -98,6 +100,10 @@ defmodule Pleroma.Web.MastodonAPI.WebsocketHandler do {:reply, :ping, %{state | timer: nil, count: 0}, :hibernate} end + # State can be `[]` only in case we terminate before switching to websocket, + # we already log errors for these cases in `init/1`, so just do nothing here + def terminate(_reason, _req, []), do: :ok + def terminate(reason, _req, state) do Logger.debug( "#{__MODULE__} terminating websocket connection for user #{ diff --git a/lib/pleroma/web/oauth/oauth_controller.ex b/lib/pleroma/web/oauth/oauth_controller.ex @@ -145,7 +145,10 @@ defmodule Pleroma.Web.OAuth.OAuthController do def after_create_authorization(%Plug.Conn{} = conn, %Authorization{} = auth, %{ "authorization" => %{"redirect_uri" => @oob_token_redirect_uri} }) do - render(conn, "oob_authorization_created.html", %{auth: auth}) + # Enforcing the view to reuse the template when calling from other controllers + conn + |> put_view(OAuthView) + |> render("oob_authorization_created.html", %{auth: auth}) end def after_create_authorization(%Plug.Conn{} = conn, %Authorization{} = auth, %{ diff --git a/lib/pleroma/web/pleroma_api/controllers/chat_controller.ex b/lib/pleroma/web/pleroma_api/controllers/chat_controller.ex @@ -90,6 +90,16 @@ defmodule Pleroma.Web.PleromaAPI.ChatController do conn |> put_view(MessageReferenceView) |> render("show.json", chat_message_reference: cm_ref) + else + {:reject, message} -> + conn + |> put_status(:unprocessable_entity) + |> json(%{error: message}) + + {:error, message} -> + conn + |> put_status(:bad_request) + |> json(%{error: message}) end end diff --git a/lib/pleroma/web/rich_media/helpers.ex b/lib/pleroma/web/rich_media/helpers.ex @@ -96,6 +96,50 @@ defmodule Pleroma.Web.RichMedia.Helpers do @rich_media_options end - Pleroma.HTTP.get(url, headers, adapter: options) + head_check = + case Pleroma.HTTP.head(url, headers, adapter: options) do + # If the HEAD request didn't reach the server for whatever reason, + # we assume the GET that comes right after won't either + {:error, _} = e -> + e + + {:ok, %Tesla.Env{status: 200, headers: headers}} -> + with :ok <- check_content_type(headers), + :ok <- check_content_length(headers), + do: :ok + + _ -> + :ok + end + + with :ok <- head_check, do: Pleroma.HTTP.get(url, headers, adapter: options) + end + + defp check_content_type(headers) do + case List.keyfind(headers, "content-type", 0) do + {_, content_type} -> + case Plug.Conn.Utils.media_type(content_type) do + {:ok, "text", "html", _} -> :ok + _ -> {:error, {:content_type, content_type}} + end + + _ -> + :ok + end + end + + @max_body @rich_media_options[:max_body] + defp check_content_length(headers) do + case List.keyfind(headers, "content-length", 0) do + {_, maybe_content_length} -> + case Integer.parse(maybe_content_length) do + {content_length, ""} when content_length <= @max_body -> :ok + {_, ""} -> {:error, :body_too_large} + _ -> :ok + end + + _ -> + :ok + end end end diff --git a/lib/pleroma/web/rich_media/parser.ex b/lib/pleroma/web/rich_media/parser.ex @@ -31,6 +31,14 @@ defmodule Pleroma.Web.RichMedia.Parser do {:ok, _data} = res -> res + {:error, :body_too_large} = e -> + e + + {:error, {:content_type, _}} = e -> + e + + # The TTL is not set for the errors above, since they are unlikely to change + # with time {:error, _} = e -> ttl = Pleroma.Config.get([:rich_media, :failure_backoff], 60_000) Cachex.expire(:rich_media_cache, url, ttl) diff --git a/lib/pleroma/web/templates/o_auth/o_auth/oob_authorization_created.html.eex b/lib/pleroma/web/templates/o_auth/o_auth/oob_authorization_created.html.eex @@ -1,2 +1,2 @@ <h1>Successfully authorized</h1> -<h2>Token code is <%= @auth.token %></h2> +<h2>Token code is <br><%= @auth.token %></h2> diff --git a/lib/pleroma/web/templates/o_auth/o_auth/oob_token_exists.html.eex b/lib/pleroma/web/templates/o_auth/o_auth/oob_token_exists.html.eex @@ -1,2 +1,2 @@ <h1>Authorization exists</h1> -<h2>Access token is <%= @token.token %></h2> +<h2>Access token is <br><%= @token.token %></h2> diff --git a/mix.exs b/mix.exs @@ -4,7 +4,7 @@ defmodule Pleroma.Mixfile do def project do [ app: :pleroma, - version: version("2.1.1"), + version: version("2.1.2"), elixir: "~> 1.9", elixirc_paths: elixirc_paths(Mix.env()), compilers: [:phoenix, :gettext] ++ Mix.compilers(), diff --git a/priv/static/index.html b/priv/static/index.html @@ -1 +1 @@ -<!DOCTYPE html><html lang=en><head><meta charset=utf-8><meta name=viewport content="width=device-width,initial-scale=1,user-scalable=no"><title>Pleroma</title><!--server-generated-meta--><link rel=icon type=image/png href=/favicon.png><link href=/static/css/app.77b1644622e3bae24b6b.css rel=stylesheet><link href=/static/fontello.1599568314856.css rel=stylesheet></head><body class=hidden><noscript>To use Pleroma, please enable JavaScript.</noscript><div id=app></div><script type=text/javascript src=/static/js/vendors~app.90c4af83c1ae68f4cd95.js></script><script type=text/javascript src=/static/js/app.55d173dc5e39519aa518.js></script></body></html> -\ No newline at end of file +<!DOCTYPE html><html lang=en><head><meta charset=utf-8><meta name=viewport content="width=device-width,initial-scale=1,user-scalable=no"><title>Pleroma</title><!--server-generated-meta--><link rel=icon type=image/png href=/favicon.png><link href=/static/css/app.77b1644622e3bae24b6b.css rel=stylesheet><link href=/static/fontello.1600365488745.css rel=stylesheet></head><body class=hidden><noscript>To use Pleroma, please enable JavaScript.</noscript><div id=app></div><script type=text/javascript src=/static/js/vendors~app.90c4af83c1ae68f4cd95.js></script><script type=text/javascript src=/static/js/app.826c44232e0a76bbd9ba.js></script></body></html> +\ No newline at end of file diff --git a/priv/static/static/font/fontello.1599568314856.eot b/priv/static/static/font/fontello.1599568314856.eot Binary files differ. diff --git a/priv/static/static/font/fontello.1599568314856.svg b/priv/static/static/font/fontello.1599568314856.svg @@ -1,138 +0,0 @@ -<?xml version="1.0" standalone="no"?> -<!DOCTYPE svg PUBLIC "-//W3C//DTD SVG 1.1//EN" "http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd"> -<svg xmlns="http://www.w3.org/2000/svg"> -<metadata>Copyright (C) 2020 by original authors @ fontello.com</metadata> -<defs> -<font id="fontello" horiz-adv-x="1000" > -<font-face font-family="fontello" font-weight="400" font-stretch="normal" units-per-em="1000" ascent="857" descent="-143" /> -<missing-glyph horiz-adv-x="1000" /> -<glyph glyph-name="cancel" unicode="&#xe800;" d="M724 119q0-22-15-38l-76-76q-16-15-38-15t-38 15l-164 165-164-165q-16-15-38-15t-38 15l-76 76q-16 16-16 38t16 38l164 164-164 164q-16 16-16 38t16 38l76 76q16 16 38 16t38-16l164-164 164 164q16 16 38 16t38-16l76-76q15-15 15-38t-15-38l-164-164 164-164q15-15 15-38z" horiz-adv-x="785.7" /> - -<glyph glyph-name="upload" unicode="&#xe801;" d="M714 36q0 14-10 25t-25 10-25-10-11-25 11-25 25-11 25 11 10 25z m143 0q0 14-10 25t-26 10-25-10-10-25 10-25 25-11 26 11 10 25z m72 125v-179q0-22-16-38t-38-16h-821q-23 0-38 16t-16 38v179q0 22 16 38t38 15h238q12-31 39-51t62-20h143q34 0 61 20t40 51h238q22 0 38-15t16-38z m-182 361q-9-22-33-22h-143v-250q0-15-10-25t-25-11h-143q-15 0-25 11t-11 25v250h-143q-23 0-33 22-9 22 8 39l250 250q10 10 25 10t25-10l250-250q18-17 8-39z" horiz-adv-x="928.6" /> - -<glyph glyph-name="star" unicode="&#xe802;" d="M929 496q0-12-15-27l-202-197 48-279q0-4 0-12 0-11-6-19t-17-9q-10 0-22 7l-251 132-250-132q-12-7-23-7-11 0-17 9t-6 19q0 4 1 12l48 279-203 197q-14 15-14 27 0 21 31 26l280 40 126 254q11 23 27 23t28-23l125-254 280-40q32-5 32-26z" horiz-adv-x="928.6" /> - -<glyph glyph-name="star-empty" unicode="&#xe803;" d="M635 297l170 166-235 34-106 213-105-213-236-34 171-166-41-235 211 111 211-111z m294 199q0-12-15-27l-202-197 48-279q0-4 0-12 0-28-23-28-10 0-22 7l-251 132-250-132q-12-7-23-7-11 0-17 9t-6 19q0 4 1 12l48 279-203 197q-14 15-14 27 0 21 31 26l280 40 126 254q11 23 27 23t28-23l125-254 280-40q32-5 32-26z" horiz-adv-x="928.6" /> - -<glyph glyph-name="retweet" unicode="&#xe804;" d="M714 18q0-7-5-13t-13-5h-535q-5 0-8 1t-5 4-3 4-2 7 0 6v335h-107q-15 0-25 11t-11 25q0 13 8 23l179 214q11 12 27 12t28-12l178-214q9-10 9-23 0-15-11-25t-25-11h-107v-214h321q9 0 14-6l89-108q4-5 4-11z m357 232q0-13-8-23l-178-214q-12-13-28-13t-27 13l-179 214q-8 10-8 23 0 14 11 25t25 11h107v214h-322q-9 0-14 7l-89 107q-4 5-4 11 0 7 5 12t13 6h536q4 0 7-1t5-4 3-5 2-6 1-7v-334h107q14 0 25-11t10-25z" horiz-adv-x="1071.4" /> - -<glyph glyph-name="eye-off" unicode="&#xe805;" d="M310 112l43 79q-48 35-76 88t-27 114q0 67 34 125-128-65-213-197 94-144 239-209z m217 424q0 11-8 19t-19 7q-70 0-120-50t-50-119q0-11 8-19t19-8 19 8 8 19q0 48 34 82t82 34q11 0 19 8t8 19z m202 106q0-4 0-5-59-105-176-316t-176-316l-28-50q-5-9-15-9-7 0-75 39-9 6-9 16 0 7 25 49-80 36-147 96t-117 137q-11 17-11 38t11 39q86 131 212 207t277 76q50 0 100-10l31 54q5 9 15 9 3 0 10-3t18-9 18-10 18-10 10-7q9-5 9-15z m21-249q0-78-44-142t-117-91l157 280q4-25 4-47z m250-72q0-19-11-38-22-36-61-81-84-96-194-149t-234-53l41 74q119 10 219 76t169 171q-65 100-158 164l35 63q53-36 102-85t81-103q11-19 11-39z" horiz-adv-x="1000" /> - -<glyph glyph-name="search" unicode="&#xe806;" d="M643 393q0 103-73 176t-177 74-177-74-73-176 73-177 177-73 177 73 73 177z m286-465q0-29-22-50t-50-21q-30 0-50 21l-191 191q-100-69-223-69-80 0-153 31t-125 84-84 125-31 153 31 152 84 126 125 84 153 31 153-31 125-84 84-126 31-152q0-123-69-223l191-191q21-21 21-51z" horiz-adv-x="928.6" /> - -<glyph glyph-name="cog" unicode="&#xe807;" d="M571 357q0 59-41 101t-101 42-101-42-42-101 42-101 101-42 101 42 41 101z m286 61v-124q0-7-4-13t-11-7l-104-16q-10-30-21-51 19-27 59-77 6-6 6-13t-5-13q-15-21-55-61t-53-39q-7 0-14 5l-77 60q-25-13-51-21-9-76-16-104-4-16-20-16h-124q-8 0-14 5t-6 12l-16 103q-27 9-50 21l-79-60q-6-5-14-5-8 0-14 6-70 64-92 94-4 5-4 13 0 6 5 12 8 12 28 37t30 40q-15 28-23 55l-102 15q-7 1-11 7t-5 13v124q0 7 5 13t10 7l104 16q8 25 22 51-23 32-60 77-6 7-6 14 0 5 5 12 15 20 55 60t53 40q7 0 15-5l77-60q24 13 50 21 9 76 17 104 3 16 20 16h124q7 0 13-5t7-12l15-103q28-9 51-20l79 59q5 5 13 5 7 0 14-5 72-67 92-95 4-5 4-12 0-7-4-13-9-12-29-37t-30-40q15-28 23-54l102-16q7-1 12-7t4-13z" horiz-adv-x="857.1" /> - -<glyph glyph-name="logout" unicode="&#xe808;" d="M357 53q0-2 1-11t0-14-2-14-5-10-12-4h-178q-67 0-114 47t-47 114v392q0 67 47 114t114 47h178q8 0 13-5t5-13q0-2 1-11t0-15-2-13-5-11-12-3h-178q-37 0-63-26t-27-64v-392q0-37 27-63t63-27h174t6 0 7-2 4-3 4-5 1-8z m518 304q0-14-11-25l-303-304q-11-10-25-10t-25 10-11 25v161h-250q-14 0-25 11t-11 25v214q0 15 11 25t25 11h250v161q0 14 11 25t25 10 25-10l303-304q11-10 11-25z" horiz-adv-x="928.6" /> - -<glyph glyph-name="down-open" unicode="&#xe809;" d="M939 406l-414-413q-10-11-25-11t-25 11l-414 413q-11 11-11 26t11 25l93 92q10 11 25 11t25-11l296-296 296 296q11 11 25 11t26-11l92-92q11-11 11-25t-11-26z" horiz-adv-x="1000" /> - -<glyph glyph-name="attach" unicode="&#xe80a;" d="M244-133q-102 0-170 72-72 70-74 166t84 190l496 496q80 80 174 54 44-12 79-47t47-79q26-96-54-176l-474-474q-40-40-88-46-48-4-80 28-30 24-27 74t47 92l332 334q24 26 50 0t0-50l-332-332q-44-44-20-70 12-8 24-6 24 4 46 26l474 474q50 50 34 108-16 60-76 76-54 14-108-36l-494-494q-66-76-64-143t52-117q50-48 117-50t141 62l496 494q24 24 50 0 26-22 0-48l-496-496q-82-82-186-82z" horiz-adv-x="939" /> - -<glyph glyph-name="picture" unicode="&#xe80b;" d="M357 536q0-45-31-76t-76-32-76 32-31 76 31 76 76 31 76-31 31-76z m572-215v-250h-786v107l178 179 90-89 285 285z m53 393h-893q-7 0-12-5t-6-13v-678q0-7 6-13t12-5h893q7 0 13 5t5 13v678q0 8-5 13t-13 5z m89-18v-678q0-37-26-63t-63-27h-893q-36 0-63 27t-26 63v678q0 37 26 63t63 27h893q37 0 63-27t26-63z" horiz-adv-x="1071.4" /> - -<glyph glyph-name="video" unicode="&#xe80c;" d="M214-36v72q0 14-10 25t-25 10h-72q-14 0-25-10t-11-25v-72q0-14 11-25t25-11h72q14 0 25 11t10 25z m0 214v72q0 14-10 25t-25 11h-72q-14 0-25-11t-11-25v-72q0-14 11-25t25-10h72q14 0 25 10t10 25z m0 215v71q0 15-10 25t-25 11h-72q-14 0-25-11t-11-25v-71q0-15 11-25t25-11h72q14 0 25 11t10 25z m572-429v286q0 14-11 25t-25 11h-429q-14 0-25-11t-10-25v-286q0-14 10-25t25-11h429q15 0 25 11t11 25z m-572 643v71q0 15-10 26t-25 10h-72q-14 0-25-10t-11-26v-71q0-14 11-25t25-11h72q14 0 25 11t10 25z m786-643v72q0 14-11 25t-25 10h-71q-15 0-25-10t-11-25v-72q0-14 11-25t25-11h71q15 0 25 11t11 25z m-214 429v285q0 15-11 26t-25 10h-429q-14 0-25-10t-10-26v-285q0-15 10-25t25-11h429q15 0 25 11t11 25z m214-215v72q0 14-11 25t-25 11h-71q-15 0-25-11t-11-25v-72q0-14 11-25t25-10h71q15 0 25 10t11 25z m0 215v71q0 15-11 25t-25 11h-71q-15 0-25-11t-11-25v-71q0-15 11-25t25-11h71q15 0 25 11t11 25z m0 214v71q0 15-11 26t-25 10h-71q-15 0-25-10t-11-26v-71q0-14 11-25t25-11h71q15 0 25 11t11 25z m71 89v-750q0-37-26-63t-63-26h-893q-36 0-63 26t-26 63v750q0 37 26 63t63 27h893q37 0 63-27t26-63z" horiz-adv-x="1071.4" /> - -<glyph glyph-name="right-open" unicode="&#xe80d;" d="M618 368l-414-415q-11-10-25-10t-25 10l-93 93q-11 11-11 25t11 25l296 297-296 296q-11 11-11 25t11 25l93 93q10 11 25 11t25-11l414-414q10-11 10-25t-10-25z" horiz-adv-x="714.3" /> - -<glyph glyph-name="left-open" unicode="&#xe80e;" d="M654 689l-297-296 297-297q10-10 10-25t-10-25l-93-93q-11-10-25-10t-25 10l-414 415q-11 10-11 25t11 25l414 414q10 11 25 11t25-11l93-93q10-10 10-25t-10-25z" horiz-adv-x="714.3" /> - -<glyph glyph-name="up-open" unicode="&#xe80f;" d="M939 114l-92-92q-11-10-26-10t-25 10l-296 297-296-297q-11-10-25-10t-25 10l-93 92q-11 11-11 26t11 25l414 414q11 10 25 10t25-10l414-414q11-11 11-25t-11-26z" horiz-adv-x="1000" /> - -<glyph glyph-name="bell-ringing-o" unicode="&#xe810;" d="M498 857c-30 0-54-24-54-53 0-8 2-15 5-22-147-22-236-138-236-245 0-268-95-393-177-462 0-39 32-71 71-71h249c0-79 63-143 142-143s142 64 142 143h249c39 0 71 32 71 71-82 69-178 194-178 462 0 107-88 223-235 245 2 7 4 14 4 22 0 29-24 53-53 53z m-309-45c-81-74-118-170-118-275l71 0c0 89 28 162 95 223l-48 52z m617 0l-48-52c67-61 96-134 95-223l71 0c1 105-37 201-118 275z m-397-799c5 0 9-4 9-9 0-44 36-80 80-80 5 0 9-4 9-9s-4-9-9-9c-54 0-98 44-98 98 0 5 4 9 9 9z" horiz-adv-x="1000" /> - -<glyph glyph-name="lock" unicode="&#xe811;" d="M179 428h285v108q0 59-42 101t-101 41-101-41-41-101v-108z m464-53v-322q0-22-16-37t-38-16h-535q-23 0-38 16t-16 37v322q0 22 16 38t38 15h17v108q0 102 74 176t176 74 177-74 73-176v-108h18q23 0 38-15t16-38z" horiz-adv-x="642.9" /> - -<glyph glyph-name="globe" unicode="&#xe812;" d="M429 786q116 0 215-58t156-156 57-215-57-215-156-156-215-58-216 58-155 156-58 215 58 215 155 156 216 58z m153-291q-2-1-6-5t-7-6q1 0 2 3t3 6 2 4q3 4 12 8 8 4 29 7 19 5 29-6-1 1 5 7t8 7q2 1 8 3t9 4l1 12q-7-1-10 4t-3 12q0-2-4-5 0 4-2 5t-7-1-5-1q-5 2-8 5t-5 9-2 8q-1 3-5 6t-5 6q-1 1-2 3t-1 4-3 3-3 1-4-3-4-5-2-3q-2 1-4 1t-2-1-3-1-3-2q-1-2-4-2t-5-1q8 3-1 6-5 2-9 2 6 2 5 6t-5 8h3q-1 2-5 5t-10 5-7 3q-5 3-19 5t-18 1q-3-4-3-6t2-8 2-7q1-3-3-7t-3-7q0-4 7-9t6-12q-2-4-9-9t-9-6q-3-5-1-11t6-9q1-1 1-2t-2-3-3-2-4-2l-1-1q-7-3-12 3t-7 15q-4 14-9 17-13 4-16-1-3 7-23 15-14 5-33 2 4 0 0 8-4 9-10 7 1 3 2 10t0 7q2 8 7 13 1 1 4 5t5 7 1 4q19-3 28 6 2 3 6 9t6 10q5 3 8 3t8-3 8-3q8-1 8 6t-4 11q7 0 2 10-2 4-5 5-6 2-15-3-4-2 2-4-1 0-6-6t-9-10-9 3q0 0-3 7t-5 8q-5 0-9-9 1 5-6 9t-14 4q11 7-4 15-4 3-12 3t-11-2q-2-4-3-7t3-4 6-3 6-2 5-2q8-6 5-8-1 0-5-2t-6-2-4-2q-1-3 0-8t-1-8q-3 3-5 10t-4 9q4-5-14-3l-5 0q-3 0-9-1t-12-1-7 5q-3 4 0 11 0 2 2 1-2 2-6 5t-6 5q-25-8-52-23 3 0 6 1 3 1 8 4t5 3q19 7 24 4l3 2q7-9 11-14-4 3-17 1-11-3-12-7 4-6 2-10-2 2-6 6t-8 6-8 3q-9 0-13-1-81-45-131-124 4-4 7-4 2-1 3-5t1-6 6 1q5-4 2-10 1 0 25-15 10-10 11-12 2-6-5-10-1 1-5 5t-5 2q-2-3 0-10t6-7q-4 0-5-9t-2-20 0-13l1-1q-2-6 3-19t12-11q-7-1 11-24 3-4 4-5 2-1 7-4t9-6 5-5q2-3 6-13t8-13q-2-3 5-11t6-13q-1 0-2-1t-1 0q2-4 9-8t8-7q1-2 1-6t2-6 4-1q2 11-13 35-8 13-9 16-2 2-4 8t-2 8q1 0 3 0t5-2 4-3 1-1q-1-4 1-10t7-10 10-11 6-7q4-4 8-11t0-8q5 0 11-5t10-11q3-5 4-15t3-13q1-4 5-8t7-5l9-5t7-3q3-2 10-6t12-7q6-2 9-2t8 1 8 2q8 1 16-8t12-12q20-10 30-6-1 0 1-4t4-9 5-8 3-5q3-3 10-8t10-8q4 2 4 5-1-5 4-11t10-6q8 2 8 18-17-8-27 10 0 0-2 3t-2 5-1 4 0 5 2 1q5 0 6 2t-1 7-2 8q-1 4-6 11t-7 8q-3-5-9-4t-9 5q0-1-1-3t-1-4q-7 0-8 0 1 2 1 10t2 13q1 2 3 6t5 9 2 7-3 5-9 1q-11 0-15-11-1-2-2-6t-2-6-5-4q-4-2-14-1t-13 3q-8 4-13 16t-5 20q0 6 1 15t2 14-3 14q2 1 5 5t5 6q2 1 3 1t3 0 2 1 1 3q0 1-2 2-1 1-2 1 4-1 16 1t15-1q9-6 12 1 0 1-1 6t0 7q3-15 16-5 2-1 9-3t9-2q2-1 4-3t3-3 3 0 5 4q5-8 7-13 6-23 10-25 4-2 6-1t3 5 0 8-1 7l-1 5v10l0 4q-8 2-10 7t0 10 9 10q0 1 4 2t9 4 7 4q12 11 8 20 4 0 6 5 0 0-2 2t-5 2-2 2q5 2 1 8 3 2 4 7t4 5q5-6 12-1 5 5 1 9 2 4 11 6t10 5q4-1 5 1t0 7 2 7q2 2 9 5t7 2l9 7q2 2 0 2 10-1 18 6 5 6-4 11 2 4-1 5t-9 4q2 0 7 0t5 1q9 5-3 9-10 2-24-7z m-91-490q115 21 195 106-1 2-7 2t-7 2q-10 4-13 5 1 4-1 7t-5 5-7 5-6 4q-1 1-4 3t-4 3-4 2-5 2-5-1l-2-1q-2 0-3-1t-3-2-2-1 0-2q-12 10-20 13-3 0-6 3t-6 4-6 0-6-3q-3-3-4-9t-1-7q-4 3 0 10t1 10q-1 3-6 2t-6-2-7-5-5-3-4-3-5-5q-2-2-4-6t-2-6q-1 2-7 3t-5 3q1-5 2-19t3-22q4-17-7-26-15-14-16-23-2-12 7-14 0-4-5-12t-4-12q0-3 2-9z" horiz-adv-x="857.1" /> - -<glyph glyph-name="brush" unicode="&#xe813;" d="M464 209q0-124-87-212t-210-87q-81 0-149 40 68 39 109 108t40 151q0 61 44 105t105 44 105-44 43-105z m415 562q32-32 32-79t-33-79l-318-318q-20 55-61 97t-97 62l318 318q32 32 79 32t80-33z" horiz-adv-x="928" /> - -<glyph glyph-name="attention" unicode="&#xe814;" d="M571 90v106q0 8-5 13t-12 5h-108q-7 0-12-5t-5-13v-106q0-8 5-13t12-6h108q7 0 12 6t5 13z m-1 208l10 257q0 6-5 10-7 6-14 6h-122q-6 0-14-6-5-4-5-12l9-255q0-5 6-9t13-3h103q8 0 14 3t5 9z m-7 522l428-786q20-35-1-70-9-17-26-26t-35-10h-858q-18 0-35 10t-26 26q-21 35-1 70l429 786q9 17 26 27t36 10 36-10 27-27z" horiz-adv-x="1000" /> - -<glyph glyph-name="plus" unicode="&#xe815;" d="M786 446v-107q0-22-16-38t-38-15h-232v-233q0-22-16-37t-38-16h-107q-22 0-38 16t-15 37v233h-232q-23 0-38 15t-16 38v107q0 23 16 38t38 16h232v232q0 22 15 38t38 16h107q23 0 38-16t16-38v-232h232q23 0 38-16t16-38z" horiz-adv-x="785.7" /> - -<glyph glyph-name="adjust" unicode="&#xe816;" d="M429 53v608q-83 0-153-41t-110-111-41-152 41-152 110-111 153-41z m428 304q0-117-57-215t-156-156-215-58-216 58-155 156-58 215 58 215 155 156 216 58 215-58 156-156 57-215z" horiz-adv-x="857.1" /> - -<glyph glyph-name="edit" unicode="&#xe817;" d="M496 196l64 65-85 85-64-65v-31h53v-54h32z m245 402q-9 9-18 0l-196-196q-9-9 0-18t18 0l196 196q9 9 0 18z m45-331v-106q0-67-47-114t-114-47h-464q-67 0-114 47t-47 114v464q0 66 47 113t114 48h464q35 0 65-14 9-4 10-13 2-10-5-16l-27-28q-8-8-18-4-13 3-25 3h-464q-37 0-63-26t-27-63v-464q0-37 27-63t63-27h464q37 0 63 27t26 63v70q0 7 5 12l36 36q8 8 20 4t11-16z m-54 411l161-160-375-375h-161v160z m248-73l-51-52-161 161 51 52q16 15 38 15t38-15l85-85q16-16 16-38t-16-38z" horiz-adv-x="1000" /> - -<glyph glyph-name="pencil" unicode="&#xe818;" d="M203 0l50 51-131 131-51-51v-60h72v-71h60z m291 518q0 12-12 12-5 0-9-4l-303-302q-4-4-4-10 0-12 13-12 5 0 9 4l303 302q3 4 3 10z m-30 107l232-232-464-465h-232v233z m381-54q0-29-20-50l-93-93-232 233 93 92q20 21 50 21 29 0 51-21l131-131q20-22 20-51z" horiz-adv-x="857.1" /> - -<glyph glyph-name="pin" unicode="&#xe819;" d="M268 375v250q0 8-5 13t-13 5-13-5-5-13v-250q0-8 5-13t13-5 13 5 5 13z m375-197q0-14-11-25t-25-10h-239l-29-270q-1-7-6-11t-11-5h-1q-15 0-17 15l-43 271h-225q-15 0-25 10t-11 25q0 69 44 124t99 55v286q-29 0-50 21t-22 50 22 50 50 22h357q29 0 50-22t21-50-21-50-50-21v-286q55 0 99-55t44-124z" horiz-adv-x="642.9" /> - -<glyph glyph-name="wrench" unicode="&#xe81a;" d="M214 36q0 14-10 25t-25 10-25-10-11-25 11-25 25-11 25 11 10 25z m360 234l-381-381q-21-20-50-20-29 0-51 20l-59 61q-21 20-21 50 0 29 21 51l380 380q22-55 64-97t97-64z m354 243q0-22-13-59-27-75-92-122t-144-46q-104 0-177 73t-73 177 73 176 177 74q32 0 67-10t60-26q9-6 9-15t-9-16l-163-94v-125l108-60q2 2 44 27t75 45 40 20q8 0 13-5t5-14z" horiz-adv-x="928.6" /> - -<glyph glyph-name="chart-bar" unicode="&#xe81b;" d="M357 357v-286h-143v286h143z m214 286v-572h-142v572h142z m572-643v-72h-1143v858h71v-786h1072z m-357 500v-429h-143v429h143z m214 214v-643h-143v643h143z" horiz-adv-x="1142.9" /> - -<glyph glyph-name="zoom-in" unicode="&#xe81c;" d="M571 411v-36q0-7-5-13t-12-5h-125v-125q0-7-6-13t-12-5h-36q-7 0-13 5t-5 13v125h-125q-7 0-12 5t-6 13v36q0 7 6 12t12 5h125v125q0 8 5 13t13 5h36q7 0 12-5t6-13v-125h125q7 0 12-5t5-12z m72-18q0 103-73 176t-177 74-177-74-73-176 73-177 177-73 177 73 73 177z m286-465q0-29-21-50t-51-21q-30 0-50 21l-191 191q-100-69-223-69-80 0-153 31t-125 84-84 125-31 153 31 152 84 126 125 84 153 31 153-31 125-84 84-126 31-152q0-123-69-223l191-191q21-21 21-51z" horiz-adv-x="928.6" /> - -<glyph glyph-name="users" unicode="&#xe81d;" d="M331 357q-90-3-148-71h-75q-45 0-77 22t-31 66q0 197 69 197 4 0 25-11t54-24 66-12q38 0 75 13-3-21-3-37 0-78 45-143z m598-355q0-67-41-106t-108-39h-488q-68 0-108 39t-41 106q0 29 2 57t8 61 14 61 24 54 35 45 48 30 62 11q6 0 24-12t41-26 59-27 76-12 75 12 60 27 41 26 24 12q34 0 62-11t47-30 35-45 24-54 15-61 8-61 2-57z m-572 712q0-59-42-101t-101-42-101 42-42 101 42 101 101 42 101-42 42-101z m393-214q0-89-63-152t-151-62-152 62-63 152 63 151 152 63 151-63 63-151z m321-126q0-43-31-66t-77-22h-75q-57 68-147 71 45 65 45 143 0 16-3 37 37-13 74-13 33 0 67 12t54 24 24 11q69 0 69-197z m-71 340q0-59-42-101t-101-42-101 42-42 101 42 101 101 42 101-42 42-101z" horiz-adv-x="1071.4" /> - -<glyph glyph-name="chat" unicode="&#xe81e;" d="M786 428q0-77-53-143t-143-104-197-38q-48 0-98 9-70-49-155-72-21-5-48-9h-2q-6 0-12 5t-6 12q-1 1-1 3t1 4 1 3l1 3t2 3 2 3 3 3 2 2q3 3 13 14t15 16 12 17 14 21 11 25q-69 40-108 98t-40 125q0 78 53 144t143 104 197 38 197-38 143-104 53-144z m214-142q0-67-40-126t-108-98q5-14 11-25t14-21 13-16 14-17 13-14q0 0 2-2t3-3 2-3 2-3l1-3t1-3 1-4-1-3q-2-8-7-13t-12-4q-28 4-48 9-86 23-156 72-50-9-98-9-151 0-263 74 32-3 49-3 90 0 172 25t148 72q69 52 107 119t37 141q0 43-13 85 72-39 114-99t42-128z" horiz-adv-x="1000" /> - -<glyph glyph-name="info-circled" unicode="&#xe81f;" d="M571 89v89q0 8-5 13t-12 5h-54v286q0 8-5 13t-13 5h-178q-8 0-13-5t-5-13v-89q0-8 5-13t13-5h53v-179h-53q-8 0-13-5t-5-13v-89q0-8 5-13t13-5h250q7 0 12 5t5 13z m-71 500v89q0 8-5 13t-13 5h-107q-8 0-13-5t-5-13v-89q0-8 5-13t13-5h107q8 0 13 5t5 13z m357-232q0-117-57-215t-156-156-215-58-216 58-155 156-58 215 58 215 155 156 216 58 215-58 156-156 57-215z" horiz-adv-x="857.1" /> - -<glyph glyph-name="login" unicode="&#xe820;" d="M661 357q0-14-11-25l-303-304q-11-10-26-10t-25 10-10 25v161h-250q-15 0-25 11t-11 25v214q0 15 11 25t25 11h250v161q0 14 10 25t25 10 26-10l303-304q11-10 11-25z m196 196v-392q0-67-47-114t-114-47h-178q-7 0-13 5t-5 13q0 2-1 11t0 15 2 13 5 11 12 3h178q37 0 64 27t26 63v392q0 37-26 64t-64 26h-174t-6 0-6 2-5 3-4 5-1 8q0 2-1 11t0 15 2 13 5 11 12 3h178q67 0 114-47t47-114z" horiz-adv-x="857.1" /> - -<glyph glyph-name="home-2" unicode="&#xe821;" d="M521 826q322-279 500-429 20-16 20-40 0-21-15-37t-36-15l-105 0 0-364q0-21-15-37t-36-16l-156 0q-22 0-37 16t-16 37l0 208-209 0 0-208q0-21-15-37t-36-16l-156 0q-21 0-37 16t-16 37l0 364-103 0q-22 0-37 15t-16 37 19 40z" horiz-adv-x="1041" /> - -<glyph glyph-name="arrow-curved" unicode="&#xe822;" d="M799 302l0-56 112 0-223-223-224 223 112 0 0 56q0 116-81 197t-197 82-198-82-82-197q0 162 115 276t276 114 276-114 114-276z" horiz-adv-x="928" /> - -<glyph glyph-name="link" unicode="&#xe823;" d="M813 178q0 23-16 38l-116 116q-16 16-38 16-24 0-40-18 1-1 10-10t12-12 9-11 7-14 2-15q0-23-16-38t-38-16q-8 0-15 2t-14 7-11 9-12 12-10 10q-19-17-19-40 0-23 16-38l115-116q15-15 38-15 22 0 38 15l82 81q16 16 16 37z m-393 394q0 22-15 38l-115 115q-16 16-38 16-22 0-38-15l-82-82q-16-15-16-37 0-22 16-38l116-116q15-15 38-15 23 0 40 17-2 2-11 11t-12 12-8 10-7 14-2 16q0 22 15 38t38 15q9 0 16-2t14-7 11-8 12-12 10-11q18 17 18 41z m500-394q0-66-48-113l-82-81q-46-47-113-47-68 0-114 48l-115 115q-46 47-46 114 0 68 49 116l-49 49q-48-49-116-49-67 0-114 47l-116 116q-47 47-47 114t47 113l82 82q47 46 114 46 67 0 114-47l115-116q46-46 46-113 0-69-49-117l49-49q48 49 116 49 67 0 114-47l116-116q47-47 47-114z" horiz-adv-x="928.6" /> - -<glyph glyph-name="user" unicode="&#xe824;" d="M714 76q0-60-35-104t-84-44h-476q-49 0-84 44t-35 104q0 48 5 90t17 85 33 73 52 50 76 19q73-72 174-72t175 72q42 0 75-19t52-50 33-73 18-85 4-90z m-143 495q0-88-62-151t-152-63-151 63-63 151 63 152 151 63 152-63 62-152z" horiz-adv-x="714.3" /> - -<glyph glyph-name="download" unicode="&#xe825;" d="M714 107q0 15-10 25t-25 11-25-11-11-25 11-25 25-11 25 11 10 25z m143 0q0 15-10 25t-26 11-25-11-10-25 10-25 25-11 26 11 10 25z m72 125v-179q0-22-16-37t-38-16h-821q-23 0-38 16t-16 37v179q0 22 16 38t38 16h259l75-76q33-32 76-32t76 32l76 76h259q22 0 38-16t16-38z m-182 318q10-23-8-39l-250-250q-10-11-25-11t-25 11l-250 250q-17 16-8 39 10 21 33 21h143v250q0 15 11 25t25 11h143q14 0 25-11t10-25v-250h143q24 0 33-21z" horiz-adv-x="928.6" /> - -<glyph glyph-name="bookmark" unicode="&#xe826;" d="M650 786q12 0 24-5 19-8 29-23t11-35v-719q0-19-11-35t-29-23q-10-4-24-4-27 0-47 18l-246 236-246-236q-20-19-46-19-13 0-25 5-18 7-29 23t-11 35v719q0 19 11 35t29 23q12 5 25 5h585z" horiz-adv-x="714.3" /> - -<glyph glyph-name="ok" unicode="&#xe827;" d="M933 541q0-22-16-38l-404-404-76-76q-16-15-38-15t-38 15l-76 76-202 202q-15 16-15 38t15 38l76 76q16 16 38 16t38-16l164-165 366 367q16 16 38 16t38-16l76-76q16-15 16-38z" horiz-adv-x="1000" /> - -<glyph glyph-name="music" unicode="&#xe828;" d="M857 732v-625q0-28-19-50t-48-33-58-18-53-6-54 6-58 18-48 33-19 50 19 50 48 33 58 18 54 6q58 0 107-22v300l-429-132v-396q0-28-19-50t-48-33-58-18-53-6-54 6-58 18-48 33-19 50 19 50 48 34 58 17 54 6q58 0 107-21v539q0 17 10 32t28 20l464 142q7 3 16 3 22 0 38-16t15-38z" horiz-adv-x="857.1" /> - -<glyph glyph-name="doc" unicode="&#xe829;" d="M819 645q16-16 27-42t11-50v-642q0-23-15-38t-38-16h-750q-23 0-38 16t-16 38v892q0 23 16 38t38 16h500q22 0 49-11t42-27z m-248 136v-210h210q-5 17-12 23l-175 175q-6 7-23 12z m215-853v572h-232q-23 0-38 16t-16 37v233h-429v-858h715z" horiz-adv-x="857.1" /> - -<glyph glyph-name="block" unicode="&#xe82a;" d="M732 359q0 90-48 164l-421-420q76-50 166-50 62 0 118 25t96 65 65 97 24 119z m-557-167l421 421q-75 50-167 50-83 0-153-40t-110-111-41-153q0-91 50-167z m682 167q0-88-34-168t-91-137-137-92-166-34-167 34-137 92-91 137-34 168 34 167 91 137 137 91 167 34 166-34 137-91 91-137 34-167z" horiz-adv-x="857.1" /> - -<glyph glyph-name="spin3" unicode="&#xe832;" d="M494 857c-266 0-483-210-494-472-1-19 13-20 13-20l84 0c16 0 19 10 19 18 10 199 176 358 378 358 107 0 205-45 273-118l-58-57c-11-12-11-27 5-31l247-50c21-5 46 11 37 44l-58 227c-2 9-16 22-29 13l-65-60c-89 91-214 148-352 148z m409-508c-16 0-19-10-19-18-10-199-176-358-377-358-108 0-205 45-274 118l59 57c10 12 10 27-5 31l-248 50c-21 5-46-11-37-44l58-227c2-9 16-22 30-13l64 60c89-91 214-148 353-148 265 0 482 210 493 473 1 18-13 19-13 19l-84 0z" horiz-adv-x="1000" /> - -<glyph glyph-name="spin4" unicode="&#xe834;" d="M498 857c-114 0-228-39-320-116l0 0c173 140 428 130 588-31 134-134 164-332 89-495-10-29-5-50 12-68 21-20 61-23 84 0 3 3 12 15 15 24 71 180 33 393-112 539-99 98-228 147-356 147z m-409-274c-14 0-29-5-39-16-3-3-13-15-15-24-71-180-34-393 112-539 185-185 479-195 676-31l0 0c-173-140-428-130-589 31-134 134-163 333-89 495 11 29 6 50-12 68-11 11-27 17-44 16z" horiz-adv-x="1001" /> - -<glyph glyph-name="link-ext" unicode="&#xf08e;" d="M786 339v-178q0-67-47-114t-114-47h-464q-67 0-114 47t-47 114v464q0 66 47 113t114 48h393q7 0 12-5t5-13v-36q0-8-5-13t-12-5h-393q-37 0-63-26t-27-63v-464q0-37 27-63t63-27h464q37 0 63 27t26 63v178q0 8 5 13t13 5h36q8 0 13-5t5-13z m214 482v-285q0-15-11-25t-25-11-25 11l-98 98-364-364q-5-6-13-6t-12 6l-64 64q-6 5-6 12t6 13l364 364-98 98q-11 11-11 25t11 25 25 11h285q15 0 25-11t11-25z" horiz-adv-x="1000" /> - -<glyph glyph-name="link-ext-alt" unicode="&#xf08f;" d="M714 339v268q0 15-10 25t-25 11h-268q-24 0-33-22-10-23 8-39l80-80-298-298q-11-11-11-26t11-25l57-57q11-10 25-10t25 10l298 298 81-80q10-11 25-11 6 0 14 3 21 10 21 33z m143 286v-536q0-66-47-113t-114-48h-535q-67 0-114 48t-47 113v536q0 66 47 113t114 48h535q67 0 114-48t47-113z" horiz-adv-x="857.1" /> - -<glyph glyph-name="bookmark-empty" unicode="&#xf097;" d="M643 714h-572v-693l237 227 49 47 50-47 236-227v693z m7 72q12 0 24-5 19-8 29-23t11-35v-719q0-19-11-35t-29-23q-10-4-24-4-27 0-47 18l-246 236-246-236q-20-19-46-19-13 0-25 5-18 7-29 23t-11 35v719q0 19 11 35t29 23q12 5 25 5h585z" horiz-adv-x="714.3" /> - -<glyph glyph-name="filter" unicode="&#xf0b0;" d="M783 692q9-22-8-39l-275-275v-414q0-23-22-33-7-3-14-3-15 0-25 11l-143 143q-10 11-10 25v271l-275 275q-18 17-8 39 9 22 33 22h714q23 0 33-22z" horiz-adv-x="785.7" /> - -<glyph glyph-name="menu" unicode="&#xf0c9;" d="M857 107v-71q0-15-10-25t-26-11h-785q-15 0-25 11t-11 25v71q0 15 11 25t25 11h785q15 0 26-11t10-25z m0 286v-72q0-14-10-25t-26-10h-785q-15 0-25 10t-11 25v72q0 14 11 25t25 10h785q15 0 26-10t10-25z m0 285v-71q0-14-10-25t-26-11h-785q-15 0-25 11t-11 25v71q0 15 11 26t25 10h785q15 0 26-10t10-26z" horiz-adv-x="857.1" /> - -<glyph glyph-name="mail-alt" unicode="&#xf0e0;" d="M1000 461v-443q0-37-26-63t-63-27h-822q-36 0-63 27t-26 63v443q25-27 56-49 202-137 278-192 32-24 51-37t53-27 61-13h2q28 0 61 13t53 27 51 37q95 68 278 192 32 22 56 49z m0 164q0-44-27-84t-68-69q-210-146-262-181-5-4-23-17t-30-22-29-18-32-15-28-5h-2q-12 0-27 5t-32 15-30 18-30 22-23 17q-51 35-147 101t-114 80q-35 23-65 64t-31 77q0 43 23 72t66 29h822q36 0 63-26t26-63z" horiz-adv-x="1000" /> - -<glyph glyph-name="gauge" unicode="&#xf0e4;" d="M214 214q0 30-21 51t-50 21-51-21-21-51 21-50 51-21 50 21 21 50z m107 250q0 30-20 51t-51 21-50-21-21-51 21-50 50-21 51 21 20 50z m239-268l57 213q3 14-5 27t-21 16-27-3-17-22l-56-213q-33-3-60-25t-35-55q-11-43 11-81t66-50 81 11 50 66q9 33-4 65t-40 51z m369 18q0 30-21 51t-51 21-50-21-21-51 21-50 50-21 51 21 21 50z m-358 357q0 30-20 51t-51 21-50-21-21-51 21-50 50-21 51 21 20 50z m250-107q0 30-20 51t-51 21-50-21-21-51 21-50 50-21 51 21 20 50z m179-250q0-145-79-269-10-17-30-17h-782q-20 0-30 17-79 123-79 269 0 102 40 194t106 160 160 107 194 39 194-39 160-107 106-160 40-194z" horiz-adv-x="1000" /> - -<glyph glyph-name="comment-empty" unicode="&#xf0e5;" d="M500 643q-114 0-213-39t-157-105-59-142q0-62 40-119t113-98l48-28-15-53q-13-51-39-97 85 36 154 96l24 21 32-3q38-5 72-5 114 0 213 39t157 105 59 142-59 142-157 105-213 39z m500-286q0-97-67-179t-182-130-251-48q-39 0-81 4-110-97-257-135-27-8-63-12h-3q-8 0-15 6t-9 15v1q-2 2 0 6t1 6 2 5l4 5t4 5 4 5q4 5 17 19t20 22 17 22 18 28 15 33 15 42q-88 50-138 123t-51 157q0 97 67 179t182 130 251 48 251-48 182-130 67-179z" horiz-adv-x="1000" /> - -<glyph glyph-name="bell-alt" unicode="&#xf0f3;" d="M509-89q0 8-9 8-33 0-57 24t-23 57q0 9-9 9t-9-9q0-41 29-70t69-28q9 0 9 9z m455 160q0-29-21-50t-50-21h-250q0-59-42-101t-101-42-101 42-42 101h-250q-29 0-50 21t-21 50q28 24 51 49t47 67 42 89 27 115 11 145q0 84 66 157t171 89q-5 10-5 21 0 23 16 38t38 16 38-16 16-38q0-11-5-21 106-16 171-89t66-157q0-78 11-145t28-115 41-89 48-67 50-49z" horiz-adv-x="1000" /> - -<glyph glyph-name="plus-squared" unicode="&#xf0fe;" d="M714 321v72q0 14-10 25t-25 10h-179v179q0 15-11 25t-25 11h-71q-15 0-25-11t-11-25v-179h-178q-15 0-25-10t-11-25v-72q0-14 11-25t25-10h178v-179q0-14 11-25t25-11h71q15 0 25 11t11 25v179h179q14 0 25 10t10 25z m143 304v-536q0-66-47-113t-114-48h-535q-67 0-114 48t-47 113v536q0 66 47 113t114 48h535q67 0 114-48t47-113z" horiz-adv-x="857.1" /> - -<glyph glyph-name="reply" unicode="&#xf112;" d="M1000 232q0-93-71-252-1-4-6-13t-7-17-7-12q-7-10-16-10-8 0-13 6t-5 14q0 5 1 15t2 13q3 38 3 69 0 56-10 101t-27 77-45 56-59 39-74 24-86 12-98 3h-125v-143q0-14-10-25t-26-11-25 11l-285 286q-11 10-11 25t11 25l285 286q11 10 25 10t26-10 10-25v-143h125q398 0 488-225 30-75 30-186z" horiz-adv-x="1000" /> - -<glyph glyph-name="smile" unicode="&#xf118;" d="M633 257q-21-67-77-109t-127-41-128 41-77 109q-4 14 3 27t21 18q14 4 27-2t17-22q14-44 52-72t85-28 84 28 52 72q4 15 18 22t27 2 21-18 2-27z m-276 243q0-30-21-51t-50-21-51 21-21 51 21 50 51 21 50-21 21-50z m286 0q0-30-21-51t-51-21-50 21-21 51 21 50 50 21 51-21 21-50z m143-143q0 73-29 139t-76 114-114 76-138 28-139-28-114-76-76-114-29-139 29-139 76-113 114-77 139-28 138 28 114 77 76 113 29 139z m71 0q0-117-57-215t-156-156-215-58-216 58-155 156-58 215 58 215 155 156 216 58 215-58 156-156 57-215z" horiz-adv-x="857.1" /> - -<glyph glyph-name="lock-open-alt" unicode="&#xf13e;" d="M589 428q23 0 38-15t16-38v-322q0-22-16-37t-38-16h-535q-23 0-38 16t-16 37v322q0 22 16 38t38 15h17v179q0 103 74 177t176 73 177-73 73-177q0-14-10-25t-25-11h-36q-14 0-25 11t-11 25q0 59-42 101t-101 42-101-42-41-101v-179h410z" horiz-adv-x="642.9" /> - -<glyph glyph-name="ellipsis" unicode="&#xf141;" d="M214 446v-107q0-22-15-38t-38-15h-107q-23 0-38 15t-16 38v107q0 23 16 38t38 16h107q22 0 38-16t15-38z m286 0v-107q0-22-16-38t-38-15h-107q-22 0-38 15t-15 38v107q0 23 15 38t38 16h107q23 0 38-16t16-38z m286 0v-107q0-22-16-38t-38-15h-107q-22 0-38 15t-16 38v107q0 23 16 38t38 16h107q23 0 38-16t16-38z" horiz-adv-x="785.7" /> - -<glyph glyph-name="play-circled" unicode="&#xf144;" d="M429 786q116 0 215-58t156-156 57-215-57-215-156-156-215-58-216 58-155 156-58 215 58 215 155 156 216 58z m214-460q18 10 18 31t-18 31l-304 178q-17 11-35 1-18-11-18-31v-358q0-20 18-31 9-4 17-4 10 0 18 5z" horiz-adv-x="857.1" /> - -<glyph glyph-name="thumbs-up-alt" unicode="&#xf164;" d="M143 107q0 15-11 25t-25 11q-15 0-25-11t-11-25q0-15 11-25t25-11q15 0 25 11t11 25z m89 286v-357q0-15-10-25t-26-11h-160q-15 0-25 11t-11 25v357q0 14 11 25t25 10h160q15 0 26-10t10-25z m661 0q0-48-31-83 9-25 9-43 1-42-24-76 9-31 0-66-9-31-31-52 5-62-27-101-36-43-110-44h-72q-37 0-80 9t-68 16-67 22q-69 24-88 25-15 0-25 11t-11 25v357q0 14 10 25t24 11q13 1 42 33t57 67q38 49 56 67 10 10 17 27t10 27 8 34q4 22 7 34t11 29 19 28q10 11 25 11 25 0 46-6t33-15 22-22 14-25 7-28 2-25 1-22q0-21-6-43t-10-33-16-31q-1-4-5-10t-6-13-5-13h155q43 0 75-32t32-75z" horiz-adv-x="928.6" /> - -<glyph glyph-name="share" unicode="&#xf1e0;" d="M679 286q74 0 126-53t52-126-52-126-126-53-127 53-52 126q0 7 1 19l-201 100q-51-48-121-48-75 0-127 53t-52 126 52 126 127 53q70 0 121-48l201 100q-1 12-1 19 0 74 52 126t127 53 126-53 52-126-52-126-126-53q-71 0-122 48l-201-100q1-12 1-19t-1-19l201-100q51 48 122 48z" horiz-adv-x="857.1" /> - -<glyph glyph-name="binoculars" unicode="&#xf1e5;" d="M393 678v-428q0-15-11-25t-25-11v-321q0-15-10-25t-26-11h-285q-15 0-25 11t-11 25v285l139 488q4 12 17 12h237z m178 0v-392h-142v392h142z m429-500v-285q0-15-11-25t-25-11h-285q-15 0-25 11t-11 25v321q-15 0-25 11t-11 25v428h237q13 0 17-12z m-589 661v-125h-197v125q0 8 5 13t13 5h161q8 0 13-5t5-13z m375 0v-125h-197v125q0 8 5 13t13 5h161q8 0 13-5t5-13z" horiz-adv-x="1000" /> - -<glyph glyph-name="user-plus" unicode="&#xf234;" d="M393 357q-89 0-152 63t-62 151 62 152 152 63 151-63 63-152-63-151-151-63z m536-71h196q7 0 13-6t5-12v-107q0-8-5-13t-13-5h-196v-197q0-7-6-12t-12-6h-107q-8 0-13 6t-5 12v197h-197q-7 0-12 5t-6 13v107q0 7 6 12t12 6h197v196q0 7 5 13t13 5h107q7 0 12-5t6-13v-196z m-411-125q0-29 21-51t50-21h143v-133q-38-28-95-28h-488q-67 0-108 39t-41 106q0 30 2 58t8 61 15 60 24 55 34 45 48 30 62 11q11 0 22-10 44-34 86-51t92-17 92 17 86 51q11 10 22 10 73 0 121-54h-125q-29 0-50-21t-21-50v-107z" horiz-adv-x="1142.9" /> -</font> -</defs> -</svg> -\ No newline at end of file diff --git a/priv/static/static/font/fontello.1599568314856.ttf b/priv/static/static/font/fontello.1599568314856.ttf Binary files differ. diff --git a/priv/static/static/font/fontello.1599568314856.woff b/priv/static/static/font/fontello.1599568314856.woff Binary files differ. diff --git a/priv/static/static/font/fontello.1599568314856.woff2 b/priv/static/static/font/fontello.1599568314856.woff2 Binary files differ. diff --git a/priv/static/static/font/fontello.1600365488745.eot b/priv/static/static/font/fontello.1600365488745.eot Binary files differ. diff --git a/priv/static/static/font/fontello.1600365488745.svg b/priv/static/static/font/fontello.1600365488745.svg @@ -0,0 +1,140 @@ +<?xml version="1.0" standalone="no"?> +<!DOCTYPE svg PUBLIC "-//W3C//DTD SVG 1.1//EN" "http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd"> +<svg xmlns="http://www.w3.org/2000/svg"> +<metadata>Copyright (C) 2020 by original authors @ fontello.com</metadata> +<defs> +<font id="fontello" horiz-adv-x="1000" > +<font-face font-family="fontello" font-weight="400" font-stretch="normal" units-per-em="1000" ascent="857" descent="-143" /> +<missing-glyph horiz-adv-x="1000" /> +<glyph glyph-name="cancel" unicode="&#xe800;" d="M724 119q0-22-15-38l-76-76q-16-15-38-15t-38 15l-164 165-164-165q-16-15-38-15t-38 15l-76 76q-16 16-16 38t16 38l164 164-164 164q-16 16-16 38t16 38l76 76q16 16 38 16t38-16l164-164 164 164q16 16 38 16t38-16l76-76q15-15 15-38t-15-38l-164-164 164-164q15-15 15-38z" horiz-adv-x="785.7" /> + +<glyph glyph-name="upload" unicode="&#xe801;" d="M714 36q0 14-10 25t-25 10-25-10-11-25 11-25 25-11 25 11 10 25z m143 0q0 14-10 25t-26 10-25-10-10-25 10-25 25-11 26 11 10 25z m72 125v-179q0-22-16-38t-38-16h-821q-23 0-38 16t-16 38v179q0 22 16 38t38 15h238q12-31 39-51t62-20h143q34 0 61 20t40 51h238q22 0 38-15t16-38z m-182 361q-9-22-33-22h-143v-250q0-15-10-25t-25-11h-143q-15 0-25 11t-11 25v250h-143q-23 0-33 22-9 22 8 39l250 250q10 10 25 10t25-10l250-250q18-17 8-39z" horiz-adv-x="928.6" /> + +<glyph glyph-name="star" unicode="&#xe802;" d="M929 496q0-12-15-27l-202-197 48-279q0-4 0-12 0-11-6-19t-17-9q-10 0-22 7l-251 132-250-132q-12-7-23-7-11 0-17 9t-6 19q0 4 1 12l48 279-203 197q-14 15-14 27 0 21 31 26l280 40 126 254q11 23 27 23t28-23l125-254 280-40q32-5 32-26z" horiz-adv-x="928.6" /> + +<glyph glyph-name="star-empty" unicode="&#xe803;" d="M635 297l170 166-235 34-106 213-105-213-236-34 171-166-41-235 211 111 211-111z m294 199q0-12-15-27l-202-197 48-279q0-4 0-12 0-28-23-28-10 0-22 7l-251 132-250-132q-12-7-23-7-11 0-17 9t-6 19q0 4 1 12l48 279-203 197q-14 15-14 27 0 21 31 26l280 40 126 254q11 23 27 23t28-23l125-254 280-40q32-5 32-26z" horiz-adv-x="928.6" /> + +<glyph glyph-name="retweet" unicode="&#xe804;" d="M714 18q0-7-5-13t-13-5h-535q-5 0-8 1t-5 4-3 4-2 7 0 6v335h-107q-15 0-25 11t-11 25q0 13 8 23l179 214q11 12 27 12t28-12l178-214q9-10 9-23 0-15-11-25t-25-11h-107v-214h321q9 0 14-6l89-108q4-5 4-11z m357 232q0-13-8-23l-178-214q-12-13-28-13t-27 13l-179 214q-8 10-8 23 0 14 11 25t25 11h107v214h-322q-9 0-14 7l-89 107q-4 5-4 11 0 7 5 12t13 6h536q4 0 7-1t5-4 3-5 2-6 1-7v-334h107q14 0 25-11t10-25z" horiz-adv-x="1071.4" /> + +<glyph glyph-name="eye-off" unicode="&#xe805;" d="M310 112l43 79q-48 35-76 88t-27 114q0 67 34 125-128-65-213-197 94-144 239-209z m217 424q0 11-8 19t-19 7q-70 0-120-50t-50-119q0-11 8-19t19-8 19 8 8 19q0 48 34 82t82 34q11 0 19 8t8 19z m202 106q0-4 0-5-59-105-176-316t-176-316l-28-50q-5-9-15-9-7 0-75 39-9 6-9 16 0 7 25 49-80 36-147 96t-117 137q-11 17-11 38t11 39q86 131 212 207t277 76q50 0 100-10l31 54q5 9 15 9 3 0 10-3t18-9 18-10 18-10 10-7q9-5 9-15z m21-249q0-78-44-142t-117-91l157 280q4-25 4-47z m250-72q0-19-11-38-22-36-61-81-84-96-194-149t-234-53l41 74q119 10 219 76t169 171q-65 100-158 164l35 63q53-36 102-85t81-103q11-19 11-39z" horiz-adv-x="1000" /> + +<glyph glyph-name="search" unicode="&#xe806;" d="M643 393q0 103-73 176t-177 74-177-74-73-176 73-177 177-73 177 73 73 177z m286-465q0-29-22-50t-50-21q-30 0-50 21l-191 191q-100-69-223-69-80 0-153 31t-125 84-84 125-31 153 31 152 84 126 125 84 153 31 153-31 125-84 84-126 31-152q0-123-69-223l191-191q21-21 21-51z" horiz-adv-x="928.6" /> + +<glyph glyph-name="cog" unicode="&#xe807;" d="M571 357q0 59-41 101t-101 42-101-42-42-101 42-101 101-42 101 42 41 101z m286 61v-124q0-7-4-13t-11-7l-104-16q-10-30-21-51 19-27 59-77 6-6 6-13t-5-13q-15-21-55-61t-53-39q-7 0-14 5l-77 60q-25-13-51-21-9-76-16-104-4-16-20-16h-124q-8 0-14 5t-6 12l-16 103q-27 9-50 21l-79-60q-6-5-14-5-8 0-14 6-70 64-92 94-4 5-4 13 0 6 5 12 8 12 28 37t30 40q-15 28-23 55l-102 15q-7 1-11 7t-5 13v124q0 7 5 13t10 7l104 16q8 25 22 51-23 32-60 77-6 7-6 14 0 5 5 12 15 20 55 60t53 40q7 0 15-5l77-60q24 13 50 21 9 76 17 104 3 16 20 16h124q7 0 13-5t7-12l15-103q28-9 51-20l79 59q5 5 13 5 7 0 14-5 72-67 92-95 4-5 4-12 0-7-4-13-9-12-29-37t-30-40q15-28 23-54l102-16q7-1 12-7t4-13z" horiz-adv-x="857.1" /> + +<glyph glyph-name="logout" unicode="&#xe808;" d="M357 53q0-2 1-11t0-14-2-14-5-10-12-4h-178q-67 0-114 47t-47 114v392q0 67 47 114t114 47h178q8 0 13-5t5-13q0-2 1-11t0-15-2-13-5-11-12-3h-178q-37 0-63-26t-27-64v-392q0-37 27-63t63-27h174t6 0 7-2 4-3 4-5 1-8z m518 304q0-14-11-25l-303-304q-11-10-25-10t-25 10-11 25v161h-250q-14 0-25 11t-11 25v214q0 15 11 25t25 11h250v161q0 14 11 25t25 10 25-10l303-304q11-10 11-25z" horiz-adv-x="928.6" /> + +<glyph glyph-name="down-open" unicode="&#xe809;" d="M939 406l-414-413q-10-11-25-11t-25 11l-414 413q-11 11-11 26t11 25l93 92q10 11 25 11t25-11l296-296 296 296q11 11 25 11t26-11l92-92q11-11 11-25t-11-26z" horiz-adv-x="1000" /> + +<glyph glyph-name="attach" unicode="&#xe80a;" d="M244-133q-102 0-170 72-72 70-74 166t84 190l496 496q80 80 174 54 44-12 79-47t47-79q26-96-54-176l-474-474q-40-40-88-46-48-4-80 28-30 24-27 74t47 92l332 334q24 26 50 0t0-50l-332-332q-44-44-20-70 12-8 24-6 24 4 46 26l474 474q50 50 34 108-16 60-76 76-54 14-108-36l-494-494q-66-76-64-143t52-117q50-48 117-50t141 62l496 494q24 24 50 0 26-22 0-48l-496-496q-82-82-186-82z" horiz-adv-x="939" /> + +<glyph glyph-name="picture" unicode="&#xe80b;" d="M357 536q0-45-31-76t-76-32-76 32-31 76 31 76 76 31 76-31 31-76z m572-215v-250h-786v107l178 179 90-89 285 285z m53 393h-893q-7 0-12-5t-6-13v-678q0-7 6-13t12-5h893q7 0 13 5t5 13v678q0 8-5 13t-13 5z m89-18v-678q0-37-26-63t-63-27h-893q-36 0-63 27t-26 63v678q0 37 26 63t63 27h893q37 0 63-27t26-63z" horiz-adv-x="1071.4" /> + +<glyph glyph-name="video" unicode="&#xe80c;" d="M214-36v72q0 14-10 25t-25 10h-72q-14 0-25-10t-11-25v-72q0-14 11-25t25-11h72q14 0 25 11t10 25z m0 214v72q0 14-10 25t-25 11h-72q-14 0-25-11t-11-25v-72q0-14 11-25t25-10h72q14 0 25 10t10 25z m0 215v71q0 15-10 25t-25 11h-72q-14 0-25-11t-11-25v-71q0-15 11-25t25-11h72q14 0 25 11t10 25z m572-429v286q0 14-11 25t-25 11h-429q-14 0-25-11t-10-25v-286q0-14 10-25t25-11h429q15 0 25 11t11 25z m-572 643v71q0 15-10 26t-25 10h-72q-14 0-25-10t-11-26v-71q0-14 11-25t25-11h72q14 0 25 11t10 25z m786-643v72q0 14-11 25t-25 10h-71q-15 0-25-10t-11-25v-72q0-14 11-25t25-11h71q15 0 25 11t11 25z m-214 429v285q0 15-11 26t-25 10h-429q-14 0-25-10t-10-26v-285q0-15 10-25t25-11h429q15 0 25 11t11 25z m214-215v72q0 14-11 25t-25 11h-71q-15 0-25-11t-11-25v-72q0-14 11-25t25-10h71q15 0 25 10t11 25z m0 215v71q0 15-11 25t-25 11h-71q-15 0-25-11t-11-25v-71q0-15 11-25t25-11h71q15 0 25 11t11 25z m0 214v71q0 15-11 26t-25 10h-71q-15 0-25-10t-11-26v-71q0-14 11-25t25-11h71q15 0 25 11t11 25z m71 89v-750q0-37-26-63t-63-26h-893q-36 0-63 26t-26 63v750q0 37 26 63t63 27h893q37 0 63-27t26-63z" horiz-adv-x="1071.4" /> + +<glyph glyph-name="right-open" unicode="&#xe80d;" d="M618 368l-414-415q-11-10-25-10t-25 10l-93 93q-11 11-11 25t11 25l296 297-296 296q-11 11-11 25t11 25l93 93q10 11 25 11t25-11l414-414q10-11 10-25t-10-25z" horiz-adv-x="714.3" /> + +<glyph glyph-name="left-open" unicode="&#xe80e;" d="M654 689l-297-296 297-297q10-10 10-25t-10-25l-93-93q-11-10-25-10t-25 10l-414 415q-11 10-11 25t11 25l414 414q10 11 25 11t25-11l93-93q10-10 10-25t-10-25z" horiz-adv-x="714.3" /> + +<glyph glyph-name="up-open" unicode="&#xe80f;" d="M939 114l-92-92q-11-10-26-10t-25 10l-296 297-296-297q-11-10-25-10t-25 10l-93 92q-11 11-11 26t11 25l414 414q11 10 25 10t25-10l414-414q11-11 11-25t-11-26z" horiz-adv-x="1000" /> + +<glyph glyph-name="bell-ringing-o" unicode="&#xe810;" d="M498 857c-30 0-54-24-54-53 0-8 2-15 5-22-147-22-236-138-236-245 0-268-95-393-177-462 0-39 32-71 71-71h249c0-79 63-143 142-143s142 64 142 143h249c39 0 71 32 71 71-82 69-178 194-178 462 0 107-88 223-235 245 2 7 4 14 4 22 0 29-24 53-53 53z m-309-45c-81-74-118-170-118-275l71 0c0 89 28 162 95 223l-48 52z m617 0l-48-52c67-61 96-134 95-223l71 0c1 105-37 201-118 275z m-397-799c5 0 9-4 9-9 0-44 36-80 80-80 5 0 9-4 9-9s-4-9-9-9c-54 0-98 44-98 98 0 5 4 9 9 9z" horiz-adv-x="1000" /> + +<glyph glyph-name="lock" unicode="&#xe811;" d="M179 428h285v108q0 59-42 101t-101 41-101-41-41-101v-108z m464-53v-322q0-22-16-37t-38-16h-535q-23 0-38 16t-16 37v322q0 22 16 38t38 15h17v108q0 102 74 176t176 74 177-74 73-176v-108h18q23 0 38-15t16-38z" horiz-adv-x="642.9" /> + +<glyph glyph-name="globe" unicode="&#xe812;" d="M429 786q116 0 215-58t156-156 57-215-57-215-156-156-215-58-216 58-155 156-58 215 58 215 155 156 216 58z m153-291q-2-1-6-5t-7-6q1 0 2 3t3 6 2 4q3 4 12 8 8 4 29 7 19 5 29-6-1 1 5 7t8 7q2 1 8 3t9 4l1 12q-7-1-10 4t-3 12q0-2-4-5 0 4-2 5t-7-1-5-1q-5 2-8 5t-5 9-2 8q-1 3-5 6t-5 6q-1 1-2 3t-1 4-3 3-3 1-4-3-4-5-2-3q-2 1-4 1t-2-1-3-1-3-2q-1-2-4-2t-5-1q8 3-1 6-5 2-9 2 6 2 5 6t-5 8h3q-1 2-5 5t-10 5-7 3q-5 3-19 5t-18 1q-3-4-3-6t2-8 2-7q1-3-3-7t-3-7q0-4 7-9t6-12q-2-4-9-9t-9-6q-3-5-1-11t6-9q1-1 1-2t-2-3-3-2-4-2l-1-1q-7-3-12 3t-7 15q-4 14-9 17-13 4-16-1-3 7-23 15-14 5-33 2 4 0 0 8-4 9-10 7 1 3 2 10t0 7q2 8 7 13 1 1 4 5t5 7 1 4q19-3 28 6 2 3 6 9t6 10q5 3 8 3t8-3 8-3q8-1 8 6t-4 11q7 0 2 10-2 4-5 5-6 2-15-3-4-2 2-4-1 0-6-6t-9-10-9 3q0 0-3 7t-5 8q-5 0-9-9 1 5-6 9t-14 4q11 7-4 15-4 3-12 3t-11-2q-2-4-3-7t3-4 6-3 6-2 5-2q8-6 5-8-1 0-5-2t-6-2-4-2q-1-3 0-8t-1-8q-3 3-5 10t-4 9q4-5-14-3l-5 0q-3 0-9-1t-12-1-7 5q-3 4 0 11 0 2 2 1-2 2-6 5t-6 5q-25-8-52-23 3 0 6 1 3 1 8 4t5 3q19 7 24 4l3 2q7-9 11-14-4 3-17 1-11-3-12-7 4-6 2-10-2 2-6 6t-8 6-8 3q-9 0-13-1-81-45-131-124 4-4 7-4 2-1 3-5t1-6 6 1q5-4 2-10 1 0 25-15 10-10 11-12 2-6-5-10-1 1-5 5t-5 2q-2-3 0-10t6-7q-4 0-5-9t-2-20 0-13l1-1q-2-6 3-19t12-11q-7-1 11-24 3-4 4-5 2-1 7-4t9-6 5-5q2-3 6-13t8-13q-2-3 5-11t6-13q-1 0-2-1t-1 0q2-4 9-8t8-7q1-2 1-6t2-6 4-1q2 11-13 35-8 13-9 16-2 2-4 8t-2 8q1 0 3 0t5-2 4-3 1-1q-1-4 1-10t7-10 10-11 6-7q4-4 8-11t0-8q5 0 11-5t10-11q3-5 4-15t3-13q1-4 5-8t7-5l9-5t7-3q3-2 10-6t12-7q6-2 9-2t8 1 8 2q8 1 16-8t12-12q20-10 30-6-1 0 1-4t4-9 5-8 3-5q3-3 10-8t10-8q4 2 4 5-1-5 4-11t10-6q8 2 8 18-17-8-27 10 0 0-2 3t-2 5-1 4 0 5 2 1q5 0 6 2t-1 7-2 8q-1 4-6 11t-7 8q-3-5-9-4t-9 5q0-1-1-3t-1-4q-7 0-8 0 1 2 1 10t2 13q1 2 3 6t5 9 2 7-3 5-9 1q-11 0-15-11-1-2-2-6t-2-6-5-4q-4-2-14-1t-13 3q-8 4-13 16t-5 20q0 6 1 15t2 14-3 14q2 1 5 5t5 6q2 1 3 1t3 0 2 1 1 3q0 1-2 2-1 1-2 1 4-1 16 1t15-1q9-6 12 1 0 1-1 6t0 7q3-15 16-5 2-1 9-3t9-2q2-1 4-3t3-3 3 0 5 4q5-8 7-13 6-23 10-25 4-2 6-1t3 5 0 8-1 7l-1 5v10l0 4q-8 2-10 7t0 10 9 10q0 1 4 2t9 4 7 4q12 11 8 20 4 0 6 5 0 0-2 2t-5 2-2 2q5 2 1 8 3 2 4 7t4 5q5-6 12-1 5 5 1 9 2 4 11 6t10 5q4-1 5 1t0 7 2 7q2 2 9 5t7 2l9 7q2 2 0 2 10-1 18 6 5 6-4 11 2 4-1 5t-9 4q2 0 7 0t5 1q9 5-3 9-10 2-24-7z m-91-490q115 21 195 106-1 2-7 2t-7 2q-10 4-13 5 1 4-1 7t-5 5-7 5-6 4q-1 1-4 3t-4 3-4 2-5 2-5-1l-2-1q-2 0-3-1t-3-2-2-1 0-2q-12 10-20 13-3 0-6 3t-6 4-6 0-6-3q-3-3-4-9t-1-7q-4 3 0 10t1 10q-1 3-6 2t-6-2-7-5-5-3-4-3-5-5q-2-2-4-6t-2-6q-1 2-7 3t-5 3q1-5 2-19t3-22q4-17-7-26-15-14-16-23-2-12 7-14 0-4-5-12t-4-12q0-3 2-9z" horiz-adv-x="857.1" /> + +<glyph glyph-name="brush" unicode="&#xe813;" d="M464 209q0-124-87-212t-210-87q-81 0-149 40 68 39 109 108t40 151q0 61 44 105t105 44 105-44 43-105z m415 562q32-32 32-79t-33-79l-318-318q-20 55-61 97t-97 62l318 318q32 32 79 32t80-33z" horiz-adv-x="928" /> + +<glyph glyph-name="attention" unicode="&#xe814;" d="M571 90v106q0 8-5 13t-12 5h-108q-7 0-12-5t-5-13v-106q0-8 5-13t12-6h108q7 0 12 6t5 13z m-1 208l10 257q0 6-5 10-7 6-14 6h-122q-6 0-14-6-5-4-5-12l9-255q0-5 6-9t13-3h103q8 0 14 3t5 9z m-7 522l428-786q20-35-1-70-9-17-26-26t-35-10h-858q-18 0-35 10t-26 26q-21 35-1 70l429 786q9 17 26 27t36 10 36-10 27-27z" horiz-adv-x="1000" /> + +<glyph glyph-name="plus" unicode="&#xe815;" d="M786 446v-107q0-22-16-38t-38-15h-232v-233q0-22-16-37t-38-16h-107q-22 0-38 16t-15 37v233h-232q-23 0-38 15t-16 38v107q0 23 16 38t38 16h232v232q0 22 15 38t38 16h107q23 0 38-16t16-38v-232h232q23 0 38-16t16-38z" horiz-adv-x="785.7" /> + +<glyph glyph-name="adjust" unicode="&#xe816;" d="M429 53v608q-83 0-153-41t-110-111-41-152 41-152 110-111 153-41z m428 304q0-117-57-215t-156-156-215-58-216 58-155 156-58 215 58 215 155 156 216 58 215-58 156-156 57-215z" horiz-adv-x="857.1" /> + +<glyph glyph-name="edit" unicode="&#xe817;" d="M496 196l64 65-85 85-64-65v-31h53v-54h32z m245 402q-9 9-18 0l-196-196q-9-9 0-18t18 0l196 196q9 9 0 18z m45-331v-106q0-67-47-114t-114-47h-464q-67 0-114 47t-47 114v464q0 66 47 113t114 48h464q35 0 65-14 9-4 10-13 2-10-5-16l-27-28q-8-8-18-4-13 3-25 3h-464q-37 0-63-26t-27-63v-464q0-37 27-63t63-27h464q37 0 63 27t26 63v70q0 7 5 12l36 36q8 8 20 4t11-16z m-54 411l161-160-375-375h-161v160z m248-73l-51-52-161 161 51 52q16 15 38 15t38-15l85-85q16-16 16-38t-16-38z" horiz-adv-x="1000" /> + +<glyph glyph-name="pencil" unicode="&#xe818;" d="M203 0l50 51-131 131-51-51v-60h72v-71h60z m291 518q0 12-12 12-5 0-9-4l-303-302q-4-4-4-10 0-12 13-12 5 0 9 4l303 302q3 4 3 10z m-30 107l232-232-464-465h-232v233z m381-54q0-29-20-50l-93-93-232 233 93 92q20 21 50 21 29 0 51-21l131-131q20-22 20-51z" horiz-adv-x="857.1" /> + +<glyph glyph-name="pin" unicode="&#xe819;" d="M268 375v250q0 8-5 13t-13 5-13-5-5-13v-250q0-8 5-13t13-5 13 5 5 13z m375-197q0-14-11-25t-25-10h-239l-29-270q-1-7-6-11t-11-5h-1q-15 0-17 15l-43 271h-225q-15 0-25 10t-11 25q0 69 44 124t99 55v286q-29 0-50 21t-22 50 22 50 50 22h357q29 0 50-22t21-50-21-50-50-21v-286q55 0 99-55t44-124z" horiz-adv-x="642.9" /> + +<glyph glyph-name="wrench" unicode="&#xe81a;" d="M214 36q0 14-10 25t-25 10-25-10-11-25 11-25 25-11 25 11 10 25z m360 234l-381-381q-21-20-50-20-29 0-51 20l-59 61q-21 20-21 50 0 29 21 51l380 380q22-55 64-97t97-64z m354 243q0-22-13-59-27-75-92-122t-144-46q-104 0-177 73t-73 177 73 176 177 74q32 0 67-10t60-26q9-6 9-15t-9-16l-163-94v-125l108-60q2 2 44 27t75 45 40 20q8 0 13-5t5-14z" horiz-adv-x="928.6" /> + +<glyph glyph-name="chart-bar" unicode="&#xe81b;" d="M357 357v-286h-143v286h143z m214 286v-572h-142v572h142z m572-643v-72h-1143v858h71v-786h1072z m-357 500v-429h-143v429h143z m214 214v-643h-143v643h143z" horiz-adv-x="1142.9" /> + +<glyph glyph-name="zoom-in" unicode="&#xe81c;" d="M571 411v-36q0-7-5-13t-12-5h-125v-125q0-7-6-13t-12-5h-36q-7 0-13 5t-5 13v125h-125q-7 0-12 5t-6 13v36q0 7 6 12t12 5h125v125q0 8 5 13t13 5h36q7 0 12-5t6-13v-125h125q7 0 12-5t5-12z m72-18q0 103-73 176t-177 74-177-74-73-176 73-177 177-73 177 73 73 177z m286-465q0-29-21-50t-51-21q-30 0-50 21l-191 191q-100-69-223-69-80 0-153 31t-125 84-84 125-31 153 31 152 84 126 125 84 153 31 153-31 125-84 84-126 31-152q0-123-69-223l191-191q21-21 21-51z" horiz-adv-x="928.6" /> + +<glyph glyph-name="users" unicode="&#xe81d;" d="M331 357q-90-3-148-71h-75q-45 0-77 22t-31 66q0 197 69 197 4 0 25-11t54-24 66-12q38 0 75 13-3-21-3-37 0-78 45-143z m598-355q0-67-41-106t-108-39h-488q-68 0-108 39t-41 106q0 29 2 57t8 61 14 61 24 54 35 45 48 30 62 11q6 0 24-12t41-26 59-27 76-12 75 12 60 27 41 26 24 12q34 0 62-11t47-30 35-45 24-54 15-61 8-61 2-57z m-572 712q0-59-42-101t-101-42-101 42-42 101 42 101 101 42 101-42 42-101z m393-214q0-89-63-152t-151-62-152 62-63 152 63 151 152 63 151-63 63-151z m321-126q0-43-31-66t-77-22h-75q-57 68-147 71 45 65 45 143 0 16-3 37 37-13 74-13 33 0 67 12t54 24 24 11q69 0 69-197z m-71 340q0-59-42-101t-101-42-101 42-42 101 42 101 101 42 101-42 42-101z" horiz-adv-x="1071.4" /> + +<glyph glyph-name="chat" unicode="&#xe81e;" d="M786 428q0-77-53-143t-143-104-197-38q-48 0-98 9-70-49-155-72-21-5-48-9h-2q-6 0-12 5t-6 12q-1 1-1 3t1 4 1 3l1 3t2 3 2 3 3 3 2 2q3 3 13 14t15 16 12 17 14 21 11 25q-69 40-108 98t-40 125q0 78 53 144t143 104 197 38 197-38 143-104 53-144z m214-142q0-67-40-126t-108-98q5-14 11-25t14-21 13-16 14-17 13-14q0 0 2-2t3-3 2-3 2-3l1-3t1-3 1-4-1-3q-2-8-7-13t-12-4q-28 4-48 9-86 23-156 72-50-9-98-9-151 0-263 74 32-3 49-3 90 0 172 25t148 72q69 52 107 119t37 141q0 43-13 85 72-39 114-99t42-128z" horiz-adv-x="1000" /> + +<glyph glyph-name="info-circled" unicode="&#xe81f;" d="M571 89v89q0 8-5 13t-12 5h-54v286q0 8-5 13t-13 5h-178q-8 0-13-5t-5-13v-89q0-8 5-13t13-5h53v-179h-53q-8 0-13-5t-5-13v-89q0-8 5-13t13-5h250q7 0 12 5t5 13z m-71 500v89q0 8-5 13t-13 5h-107q-8 0-13-5t-5-13v-89q0-8 5-13t13-5h107q8 0 13 5t5 13z m357-232q0-117-57-215t-156-156-215-58-216 58-155 156-58 215 58 215 155 156 216 58 215-58 156-156 57-215z" horiz-adv-x="857.1" /> + +<glyph glyph-name="login" unicode="&#xe820;" d="M661 357q0-14-11-25l-303-304q-11-10-26-10t-25 10-10 25v161h-250q-15 0-25 11t-11 25v214q0 15 11 25t25 11h250v161q0 14 10 25t25 10 26-10l303-304q11-10 11-25z m196 196v-392q0-67-47-114t-114-47h-178q-7 0-13 5t-5 13q0 2-1 11t0 15 2 13 5 11 12 3h178q37 0 64 27t26 63v392q0 37-26 64t-64 26h-174t-6 0-6 2-5 3-4 5-1 8q0 2-1 11t0 15 2 13 5 11 12 3h178q67 0 114-47t47-114z" horiz-adv-x="857.1" /> + +<glyph glyph-name="home-2" unicode="&#xe821;" d="M521 826q322-279 500-429 20-16 20-40 0-21-15-37t-36-15l-105 0 0-364q0-21-15-37t-36-16l-156 0q-22 0-37 16t-16 37l0 208-209 0 0-208q0-21-15-37t-36-16l-156 0q-21 0-37 16t-16 37l0 364-103 0q-22 0-37 15t-16 37 19 40z" horiz-adv-x="1041" /> + +<glyph glyph-name="arrow-curved" unicode="&#xe822;" d="M799 302l0-56 112 0-223-223-224 223 112 0 0 56q0 116-81 197t-197 82-198-82-82-197q0 162 115 276t276 114 276-114 114-276z" horiz-adv-x="928" /> + +<glyph glyph-name="link" unicode="&#xe823;" d="M813 178q0 23-16 38l-116 116q-16 16-38 16-24 0-40-18 1-1 10-10t12-12 9-11 7-14 2-15q0-23-16-38t-38-16q-8 0-15 2t-14 7-11 9-12 12-10 10q-19-17-19-40 0-23 16-38l115-116q15-15 38-15 22 0 38 15l82 81q16 16 16 37z m-393 394q0 22-15 38l-115 115q-16 16-38 16-22 0-38-15l-82-82q-16-15-16-37 0-22 16-38l116-116q15-15 38-15 23 0 40 17-2 2-11 11t-12 12-8 10-7 14-2 16q0 22 15 38t38 15q9 0 16-2t14-7 11-8 12-12 10-11q18 17 18 41z m500-394q0-66-48-113l-82-81q-46-47-113-47-68 0-114 48l-115 115q-46 47-46 114 0 68 49 116l-49 49q-48-49-116-49-67 0-114 47l-116 116q-47 47-47 114t47 113l82 82q47 46 114 46 67 0 114-47l115-116q46-46 46-113 0-69-49-117l49-49q48 49 116 49 67 0 114-47l116-116q47-47 47-114z" horiz-adv-x="928.6" /> + +<glyph glyph-name="user" unicode="&#xe824;" d="M714 76q0-60-35-104t-84-44h-476q-49 0-84 44t-35 104q0 48 5 90t17 85 33 73 52 50 76 19q73-72 174-72t175 72q42 0 75-19t52-50 33-73 18-85 4-90z m-143 495q0-88-62-151t-152-63-151 63-63 151 63 152 151 63 152-63 62-152z" horiz-adv-x="714.3" /> + +<glyph glyph-name="download" unicode="&#xe825;" d="M714 107q0 15-10 25t-25 11-25-11-11-25 11-25 25-11 25 11 10 25z m143 0q0 15-10 25t-26 11-25-11-10-25 10-25 25-11 26 11 10 25z m72 125v-179q0-22-16-37t-38-16h-821q-23 0-38 16t-16 37v179q0 22 16 38t38 16h259l75-76q33-32 76-32t76 32l76 76h259q22 0 38-16t16-38z m-182 318q10-23-8-39l-250-250q-10-11-25-11t-25 11l-250 250q-17 16-8 39 10 21 33 21h143v250q0 15 11 25t25 11h143q14 0 25-11t10-25v-250h143q24 0 33-21z" horiz-adv-x="928.6" /> + +<glyph glyph-name="bookmark" unicode="&#xe826;" d="M650 786q12 0 24-5 19-8 29-23t11-35v-719q0-19-11-35t-29-23q-10-4-24-4-27 0-47 18l-246 236-246-236q-20-19-46-19-13 0-25 5-18 7-29 23t-11 35v719q0 19 11 35t29 23q12 5 25 5h585z" horiz-adv-x="714.3" /> + +<glyph glyph-name="ok" unicode="&#xe827;" d="M933 541q0-22-16-38l-404-404-76-76q-16-15-38-15t-38 15l-76 76-202 202q-15 16-15 38t15 38l76 76q16 16 38 16t38-16l164-165 366 367q16 16 38 16t38-16l76-76q16-15 16-38z" horiz-adv-x="1000" /> + +<glyph glyph-name="music" unicode="&#xe828;" d="M857 732v-625q0-28-19-50t-48-33-58-18-53-6-54 6-58 18-48 33-19 50 19 50 48 33 58 18 54 6q58 0 107-22v300l-429-132v-396q0-28-19-50t-48-33-58-18-53-6-54 6-58 18-48 33-19 50 19 50 48 34 58 17 54 6q58 0 107-21v539q0 17 10 32t28 20l464 142q7 3 16 3 22 0 38-16t15-38z" horiz-adv-x="857.1" /> + +<glyph glyph-name="doc" unicode="&#xe829;" d="M819 645q16-16 27-42t11-50v-642q0-23-15-38t-38-16h-750q-23 0-38 16t-16 38v892q0 23 16 38t38 16h500q22 0 49-11t42-27z m-248 136v-210h210q-5 17-12 23l-175 175q-6 7-23 12z m215-853v572h-232q-23 0-38 16t-16 37v233h-429v-858h715z" horiz-adv-x="857.1" /> + +<glyph glyph-name="block" unicode="&#xe82a;" d="M732 359q0 90-48 164l-421-420q76-50 166-50 62 0 118 25t96 65 65 97 24 119z m-557-167l421 421q-75 50-167 50-83 0-153-40t-110-111-41-153q0-91 50-167z m682 167q0-88-34-168t-91-137-137-92-166-34-167 34-137 92-91 137-34 168 34 167 91 137 137 91 167 34 166-34 137-91 91-137 34-167z" horiz-adv-x="857.1" /> + +<glyph glyph-name="megaphone" unicode="&#xe82b;" d="M929 500q29 0 50-21t21-51-21-50-50-21v-214q0-29-22-50t-50-22q-233 194-453 212-32-10-51-36t-17-57 22-51q-11-19-13-37t4-32 19-31 26-28 35-28q-17-32-63-46t-94-7-73 31q-4 13-17 49t-18 53-12 50-9 56 2 55 12 62h-68q-36 0-63 26t-26 63v107q0 37 26 63t63 26h268q243 0 500 215 29 0 50-22t22-50v-214z m-72-337v532q-220-168-428-191v-151q210-23 428-190z" horiz-adv-x="1000" /> + +<glyph glyph-name="spin3" unicode="&#xe832;" d="M494 857c-266 0-483-210-494-472-1-19 13-20 13-20l84 0c16 0 19 10 19 18 10 199 176 358 378 358 107 0 205-45 273-118l-58-57c-11-12-11-27 5-31l247-50c21-5 46 11 37 44l-58 227c-2 9-16 22-29 13l-65-60c-89 91-214 148-352 148z m409-508c-16 0-19-10-19-18-10-199-176-358-377-358-108 0-205 45-274 118l59 57c10 12 10 27-5 31l-248 50c-21 5-46-11-37-44l58-227c2-9 16-22 30-13l64 60c89-91 214-148 353-148 265 0 482 210 493 473 1 18-13 19-13 19l-84 0z" horiz-adv-x="1000" /> + +<glyph glyph-name="spin4" unicode="&#xe834;" d="M498 857c-114 0-228-39-320-116l0 0c173 140 428 130 588-31 134-134 164-332 89-495-10-29-5-50 12-68 21-20 61-23 84 0 3 3 12 15 15 24 71 180 33 393-112 539-99 98-228 147-356 147z m-409-274c-14 0-29-5-39-16-3-3-13-15-15-24-71-180-34-393 112-539 185-185 479-195 676-31l0 0c-173-140-428-130-589 31-134 134-163 333-89 495 11 29 6 50-12 68-11 11-27 17-44 16z" horiz-adv-x="1001" /> + +<glyph glyph-name="link-ext" unicode="&#xf08e;" d="M786 339v-178q0-67-47-114t-114-47h-464q-67 0-114 47t-47 114v464q0 66 47 113t114 48h393q7 0 12-5t5-13v-36q0-8-5-13t-12-5h-393q-37 0-63-26t-27-63v-464q0-37 27-63t63-27h464q37 0 63 27t26 63v178q0 8 5 13t13 5h36q8 0 13-5t5-13z m214 482v-285q0-15-11-25t-25-11-25 11l-98 98-364-364q-5-6-13-6t-12 6l-64 64q-6 5-6 12t6 13l364 364-98 98q-11 11-11 25t11 25 25 11h285q15 0 25-11t11-25z" horiz-adv-x="1000" /> + +<glyph glyph-name="link-ext-alt" unicode="&#xf08f;" d="M714 339v268q0 15-10 25t-25 11h-268q-24 0-33-22-10-23 8-39l80-80-298-298q-11-11-11-26t11-25l57-57q11-10 25-10t25 10l298 298 81-80q10-11 25-11 6 0 14 3 21 10 21 33z m143 286v-536q0-66-47-113t-114-48h-535q-67 0-114 48t-47 113v536q0 66 47 113t114 48h535q67 0 114-48t47-113z" horiz-adv-x="857.1" /> + +<glyph glyph-name="bookmark-empty" unicode="&#xf097;" d="M643 714h-572v-693l237 227 49 47 50-47 236-227v693z m7 72q12 0 24-5 19-8 29-23t11-35v-719q0-19-11-35t-29-23q-10-4-24-4-27 0-47 18l-246 236-246-236q-20-19-46-19-13 0-25 5-18 7-29 23t-11 35v719q0 19 11 35t29 23q12 5 25 5h585z" horiz-adv-x="714.3" /> + +<glyph glyph-name="filter" unicode="&#xf0b0;" d="M783 692q9-22-8-39l-275-275v-414q0-23-22-33-7-3-14-3-15 0-25 11l-143 143q-10 11-10 25v271l-275 275q-18 17-8 39 9 22 33 22h714q23 0 33-22z" horiz-adv-x="785.7" /> + +<glyph glyph-name="menu" unicode="&#xf0c9;" d="M857 107v-71q0-15-10-25t-26-11h-785q-15 0-25 11t-11 25v71q0 15 11 25t25 11h785q15 0 26-11t10-25z m0 286v-72q0-14-10-25t-26-10h-785q-15 0-25 10t-11 25v72q0 14 11 25t25 10h785q15 0 26-10t10-25z m0 285v-71q0-14-10-25t-26-11h-785q-15 0-25 11t-11 25v71q0 15 11 26t25 10h785q15 0 26-10t10-26z" horiz-adv-x="857.1" /> + +<glyph glyph-name="mail-alt" unicode="&#xf0e0;" d="M1000 461v-443q0-37-26-63t-63-27h-822q-36 0-63 27t-26 63v443q25-27 56-49 202-137 278-192 32-24 51-37t53-27 61-13h2q28 0 61 13t53 27 51 37q95 68 278 192 32 22 56 49z m0 164q0-44-27-84t-68-69q-210-146-262-181-5-4-23-17t-30-22-29-18-32-15-28-5h-2q-12 0-27 5t-32 15-30 18-30 22-23 17q-51 35-147 101t-114 80q-35 23-65 64t-31 77q0 43 23 72t66 29h822q36 0 63-26t26-63z" horiz-adv-x="1000" /> + +<glyph glyph-name="gauge" unicode="&#xf0e4;" d="M214 214q0 30-21 51t-50 21-51-21-21-51 21-50 51-21 50 21 21 50z m107 250q0 30-20 51t-51 21-50-21-21-51 21-50 50-21 51 21 20 50z m239-268l57 213q3 14-5 27t-21 16-27-3-17-22l-56-213q-33-3-60-25t-35-55q-11-43 11-81t66-50 81 11 50 66q9 33-4 65t-40 51z m369 18q0 30-21 51t-51 21-50-21-21-51 21-50 50-21 51 21 21 50z m-358 357q0 30-20 51t-51 21-50-21-21-51 21-50 50-21 51 21 20 50z m250-107q0 30-20 51t-51 21-50-21-21-51 21-50 50-21 51 21 20 50z m179-250q0-145-79-269-10-17-30-17h-782q-20 0-30 17-79 123-79 269 0 102 40 194t106 160 160 107 194 39 194-39 160-107 106-160 40-194z" horiz-adv-x="1000" /> + +<glyph glyph-name="comment-empty" unicode="&#xf0e5;" d="M500 643q-114 0-213-39t-157-105-59-142q0-62 40-119t113-98l48-28-15-53q-13-51-39-97 85 36 154 96l24 21 32-3q38-5 72-5 114 0 213 39t157 105 59 142-59 142-157 105-213 39z m500-286q0-97-67-179t-182-130-251-48q-39 0-81 4-110-97-257-135-27-8-63-12h-3q-8 0-15 6t-9 15v1q-2 2 0 6t1 6 2 5l4 5t4 5 4 5q4 5 17 19t20 22 17 22 18 28 15 33 15 42q-88 50-138 123t-51 157q0 97 67 179t182 130 251 48 251-48 182-130 67-179z" horiz-adv-x="1000" /> + +<glyph glyph-name="bell-alt" unicode="&#xf0f3;" d="M509-89q0 8-9 8-33 0-57 24t-23 57q0 9-9 9t-9-9q0-41 29-70t69-28q9 0 9 9z m455 160q0-29-21-50t-50-21h-250q0-59-42-101t-101-42-101 42-42 101h-250q-29 0-50 21t-21 50q28 24 51 49t47 67 42 89 27 115 11 145q0 84 66 157t171 89q-5 10-5 21 0 23 16 38t38 16 38-16 16-38q0-11-5-21 106-16 171-89t66-157q0-78 11-145t28-115 41-89 48-67 50-49z" horiz-adv-x="1000" /> + +<glyph glyph-name="plus-squared" unicode="&#xf0fe;" d="M714 321v72q0 14-10 25t-25 10h-179v179q0 15-11 25t-25 11h-71q-15 0-25-11t-11-25v-179h-178q-15 0-25-10t-11-25v-72q0-14 11-25t25-10h178v-179q0-14 11-25t25-11h71q15 0 25 11t11 25v179h179q14 0 25 10t10 25z m143 304v-536q0-66-47-113t-114-48h-535q-67 0-114 48t-47 113v536q0 66 47 113t114 48h535q67 0 114-48t47-113z" horiz-adv-x="857.1" /> + +<glyph glyph-name="reply" unicode="&#xf112;" d="M1000 232q0-93-71-252-1-4-6-13t-7-17-7-12q-7-10-16-10-8 0-13 6t-5 14q0 5 1 15t2 13q3 38 3 69 0 56-10 101t-27 77-45 56-59 39-74 24-86 12-98 3h-125v-143q0-14-10-25t-26-11-25 11l-285 286q-11 10-11 25t11 25l285 286q11 10 25 10t26-10 10-25v-143h125q398 0 488-225 30-75 30-186z" horiz-adv-x="1000" /> + +<glyph glyph-name="smile" unicode="&#xf118;" d="M633 257q-21-67-77-109t-127-41-128 41-77 109q-4 14 3 27t21 18q14 4 27-2t17-22q14-44 52-72t85-28 84 28 52 72q4 15 18 22t27 2 21-18 2-27z m-276 243q0-30-21-51t-50-21-51 21-21 51 21 50 51 21 50-21 21-50z m286 0q0-30-21-51t-51-21-50 21-21 51 21 50 50 21 51-21 21-50z m143-143q0 73-29 139t-76 114-114 76-138 28-139-28-114-76-76-114-29-139 29-139 76-113 114-77 139-28 138 28 114 77 76 113 29 139z m71 0q0-117-57-215t-156-156-215-58-216 58-155 156-58 215 58 215 155 156 216 58 215-58 156-156 57-215z" horiz-adv-x="857.1" /> + +<glyph glyph-name="lock-open-alt" unicode="&#xf13e;" d="M589 428q23 0 38-15t16-38v-322q0-22-16-37t-38-16h-535q-23 0-38 16t-16 37v322q0 22 16 38t38 15h17v179q0 103 74 177t176 73 177-73 73-177q0-14-10-25t-25-11h-36q-14 0-25 11t-11 25q0 59-42 101t-101 42-101-42-41-101v-179h410z" horiz-adv-x="642.9" /> + +<glyph glyph-name="ellipsis" unicode="&#xf141;" d="M214 446v-107q0-22-15-38t-38-15h-107q-23 0-38 15t-16 38v107q0 23 16 38t38 16h107q22 0 38-16t15-38z m286 0v-107q0-22-16-38t-38-15h-107q-22 0-38 15t-15 38v107q0 23 15 38t38 16h107q23 0 38-16t16-38z m286 0v-107q0-22-16-38t-38-15h-107q-22 0-38 15t-16 38v107q0 23 16 38t38 16h107q23 0 38-16t16-38z" horiz-adv-x="785.7" /> + +<glyph glyph-name="play-circled" unicode="&#xf144;" d="M429 786q116 0 215-58t156-156 57-215-57-215-156-156-215-58-216 58-155 156-58 215 58 215 155 156 216 58z m214-460q18 10 18 31t-18 31l-304 178q-17 11-35 1-18-11-18-31v-358q0-20 18-31 9-4 17-4 10 0 18 5z" horiz-adv-x="857.1" /> + +<glyph glyph-name="thumbs-up-alt" unicode="&#xf164;" d="M143 107q0 15-11 25t-25 11q-15 0-25-11t-11-25q0-15 11-25t25-11q15 0 25 11t11 25z m89 286v-357q0-15-10-25t-26-11h-160q-15 0-25 11t-11 25v357q0 14 11 25t25 10h160q15 0 26-10t10-25z m661 0q0-48-31-83 9-25 9-43 1-42-24-76 9-31 0-66-9-31-31-52 5-62-27-101-36-43-110-44h-72q-37 0-80 9t-68 16-67 22q-69 24-88 25-15 0-25 11t-11 25v357q0 14 10 25t24 11q13 1 42 33t57 67q38 49 56 67 10 10 17 27t10 27 8 34q4 22 7 34t11 29 19 28q10 11 25 11 25 0 46-6t33-15 22-22 14-25 7-28 2-25 1-22q0-21-6-43t-10-33-16-31q-1-4-5-10t-6-13-5-13h155q43 0 75-32t32-75z" horiz-adv-x="928.6" /> + +<glyph glyph-name="share" unicode="&#xf1e0;" d="M679 286q74 0 126-53t52-126-52-126-126-53-127 53-52 126q0 7 1 19l-201 100q-51-48-121-48-75 0-127 53t-52 126 52 126 127 53q70 0 121-48l201 100q-1 12-1 19 0 74 52 126t127 53 126-53 52-126-52-126-126-53q-71 0-122 48l-201-100q1-12 1-19t-1-19l201-100q51 48 122 48z" horiz-adv-x="857.1" /> + +<glyph glyph-name="binoculars" unicode="&#xf1e5;" d="M393 678v-428q0-15-11-25t-25-11v-321q0-15-10-25t-26-11h-285q-15 0-25 11t-11 25v285l139 488q4 12 17 12h237z m178 0v-392h-142v392h142z m429-500v-285q0-15-11-25t-25-11h-285q-15 0-25 11t-11 25v321q-15 0-25 11t-11 25v428h237q13 0 17-12z m-589 661v-125h-197v125q0 8 5 13t13 5h161q8 0 13-5t5-13z m375 0v-125h-197v125q0 8 5 13t13 5h161q8 0 13-5t5-13z" horiz-adv-x="1000" /> + +<glyph glyph-name="user-plus" unicode="&#xf234;" d="M393 357q-89 0-152 63t-62 151 62 152 152 63 151-63 63-152-63-151-151-63z m536-71h196q7 0 13-6t5-12v-107q0-8-5-13t-13-5h-196v-197q0-7-6-12t-12-6h-107q-8 0-13 6t-5 12v197h-197q-7 0-12 5t-6 13v107q0 7 6 12t12 6h197v196q0 7 5 13t13 5h107q7 0 12-5t6-13v-196z m-411-125q0-29 21-51t50-21h143v-133q-38-28-95-28h-488q-67 0-108 39t-41 106q0 30 2 58t8 61 15 60 24 55 34 45 48 30 62 11q11 0 22-10 44-34 86-51t92-17 92 17 86 51q11 10 22 10 73 0 121-54h-125q-29 0-50-21t-21-50v-107z" horiz-adv-x="1142.9" /> +</font> +</defs> +</svg> +\ No newline at end of file diff --git a/priv/static/static/font/fontello.1600365488745.ttf b/priv/static/static/font/fontello.1600365488745.ttf Binary files differ. diff --git a/priv/static/static/font/fontello.1600365488745.woff b/priv/static/static/font/fontello.1600365488745.woff Binary files differ. diff --git a/priv/static/static/font/fontello.1600365488745.woff2 b/priv/static/static/font/fontello.1600365488745.woff2 Binary files differ. diff --git a/priv/static/static/fontello.1599568314856.css b/priv/static/static/fontello.1599568314856.css @@ -1,158 +0,0 @@ -@font-face { - font-family: "Icons"; - src: url("./font/fontello.1599568314856.eot"); - src: url("./font/fontello.1599568314856.eot") format("embedded-opentype"), - url("./font/fontello.1599568314856.woff2") format("woff2"), - url("./font/fontello.1599568314856.woff") format("woff"), - url("./font/fontello.1599568314856.ttf") format("truetype"), - url("./font/fontello.1599568314856.svg") format("svg"); - font-weight: normal; - font-style: normal; -} - -[class^="icon-"]::before, -[class*=" icon-"]::before { - font-family: "Icons"; - font-style: normal; - font-weight: normal; - speak: none; - display: inline-block; - text-decoration: inherit; - width: 1em; - margin-right: .2em; - text-align: center; - font-variant: normal; - text-transform: none; - line-height: 1em; - margin-left: .2em; - -webkit-font-smoothing: antialiased; - -moz-osx-font-smoothing: grayscale; -} - -.icon-spin4::before { content: "\e834"; } - -.icon-cancel::before { content: "\e800"; } - -.icon-upload::before { content: "\e801"; } - -.icon-spin3::before { content: "\e832"; } - -.icon-reply::before { content: "\f112"; } - -.icon-star::before { content: "\e802"; } - -.icon-star-empty::before { content: "\e803"; } - -.icon-retweet::before { content: "\e804"; } - -.icon-eye-off::before { content: "\e805"; } - -.icon-binoculars::before { content: "\f1e5"; } - -.icon-cog::before { content: "\e807"; } - -.icon-user-plus::before { content: "\f234"; } - -.icon-menu::before { content: "\f0c9"; } - -.icon-logout::before { content: "\e808"; } - -.icon-down-open::before { content: "\e809"; } - -.icon-attach::before { content: "\e80a"; } - -.icon-link-ext::before { content: "\f08e"; } - -.icon-link-ext-alt::before { content: "\f08f"; } - -.icon-picture::before { content: "\e80b"; } - -.icon-video::before { content: "\e80c"; } - -.icon-right-open::before { content: "\e80d"; } - -.icon-left-open::before { content: "\e80e"; } - -.icon-up-open::before { content: "\e80f"; } - -.icon-comment-empty::before { content: "\f0e5"; } - -.icon-mail-alt::before { content: "\f0e0"; } - -.icon-lock::before { content: "\e811"; } - -.icon-lock-open-alt::before { content: "\f13e"; } - -.icon-globe::before { content: "\e812"; } - -.icon-brush::before { content: "\e813"; } - -.icon-search::before { content: "\e806"; } - -.icon-adjust::before { content: "\e816"; } - -.icon-thumbs-up-alt::before { content: "\f164"; } - -.icon-attention::before { content: "\e814"; } - -.icon-plus-squared::before { content: "\f0fe"; } - -.icon-plus::before { content: "\e815"; } - -.icon-edit::before { content: "\e817"; } - -.icon-play-circled::before { content: "\f144"; } - -.icon-pencil::before { content: "\e818"; } - -.icon-chart-bar::before { content: "\e81b"; } - -.icon-smile::before { content: "\f118"; } - -.icon-bell-alt::before { content: "\f0f3"; } - -.icon-wrench::before { content: "\e81a"; } - -.icon-pin::before { content: "\e819"; } - -.icon-ellipsis::before { content: "\f141"; } - -.icon-bell-ringing-o::before { content: "\e810"; } - -.icon-zoom-in::before { content: "\e81c"; } - -.icon-gauge::before { content: "\f0e4"; } - -.icon-users::before { content: "\e81d"; } - -.icon-info-circled::before { content: "\e81f"; } - -.icon-home-2::before { content: "\e821"; } - -.icon-chat::before { content: "\e81e"; } - -.icon-login::before { content: "\e820"; } - -.icon-arrow-curved::before { content: "\e822"; } - -.icon-link::before { content: "\e823"; } - -.icon-share::before { content: "\f1e0"; } - -.icon-user::before { content: "\e824"; } - -.icon-ok::before { content: "\e827"; } - -.icon-filter::before { content: "\f0b0"; } - -.icon-download::before { content: "\e825"; } - -.icon-bookmark::before { content: "\e826"; } - -.icon-bookmark-empty::before { content: "\f097"; } - -.icon-music::before { content: "\e828"; } - -.icon-doc::before { content: "\e829"; } - -.icon-block::before { content: "\e82a"; } diff --git a/priv/static/static/fontello.1600365488745.css b/priv/static/static/fontello.1600365488745.css @@ -0,0 +1,160 @@ +@font-face { + font-family: "Icons"; + src: url("./font/fontello.1600365488745.eot"); + src: url("./font/fontello.1600365488745.eot") format("embedded-opentype"), + url("./font/fontello.1600365488745.woff2") format("woff2"), + url("./font/fontello.1600365488745.woff") format("woff"), + url("./font/fontello.1600365488745.ttf") format("truetype"), + url("./font/fontello.1600365488745.svg") format("svg"); + font-weight: normal; + font-style: normal; +} + +[class^="icon-"]::before, +[class*=" icon-"]::before { + font-family: "Icons"; + font-style: normal; + font-weight: normal; + speak: none; + display: inline-block; + text-decoration: inherit; + width: 1em; + margin-right: .2em; + text-align: center; + font-variant: normal; + text-transform: none; + line-height: 1em; + margin-left: .2em; + -webkit-font-smoothing: antialiased; + -moz-osx-font-smoothing: grayscale; +} + +.icon-spin4::before { content: "\e834"; } + +.icon-cancel::before { content: "\e800"; } + +.icon-upload::before { content: "\e801"; } + +.icon-spin3::before { content: "\e832"; } + +.icon-reply::before { content: "\f112"; } + +.icon-star::before { content: "\e802"; } + +.icon-star-empty::before { content: "\e803"; } + +.icon-retweet::before { content: "\e804"; } + +.icon-eye-off::before { content: "\e805"; } + +.icon-binoculars::before { content: "\f1e5"; } + +.icon-cog::before { content: "\e807"; } + +.icon-user-plus::before { content: "\f234"; } + +.icon-menu::before { content: "\f0c9"; } + +.icon-logout::before { content: "\e808"; } + +.icon-down-open::before { content: "\e809"; } + +.icon-attach::before { content: "\e80a"; } + +.icon-link-ext::before { content: "\f08e"; } + +.icon-link-ext-alt::before { content: "\f08f"; } + +.icon-picture::before { content: "\e80b"; } + +.icon-video::before { content: "\e80c"; } + +.icon-right-open::before { content: "\e80d"; } + +.icon-left-open::before { content: "\e80e"; } + +.icon-up-open::before { content: "\e80f"; } + +.icon-comment-empty::before { content: "\f0e5"; } + +.icon-mail-alt::before { content: "\f0e0"; } + +.icon-lock::before { content: "\e811"; } + +.icon-lock-open-alt::before { content: "\f13e"; } + +.icon-globe::before { content: "\e812"; } + +.icon-brush::before { content: "\e813"; } + +.icon-search::before { content: "\e806"; } + +.icon-adjust::before { content: "\e816"; } + +.icon-thumbs-up-alt::before { content: "\f164"; } + +.icon-attention::before { content: "\e814"; } + +.icon-plus-squared::before { content: "\f0fe"; } + +.icon-plus::before { content: "\e815"; } + +.icon-edit::before { content: "\e817"; } + +.icon-play-circled::before { content: "\f144"; } + +.icon-pencil::before { content: "\e818"; } + +.icon-chart-bar::before { content: "\e81b"; } + +.icon-smile::before { content: "\f118"; } + +.icon-bell-alt::before { content: "\f0f3"; } + +.icon-wrench::before { content: "\e81a"; } + +.icon-pin::before { content: "\e819"; } + +.icon-ellipsis::before { content: "\f141"; } + +.icon-bell-ringing-o::before { content: "\e810"; } + +.icon-zoom-in::before { content: "\e81c"; } + +.icon-gauge::before { content: "\f0e4"; } + +.icon-users::before { content: "\e81d"; } + +.icon-info-circled::before { content: "\e81f"; } + +.icon-home-2::before { content: "\e821"; } + +.icon-chat::before { content: "\e81e"; } + +.icon-login::before { content: "\e820"; } + +.icon-arrow-curved::before { content: "\e822"; } + +.icon-link::before { content: "\e823"; } + +.icon-share::before { content: "\f1e0"; } + +.icon-user::before { content: "\e824"; } + +.icon-ok::before { content: "\e827"; } + +.icon-filter::before { content: "\f0b0"; } + +.icon-download::before { content: "\e825"; } + +.icon-bookmark::before { content: "\e826"; } + +.icon-bookmark-empty::before { content: "\f097"; } + +.icon-music::before { content: "\e828"; } + +.icon-doc::before { content: "\e829"; } + +.icon-block::before { content: "\e82a"; } + +.icon-megaphone::before { content: "\e82b"; } diff --git a/priv/static/static/fontello.json b/priv/static/static/fontello.json @@ -405,6 +405,12 @@ "css": "block", "code": 59434, "src": "fontawesome" + }, + { + "uid": "3e674995cacc2b09692c096ea7eb6165", + "css": "megaphone", + "code": 59435, + "src": "fontawesome" } ] } \ No newline at end of file diff --git a/priv/static/static/js/2.c92f4803ff24726cea58.js b/priv/static/static/js/2.c92f4803ff24726cea58.js @@ -1,2 +0,0 @@ -(window.webpackJsonp=window.webpackJsonp||[]).push([[2],{591:function(t,e,s){var a=s(592);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("a45e17ec",a,!0,{})},592:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".settings_tab-switcher{height:100%}.settings_tab-switcher .setting-item{border-bottom:2px solid var(--fg,#182230);margin:1em 1em 1.4em;padding-bottom:1.4em}.settings_tab-switcher .setting-item>div{margin-bottom:.5em}.settings_tab-switcher .setting-item>div:last-child{margin-bottom:0}.settings_tab-switcher .setting-item:last-child{border-bottom:none;padding-bottom:0;margin-bottom:1em}.settings_tab-switcher .setting-item select{min-width:10em}.settings_tab-switcher .setting-item textarea{width:100%;max-width:100%;height:100px}.settings_tab-switcher .setting-item .unavailable,.settings_tab-switcher .setting-item .unavailable i{color:var(--cRed,red);color:red}.settings_tab-switcher .setting-item .number-input{max-width:6em}",""])},593:function(t,e,s){var a=s(594);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("5bed876c",a,!0,{})},594:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".importer-uploading{font-size:1.5em;margin:.25em}",""])},595:function(t,e,s){var a=s(596);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("432fc7c6",a,!0,{})},596:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".exporter-processing{font-size:1.5em;margin:.25em}",""])},597:function(t,e,s){var a=s(598);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("33ca0d90",a,!0,{})},598:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".mutes-and-blocks-tab{height:100%}.mutes-and-blocks-tab .usersearch-wrapper{padding:1em}.mutes-and-blocks-tab .bulk-actions{text-align:right;padding:0 1em;min-height:28px}.mutes-and-blocks-tab .bulk-action-button{width:10em}.mutes-and-blocks-tab .domain-mute-form{padding:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.mutes-and-blocks-tab .domain-mute-button{-ms-flex-item-align:end;align-self:flex-end;margin-top:1em;width:10em}",""])},599:function(t,e,s){var a=s(600);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("3a9ec1bf",a,!0,{})},600:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".autosuggest{position:relative}.autosuggest-input{display:block;width:100%}.autosuggest-results{position:absolute;left:0;top:100%;right:0;max-height:400px;background-color:#121a24;background-color:var(--bg,#121a24);border-color:#222;border:1px solid var(--border,#222);border-radius:4px;border-radius:var(--inputRadius,4px);border-top-left-radius:0;border-top-right-radius:0;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);overflow-y:auto;z-index:1}",""])},601:function(t,e,s){var a=s(602);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("211aa67c",a,!0,{})},602:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".block-card-content-container{margin-top:.5em;text-align:right}.block-card-content-container button{width:10em}",""])},603:function(t,e,s){var a=s(604);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("7ea980e0",a,!0,{})},604:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".mute-card-content-container{margin-top:.5em;text-align:right}.mute-card-content-container button{width:10em}",""])},605:function(t,e,s){var a=s(606);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("39a942c3",a,!0,{})},606:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".domain-mute-card{-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-align:center;align-items:center;padding:.6em 1em .6em 0}.domain-mute-card-domain{margin-right:1em;overflow:hidden;text-overflow:ellipsis}.domain-mute-card button{width:10em}.autosuggest-results .domain-mute-card{padding-left:1em}",""])},607:function(t,e,s){var a=s(608);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("3724291e",a,!0,{})},608:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".selectable-list-item-inner{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.selectable-list-item-inner>*{min-width:0}.selectable-list-item-selected-inner{background-color:#151e2a;background-color:var(--selectedMenu,#151e2a);color:var(--selectedMenuText,#b9b9ba);--faint:var(--selectedMenuFaintText,$fallback--faint);--faintLink:var(--selectedMenuFaintLink,$fallback--faint);--lightText:var(--selectedMenuLightText,$fallback--lightText);--icon:var(--selectedMenuIcon,$fallback--icon)}.selectable-list-header{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;padding:.6em 0;border-bottom:2px solid;border-bottom-color:#222;border-bottom-color:var(--border,#222)}.selectable-list-header-actions{-ms-flex:1;flex:1}.selectable-list-checkbox-wrapper{padding:0 10px;-ms-flex:none;flex:none}",""])},609:function(t,e,s){},613:function(t,e,s){var a=s(614);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("a588473e",a,!0,{})},614:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".mfa-settings .method-item,.mfa-settings .mfa-heading{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-align:baseline;align-items:baseline}.mfa-settings .warning{color:orange;color:var(--cOrange,orange)}.mfa-settings .setup-otp{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-wrap:wrap;flex-wrap:wrap}.mfa-settings .setup-otp .qr-code{-ms-flex:1;flex:1;padding-right:10px}.mfa-settings .setup-otp .verify{-ms-flex:1;flex:1}.mfa-settings .setup-otp .error{margin:4px 0 0}.mfa-settings .setup-otp .confirm-otp-actions button{width:15em;margin-top:5px}",""])},615:function(t,e,s){var a=s(616);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("4065bf15",a,!0,{})},616:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".mfa-backup-codes .warning{color:orange;color:var(--cOrange,orange)}.mfa-backup-codes .backup-codes{font-family:var(--postCodeFont,monospace)}",""])},618:function(t,e,s){var a=s(619);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("27925ae8",a,!0,{})},619:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".profile-tab .bio{margin:0}.profile-tab .visibility-tray{padding-top:5px}.profile-tab input[type=file]{padding:5px;height:auto}.profile-tab .banner-background-preview{max-width:100%;width:300px;position:relative}.profile-tab .banner-background-preview img{width:100%}.profile-tab .uploading{font-size:1.5em;margin:.25em}.profile-tab .name-changer{width:100%}.profile-tab .current-avatar-container{position:relative;width:150px;height:150px}.profile-tab .current-avatar{display:block;width:100%;height:100%;border-radius:4px;border-radius:var(--avatarRadius,4px)}.profile-tab .reset-button{position:absolute;top:.2em;right:.2em;border-radius:5px;border-radius:var(--tooltipRadius,5px);background-color:rgba(0,0,0,.6);opacity:.7;color:#fff;width:1.5em;height:1.5em;text-align:center;line-height:1.5em;font-size:1.5em;cursor:pointer}.profile-tab .reset-button:hover{opacity:1}.profile-tab .oauth-tokens{width:100%}.profile-tab .oauth-tokens th{text-align:left}.profile-tab .oauth-tokens .actions{text-align:right}.profile-tab-usersearch-wrapper{padding:1em}.profile-tab-bulk-actions{text-align:right;padding:0 1em;min-height:28px}.profile-tab-bulk-actions button{width:10em}.profile-tab-domain-mute-form{padding:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.profile-tab-domain-mute-form button{-ms-flex-item-align:end;align-self:flex-end;margin-top:1em;width:10em}.profile-tab .setting-subitem{margin-left:1.75em}.profile-tab .profile-fields{display:-ms-flexbox;display:flex}.profile-tab .profile-fields>.emoji-input{-ms-flex:1 1 auto;flex:1 1 auto;margin:0 .2em .5em;min-width:0}.profile-tab .profile-fields>.icon-container{width:20px}.profile-tab .profile-fields>.icon-container>.icon-cancel{vertical-align:sub}",""])},620:function(t,e,s){var a=s(621);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("0dfd0b33",a,!0,{})},621:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".image-cropper-img-input{display:none}.image-cropper-image-container{position:relative}.image-cropper-image-container img{display:block;max-width:100%}.image-cropper-buttons-wrapper{margin-top:10px}.image-cropper-buttons-wrapper button{margin-top:5px}",""])},624:function(t,e,s){var a=s(625);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("4fafab12",a,!0,{})},625:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".theme-tab{padding-bottom:2em}.theme-tab .theme-warning{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;margin-bottom:.5em}.theme-tab .theme-warning .buttons .btn{margin-bottom:.5em}.theme-tab .preset-switcher{margin-right:1em}.theme-tab .style-control{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;margin-bottom:5px}.theme-tab .style-control .label{-ms-flex:1;flex:1}.theme-tab .style-control.disabled input,.theme-tab .style-control.disabled select{opacity:.5}.theme-tab .style-control .opt{margin:.5em}.theme-tab .style-control .color-input{-ms-flex:0 0 0px;flex:0 0 0}.theme-tab .style-control input,.theme-tab .style-control select{min-width:3em;margin:0;-ms-flex:0;flex:0}.theme-tab .style-control input[type=number],.theme-tab .style-control select[type=number]{min-width:5em}.theme-tab .style-control input[type=range],.theme-tab .style-control select[type=range]{-ms-flex:1;flex:1;min-width:3em;-ms-flex-item-align:start;align-self:flex-start}.theme-tab .reset-container{-ms-flex-wrap:wrap;flex-wrap:wrap}.theme-tab .apply-container,.theme-tab .color-container,.theme-tab .fonts-container,.theme-tab .radius-container,.theme-tab .reset-container{display:-ms-flexbox;display:flex}.theme-tab .fonts-container,.theme-tab .radius-container{-ms-flex-direction:column;flex-direction:column}.theme-tab .color-container{-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:justify;justify-content:space-between}.theme-tab .color-container>h4{width:99%}.theme-tab .color-container,.theme-tab .fonts-container,.theme-tab .presets-container,.theme-tab .radius-container,.theme-tab .shadow-container{margin:1em 1em 0}.theme-tab .tab-header{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-align:baseline;align-items:baseline;width:100%;min-height:30px;margin-bottom:1em}.theme-tab .tab-header p{-ms-flex:1;flex:1;margin:0;margin-right:.5em}.theme-tab .tab-header-buttons{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.theme-tab .tab-header-buttons .btn{min-width:1px;-ms-flex:0 auto;flex:0 auto;padding:0 1em;margin-bottom:.5em}.theme-tab .shadow-selector .override{-ms-flex:1;flex:1;margin-left:.5em}.theme-tab .shadow-selector .select-container{margin-top:-4px;margin-bottom:-3px}.theme-tab .save-load,.theme-tab .save-load-options{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:baseline;align-items:baseline;-ms-flex-wrap:wrap;flex-wrap:wrap}.theme-tab .save-load-options .import-export,.theme-tab .save-load-options .presets,.theme-tab .save-load .import-export,.theme-tab .save-load .presets{margin-bottom:.5em}.theme-tab .save-load-options .import-export,.theme-tab .save-load .import-export{display:-ms-flexbox;display:flex}.theme-tab .save-load-options .override,.theme-tab .save-load .override{margin-left:.5em}.theme-tab .save-load-options{-ms-flex-wrap:wrap;flex-wrap:wrap;margin-top:.5em;-ms-flex-pack:center;justify-content:center}.theme-tab .save-load-options .keep-option{margin:0 .5em .5em;min-width:25%}.theme-tab .preview-container{border-top:1px dashed;border-bottom:1px dashed;border-color:#222;border-color:var(--border,#222);margin:1em 0;padding:1em;background:var(--body-background-image);background-size:cover;background-position:50% 50%}.theme-tab .preview-container .dummy .post{font-family:var(--postFont);display:-ms-flexbox;display:flex}.theme-tab .preview-container .dummy .post .content{-ms-flex:1;flex:1}.theme-tab .preview-container .dummy .post .content h4{margin-bottom:.25em}.theme-tab .preview-container .dummy .post .content .icons{margin-top:.5em;display:-ms-flexbox;display:flex}.theme-tab .preview-container .dummy .post .content .icons i{margin-right:1em}.theme-tab .preview-container .dummy .after-post{margin-top:1em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.theme-tab .preview-container .dummy .avatar,.theme-tab .preview-container .dummy .avatar-alt{background:linear-gradient(135deg,#b8e1fc,#a9d2f3 10%,#90bae4 25%,#90bcea 37%,#90bff0 50%,#6ba8e5 51%,#a2daf5 83%,#bdf3fd);color:#000;font-family:sans-serif;text-align:center;margin-right:1em}.theme-tab .preview-container .dummy .avatar-alt{-ms-flex:0 auto;flex:0 auto;margin-left:28px;font-size:12px;min-width:20px;min-height:20px;line-height:20px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.theme-tab .preview-container .dummy .avatar{-ms-flex:0 auto;flex:0 auto;width:48px;height:48px;font-size:14px;line-height:48px}.theme-tab .preview-container .dummy .actions{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline}.theme-tab .preview-container .dummy .actions .checkbox{display:-ms-inline-flexbox;display:inline-flex;-ms-flex-align:baseline;align-items:baseline;margin-right:1em;-ms-flex:1;flex:1}.theme-tab .preview-container .dummy .separator{margin:1em;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222)}.theme-tab .preview-container .dummy .panel-heading .alert,.theme-tab .preview-container .dummy .panel-heading .badge,.theme-tab .preview-container .dummy .panel-heading .btn,.theme-tab .preview-container .dummy .panel-heading .faint{margin-left:1em;white-space:nowrap}.theme-tab .preview-container .dummy .panel-heading .faint{text-overflow:ellipsis;min-width:2em;overflow-x:hidden}.theme-tab .preview-container .dummy .panel-heading .flex-spacer{-ms-flex:1;flex:1}.theme-tab .preview-container .dummy .btn{margin-left:0;padding:0 1em;min-width:3em;min-height:30px}.theme-tab .apply-container{-ms-flex-pack:center;justify-content:center}.theme-tab .color-item,.theme-tab .radius-item{min-width:20em;margin:5px 6px 0 0;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex:1 1 0px;flex:1 1 0}.theme-tab .color-item.wide,.theme-tab .radius-item.wide{min-width:60%}.theme-tab .color-item:not(.wide):nth-child(odd),.theme-tab .radius-item:not(.wide):nth-child(odd){margin-right:7px}.theme-tab .color-item .color,.theme-tab .color-item .opacity,.theme-tab .radius-item .color,.theme-tab .radius-item .opacity{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline}.theme-tab .radius-item{-ms-flex-preferred-size:auto;flex-basis:auto}.theme-tab .theme-color-cl,.theme-tab .theme-radius-rn{border:0;box-shadow:none;background:transparent;color:var(--faint,hsla(240,1%,73%,.5));-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.theme-tab .theme-color-cl,.theme-tab .theme-color-in,.theme-tab .theme-radius-in{margin-left:4px}.theme-tab .theme-radius-in{min-width:1em;max-width:7em;-ms-flex:1;flex:1}.theme-tab .theme-radius-lb{max-width:50em}.theme-tab .theme-preview-content{padding:20px}.theme-tab .apply-container .btn{min-height:28px;min-width:10em;padding:0 2em}.theme-tab .btn{margin-left:.25em;margin-right:.25em}",""])},626:function(t,e,s){var a=s(627);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("7e57f952",a,!0,{})},627:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,'.color-input,.color-input-field.input{display:-ms-inline-flexbox;display:inline-flex}.color-input-field.input{-ms-flex:0 0 0px;flex:0 0 0;max-width:9em;-ms-flex-align:stretch;align-items:stretch;padding:.2em 8px}.color-input-field.input input{background:none;color:#b9b9ba;color:var(--inputText,#b9b9ba);border:none;padding:0;margin:0}.color-input-field.input input.textColor{-ms-flex:1 0 3em;flex:1 0 3em;min-width:3em;padding:0}.color-input-field.input .computedIndicator,.color-input-field.input .transparentIndicator,.color-input-field.input input.nativeColor{-ms-flex:0 0 2em;flex:0 0 2em;min-width:2em;-ms-flex-item-align:center;-ms-grid-row-align:center;align-self:center;height:100%}.color-input-field.input .transparentIndicator{background-color:#f0f;position:relative}.color-input-field.input .transparentIndicator:after,.color-input-field.input .transparentIndicator:before{display:block;content:"";background-color:#000;position:absolute;height:50%;width:50%}.color-input-field.input .transparentIndicator:after{top:0;left:0}.color-input-field.input .transparentIndicator:before{bottom:0;right:0}.color-input .label{-ms-flex:1 1 auto;flex:1 1 auto}',""])},628:function(t,e,s){var a=s(629);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("6c632637",a,!0,{})},629:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".color-control input.text-input{max-width:7em;-ms-flex:1;flex:1}",""])},630:function(t,e,s){var a=s(631);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("d219da80",a,!0,{})},631:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".shadow-control{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:center;justify-content:center;margin-bottom:1em}.shadow-control .shadow-preview-container,.shadow-control .shadow-tweak{margin:5px 6px 0 0}.shadow-control .shadow-preview-container{-ms-flex:0;flex:0;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.shadow-control .shadow-preview-container input[type=number]{width:5em;min-width:2em}.shadow-control .shadow-preview-container .x-shift-control,.shadow-control .shadow-preview-container .y-shift-control{display:-ms-flexbox;display:flex;-ms-flex:0;flex:0}.shadow-control .shadow-preview-container .x-shift-control[disabled=disabled] *,.shadow-control .shadow-preview-container .y-shift-control[disabled=disabled] *{opacity:.5}.shadow-control .shadow-preview-container .x-shift-control{-ms-flex-align:start;align-items:flex-start}.shadow-control .shadow-preview-container .x-shift-control .wrap,.shadow-control .shadow-preview-container input[type=range]{margin:0;width:15em;height:2em}.shadow-control .shadow-preview-container .y-shift-control{-ms-flex-direction:column;flex-direction:column;-ms-flex-align:end;align-items:flex-end}.shadow-control .shadow-preview-container .y-shift-control .wrap{width:2em;height:15em}.shadow-control .shadow-preview-container .y-shift-control input[type=range]{transform-origin:1em 1em;transform:rotate(90deg)}.shadow-control .shadow-preview-container .preview-window{-ms-flex:1;flex:1;background-color:#999;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;background-image:linear-gradient(45deg,#666 25%,transparent 0),linear-gradient(-45deg,#666 25%,transparent 0),linear-gradient(45deg,transparent 75%,#666 0),linear-gradient(-45deg,transparent 75%,#666 0);background-size:20px 20px;background-position:0 0,0 10px,10px -10px,-10px 0;border-radius:4px;border-radius:var(--inputRadius,4px)}.shadow-control .shadow-preview-container .preview-window .preview-block{width:33%;height:33%;background-color:#121a24;background-color:var(--bg,#121a24);border-radius:10px;border-radius:var(--panelRadius,10px)}.shadow-control .shadow-tweak{-ms-flex:1;flex:1;min-width:280px}.shadow-control .shadow-tweak .id-control{-ms-flex-align:stretch;align-items:stretch}.shadow-control .shadow-tweak .id-control .btn,.shadow-control .shadow-tweak .id-control .select{min-width:1px;margin-right:5px}.shadow-control .shadow-tweak .id-control .btn{padding:0 .4em;margin:0 .1em}.shadow-control .shadow-tweak .id-control .select{-ms-flex:1;flex:1}.shadow-control .shadow-tweak .id-control .select select{-ms-flex-item-align:initial;-ms-grid-row-align:initial;align-self:auto}",""])},632:function(t,e,s){var a=s(633);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("d9c0acde",a,!0,{})},633:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".font-control input.custom-font{min-width:10em}.font-control.custom .select{border-top-right-radius:0;border-bottom-right-radius:0}.font-control.custom .custom-font{border-top-left-radius:0;border-bottom-left-radius:0}",""])},634:function(t,e,s){var a=s(635);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("b94bc120",a,!0,{})},635:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".contrast-ratio{display:-ms-flexbox;display:flex;-ms-flex-pack:end;justify-content:flex-end;margin-top:-4px;margin-bottom:5px}.contrast-ratio .label{margin-right:1em}.contrast-ratio .rating{display:inline-block;text-align:center}",""])},636:function(t,e,s){var a=s(637);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("66a4eaba",a,!0,{})},637:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".import-export-container{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-align:baseline;align-items:baseline;-ms-flex-pack:center;justify-content:center}",""])},638:function(t,e,s){var a=s(639);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("6fe23c76",a,!0,{})},639:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".preview-container{position:relative}.underlay-preview{position:absolute;top:0;bottom:0;left:10px;right:10px}",""])},641:function(t,e,s){"use strict";s.r(e);var a=s(141),n={props:{submitHandler:{type:Function,required:!0},submitButtonLabel:{type:String,default:function(){return this.$t("importer.submit")}},successMessage:{type:String,default:function(){return this.$t("importer.success")}},errorMessage:{type:String,default:function(){return this.$t("importer.error")}}},data:function(){return{file:null,error:!1,success:!1,submitting:!1}},methods:{change:function(){this.file=this.$refs.input.files[0]},submit:function(){var t=this;this.dismiss(),this.submitting=!0,this.submitHandler(this.file).then(function(){t.success=!0}).catch(function(){t.error=!0}).finally(function(){t.submitting=!1})},dismiss:function(){this.success=!1,this.error=!1}}},o=s(0);var i=function(t){s(593)},r=Object(o.a)(n,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"importer"},[s("form",[s("input",{ref:"input",attrs:{type:"file"},on:{change:t.change}})]),t._v(" "),t.submitting?s("i",{staticClass:"icon-spin4 animate-spin importer-uploading"}):s("button",{staticClass:"btn btn-default",on:{click:t.submit}},[t._v("\n "+t._s(t.submitButtonLabel)+"\n ")]),t._v(" "),t.success?s("div",[s("i",{staticClass:"icon-cross",on:{click:t.dismiss}}),t._v(" "),s("p",[t._v(t._s(t.successMessage))])]):t.error?s("div",[s("i",{staticClass:"icon-cross",on:{click:t.dismiss}}),t._v(" "),s("p",[t._v(t._s(t.errorMessage))])]):t._e()])},[],!1,i,null,null).exports,l={props:{getContent:{type:Function,required:!0},filename:{type:String,default:"export.csv"},exportButtonLabel:{type:String,default:function(){return this.$t("exporter.export")}},processingMessage:{type:String,default:function(){return this.$t("exporter.processing")}}},data:function(){return{processing:!1}},methods:{process:function(){var t=this;this.processing=!0,this.getContent().then(function(e){var s=document.createElement("a");s.setAttribute("href","data:text/plain;charset=utf-8,"+encodeURIComponent(e)),s.setAttribute("download",t.filename),s.style.display="none",document.body.appendChild(s),s.click(),document.body.removeChild(s),setTimeout(function(){t.processing=!1},2e3)})}}};var c=function(t){s(595)},u=Object(o.a)(l,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"exporter"},[t.processing?s("div",[s("i",{staticClass:"icon-spin4 animate-spin exporter-processing"}),t._v(" "),s("span",[t._v(t._s(t.processingMessage))])]):s("button",{staticClass:"btn btn-default",on:{click:t.process}},[t._v("\n "+t._s(t.exportButtonLabel)+"\n ")])])},[],!1,c,null,null).exports,d=s(54),p={data:function(){return{activeTab:"profile",newDomainToMute:""}},created:function(){this.$store.dispatch("fetchTokens")},components:{Importer:r,Exporter:u,Checkbox:d.a},computed:{user:function(){return this.$store.state.users.currentUser}},methods:{getFollowsContent:function(){return this.$store.state.api.backendInteractor.exportFriends({id:this.$store.state.users.currentUser.id}).then(this.generateExportableUsersContent)},getBlocksContent:function(){return this.$store.state.api.backendInteractor.fetchBlocks().then(this.generateExportableUsersContent)},importFollows:function(t){return this.$store.state.api.backendInteractor.importFollows({file:t}).then(function(t){if(!t)throw new Error("failed")})},importBlocks:function(t){return this.$store.state.api.backendInteractor.importBlocks({file:t}).then(function(t){if(!t)throw new Error("failed")})},generateExportableUsersContent:function(t){return t.map(function(t){return t&&t.is_local?t.screen_name+"@"+location.hostname:t.screen_name}).join("\n")}}},m=Object(o.a)(p,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{attrs:{label:t.$t("settings.data_import_export_tab")}},[s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.follow_import")))]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.import_followers_from_a_csv_file")))]),t._v(" "),s("Importer",{attrs:{"submit-handler":t.importFollows,"success-message":t.$t("settings.follows_imported"),"error-message":t.$t("settings.follow_import_error")}})],1),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.follow_export")))]),t._v(" "),s("Exporter",{attrs:{"get-content":t.getFollowsContent,filename:"friends.csv","export-button-label":t.$t("settings.follow_export_button")}})],1),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.block_import")))]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.import_blocks_from_a_csv_file")))]),t._v(" "),s("Importer",{attrs:{"submit-handler":t.importBlocks,"success-message":t.$t("settings.blocks_imported"),"error-message":t.$t("settings.block_import_error")}})],1),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.block_export")))]),t._v(" "),s("Exporter",{attrs:{"get-content":t.getBlocksContent,filename:"blocks.csv","export-button-label":t.$t("settings.block_export_button")}})],1)])},[],!1,null,null,null).exports,v=s(12),h=s.n(v),b=s(15),f=s.n(b),g=s(189),_=s.n(g),w={props:{query:{type:Function,required:!0},filter:{type:Function},placeholder:{type:String,default:"Search..."}},data:function(){return{term:"",timeout:null,results:[],resultsVisible:!1}},computed:{filtered:function(){return this.filter?this.filter(this.results):this.results}},watch:{term:function(t){this.fetchResults(t)}},methods:{fetchResults:function(t){var e=this;clearTimeout(this.timeout),this.timeout=setTimeout(function(){e.results=[],t&&e.query(t).then(function(t){e.results=t})},500)},onInputClick:function(){this.resultsVisible=!0},onClickOutside:function(){this.resultsVisible=!1}}};var C=function(t){s(599)},x=Object(o.a)(w,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{directives:[{name:"click-outside",rawName:"v-click-outside",value:t.onClickOutside,expression:"onClickOutside"}],staticClass:"autosuggest"},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.term,expression:"term"}],staticClass:"autosuggest-input",attrs:{placeholder:t.placeholder},domProps:{value:t.term},on:{click:t.onInputClick,input:function(e){e.target.composing||(t.term=e.target.value)}}}),t._v(" "),t.resultsVisible&&t.filtered.length>0?s("div",{staticClass:"autosuggest-results"},[t._l(t.filtered,function(e){return t._t("default",null,{item:e})})],2):t._e()])},[],!1,C,null,null).exports,k=s(38),y={props:["userId"],data:function(){return{progress:!1}},computed:{user:function(){return this.$store.getters.findUser(this.userId)},relationship:function(){return this.$store.getters.relationship(this.userId)},blocked:function(){return this.relationship.blocking}},components:{BasicUserCard:k.a},methods:{unblockUser:function(){var t=this;this.progress=!0,this.$store.dispatch("unblockUser",this.user.id).then(function(){t.progress=!1})},blockUser:function(){var t=this;this.progress=!0,this.$store.dispatch("blockUser",this.user.id).then(function(){t.progress=!1})}}};var $=function(t){s(601)},L=Object(o.a)(y,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("basic-user-card",{attrs:{user:t.user}},[s("div",{staticClass:"block-card-content-container"},[t.blocked?s("button",{staticClass:"btn btn-default",attrs:{disabled:t.progress},on:{click:t.unblockUser}},[t.progress?[t._v("\n "+t._s(t.$t("user_card.unblock_progress"))+"\n ")]:[t._v("\n "+t._s(t.$t("user_card.unblock"))+"\n ")]],2):s("button",{staticClass:"btn btn-default",attrs:{disabled:t.progress},on:{click:t.blockUser}},[t.progress?[t._v("\n "+t._s(t.$t("user_card.block_progress"))+"\n ")]:[t._v("\n "+t._s(t.$t("user_card.block"))+"\n ")]],2)])])},[],!1,$,null,null).exports,T={props:["userId"],data:function(){return{progress:!1}},computed:{user:function(){return this.$store.getters.findUser(this.userId)},relationship:function(){return this.$store.getters.relationship(this.userId)},muted:function(){return this.relationship.muting}},components:{BasicUserCard:k.a},methods:{unmuteUser:function(){var t=this;this.progress=!0,this.$store.dispatch("unmuteUser",this.userId).then(function(){t.progress=!1})},muteUser:function(){var t=this;this.progress=!0,this.$store.dispatch("muteUser",this.userId).then(function(){t.progress=!1})}}};var O=function(t){s(603)},P=Object(o.a)(T,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("basic-user-card",{attrs:{user:t.user}},[s("div",{staticClass:"mute-card-content-container"},[t.muted?s("button",{staticClass:"btn btn-default",attrs:{disabled:t.progress},on:{click:t.unmuteUser}},[t.progress?[t._v("\n "+t._s(t.$t("user_card.unmute_progress"))+"\n ")]:[t._v("\n "+t._s(t.$t("user_card.unmute"))+"\n ")]],2):s("button",{staticClass:"btn btn-default",attrs:{disabled:t.progress},on:{click:t.muteUser}},[t.progress?[t._v("\n "+t._s(t.$t("user_card.mute_progress"))+"\n ")]:[t._v("\n "+t._s(t.$t("user_card.mute"))+"\n ")]],2)])])},[],!1,O,null,null).exports,S=s(78),I={props:["domain"],components:{ProgressButton:S.a},computed:{user:function(){return this.$store.state.users.currentUser},muted:function(){return this.user.domainMutes.includes(this.domain)}},methods:{unmuteDomain:function(){return this.$store.dispatch("unmuteDomain",this.domain)},muteDomain:function(){return this.$store.dispatch("muteDomain",this.domain)}}};var j=function(t){s(605)},E=Object(o.a)(I,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"domain-mute-card"},[s("div",{staticClass:"domain-mute-card-domain"},[t._v("\n "+t._s(t.domain)+"\n ")]),t._v(" "),t.muted?s("ProgressButton",{staticClass:"btn btn-default",attrs:{click:t.unmuteDomain}},[t._v("\n "+t._s(t.$t("domain_mute_card.unmute"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("domain_mute_card.unmute_progress"))+"\n ")])],2):s("ProgressButton",{staticClass:"btn btn-default",attrs:{click:t.muteDomain}},[t._v("\n "+t._s(t.$t("domain_mute_card.mute"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("domain_mute_card.mute_progress"))+"\n ")])],2)],1)},[],!1,j,null,null).exports,R={components:{List:s(52).a,Checkbox:d.a},props:{items:{type:Array,default:function(){return[]}},getKey:{type:Function,default:function(t){return t.id}}},data:function(){return{selected:[]}},computed:{allKeys:function(){return this.items.map(this.getKey)},filteredSelected:function(){var t=this;return this.allKeys.filter(function(e){return-1!==t.selected.indexOf(e)})},allSelected:function(){return this.filteredSelected.length===this.items.length},noneSelected:function(){return 0===this.filteredSelected.length},someSelected:function(){return!this.allSelected&&!this.noneSelected}},methods:{isSelected:function(t){return-1!==this.filteredSelected.indexOf(this.getKey(t))},toggle:function(t,e){var s=this.getKey(e);t!==this.isSelected(s)&&(t?this.selected.push(s):this.selected.splice(this.selected.indexOf(s),1))},toggleAll:function(t){this.selected=t?this.allKeys.slice(0):[]}}};var B=function(t){s(607)},F=Object(o.a)(R,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"selectable-list"},[t.items.length>0?s("div",{staticClass:"selectable-list-header"},[s("div",{staticClass:"selectable-list-checkbox-wrapper"},[s("Checkbox",{attrs:{checked:t.allSelected,indeterminate:t.someSelected},on:{change:t.toggleAll}},[t._v("\n "+t._s(t.$t("selectable_list.select_all"))+"\n ")])],1),t._v(" "),s("div",{staticClass:"selectable-list-header-actions"},[t._t("header",null,{selected:t.filteredSelected})],2)]):t._e(),t._v(" "),s("List",{attrs:{items:t.items,"get-key":t.getKey},scopedSlots:t._u([{key:"item",fn:function(e){var a=e.item;return[s("div",{staticClass:"selectable-list-item-inner",class:{"selectable-list-item-selected-inner":t.isSelected(a)}},[s("div",{staticClass:"selectable-list-checkbox-wrapper"},[s("Checkbox",{attrs:{checked:t.isSelected(a)},on:{change:function(e){return t.toggle(e,a)}}})],1),t._v(" "),t._t("item",null,{item:a})],2)]}}],null,!0)},[t._v(" "),s("template",{slot:"empty"},[t._t("empty")],2)],2)],1)},[],!1,B,null,null).exports,M=s(190),U=s.n(M),V=s(7),A=s.n(V),D=s(1),N=s.n(D),W=s(10),z=s.n(W),q=s(6),G=s.n(q),H=s(191),K=s.n(H),J=s(192);s(609);function Q(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}function X(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?Q(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):Q(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}var Y=function(t){var e=t.fetch,s=t.select,a=t.childPropName,n=void 0===a?"content":a,o=t.additionalPropNames,i=void 0===o?[]:o;return function(t){var a=Object.keys(Object(J.a)(t)).filter(function(t){return t!==n}).concat(i);return G.a.component("withSubscription",{props:[].concat(z()(a),["refresh"]),data:function(){return{loading:!1,error:!1}},computed:{fetchedData:function(){return s(this.$props,this.$store)}},created:function(){(this.refresh||K()(this.fetchedData))&&this.fetchData()},methods:{fetchData:function(){var t=this;this.loading||(this.loading=!0,this.error=!1,e(this.$props,this.$store).then(function(){t.loading=!1}).catch(function(){t.error=!0,t.loading=!1}))}},render:function(e){if(this.error||this.loading)return e("div",{class:"with-subscription-loading"},[this.error?e("a",{on:{click:this.fetchData},class:"alert error"},[this.$t("general.generic_error")]):e("i",{class:"icon-spin3 animate-spin"})]);var s={props:X({},this.$props,N()({},n,this.fetchedData)),on:this.$listeners,scopedSlots:this.$scopedSlots},a=Object.entries(this.$slots).map(function(t){var s=A()(t,2),a=s[0],n=s[1];return e("template",{slot:a},n)});return e("div",{class:"with-subscription"},[e(t,U()([{},s]),[a])])}})}},Z=Y({fetch:function(t,e){return e.dispatch("fetchBlocks")},select:function(t,e){return h()(e.state.users.currentUser,"blockIds",[])},childPropName:"items"})(F),tt=Y({fetch:function(t,e){return e.dispatch("fetchMutes")},select:function(t,e){return h()(e.state.users.currentUser,"muteIds",[])},childPropName:"items"})(F),et=Y({fetch:function(t,e){return e.dispatch("fetchDomainMutes")},select:function(t,e){return h()(e.state.users.currentUser,"domainMutes",[])},childPropName:"items"})(F),st={data:function(){return{activeTab:"profile"}},created:function(){this.$store.dispatch("fetchTokens"),this.$store.dispatch("getKnownDomains")},components:{TabSwitcher:a.a,BlockList:Z,MuteList:tt,DomainMuteList:et,BlockCard:L,MuteCard:P,DomainMuteCard:E,ProgressButton:S.a,Autosuggest:x,Checkbox:d.a},computed:{knownDomains:function(){return this.$store.state.instance.knownDomains},user:function(){return this.$store.state.users.currentUser}},methods:{importFollows:function(t){return this.$store.state.api.backendInteractor.importFollows({file:t}).then(function(t){if(!t)throw new Error("failed")})},importBlocks:function(t){return this.$store.state.api.backendInteractor.importBlocks({file:t}).then(function(t){if(!t)throw new Error("failed")})},generateExportableUsersContent:function(t){return t.map(function(t){return t&&t.is_local?t.screen_name+"@"+location.hostname:t.screen_name}).join("\n")},activateTab:function(t){this.activeTab=t},filterUnblockedUsers:function(t){var e=this;return _()(t,function(t){return e.$store.getters.relationship(e.userId).blocking||t===e.user.id})},filterUnMutedUsers:function(t){var e=this;return _()(t,function(t){return e.$store.getters.relationship(e.userId).muting||t===e.user.id})},queryUserIds:function(t){return this.$store.dispatch("searchUsers",{query:t}).then(function(t){return f()(t,"id")})},blockUsers:function(t){return this.$store.dispatch("blockUsers",t)},unblockUsers:function(t){return this.$store.dispatch("unblockUsers",t)},muteUsers:function(t){return this.$store.dispatch("muteUsers",t)},unmuteUsers:function(t){return this.$store.dispatch("unmuteUsers",t)},filterUnMutedDomains:function(t){var e=this;return t.filter(function(t){return!e.user.domainMutes.includes(t)})},queryKnownDomains:function(t){var e=this;return new Promise(function(s,a){s(e.knownDomains.filter(function(e){return e.toLowerCase().includes(t)}))})},unmuteDomains:function(t){return this.$store.dispatch("unmuteDomains",t)}}};var at=function(t){s(597)},nt=Object(o.a)(st,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("tab-switcher",{staticClass:"mutes-and-blocks-tab",attrs:{"scrollable-tabs":!0}},[s("div",{attrs:{label:t.$t("settings.blocks_tab")}},[s("div",{staticClass:"usersearch-wrapper"},[s("Autosuggest",{attrs:{filter:t.filterUnblockedUsers,query:t.queryUserIds,placeholder:t.$t("settings.search_user_to_block")},scopedSlots:t._u([{key:"default",fn:function(t){return s("BlockCard",{attrs:{"user-id":t.item}})}}])})],1),t._v(" "),s("BlockList",{attrs:{refresh:!0,"get-key":function(t){return t}},scopedSlots:t._u([{key:"header",fn:function(e){var a=e.selected;return[s("div",{staticClass:"bulk-actions"},[a.length>0?s("ProgressButton",{staticClass:"btn btn-default bulk-action-button",attrs:{click:function(){return t.blockUsers(a)}}},[t._v("\n "+t._s(t.$t("user_card.block"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("user_card.block_progress"))+"\n ")])],2):t._e(),t._v(" "),a.length>0?s("ProgressButton",{staticClass:"btn btn-default",attrs:{click:function(){return t.unblockUsers(a)}}},[t._v("\n "+t._s(t.$t("user_card.unblock"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("user_card.unblock_progress"))+"\n ")])],2):t._e()],1)]}},{key:"item",fn:function(t){var e=t.item;return[s("BlockCard",{attrs:{"user-id":e}})]}}])},[t._v(" "),t._v(" "),s("template",{slot:"empty"},[t._v("\n "+t._s(t.$t("settings.no_blocks"))+"\n ")])],2)],1),t._v(" "),s("div",{attrs:{label:t.$t("settings.mutes_tab")}},[s("tab-switcher",[s("div",{attrs:{label:"Users"}},[s("div",{staticClass:"usersearch-wrapper"},[s("Autosuggest",{attrs:{filter:t.filterUnMutedUsers,query:t.queryUserIds,placeholder:t.$t("settings.search_user_to_mute")},scopedSlots:t._u([{key:"default",fn:function(t){return s("MuteCard",{attrs:{"user-id":t.item}})}}])})],1),t._v(" "),s("MuteList",{attrs:{refresh:!0,"get-key":function(t){return t}},scopedSlots:t._u([{key:"header",fn:function(e){var a=e.selected;return[s("div",{staticClass:"bulk-actions"},[a.length>0?s("ProgressButton",{staticClass:"btn btn-default",attrs:{click:function(){return t.muteUsers(a)}}},[t._v("\n "+t._s(t.$t("user_card.mute"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("user_card.mute_progress"))+"\n ")])],2):t._e(),t._v(" "),a.length>0?s("ProgressButton",{staticClass:"btn btn-default",attrs:{click:function(){return t.unmuteUsers(a)}}},[t._v("\n "+t._s(t.$t("user_card.unmute"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("user_card.unmute_progress"))+"\n ")])],2):t._e()],1)]}},{key:"item",fn:function(t){var e=t.item;return[s("MuteCard",{attrs:{"user-id":e}})]}}])},[t._v(" "),t._v(" "),s("template",{slot:"empty"},[t._v("\n "+t._s(t.$t("settings.no_mutes"))+"\n ")])],2)],1),t._v(" "),s("div",{attrs:{label:t.$t("settings.domain_mutes")}},[s("div",{staticClass:"domain-mute-form"},[s("Autosuggest",{attrs:{filter:t.filterUnMutedDomains,query:t.queryKnownDomains,placeholder:t.$t("settings.type_domains_to_mute")},scopedSlots:t._u([{key:"default",fn:function(t){return s("DomainMuteCard",{attrs:{domain:t.item}})}}])})],1),t._v(" "),s("DomainMuteList",{attrs:{refresh:!0,"get-key":function(t){return t}},scopedSlots:t._u([{key:"header",fn:function(e){var a=e.selected;return[s("div",{staticClass:"bulk-actions"},[a.length>0?s("ProgressButton",{staticClass:"btn btn-default",attrs:{click:function(){return t.unmuteDomains(a)}}},[t._v("\n "+t._s(t.$t("domain_mute_card.unmute"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("domain_mute_card.unmute_progress"))+"\n ")])],2):t._e()],1)]}},{key:"item",fn:function(t){var e=t.item;return[s("DomainMuteCard",{attrs:{domain:e}})]}}])},[t._v(" "),t._v(" "),s("template",{slot:"empty"},[t._v("\n "+t._s(t.$t("settings.no_mutes"))+"\n ")])],2)],1)])],1)])},[],!1,at,null,null).exports,ot={data:function(){return{activeTab:"profile",notificationSettings:this.$store.state.users.currentUser.notification_settings,newDomainToMute:""}},components:{Checkbox:d.a},computed:{user:function(){return this.$store.state.users.currentUser}},methods:{updateNotificationSettings:function(){this.$store.state.api.backendInteractor.updateNotificationSettings({settings:this.notificationSettings})}}},it=Object(o.a)(ot,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{attrs:{label:t.$t("settings.notifications")}},[s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.notification_setting_filters")))]),t._v(" "),s("p",[s("Checkbox",{model:{value:t.notificationSettings.block_from_strangers,callback:function(e){t.$set(t.notificationSettings,"block_from_strangers",e)},expression:"notificationSettings.block_from_strangers"}},[t._v("\n "+t._s(t.$t("settings.notification_setting_block_from_strangers"))+"\n ")])],1)]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.notification_setting_privacy")))]),t._v(" "),s("p",[s("Checkbox",{model:{value:t.notificationSettings.hide_notification_contents,callback:function(e){t.$set(t.notificationSettings,"hide_notification_contents",e)},expression:"notificationSettings.hide_notification_contents"}},[t._v("\n "+t._s(t.$t("settings.notification_setting_hide_notification_contents"))+"\n ")])],1)]),t._v(" "),s("div",{staticClass:"setting-item"},[s("p",[t._v(t._s(t.$t("settings.notification_mutes")))]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.notification_blocks")))]),t._v(" "),s("button",{staticClass:"btn btn-default",on:{click:t.updateNotificationSettings}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")])])])},[],!1,null,null,null).exports,rt=s(610),lt=s.n(rt),ct=s(37),ut=s.n(ct),dt=s(95);function pt(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}function mt(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?pt(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):pt(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}var vt=function(){return mt({user:function(){return this.$store.state.users.currentUser}},dt.c.filter(function(t){return dt.d.includes(t)}).map(function(t){return[t+"DefaultValue",function(){return this.$store.getters.instanceDefaultConfig[t]}]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return mt({},t,N()({},a,n))},{}),{},dt.c.filter(function(t){return!dt.d.includes(t)}).map(function(t){return[t+"LocalizedValue",function(){return this.$t("settings.values."+this.$store.getters.instanceDefaultConfig[t])}]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return mt({},t,N()({},a,n))},{}),{},Object.keys(dt.b).map(function(t){return[t,{get:function(){return this.$store.getters.mergedConfig[t]},set:function(e){this.$store.dispatch("setOption",{name:t,value:e})}}]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return mt({},t,N()({},a,n))},{}),{useStreamingApi:{get:function(){return this.$store.getters.mergedConfig.useStreamingApi},set:function(t){var e=this;(t?this.$store.dispatch("enableMastoSockets"):this.$store.dispatch("disableMastoSockets")).then(function(){e.$store.dispatch("setOption",{name:"useStreamingApi",value:t})}).catch(function(t){console.error("Failed starting MastoAPI Streaming socket",t),e.$store.dispatch("disableMastoSockets"),e.$store.dispatch("setOption",{name:"useStreamingApi",value:!1})})}}})};function ht(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}var bt={data:function(){return{muteWordsStringLocal:this.$store.getters.mergedConfig.muteWords.join("\n")}},components:{Checkbox:d.a},computed:function(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?ht(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):ht(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}({},vt(),{muteWordsString:{get:function(){return this.muteWordsStringLocal},set:function(t){this.muteWordsStringLocal=t,this.$store.dispatch("setOption",{name:"muteWords",value:ut()(t.split("\n"),function(t){return lt()(t).length>0})})}}}),watch:{notificationVisibility:{handler:function(t){this.$store.dispatch("setOption",{name:"notificationVisibility",value:this.$store.getters.mergedConfig.notificationVisibility})},deep:!0},replyVisibility:function(){this.$store.dispatch("queueFlushAll")}}},ft=Object(o.a)(bt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{attrs:{label:t.$t("settings.filtering")}},[s("div",{staticClass:"setting-item"},[s("div",{staticClass:"select-multiple"},[s("span",{staticClass:"label"},[t._v(t._s(t.$t("settings.notification_visibility")))]),t._v(" "),s("ul",{staticClass:"option-list"},[s("li",[s("Checkbox",{model:{value:t.notificationVisibility.likes,callback:function(e){t.$set(t.notificationVisibility,"likes",e)},expression:"notificationVisibility.likes"}},[t._v("\n "+t._s(t.$t("settings.notification_visibility_likes"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.notificationVisibility.repeats,callback:function(e){t.$set(t.notificationVisibility,"repeats",e)},expression:"notificationVisibility.repeats"}},[t._v("\n "+t._s(t.$t("settings.notification_visibility_repeats"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.notificationVisibility.follows,callback:function(e){t.$set(t.notificationVisibility,"follows",e)},expression:"notificationVisibility.follows"}},[t._v("\n "+t._s(t.$t("settings.notification_visibility_follows"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.notificationVisibility.mentions,callback:function(e){t.$set(t.notificationVisibility,"mentions",e)},expression:"notificationVisibility.mentions"}},[t._v("\n "+t._s(t.$t("settings.notification_visibility_mentions"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.notificationVisibility.moves,callback:function(e){t.$set(t.notificationVisibility,"moves",e)},expression:"notificationVisibility.moves"}},[t._v("\n "+t._s(t.$t("settings.notification_visibility_moves"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.notificationVisibility.emojiReactions,callback:function(e){t.$set(t.notificationVisibility,"emojiReactions",e)},expression:"notificationVisibility.emojiReactions"}},[t._v("\n "+t._s(t.$t("settings.notification_visibility_emoji_reactions"))+"\n ")])],1)])]),t._v(" "),s("div",[t._v("\n "+t._s(t.$t("settings.replies_in_timeline"))+"\n "),s("label",{staticClass:"select",attrs:{for:"replyVisibility"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.replyVisibility,expression:"replyVisibility"}],attrs:{id:"replyVisibility"},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.replyVisibility=e.target.multiple?s:s[0]}}},[s("option",{attrs:{value:"all",selected:""}},[t._v(t._s(t.$t("settings.reply_visibility_all")))]),t._v(" "),s("option",{attrs:{value:"following"}},[t._v(t._s(t.$t("settings.reply_visibility_following")))]),t._v(" "),s("option",{attrs:{value:"self"}},[t._v(t._s(t.$t("settings.reply_visibility_self")))])]),t._v(" "),s("i",{staticClass:"icon-down-open"})])]),t._v(" "),s("div",[s("Checkbox",{model:{value:t.hidePostStats,callback:function(e){t.hidePostStats=e},expression:"hidePostStats"}},[t._v("\n "+t._s(t.$t("settings.hide_post_stats"))+" "+t._s(t.$t("settings.instance_default",{value:t.hidePostStatsLocalizedValue}))+"\n ")])],1),t._v(" "),s("div",[s("Checkbox",{model:{value:t.hideUserStats,callback:function(e){t.hideUserStats=e},expression:"hideUserStats"}},[t._v("\n "+t._s(t.$t("settings.hide_user_stats"))+" "+t._s(t.$t("settings.instance_default",{value:t.hideUserStatsLocalizedValue}))+"\n ")])],1)]),t._v(" "),s("div",{staticClass:"setting-item"},[s("div",[s("p",[t._v(t._s(t.$t("settings.filtering_explanation")))]),t._v(" "),s("textarea",{directives:[{name:"model",rawName:"v-model",value:t.muteWordsString,expression:"muteWordsString"}],attrs:{id:"muteWords"},domProps:{value:t.muteWordsString},on:{input:function(e){e.target.composing||(t.muteWordsString=e.target.value)}}})]),t._v(" "),s("div",[s("Checkbox",{model:{value:t.hideFilteredStatuses,callback:function(e){t.hideFilteredStatuses=e},expression:"hideFilteredStatuses"}},[t._v("\n "+t._s(t.$t("settings.hide_filtered_statuses"))+" "+t._s(t.$t("settings.instance_default",{value:t.hideFilteredStatusesLocalizedValue}))+"\n ")])],1)])])},[],!1,null,null,null).exports,gt=s(3),_t=s.n(gt),wt={props:{backupCodes:{type:Object,default:function(){return{inProgress:!1,codes:[]}}}},data:function(){return{}},computed:{inProgress:function(){return this.backupCodes.inProgress},ready:function(){return this.backupCodes.codes.length>0},displayTitle:function(){return this.inProgress||this.ready}}};var Ct=function(t){s(615)},xt=Object(o.a)(wt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"mfa-backup-codes"},[t.displayTitle?s("h4",[t._v("\n "+t._s(t.$t("settings.mfa.recovery_codes"))+"\n ")]):t._e(),t._v(" "),t.inProgress?s("i",[t._v(t._s(t.$t("settings.mfa.waiting_a_recovery_codes")))]):t._e(),t._v(" "),t.ready?[s("p",{staticClass:"alert warning"},[t._v("\n "+t._s(t.$t("settings.mfa.recovery_codes_warning"))+"\n ")]),t._v(" "),s("ul",{staticClass:"backup-codes"},t._l(t.backupCodes.codes,function(e){return s("li",{key:e},[t._v("\n "+t._s(e)+"\n ")])}),0)]:t._e()],2)},[],!1,Ct,null,null).exports,kt={props:["disabled"],data:function(){return{}},methods:{confirm:function(){this.$emit("confirm")},cancel:function(){this.$emit("cancel")}}},yt=Object(o.a)(kt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",[t._t("default"),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:t.disabled},on:{click:t.confirm}},[t._v("\n "+t._s(t.$t("general.confirm"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:t.disabled},on:{click:t.cancel}},[t._v("\n "+t._s(t.$t("general.cancel"))+"\n ")])],2)},[],!1,null,null,null).exports,$t=s(2);function Lt(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}var Tt={props:["settings"],data:function(){return{error:!1,currentPassword:"",deactivate:!1,inProgress:!1}},components:{confirm:yt},computed:function(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?Lt(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):Lt(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}({isActivated:function(){return this.settings.totp}},Object($t.e)({backendInteractor:function(t){return t.api.backendInteractor}})),methods:{doActivate:function(){this.$emit("activate")},cancelDeactivate:function(){this.deactivate=!1},doDeactivate:function(){this.error=null,this.deactivate=!0},confirmDeactivate:function(){var t=this;this.error=null,this.inProgress=!0,this.backendInteractor.mfaDisableOTP({password:this.currentPassword}).then(function(e){t.inProgress=!1,e.error?t.error=e.error:(t.deactivate=!1,t.$emit("deactivate"))})}}};function Ot(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}var Pt={data:function(){return{settings:{available:!1,enabled:!1,totp:!1},setupState:{state:"",setupOTPState:""},backupCodes:{getNewCodes:!1,inProgress:!1,codes:[]},otpSettings:{provisioning_uri:"",key:""},currentPassword:null,otpConfirmToken:null,error:null,readyInit:!1}},components:{"recovery-codes":xt,"totp-item":Object(o.a)(Tt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",[s("div",{staticClass:"method-item"},[s("strong",[t._v(t._s(t.$t("settings.mfa.otp")))]),t._v(" "),t.isActivated?t._e():s("button",{staticClass:"btn btn-default",on:{click:t.doActivate}},[t._v("\n "+t._s(t.$t("general.enable"))+"\n ")]),t._v(" "),t.isActivated?s("button",{staticClass:"btn btn-default",attrs:{disabled:t.deactivate},on:{click:t.doDeactivate}},[t._v("\n "+t._s(t.$t("general.disable"))+"\n ")]):t._e()]),t._v(" "),t.deactivate?s("confirm",{attrs:{disabled:t.inProgress},on:{confirm:t.confirmDeactivate,cancel:t.cancelDeactivate}},[t._v("\n "+t._s(t.$t("settings.enter_current_password_to_confirm"))+":\n "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.currentPassword,expression:"currentPassword"}],attrs:{type:"password"},domProps:{value:t.currentPassword},on:{input:function(e){e.target.composing||(t.currentPassword=e.target.value)}}})]):t._e(),t._v(" "),t.error?s("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.error)+"\n ")]):t._e()],1)},[],!1,null,null,null).exports,qrcode:s(617).a,confirm:yt},computed:function(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?Ot(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):Ot(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}({canSetupOTP:function(){return(this.setupInProgress&&this.backupCodesPrepared||this.settings.enabled)&&!this.settings.totp&&!this.setupOTPInProgress},setupInProgress:function(){return""!==this.setupState.state&&"complete"!==this.setupState.state},setupOTPInProgress:function(){return"setupOTP"===this.setupState.state&&!this.completedOTP},prepareOTP:function(){return"prepare"===this.setupState.setupOTPState},confirmOTP:function(){return"confirm"===this.setupState.setupOTPState},completedOTP:function(){return"completed"===this.setupState.setupOTPState},backupCodesPrepared:function(){return!this.backupCodes.inProgress&&this.backupCodes.codes.length>0},confirmNewBackupCodes:function(){return this.backupCodes.getNewCodes}},Object($t.e)({backendInteractor:function(t){return t.api.backendInteractor}})),methods:{activateOTP:function(){this.settings.enabled||(this.setupState.state="getBackupcodes",this.fetchBackupCodes())},fetchBackupCodes:function(){var t=this;return this.backupCodes.inProgress=!0,this.backupCodes.codes=[],this.backendInteractor.generateMfaBackupCodes().then(function(e){t.backupCodes.codes=e.codes,t.backupCodes.inProgress=!1})},getBackupCodes:function(){this.backupCodes.getNewCodes=!0},confirmBackupCodes:function(){var t=this;this.fetchBackupCodes().then(function(e){t.backupCodes.getNewCodes=!1})},cancelBackupCodes:function(){this.backupCodes.getNewCodes=!1},setupOTP:function(){var t=this;this.setupState.state="setupOTP",this.setupState.setupOTPState="prepare",this.backendInteractor.mfaSetupOTP().then(function(e){t.otpSettings=e,t.setupState.setupOTPState="confirm"})},doConfirmOTP:function(){var t=this;this.error=null,this.backendInteractor.mfaConfirmOTP({token:this.otpConfirmToken,password:this.currentPassword}).then(function(e){e.error?t.error=e.error:t.completeSetup()})},completeSetup:function(){this.setupState.setupOTPState="complete",this.setupState.state="complete",this.currentPassword=null,this.error=null,this.fetchSettings()},cancelSetup:function(){this.setupState.setupOTPState="",this.setupState.state="",this.currentPassword=null,this.error=null},fetchSettings:function(){var t;return _t.a.async(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,_t.a.awrap(this.backendInteractor.settingsMFA());case 2:if(!(t=e.sent).error){e.next=5;break}return e.abrupt("return");case 5:return this.settings=t.settings,this.settings.available=!0,e.abrupt("return",t);case 8:case"end":return e.stop()}},null,this)}},mounted:function(){var t=this;this.fetchSettings().then(function(){t.readyInit=!0})}};var St=function(t){s(613)},It=Object(o.a)(Pt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return t.readyInit&&t.settings.available?s("div",{staticClass:"setting-item mfa-settings"},[s("div",{staticClass:"mfa-heading"},[s("h2",[t._v(t._s(t.$t("settings.mfa.title")))])]),t._v(" "),s("div",[t.setupInProgress?t._e():s("div",{staticClass:"setting-item"},[s("h3",[t._v(t._s(t.$t("settings.mfa.authentication_methods")))]),t._v(" "),s("totp-item",{attrs:{settings:t.settings},on:{deactivate:t.fetchSettings,activate:t.activateOTP}}),t._v(" "),s("br"),t._v(" "),t.settings.enabled?s("div",[t.confirmNewBackupCodes?t._e():s("recovery-codes",{attrs:{"backup-codes":t.backupCodes}}),t._v(" "),t.confirmNewBackupCodes?t._e():s("button",{staticClass:"btn btn-default",on:{click:t.getBackupCodes}},[t._v("\n "+t._s(t.$t("settings.mfa.generate_new_recovery_codes"))+"\n ")]),t._v(" "),t.confirmNewBackupCodes?s("div",[s("confirm",{attrs:{disabled:t.backupCodes.inProgress},on:{confirm:t.confirmBackupCodes,cancel:t.cancelBackupCodes}},[s("p",{staticClass:"warning"},[t._v("\n "+t._s(t.$t("settings.mfa.warning_of_generate_new_codes"))+"\n ")])])],1):t._e()],1):t._e()],1),t._v(" "),t.setupInProgress?s("div",[s("h3",[t._v(t._s(t.$t("settings.mfa.setup_otp")))]),t._v(" "),t.setupOTPInProgress?t._e():s("recovery-codes",{attrs:{"backup-codes":t.backupCodes}}),t._v(" "),t.canSetupOTP?s("button",{staticClass:"btn btn-default",on:{click:t.cancelSetup}},[t._v("\n "+t._s(t.$t("general.cancel"))+"\n ")]):t._e(),t._v(" "),t.canSetupOTP?s("button",{staticClass:"btn btn-default",on:{click:t.setupOTP}},[t._v("\n "+t._s(t.$t("settings.mfa.setup_otp"))+"\n ")]):t._e(),t._v(" "),t.setupOTPInProgress?[t.prepareOTP?s("i",[t._v(t._s(t.$t("settings.mfa.wait_pre_setup_otp")))]):t._e(),t._v(" "),t.confirmOTP?s("div",[s("div",{staticClass:"setup-otp"},[s("div",{staticClass:"qr-code"},[s("h4",[t._v(t._s(t.$t("settings.mfa.scan.title")))]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.mfa.scan.desc")))]),t._v(" "),s("qrcode",{attrs:{value:t.otpSettings.provisioning_uri,options:{width:200}}}),t._v(" "),s("p",[t._v("\n "+t._s(t.$t("settings.mfa.scan.secret_code"))+":\n "+t._s(t.otpSettings.key)+"\n ")])],1),t._v(" "),s("div",{staticClass:"verify"},[s("h4",[t._v(t._s(t.$t("general.verify")))]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.mfa.verify.desc")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.otpConfirmToken,expression:"otpConfirmToken"}],attrs:{type:"text"},domProps:{value:t.otpConfirmToken},on:{input:function(e){e.target.composing||(t.otpConfirmToken=e.target.value)}}}),t._v(" "),s("p",[t._v(t._s(t.$t("settings.enter_current_password_to_confirm"))+":")]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.currentPassword,expression:"currentPassword"}],attrs:{type:"password"},domProps:{value:t.currentPassword},on:{input:function(e){e.target.composing||(t.currentPassword=e.target.value)}}}),t._v(" "),s("div",{staticClass:"confirm-otp-actions"},[s("button",{staticClass:"btn btn-default",on:{click:t.doConfirmOTP}},[t._v("\n "+t._s(t.$t("settings.mfa.confirm_and_enable"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn btn-default",on:{click:t.cancelSetup}},[t._v("\n "+t._s(t.$t("general.cancel"))+"\n ")])]),t._v(" "),t.error?s("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.error)+"\n ")]):t._e()])])]):t._e()]:t._e()],2):t._e()])]):t._e()},[],!1,St,null,null).exports,jt={data:function(){return{newEmail:"",changeEmailError:!1,changeEmailPassword:"",changedEmail:!1,deletingAccount:!1,deleteAccountConfirmPasswordInput:"",deleteAccountError:!1,changePasswordInputs:["","",""],changedPassword:!1,changePasswordError:!1}},created:function(){this.$store.dispatch("fetchTokens")},components:{ProgressButton:S.a,Mfa:It,Checkbox:d.a},computed:{user:function(){return this.$store.state.users.currentUser},pleromaBackend:function(){return this.$store.state.instance.pleromaBackend},oauthTokens:function(){return this.$store.state.oauthTokens.tokens.map(function(t){return{id:t.id,appName:t.app_name,validUntil:new Date(t.valid_until).toLocaleDateString()}})}},methods:{confirmDelete:function(){this.deletingAccount=!0},deleteAccount:function(){var t=this;this.$store.state.api.backendInteractor.deleteAccount({password:this.deleteAccountConfirmPasswordInput}).then(function(e){"success"===e.status?(t.$store.dispatch("logout"),t.$router.push({name:"root"})):t.deleteAccountError=e.error})},changePassword:function(){var t=this,e={password:this.changePasswordInputs[0],newPassword:this.changePasswordInputs[1],newPasswordConfirmation:this.changePasswordInputs[2]};this.$store.state.api.backendInteractor.changePassword(e).then(function(e){"success"===e.status?(t.changedPassword=!0,t.changePasswordError=!1,t.logout()):(t.changedPassword=!1,t.changePasswordError=e.error)})},changeEmail:function(){var t=this,e={email:this.newEmail,password:this.changeEmailPassword};this.$store.state.api.backendInteractor.changeEmail(e).then(function(e){"success"===e.status?(t.changedEmail=!0,t.changeEmailError=!1):(t.changedEmail=!1,t.changeEmailError=e.error)})},logout:function(){this.$store.dispatch("logout"),this.$router.replace("/")},revokeToken:function(t){window.confirm("".concat(this.$i18n.t("settings.revoke_token"),"?"))&&this.$store.dispatch("revokeToken",t)}}},Et=Object(o.a)(jt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{attrs:{label:t.$t("settings.security_tab")}},[s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.change_email")))]),t._v(" "),s("div",[s("p",[t._v(t._s(t.$t("settings.new_email")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.newEmail,expression:"newEmail"}],attrs:{type:"email",autocomplete:"email"},domProps:{value:t.newEmail},on:{input:function(e){e.target.composing||(t.newEmail=e.target.value)}}})]),t._v(" "),s("div",[s("p",[t._v(t._s(t.$t("settings.current_password")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.changeEmailPassword,expression:"changeEmailPassword"}],attrs:{type:"password",autocomplete:"current-password"},domProps:{value:t.changeEmailPassword},on:{input:function(e){e.target.composing||(t.changeEmailPassword=e.target.value)}}})]),t._v(" "),s("button",{staticClass:"btn btn-default",on:{click:t.changeEmail}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")]),t._v(" "),t.changedEmail?s("p",[t._v("\n "+t._s(t.$t("settings.changed_email"))+"\n ")]):t._e(),t._v(" "),!1!==t.changeEmailError?[s("p",[t._v(t._s(t.$t("settings.change_email_error")))]),t._v(" "),s("p",[t._v(t._s(t.changeEmailError))])]:t._e()],2),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.change_password")))]),t._v(" "),s("div",[s("p",[t._v(t._s(t.$t("settings.current_password")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.changePasswordInputs[0],expression:"changePasswordInputs[0]"}],attrs:{type:"password"},domProps:{value:t.changePasswordInputs[0]},on:{input:function(e){e.target.composing||t.$set(t.changePasswordInputs,0,e.target.value)}}})]),t._v(" "),s("div",[s("p",[t._v(t._s(t.$t("settings.new_password")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.changePasswordInputs[1],expression:"changePasswordInputs[1]"}],attrs:{type:"password"},domProps:{value:t.changePasswordInputs[1]},on:{input:function(e){e.target.composing||t.$set(t.changePasswordInputs,1,e.target.value)}}})]),t._v(" "),s("div",[s("p",[t._v(t._s(t.$t("settings.confirm_new_password")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.changePasswordInputs[2],expression:"changePasswordInputs[2]"}],attrs:{type:"password"},domProps:{value:t.changePasswordInputs[2]},on:{input:function(e){e.target.composing||t.$set(t.changePasswordInputs,2,e.target.value)}}})]),t._v(" "),s("button",{staticClass:"btn btn-default",on:{click:t.changePassword}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")]),t._v(" "),t.changedPassword?s("p",[t._v("\n "+t._s(t.$t("settings.changed_password"))+"\n ")]):!1!==t.changePasswordError?s("p",[t._v("\n "+t._s(t.$t("settings.change_password_error"))+"\n ")]):t._e(),t._v(" "),t.changePasswordError?s("p",[t._v("\n "+t._s(t.changePasswordError)+"\n ")]):t._e()]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.oauth_tokens")))]),t._v(" "),s("table",{staticClass:"oauth-tokens"},[s("thead",[s("tr",[s("th",[t._v(t._s(t.$t("settings.app_name")))]),t._v(" "),s("th",[t._v(t._s(t.$t("settings.valid_until")))]),t._v(" "),s("th")])]),t._v(" "),s("tbody",t._l(t.oauthTokens,function(e){return s("tr",{key:e.id},[s("td",[t._v(t._s(e.appName))]),t._v(" "),s("td",[t._v(t._s(e.validUntil))]),t._v(" "),s("td",{staticClass:"actions"},[s("button",{staticClass:"btn btn-default",on:{click:function(s){return t.revokeToken(e.id)}}},[t._v("\n "+t._s(t.$t("settings.revoke_token"))+"\n ")])])])}),0)])]),t._v(" "),s("mfa"),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.delete_account")))]),t._v(" "),t.deletingAccount?t._e():s("p",[t._v("\n "+t._s(t.$t("settings.delete_account_description"))+"\n ")]),t._v(" "),t.deletingAccount?s("div",[s("p",[t._v(t._s(t.$t("settings.delete_account_instructions")))]),t._v(" "),s("p",[t._v(t._s(t.$t("login.password")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.deleteAccountConfirmPasswordInput,expression:"deleteAccountConfirmPasswordInput"}],attrs:{type:"password"},domProps:{value:t.deleteAccountConfirmPasswordInput},on:{input:function(e){e.target.composing||(t.deleteAccountConfirmPasswordInput=e.target.value)}}}),t._v(" "),s("button",{staticClass:"btn btn-default",on:{click:t.deleteAccount}},[t._v("\n "+t._s(t.$t("settings.delete_account"))+"\n ")])]):t._e(),t._v(" "),!1!==t.deleteAccountError?s("p",[t._v("\n "+t._s(t.$t("settings.delete_account_error"))+"\n ")]):t._e(),t._v(" "),t.deleteAccountError?s("p",[t._v("\n "+t._s(t.deleteAccountError)+"\n ")]):t._e(),t._v(" "),t.deletingAccount?t._e():s("button",{staticClass:"btn btn-default",on:{click:t.confirmDelete}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")])])],1)},[],!1,null,null,null).exports,Rt=s(188),Bt=s.n(Rt),Ft=s(96),Mt=s.n(Ft),Ut=s(27),Vt=s.n(Ut),At=s(622),Dt=(s(623),{props:{trigger:{type:[String,window.Element],required:!0},submitHandler:{type:Function,required:!0},cropperOptions:{type:Object,default:function(){return{aspectRatio:1,autoCropArea:1,viewMode:1,movable:!1,zoomable:!1,guides:!1}}},mimes:{type:String,default:"image/png, image/gif, image/jpeg, image/bmp, image/x-icon"},saveButtonLabel:{type:String},saveWithoutCroppingButtonlabel:{type:String},cancelButtonLabel:{type:String}},data:function(){return{cropper:void 0,dataUrl:void 0,filename:void 0,submitting:!1,submitError:null}},computed:{saveText:function(){return this.saveButtonLabel||this.$t("image_cropper.save")},saveWithoutCroppingText:function(){return this.saveWithoutCroppingButtonlabel||this.$t("image_cropper.save_without_cropping")},cancelText:function(){return this.cancelButtonLabel||this.$t("image_cropper.cancel")},submitErrorMsg:function(){return this.submitError&&this.submitError instanceof Error?this.submitError.toString():this.submitError}},methods:{destroy:function(){this.cropper&&this.cropper.destroy(),this.$refs.input.value="",this.dataUrl=void 0,this.$emit("close")},submit:function(){var t=this,e=!(arguments.length>0&&void 0!==arguments[0])||arguments[0];this.submitting=!0,this.avatarUploadError=null,this.submitHandler(e&&this.cropper,this.file).then(function(){return t.destroy()}).catch(function(e){t.submitError=e}).finally(function(){t.submitting=!1})},pickImage:function(){this.$refs.input.click()},createCropper:function(){this.cropper=new At.a(this.$refs.img,this.cropperOptions)},getTriggerDOM:function(){return"object"===Vt()(this.trigger)?this.trigger:document.querySelector(this.trigger)},readFile:function(){var t=this,e=this.$refs.input;if(null!=e.files&&null!=e.files[0]){this.file=e.files[0];var s=new window.FileReader;s.onload=function(e){t.dataUrl=e.target.result,t.$emit("open")},s.readAsDataURL(this.file),this.$emit("changed",this.file,s)}},clearError:function(){this.submitError=null}},mounted:function(){var t=this.getTriggerDOM();t?t.addEventListener("click",this.pickImage):this.$emit("error","No image make trigger found.","user"),this.$refs.input.addEventListener("change",this.readFile)},beforeDestroy:function(){var t=this.getTriggerDOM();t&&t.removeEventListener("click",this.pickImage),this.$refs.input.removeEventListener("change",this.readFile)}});var Nt=function(t){s(620)},Wt=Object(o.a)(Dt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"image-cropper"},[t.dataUrl?s("div",[s("div",{staticClass:"image-cropper-image-container"},[s("img",{ref:"img",attrs:{src:t.dataUrl,alt:""},on:{load:function(e){return e.stopPropagation(),t.createCropper(e)}}})]),t._v(" "),s("div",{staticClass:"image-cropper-buttons-wrapper"},[s("button",{staticClass:"btn",attrs:{type:"button",disabled:t.submitting},domProps:{textContent:t._s(t.saveText)},on:{click:function(e){return t.submit()}}}),t._v(" "),s("button",{staticClass:"btn",attrs:{type:"button",disabled:t.submitting},domProps:{textContent:t._s(t.cancelText)},on:{click:t.destroy}}),t._v(" "),s("button",{staticClass:"btn",attrs:{type:"button",disabled:t.submitting},domProps:{textContent:t._s(t.saveWithoutCroppingText)},on:{click:function(e){return t.submit(!1)}}}),t._v(" "),t.submitting?s("i",{staticClass:"icon-spin4 animate-spin"}):t._e()]),t._v(" "),t.submitError?s("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.submitErrorMsg)+"\n "),s("i",{staticClass:"button-icon icon-cancel",on:{click:t.clearError}})]):t._e()]):t._e(),t._v(" "),s("input",{ref:"input",staticClass:"image-cropper-img-input",attrs:{type:"file",accept:t.mimes}})])},[],!1,Nt,null,null).exports,zt=s(196),qt=s(134),Gt=s(195),Ht=s(135),Kt={data:function(){return{newName:this.$store.state.users.currentUser.name,newBio:Bt()(this.$store.state.users.currentUser.description),newLocked:this.$store.state.users.currentUser.locked,newNoRichText:this.$store.state.users.currentUser.no_rich_text,newDefaultScope:this.$store.state.users.currentUser.default_scope,newFields:this.$store.state.users.currentUser.fields.map(function(t){return{name:t.name,value:t.value}}),hideFollows:this.$store.state.users.currentUser.hide_follows,hideFollowers:this.$store.state.users.currentUser.hide_followers,hideFollowsCount:this.$store.state.users.currentUser.hide_follows_count,hideFollowersCount:this.$store.state.users.currentUser.hide_followers_count,showRole:this.$store.state.users.currentUser.show_role,role:this.$store.state.users.currentUser.role,discoverable:this.$store.state.users.currentUser.discoverable,bot:this.$store.state.users.currentUser.bot,allowFollowingMove:this.$store.state.users.currentUser.allow_following_move,pickAvatarBtnVisible:!0,bannerUploading:!1,backgroundUploading:!1,banner:null,bannerPreview:null,background:null,backgroundPreview:null,bannerUploadError:null,backgroundUploadError:null}},components:{ScopeSelector:zt.a,ImageCropper:Wt,EmojiInput:Gt.a,Autosuggest:x,ProgressButton:S.a,Checkbox:d.a},computed:{user:function(){return this.$store.state.users.currentUser},emojiUserSuggestor:function(){var t=this;return Object(Ht.a)({emoji:[].concat(z()(this.$store.state.instance.emoji),z()(this.$store.state.instance.customEmoji)),users:this.$store.state.users.users,updateUsersList:function(e){return t.$store.dispatch("searchUsers",{query:e})}})},emojiSuggestor:function(){return Object(Ht.a)({emoji:[].concat(z()(this.$store.state.instance.emoji),z()(this.$store.state.instance.customEmoji))})},userSuggestor:function(){var t=this;return Object(Ht.a)({users:this.$store.state.users.users,updateUsersList:function(e){return t.$store.dispatch("searchUsers",{query:e})}})},fieldsLimits:function(){return this.$store.state.instance.fieldsLimits},maxFields:function(){return this.fieldsLimits?this.fieldsLimits.maxFields:0},defaultAvatar:function(){return this.$store.state.instance.server+this.$store.state.instance.defaultAvatar},defaultBanner:function(){return this.$store.state.instance.server+this.$store.state.instance.defaultBanner},isDefaultAvatar:function(){var t=this.$store.state.instance.defaultAvatar;return!this.$store.state.users.currentUser.profile_image_url||this.$store.state.users.currentUser.profile_image_url.includes(t)},isDefaultBanner:function(){var t=this.$store.state.instance.defaultBanner;return!this.$store.state.users.currentUser.cover_photo||this.$store.state.users.currentUser.cover_photo.includes(t)},isDefaultBackground:function(){return!this.$store.state.users.currentUser.background_image},avatarImgSrc:function(){var t=this.$store.state.users.currentUser.profile_image_url_original;return t||this.defaultAvatar},bannerImgSrc:function(){var t=this.$store.state.users.currentUser.cover_photo;return t||this.defaultBanner}},methods:{updateProfile:function(){var t=this;this.$store.state.api.backendInteractor.updateProfile({params:{note:this.newBio,locked:this.newLocked,display_name:this.newName,fields_attributes:this.newFields.filter(function(t){return null!=t}),default_scope:this.newDefaultScope,no_rich_text:this.newNoRichText,hide_follows:this.hideFollows,hide_followers:this.hideFollowers,discoverable:this.discoverable,bot:this.bot,allow_following_move:this.allowFollowingMove,hide_follows_count:this.hideFollowsCount,hide_followers_count:this.hideFollowersCount,show_role:this.showRole}}).then(function(e){t.newFields.splice(e.fields.length),Mt()(t.newFields,e.fields),t.$store.commit("addNewUsers",[e]),t.$store.commit("setCurrentUser",e)})},changeVis:function(t){this.newDefaultScope=t},addField:function(){return this.newFields.length<this.maxFields&&(this.newFields.push({name:"",value:""}),!0)},deleteField:function(t,e){this.$delete(this.newFields,t)},uploadFile:function(t,e){var s=this,a=e.target.files[0];if(a)if(a.size>this.$store.state.instance[t+"limit"]){var n=qt.a.fileSizeFormat(a.size),o=qt.a.fileSizeFormat(this.$store.state.instance[t+"limit"]);this[t+"UploadError"]=[this.$t("upload.error.base"),this.$t("upload.error.file_too_big",{filesize:n.num,filesizeunit:n.unit,allowedsize:o.num,allowedsizeunit:o.unit})].join(" ")}else{var i=new FileReader;i.onload=function(e){var n=e.target.result;s[t+"Preview"]=n,s[t]=a},i.readAsDataURL(a)}},resetAvatar:function(){window.confirm(this.$t("settings.reset_avatar_confirm"))&&this.submitAvatar(void 0,"")},resetBanner:function(){window.confirm(this.$t("settings.reset_banner_confirm"))&&this.submitBanner("")},resetBackground:function(){window.confirm(this.$t("settings.reset_background_confirm"))&&this.submitBackground("")},submitAvatar:function(t,e){var s=this;return new Promise(function(a,n){function o(t){s.$store.state.api.backendInteractor.updateProfileImages({avatar:t}).then(function(t){s.$store.commit("addNewUsers",[t]),s.$store.commit("setCurrentUser",t),a()}).catch(function(t){n(new Error(s.$t("upload.error.base")+" "+t.message))})}t?t.getCroppedCanvas().toBlob(o,e.type):o(e)})},submitBanner:function(t){var e=this;(this.bannerPreview||""===t)&&(this.bannerUploading=!0,this.$store.state.api.backendInteractor.updateProfileImages({banner:t}).then(function(t){e.$store.commit("addNewUsers",[t]),e.$store.commit("setCurrentUser",t),e.bannerPreview=null}).catch(function(t){e.bannerUploadError=e.$t("upload.error.base")+" "+t.message}).then(function(){e.bannerUploading=!1}))},submitBackground:function(t){var e=this;(this.backgroundPreview||""===t)&&(this.backgroundUploading=!0,this.$store.state.api.backendInteractor.updateProfileImages({background:t}).then(function(t){t.error?e.backgroundUploadError=e.$t("upload.error.base")+t.error:(e.$store.commit("addNewUsers",[t]),e.$store.commit("setCurrentUser",t),e.backgroundPreview=null),e.backgroundUploading=!1}))}}};var Jt=function(t){s(618)},Qt=Object(o.a)(Kt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"profile-tab"},[s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.name_bio")))]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.name")))]),t._v(" "),s("EmojiInput",{attrs:{"enable-emoji-picker":"",suggest:t.emojiSuggestor},model:{value:t.newName,callback:function(e){t.newName=e},expression:"newName"}},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.newName,expression:"newName"}],attrs:{id:"username",classname:"name-changer"},domProps:{value:t.newName},on:{input:function(e){e.target.composing||(t.newName=e.target.value)}}})]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.bio")))]),t._v(" "),s("EmojiInput",{attrs:{"enable-emoji-picker":"",suggest:t.emojiUserSuggestor},model:{value:t.newBio,callback:function(e){t.newBio=e},expression:"newBio"}},[s("textarea",{directives:[{name:"model",rawName:"v-model",value:t.newBio,expression:"newBio"}],attrs:{classname:"bio"},domProps:{value:t.newBio},on:{input:function(e){e.target.composing||(t.newBio=e.target.value)}}})]),t._v(" "),s("p",[s("Checkbox",{model:{value:t.newLocked,callback:function(e){t.newLocked=e},expression:"newLocked"}},[t._v("\n "+t._s(t.$t("settings.lock_account_description"))+"\n ")])],1),t._v(" "),s("div",[s("label",{attrs:{for:"default-vis"}},[t._v(t._s(t.$t("settings.default_vis")))]),t._v(" "),s("div",{staticClass:"visibility-tray",attrs:{id:"default-vis"}},[s("scope-selector",{attrs:{"show-all":!0,"user-default":t.newDefaultScope,"initial-scope":t.newDefaultScope,"on-scope-change":t.changeVis}})],1)]),t._v(" "),s("p",[s("Checkbox",{model:{value:t.newNoRichText,callback:function(e){t.newNoRichText=e},expression:"newNoRichText"}},[t._v("\n "+t._s(t.$t("settings.no_rich_text_description"))+"\n ")])],1),t._v(" "),s("p",[s("Checkbox",{model:{value:t.hideFollows,callback:function(e){t.hideFollows=e},expression:"hideFollows"}},[t._v("\n "+t._s(t.$t("settings.hide_follows_description"))+"\n ")])],1),t._v(" "),s("p",{staticClass:"setting-subitem"},[s("Checkbox",{attrs:{disabled:!t.hideFollows},model:{value:t.hideFollowsCount,callback:function(e){t.hideFollowsCount=e},expression:"hideFollowsCount"}},[t._v("\n "+t._s(t.$t("settings.hide_follows_count_description"))+"\n ")])],1),t._v(" "),s("p",[s("Checkbox",{model:{value:t.hideFollowers,callback:function(e){t.hideFollowers=e},expression:"hideFollowers"}},[t._v("\n "+t._s(t.$t("settings.hide_followers_description"))+"\n ")])],1),t._v(" "),s("p",{staticClass:"setting-subitem"},[s("Checkbox",{attrs:{disabled:!t.hideFollowers},model:{value:t.hideFollowersCount,callback:function(e){t.hideFollowersCount=e},expression:"hideFollowersCount"}},[t._v("\n "+t._s(t.$t("settings.hide_followers_count_description"))+"\n ")])],1),t._v(" "),s("p",[s("Checkbox",{model:{value:t.allowFollowingMove,callback:function(e){t.allowFollowingMove=e},expression:"allowFollowingMove"}},[t._v("\n "+t._s(t.$t("settings.allow_following_move"))+"\n ")])],1),t._v(" "),"admin"===t.role||"moderator"===t.role?s("p",[s("Checkbox",{model:{value:t.showRole,callback:function(e){t.showRole=e},expression:"showRole"}},["admin"===t.role?[t._v("\n "+t._s(t.$t("settings.show_admin_badge"))+"\n ")]:t._e(),t._v(" "),"moderator"===t.role?[t._v("\n "+t._s(t.$t("settings.show_moderator_badge"))+"\n ")]:t._e()],2)],1):t._e(),t._v(" "),s("p",[s("Checkbox",{model:{value:t.discoverable,callback:function(e){t.discoverable=e},expression:"discoverable"}},[t._v("\n "+t._s(t.$t("settings.discoverable"))+"\n ")])],1),t._v(" "),t.maxFields>0?s("div",[s("p",[t._v(t._s(t.$t("settings.profile_fields.label")))]),t._v(" "),t._l(t.newFields,function(e,a){return s("div",{key:a,staticClass:"profile-fields"},[s("EmojiInput",{attrs:{"enable-emoji-picker":"","hide-emoji-button":"",suggest:t.userSuggestor},model:{value:t.newFields[a].name,callback:function(e){t.$set(t.newFields[a],"name",e)},expression:"newFields[i].name"}},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.newFields[a].name,expression:"newFields[i].name"}],attrs:{placeholder:t.$t("settings.profile_fields.name")},domProps:{value:t.newFields[a].name},on:{input:function(e){e.target.composing||t.$set(t.newFields[a],"name",e.target.value)}}})]),t._v(" "),s("EmojiInput",{attrs:{"enable-emoji-picker":"","hide-emoji-button":"",suggest:t.userSuggestor},model:{value:t.newFields[a].value,callback:function(e){t.$set(t.newFields[a],"value",e)},expression:"newFields[i].value"}},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.newFields[a].value,expression:"newFields[i].value"}],attrs:{placeholder:t.$t("settings.profile_fields.value")},domProps:{value:t.newFields[a].value},on:{input:function(e){e.target.composing||t.$set(t.newFields[a],"value",e.target.value)}}})]),t._v(" "),s("div",{staticClass:"icon-container"},[s("i",{directives:[{name:"show",rawName:"v-show",value:t.newFields.length>1,expression:"newFields.length > 1"}],staticClass:"icon-cancel",on:{click:function(e){return t.deleteField(a)}}})])],1)}),t._v(" "),t.newFields.length<t.maxFields?s("a",{staticClass:"add-field faint",on:{click:t.addField}},[s("i",{staticClass:"icon-plus"}),t._v("\n "+t._s(t.$t("settings.profile_fields.add_field"))+"\n ")]):t._e()],2):t._e(),t._v(" "),s("p",[s("Checkbox",{model:{value:t.bot,callback:function(e){t.bot=e},expression:"bot"}},[t._v("\n "+t._s(t.$t("settings.bot"))+"\n ")])],1),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:t.newName&&0===t.newName.length},on:{click:t.updateProfile}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")])],1),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.avatar")))]),t._v(" "),s("p",{staticClass:"visibility-notice"},[t._v("\n "+t._s(t.$t("settings.avatar_size_instruction"))+"\n ")]),t._v(" "),s("div",{staticClass:"current-avatar-container"},[s("img",{staticClass:"current-avatar",attrs:{src:t.user.profile_image_url_original}}),t._v(" "),!t.isDefaultAvatar&&t.pickAvatarBtnVisible?s("i",{staticClass:"reset-button icon-cancel",attrs:{title:t.$t("settings.reset_avatar"),type:"button"},on:{click:t.resetAvatar}}):t._e()]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.set_new_avatar")))]),t._v(" "),s("button",{directives:[{name:"show",rawName:"v-show",value:t.pickAvatarBtnVisible,expression:"pickAvatarBtnVisible"}],staticClass:"btn",attrs:{id:"pick-avatar",type:"button"}},[t._v("\n "+t._s(t.$t("settings.upload_a_photo"))+"\n ")]),t._v(" "),s("image-cropper",{attrs:{trigger:"#pick-avatar","submit-handler":t.submitAvatar},on:{open:function(e){t.pickAvatarBtnVisible=!1},close:function(e){t.pickAvatarBtnVisible=!0}}})],1),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.profile_banner")))]),t._v(" "),s("div",{staticClass:"banner-background-preview"},[s("img",{attrs:{src:t.user.cover_photo}}),t._v(" "),t.isDefaultBanner?t._e():s("i",{staticClass:"reset-button icon-cancel",attrs:{title:t.$t("settings.reset_profile_banner"),type:"button"},on:{click:t.resetBanner}})]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.set_new_profile_banner")))]),t._v(" "),t.bannerPreview?s("img",{staticClass:"banner-background-preview",attrs:{src:t.bannerPreview}}):t._e(),t._v(" "),s("div",[s("input",{attrs:{type:"file"},on:{change:function(e){return t.uploadFile("banner",e)}}})]),t._v(" "),t.bannerUploading?s("i",{staticClass:" icon-spin4 animate-spin uploading"}):t.bannerPreview?s("button",{staticClass:"btn btn-default",on:{click:function(e){return t.submitBanner(t.banner)}}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")]):t._e(),t._v(" "),t.bannerUploadError?s("div",{staticClass:"alert error"},[t._v("\n Error: "+t._s(t.bannerUploadError)+"\n "),s("i",{staticClass:"button-icon icon-cancel",on:{click:function(e){return t.clearUploadError("banner")}}})]):t._e()]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.profile_background")))]),t._v(" "),s("div",{staticClass:"banner-background-preview"},[s("img",{attrs:{src:t.user.background_image}}),t._v(" "),t.isDefaultBackground?t._e():s("i",{staticClass:"reset-button icon-cancel",attrs:{title:t.$t("settings.reset_profile_background"),type:"button"},on:{click:t.resetBackground}})]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.set_new_profile_background")))]),t._v(" "),t.backgroundPreview?s("img",{staticClass:"banner-background-preview",attrs:{src:t.backgroundPreview}}):t._e(),t._v(" "),s("div",[s("input",{attrs:{type:"file"},on:{change:function(e){return t.uploadFile("background",e)}}})]),t._v(" "),t.backgroundUploading?s("i",{staticClass:" icon-spin4 animate-spin uploading"}):t.backgroundPreview?s("button",{staticClass:"btn btn-default",on:{click:function(e){return t.submitBackground(t.background)}}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")]):t._e(),t._v(" "),t.backgroundUploadError?s("div",{staticClass:"alert error"},[t._v("\n Error: "+t._s(t.backgroundUploadError)+"\n "),s("i",{staticClass:"button-icon icon-cancel",on:{click:function(e){return t.clearUploadError("background")}}})]):t._e()])])},[],!1,Jt,null,null).exports,Xt=s(74),Yt=s(640),Zt={computed:{languageCodes:function(){return Xt.a.languages},languageNames:function(){return f()(this.languageCodes,this.getLanguageName)},language:{get:function(){return this.$store.getters.mergedConfig.interfaceLanguage},set:function(t){this.$store.dispatch("setOption",{name:"interfaceLanguage",value:t})}}},methods:{getLanguageName:function(t){return{ja:"Japanese (日本語)",ja_easy:"Japanese (やさしいにほんご)",zh:"Chinese (简体中文)"}[t]||Yt.a.getName(t)}}},te=Object(o.a)(Zt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",[s("label",{attrs:{for:"interface-language-switcher"}},[t._v("\n "+t._s(t.$t("settings.interfaceLanguage"))+"\n ")]),t._v(" "),s("label",{staticClass:"select",attrs:{for:"interface-language-switcher"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.language,expression:"language"}],attrs:{id:"interface-language-switcher"},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.language=e.target.multiple?s:s[0]}}},t._l(t.languageCodes,function(e,a){return s("option",{key:e,domProps:{value:e}},[t._v("\n "+t._s(t.languageNames[a])+"\n ")])}),0),t._v(" "),s("i",{staticClass:"icon-down-open"})])])},[],!1,null,null,null).exports;function ee(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}var se={data:function(){return{loopSilentAvailable:Object.getOwnPropertyDescriptor(HTMLVideoElement.prototype,"mozHasAudio")||Object.getOwnPropertyDescriptor(HTMLMediaElement.prototype,"webkitAudioDecodedByteCount")||Object.getOwnPropertyDescriptor(HTMLMediaElement.prototype,"audioTracks")}},components:{Checkbox:d.a,InterfaceLanguageSwitcher:te},computed:function(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?ee(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):ee(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}({postFormats:function(){return this.$store.state.instance.postFormats||[]},instanceSpecificPanelPresent:function(){return this.$store.state.instance.showInstanceSpecificPanel}},vt())},ae=Object(o.a)(se,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{attrs:{label:t.$t("settings.general")}},[s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.interface")))]),t._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("interface-language-switcher")],1),t._v(" "),t.instanceSpecificPanelPresent?s("li",[s("Checkbox",{model:{value:t.hideISP,callback:function(e){t.hideISP=e},expression:"hideISP"}},[t._v("\n "+t._s(t.$t("settings.hide_isp"))+"\n ")])],1):t._e()])]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("nav.timeline")))]),t._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("Checkbox",{model:{value:t.hideMutedPosts,callback:function(e){t.hideMutedPosts=e},expression:"hideMutedPosts"}},[t._v("\n "+t._s(t.$t("settings.hide_muted_posts"))+" "+t._s(t.$t("settings.instance_default",{value:t.hideMutedPostsLocalizedValue}))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.collapseMessageWithSubject,callback:function(e){t.collapseMessageWithSubject=e},expression:"collapseMessageWithSubject"}},[t._v("\n "+t._s(t.$t("settings.collapse_subject"))+" "+t._s(t.$t("settings.instance_default",{value:t.collapseMessageWithSubjectLocalizedValue}))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.streaming,callback:function(e){t.streaming=e},expression:"streaming"}},[t._v("\n "+t._s(t.$t("settings.streaming"))+"\n ")]),t._v(" "),s("ul",{staticClass:"setting-list suboptions",class:[{disabled:!t.streaming}]},[s("li",[s("Checkbox",{attrs:{disabled:!t.streaming},model:{value:t.pauseOnUnfocused,callback:function(e){t.pauseOnUnfocused=e},expression:"pauseOnUnfocused"}},[t._v("\n "+t._s(t.$t("settings.pause_on_unfocused"))+"\n ")])],1)])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.useStreamingApi,callback:function(e){t.useStreamingApi=e},expression:"useStreamingApi"}},[t._v("\n "+t._s(t.$t("settings.useStreamingApi"))+"\n "),s("br"),t._v(" "),s("small",[t._v("\n "+t._s(t.$t("settings.useStreamingApiWarning"))+"\n ")])])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.emojiReactionsOnTimeline,callback:function(e){t.emojiReactionsOnTimeline=e},expression:"emojiReactionsOnTimeline"}},[t._v("\n "+t._s(t.$t("settings.emoji_reactions_on_timeline"))+"\n ")])],1)])]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.composing")))]),t._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("Checkbox",{model:{value:t.scopeCopy,callback:function(e){t.scopeCopy=e},expression:"scopeCopy"}},[t._v("\n "+t._s(t.$t("settings.scope_copy"))+" "+t._s(t.$t("settings.instance_default",{value:t.scopeCopyLocalizedValue}))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.alwaysShowSubjectInput,callback:function(e){t.alwaysShowSubjectInput=e},expression:"alwaysShowSubjectInput"}},[t._v("\n "+t._s(t.$t("settings.subject_input_always_show"))+" "+t._s(t.$t("settings.instance_default",{value:t.alwaysShowSubjectInputLocalizedValue}))+"\n ")])],1),t._v(" "),s("li",[s("div",[t._v("\n "+t._s(t.$t("settings.subject_line_behavior"))+"\n "),s("label",{staticClass:"select",attrs:{for:"subjectLineBehavior"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.subjectLineBehavior,expression:"subjectLineBehavior"}],attrs:{id:"subjectLineBehavior"},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.subjectLineBehavior=e.target.multiple?s:s[0]}}},[s("option",{attrs:{value:"email"}},[t._v("\n "+t._s(t.$t("settings.subject_line_email"))+"\n "+t._s("email"==t.subjectLineBehaviorDefaultValue?t.$t("settings.instance_default_simple"):"")+"\n ")]),t._v(" "),s("option",{attrs:{value:"masto"}},[t._v("\n "+t._s(t.$t("settings.subject_line_mastodon"))+"\n "+t._s("mastodon"==t.subjectLineBehaviorDefaultValue?t.$t("settings.instance_default_simple"):"")+"\n ")]),t._v(" "),s("option",{attrs:{value:"noop"}},[t._v("\n "+t._s(t.$t("settings.subject_line_noop"))+"\n "+t._s("noop"==t.subjectLineBehaviorDefaultValue?t.$t("settings.instance_default_simple"):"")+"\n ")])]),t._v(" "),s("i",{staticClass:"icon-down-open"})])])]),t._v(" "),t.postFormats.length>0?s("li",[s("div",[t._v("\n "+t._s(t.$t("settings.post_status_content_type"))+"\n "),s("label",{staticClass:"select",attrs:{for:"postContentType"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.postContentType,expression:"postContentType"}],attrs:{id:"postContentType"},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.postContentType=e.target.multiple?s:s[0]}}},t._l(t.postFormats,function(e){return s("option",{key:e,domProps:{value:e}},[t._v("\n "+t._s(t.$t('post_status.content_type["'+e+'"]'))+"\n "+t._s(t.postContentTypeDefaultValue===e?t.$t("settings.instance_default_simple"):"")+"\n ")])}),0),t._v(" "),s("i",{staticClass:"icon-down-open"})])])]):t._e(),t._v(" "),s("li",[s("Checkbox",{model:{value:t.minimalScopesMode,callback:function(e){t.minimalScopesMode=e},expression:"minimalScopesMode"}},[t._v("\n "+t._s(t.$t("settings.minimal_scopes_mode"))+" "+t._s(t.$t("settings.instance_default",{value:t.minimalScopesModeLocalizedValue}))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.autohideFloatingPostButton,callback:function(e){t.autohideFloatingPostButton=e},expression:"autohideFloatingPostButton"}},[t._v("\n "+t._s(t.$t("settings.autohide_floating_post_button"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.padEmoji,callback:function(e){t.padEmoji=e},expression:"padEmoji"}},[t._v("\n "+t._s(t.$t("settings.pad_emoji"))+"\n ")])],1)])]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.attachments")))]),t._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("Checkbox",{model:{value:t.hideAttachments,callback:function(e){t.hideAttachments=e},expression:"hideAttachments"}},[t._v("\n "+t._s(t.$t("settings.hide_attachments_in_tl"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.hideAttachmentsInConv,callback:function(e){t.hideAttachmentsInConv=e},expression:"hideAttachmentsInConv"}},[t._v("\n "+t._s(t.$t("settings.hide_attachments_in_convo"))+"\n ")])],1),t._v(" "),s("li",[s("label",{attrs:{for:"maxThumbnails"}},[t._v("\n "+t._s(t.$t("settings.max_thumbnails"))+"\n ")]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model.number",value:t.maxThumbnails,expression:"maxThumbnails",modifiers:{number:!0}}],staticClass:"number-input",attrs:{id:"maxThumbnails",type:"number",min:"0",step:"1"},domProps:{value:t.maxThumbnails},on:{input:function(e){e.target.composing||(t.maxThumbnails=t._n(e.target.value))},blur:function(e){return t.$forceUpdate()}}})]),t._v(" "),s("li",[s("Checkbox",{model:{value:t.hideNsfw,callback:function(e){t.hideNsfw=e},expression:"hideNsfw"}},[t._v("\n "+t._s(t.$t("settings.nsfw_clickthrough"))+"\n ")])],1),t._v(" "),s("ul",{staticClass:"setting-list suboptions"},[s("li",[s("Checkbox",{attrs:{disabled:!t.hideNsfw},model:{value:t.preloadImage,callback:function(e){t.preloadImage=e},expression:"preloadImage"}},[t._v("\n "+t._s(t.$t("settings.preload_images"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{attrs:{disabled:!t.hideNsfw},model:{value:t.useOneClickNsfw,callback:function(e){t.useOneClickNsfw=e},expression:"useOneClickNsfw"}},[t._v("\n "+t._s(t.$t("settings.use_one_click_nsfw"))+"\n ")])],1)]),t._v(" "),s("li",[s("Checkbox",{model:{value:t.stopGifs,callback:function(e){t.stopGifs=e},expression:"stopGifs"}},[t._v("\n "+t._s(t.$t("settings.stop_gifs"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.loopVideo,callback:function(e){t.loopVideo=e},expression:"loopVideo"}},[t._v("\n "+t._s(t.$t("settings.loop_video"))+"\n ")]),t._v(" "),s("ul",{staticClass:"setting-list suboptions",class:[{disabled:!t.streaming}]},[s("li",[s("Checkbox",{attrs:{disabled:!t.loopVideo||!t.loopSilentAvailable},model:{value:t.loopVideoSilentOnly,callback:function(e){t.loopVideoSilentOnly=e},expression:"loopVideoSilentOnly"}},[t._v("\n "+t._s(t.$t("settings.loop_video_silent_only"))+"\n ")]),t._v(" "),t.loopSilentAvailable?t._e():s("div",{staticClass:"unavailable"},[s("i",{staticClass:"icon-globe"}),t._v("! "+t._s(t.$t("settings.limited_availability"))+"\n ")])],1)])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.playVideosInModal,callback:function(e){t.playVideosInModal=e},expression:"playVideosInModal"}},[t._v("\n "+t._s(t.$t("settings.play_videos_in_modal"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.useContainFit,callback:function(e){t.useContainFit=e},expression:"useContainFit"}},[t._v("\n "+t._s(t.$t("settings.use_contain_fit"))+"\n ")])],1)])]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.notifications")))]),t._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("Checkbox",{model:{value:t.webPushNotifications,callback:function(e){t.webPushNotifications=e},expression:"webPushNotifications"}},[t._v("\n "+t._s(t.$t("settings.enable_web_push_notifications"))+"\n ")])],1)])]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.fun")))]),t._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("Checkbox",{model:{value:t.greentext,callback:function(e){t.greentext=e},expression:"greentext"}},[t._v("\n "+t._s(t.$t("settings.greentext"))+" "+t._s(t.$t("settings.instance_default",{value:t.greentextLocalizedValue}))+"\n ")])],1)])])])},[],!1,null,null,null).exports,ne={data:function(){var t=this.$store.state.instance;return{backendVersion:t.backendVersion,frontendVersion:t.frontendVersion}},computed:{frontendVersionLink:function(){return"https://git.pleroma.social/pleroma/pleroma-fe/commit/"+this.frontendVersion},backendVersionLink:function(){return"https://git.pleroma.social/pleroma/pleroma/commit/"+(t=this.backendVersion,(e=t.match(/-g(\w+)/i))?e[1]:"");var t,e}}},oe=Object(o.a)(ne,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{attrs:{label:t.$t("settings.version.title")}},[s("div",{staticClass:"setting-item"},[s("ul",{staticClass:"setting-list"},[s("li",[s("p",[t._v(t._s(t.$t("settings.version.backend_version")))]),t._v(" "),s("ul",{staticClass:"option-list"},[s("li",[s("a",{attrs:{href:t.backendVersionLink,target:"_blank"}},[t._v(t._s(t.backendVersion))])])])]),t._v(" "),s("li",[s("p",[t._v(t._s(t.$t("settings.version.frontend_version")))]),t._v(" "),s("ul",{staticClass:"option-list"},[s("li",[s("a",{attrs:{href:t.frontendVersionLink,target:"_blank"}},[t._v(t._s(t.frontendVersion))])])])])])])])},[],!1,null,null,null).exports,ie=s(9),re=s(32),le=s(29),ce=s(39),ue={components:{Checkbox:d.a},props:{name:{required:!0,type:String},label:{required:!0,type:String},value:{required:!1,type:String,default:void 0},fallback:{required:!1,type:String,default:void 0},disabled:{required:!1,type:Boolean,default:!1},showOptionalTickbox:{required:!1,type:Boolean,default:!0}},computed:{present:function(){return void 0!==this.value},validColor:function(){return Object(ie.f)(this.value||this.fallback)},transparentColor:function(){return"transparent"===this.value},computedColor:function(){return this.value&&this.value.startsWith("--")}}};var de=function(t){s(626),s(628)},pe=Object(o.a)(ue,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"color-input style-control",class:{disabled:!t.present||t.disabled}},[s("label",{staticClass:"label",attrs:{for:t.name}},[t._v("\n "+t._s(t.label)+"\n ")]),t._v(" "),void 0!==t.fallback&&t.showOptionalTickbox?s("Checkbox",{staticClass:"opt",attrs:{checked:t.present,disabled:t.disabled},on:{change:function(e){return t.$emit("input",void 0===t.value?t.fallback:void 0)}}}):t._e(),t._v(" "),s("div",{staticClass:"input color-input-field"},[s("input",{staticClass:"textColor unstyled",attrs:{id:t.name+"-t",type:"text",disabled:!t.present||t.disabled},domProps:{value:t.value||t.fallback},on:{input:function(e){return t.$emit("input",e.target.value)}}}),t._v(" "),t.validColor?s("input",{staticClass:"nativeColor unstyled",attrs:{id:t.name,type:"color",disabled:!t.present||t.disabled},domProps:{value:t.value||t.fallback},on:{input:function(e){return t.$emit("input",e.target.value)}}}):t._e(),t._v(" "),t.transparentColor?s("div",{staticClass:"transparentIndicator"}):t._e(),t._v(" "),t.computedColor?s("div",{staticClass:"computedIndicator",style:{backgroundColor:t.fallback}}):t._e()])],1)},[],!1,de,null,null).exports,me=Object(o.a)({props:["name","value","fallback","disabled","label","max","min","step","hardMin","hardMax"],computed:{present:function(){return void 0!==this.value}}},function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"range-control style-control",class:{disabled:!t.present||t.disabled}},[s("label",{staticClass:"label",attrs:{for:t.name}},[t._v("\n "+t._s(t.label)+"\n ")]),t._v(" "),void 0!==t.fallback?s("input",{staticClass:"opt",attrs:{id:t.name+"-o",type:"checkbox"},domProps:{checked:t.present},on:{input:function(e){return t.$emit("input",t.present?void 0:t.fallback)}}}):t._e(),t._v(" "),void 0!==t.fallback?s("label",{staticClass:"opt-l",attrs:{for:t.name+"-o"}}):t._e(),t._v(" "),s("input",{staticClass:"input-number",attrs:{id:t.name,type:"range",disabled:!t.present||t.disabled,max:t.max||t.hardMax||100,min:t.min||t.hardMin||0,step:t.step||1},domProps:{value:t.value||t.fallback},on:{input:function(e){return t.$emit("input",e.target.value)}}}),t._v(" "),s("input",{staticClass:"input-number",attrs:{id:t.name,type:"number",disabled:!t.present||t.disabled,max:t.hardMax,min:t.hardMin,step:t.step||1},domProps:{value:t.value||t.fallback},on:{input:function(e){return t.$emit("input",e.target.value)}}})])},[],!1,null,null,null).exports,ve={components:{Checkbox:d.a},props:["name","value","fallback","disabled"],computed:{present:function(){return void 0!==this.value}}},he=Object(o.a)(ve,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"opacity-control style-control",class:{disabled:!t.present||t.disabled}},[s("label",{staticClass:"label",attrs:{for:t.name}},[t._v("\n "+t._s(t.$t("settings.style.common.opacity"))+"\n ")]),t._v(" "),void 0!==t.fallback?s("Checkbox",{staticClass:"opt",attrs:{checked:t.present,disabled:t.disabled},on:{change:function(e){return t.$emit("input",t.present?void 0:t.fallback)}}}):t._e(),t._v(" "),s("input",{staticClass:"input-number",attrs:{id:t.name,type:"number",disabled:!t.present||t.disabled,max:"1",min:"0",step:".05"},domProps:{value:t.value||t.fallback},on:{input:function(e){return t.$emit("input",e.target.value)}}})],1)},[],!1,null,null,null).exports;function be(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}var fe=function(){return function(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?be(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):be(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}({x:0,y:0,blur:0,spread:0,inset:!1,color:"#000000",alpha:1},arguments.length>0&&void 0!==arguments[0]?arguments[0]:{})},ge={props:["value","fallback","ready"],data:function(){return{selectedId:0,cValue:(this.value||this.fallback||[]).map(fe)}},components:{ColorInput:pe,OpacityInput:he},methods:{add:function(){this.cValue.push(fe(this.selected)),this.selectedId=this.cValue.length-1},del:function(){this.cValue.splice(this.selectedId,1),this.selectedId=0===this.cValue.length?void 0:Math.max(this.selectedId-1,0)},moveUp:function(){var t=this.cValue.splice(this.selectedId,1)[0];this.cValue.splice(this.selectedId-1,0,t),this.selectedId-=1},moveDn:function(){var t=this.cValue.splice(this.selectedId,1)[0];this.cValue.splice(this.selectedId+1,0,t),this.selectedId+=1}},beforeUpdate:function(){this.cValue=this.value||this.fallback},computed:{anyShadows:function(){return this.cValue.length>0},anyShadowsFallback:function(){return this.fallback.length>0},selected:function(){return this.ready&&this.anyShadows?this.cValue[this.selectedId]:fe({})},currentFallback:function(){return this.ready&&this.anyShadowsFallback?this.fallback[this.selectedId]:fe({})},moveUpValid:function(){return this.ready&&this.selectedId>0},moveDnValid:function(){return this.ready&&this.selectedId<this.cValue.length-1},present:function(){return this.ready&&void 0!==this.cValue[this.selectedId]&&!this.usingFallback},usingFallback:function(){return void 0===this.value},rgb:function(){return Object(ie.f)(this.selected.color)},style:function(){return this.ready?{boxShadow:Object(re.i)(this.fallback)}:{}}}};var _e=function(t){s(630)},we=Object(o.a)(ge,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"shadow-control",class:{disabled:!t.present}},[s("div",{staticClass:"shadow-preview-container"},[s("div",{staticClass:"y-shift-control",attrs:{disabled:!t.present}},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.y,expression:"selected.y"}],staticClass:"input-number",attrs:{disabled:!t.present,type:"number"},domProps:{value:t.selected.y},on:{input:function(e){e.target.composing||t.$set(t.selected,"y",e.target.value)}}}),t._v(" "),s("div",{staticClass:"wrap"},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.y,expression:"selected.y"}],staticClass:"input-range",attrs:{disabled:!t.present,type:"range",max:"20",min:"-20"},domProps:{value:t.selected.y},on:{__r:function(e){return t.$set(t.selected,"y",e.target.value)}}})])]),t._v(" "),s("div",{staticClass:"preview-window"},[s("div",{staticClass:"preview-block",style:t.style})]),t._v(" "),s("div",{staticClass:"x-shift-control",attrs:{disabled:!t.present}},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.x,expression:"selected.x"}],staticClass:"input-number",attrs:{disabled:!t.present,type:"number"},domProps:{value:t.selected.x},on:{input:function(e){e.target.composing||t.$set(t.selected,"x",e.target.value)}}}),t._v(" "),s("div",{staticClass:"wrap"},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.x,expression:"selected.x"}],staticClass:"input-range",attrs:{disabled:!t.present,type:"range",max:"20",min:"-20"},domProps:{value:t.selected.x},on:{__r:function(e){return t.$set(t.selected,"x",e.target.value)}}})])])]),t._v(" "),s("div",{staticClass:"shadow-tweak"},[s("div",{staticClass:"id-control style-control",attrs:{disabled:t.usingFallback}},[s("label",{staticClass:"select",attrs:{for:"shadow-switcher",disabled:!t.ready||t.usingFallback}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.selectedId,expression:"selectedId"}],staticClass:"shadow-switcher",attrs:{id:"shadow-switcher",disabled:!t.ready||t.usingFallback},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.selectedId=e.target.multiple?s:s[0]}}},t._l(t.cValue,function(e,a){return s("option",{key:a,domProps:{value:a}},[t._v("\n "+t._s(t.$t("settings.style.shadows.shadow_id",{value:a}))+"\n ")])}),0),t._v(" "),s("i",{staticClass:"icon-down-open"})]),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:!t.ready||!t.present},on:{click:t.del}},[s("i",{staticClass:"icon-cancel"})]),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:!t.moveUpValid},on:{click:t.moveUp}},[s("i",{staticClass:"icon-up-open"})]),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:!t.moveDnValid},on:{click:t.moveDn}},[s("i",{staticClass:"icon-down-open"})]),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:t.usingFallback},on:{click:t.add}},[s("i",{staticClass:"icon-plus"})])]),t._v(" "),s("div",{staticClass:"inset-control style-control",attrs:{disabled:!t.present}},[s("label",{staticClass:"label",attrs:{for:"inset"}},[t._v("\n "+t._s(t.$t("settings.style.shadows.inset"))+"\n ")]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.inset,expression:"selected.inset"}],staticClass:"input-inset",attrs:{id:"inset",disabled:!t.present,name:"inset",type:"checkbox"},domProps:{checked:Array.isArray(t.selected.inset)?t._i(t.selected.inset,null)>-1:t.selected.inset},on:{change:function(e){var s=t.selected.inset,a=e.target,n=!!a.checked;if(Array.isArray(s)){var o=t._i(s,null);a.checked?o<0&&t.$set(t.selected,"inset",s.concat([null])):o>-1&&t.$set(t.selected,"inset",s.slice(0,o).concat(s.slice(o+1)))}else t.$set(t.selected,"inset",n)}}}),t._v(" "),s("label",{staticClass:"checkbox-label",attrs:{for:"inset"}})]),t._v(" "),s("div",{staticClass:"blur-control style-control",attrs:{disabled:!t.present}},[s("label",{staticClass:"label",attrs:{for:"spread"}},[t._v("\n "+t._s(t.$t("settings.style.shadows.blur"))+"\n ")]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.blur,expression:"selected.blur"}],staticClass:"input-range",attrs:{id:"blur",disabled:!t.present,name:"blur",type:"range",max:"20",min:"0"},domProps:{value:t.selected.blur},on:{__r:function(e){return t.$set(t.selected,"blur",e.target.value)}}}),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.blur,expression:"selected.blur"}],staticClass:"input-number",attrs:{disabled:!t.present,type:"number",min:"0"},domProps:{value:t.selected.blur},on:{input:function(e){e.target.composing||t.$set(t.selected,"blur",e.target.value)}}})]),t._v(" "),s("div",{staticClass:"spread-control style-control",attrs:{disabled:!t.present}},[s("label",{staticClass:"label",attrs:{for:"spread"}},[t._v("\n "+t._s(t.$t("settings.style.shadows.spread"))+"\n ")]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.spread,expression:"selected.spread"}],staticClass:"input-range",attrs:{id:"spread",disabled:!t.present,name:"spread",type:"range",max:"20",min:"-20"},domProps:{value:t.selected.spread},on:{__r:function(e){return t.$set(t.selected,"spread",e.target.value)}}}),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.spread,expression:"selected.spread"}],staticClass:"input-number",attrs:{disabled:!t.present,type:"number"},domProps:{value:t.selected.spread},on:{input:function(e){e.target.composing||t.$set(t.selected,"spread",e.target.value)}}})]),t._v(" "),s("ColorInput",{attrs:{disabled:!t.present,label:t.$t("settings.style.common.color"),fallback:t.currentFallback.color,"show-optional-tickbox":!1,name:"shadow"},model:{value:t.selected.color,callback:function(e){t.$set(t.selected,"color",e)},expression:"selected.color"}}),t._v(" "),s("OpacityInput",{attrs:{disabled:!t.present},model:{value:t.selected.alpha,callback:function(e){t.$set(t.selected,"alpha",e)},expression:"selected.alpha"}}),t._v(" "),s("i18n",{attrs:{path:"settings.style.shadows.hintV3",tag:"p"}},[s("code",[t._v("--variable,mod")])])],1)])},[],!1,_e,null,null).exports,Ce={props:["name","label","value","fallback","options","no-inherit"],data:function(){return{lValue:this.value,availableOptions:[this.noInherit?"":"inherit","custom"].concat(z()(this.options||[]),["serif","monospace","sans-serif"]).filter(function(t){return t})}},beforeUpdate:function(){this.lValue=this.value},computed:{present:function(){return void 0!==this.lValue},dValue:function(){return this.lValue||this.fallback||{}},family:{get:function(){return this.dValue.family},set:function(t){Object(q.set)(this.lValue,"family",t),this.$emit("input",this.lValue)}},isCustom:function(){return"custom"===this.preset},preset:{get:function(){return"serif"===this.family||"sans-serif"===this.family||"monospace"===this.family||"inherit"===this.family?this.family:"custom"},set:function(t){this.family="custom"===t?"":t}}}};var xe=function(t){s(632)},ke=Object(o.a)(Ce,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"font-control style-control",class:{custom:t.isCustom}},[s("label",{staticClass:"label",attrs:{for:"custom"===t.preset?t.name:t.name+"-font-switcher"}},[t._v("\n "+t._s(t.label)+"\n ")]),t._v(" "),void 0!==t.fallback?s("input",{staticClass:"opt exlcude-disabled",attrs:{id:t.name+"-o",type:"checkbox"},domProps:{checked:t.present},on:{input:function(e){return t.$emit("input",void 0===t.value?t.fallback:void 0)}}}):t._e(),t._v(" "),void 0!==t.fallback?s("label",{staticClass:"opt-l",attrs:{for:t.name+"-o"}}):t._e(),t._v(" "),s("label",{staticClass:"select",attrs:{for:t.name+"-font-switcher",disabled:!t.present}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.preset,expression:"preset"}],staticClass:"font-switcher",attrs:{id:t.name+"-font-switcher",disabled:!t.present},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.preset=e.target.multiple?s:s[0]}}},t._l(t.availableOptions,function(e){return s("option",{key:e,domProps:{value:e}},[t._v("\n "+t._s("custom"===e?t.$t("settings.style.fonts.custom"):e)+"\n ")])}),0),t._v(" "),s("i",{staticClass:"icon-down-open"})]),t._v(" "),t.isCustom?s("input",{directives:[{name:"model",rawName:"v-model",value:t.family,expression:"family"}],staticClass:"custom-font",attrs:{id:t.name,type:"text"},domProps:{value:t.family},on:{input:function(e){e.target.composing||(t.family=e.target.value)}}}):t._e()])},[],!1,xe,null,null).exports,ye={props:{large:{required:!1},contrast:{required:!1,type:Object}},computed:{hint:function(){var t=this.contrast.aaa?"aaa":this.contrast.aa?"aa":"bad",e=this.$t("settings.style.common.contrast.level.".concat(t)),s=this.$t("settings.style.common.contrast.context.text"),a=this.contrast.text;return this.$t("settings.style.common.contrast.hint",{level:e,context:s,ratio:a})},hint_18pt:function(){var t=this.contrast.laaa?"aaa":this.contrast.laa?"aa":"bad",e=this.$t("settings.style.common.contrast.level.".concat(t)),s=this.$t("settings.style.common.contrast.context.18pt"),a=this.contrast.text;return this.$t("settings.style.common.contrast.hint",{level:e,context:s,ratio:a})}}};var $e=function(t){s(634)},Le=Object(o.a)(ye,function(){var t=this,e=t.$createElement,s=t._self._c||e;return t.contrast?s("span",{staticClass:"contrast-ratio"},[s("span",{staticClass:"rating",attrs:{title:t.hint}},[t.contrast.aaa?s("span",[s("i",{staticClass:"icon-thumbs-up-alt"})]):t._e(),t._v(" "),!t.contrast.aaa&&t.contrast.aa?s("span",[s("i",{staticClass:"icon-adjust"})]):t._e(),t._v(" "),t.contrast.aaa||t.contrast.aa?t._e():s("span",[s("i",{staticClass:"icon-attention"})])]),t._v(" "),t.contrast&&t.large?s("span",{staticClass:"rating",attrs:{title:t.hint_18pt}},[t.contrast.laaa?s("span",[s("i",{staticClass:"icon-thumbs-up-alt"})]):t._e(),t._v(" "),!t.contrast.laaa&&t.contrast.laa?s("span",[s("i",{staticClass:"icon-adjust"})]):t._e(),t._v(" "),t.contrast.laaa||t.contrast.laa?t._e():s("span",[s("i",{staticClass:"icon-attention"})])]):t._e()]):t._e()},[],!1,$e,null,null).exports,Te={props:["exportObject","importLabel","exportLabel","importFailedText","validator","onImport","onImportFailure"],data:function(){return{importFailed:!1}},methods:{exportData:function(){var t=JSON.stringify(this.exportObject,null,2),e=document.createElement("a");e.setAttribute("download","pleroma_theme.json"),e.setAttribute("href","data:application/json;base64,"+window.btoa(t)),e.style.display="none",document.body.appendChild(e),e.click(),document.body.removeChild(e)},importData:function(){var t=this;this.importFailed=!1;var e=document.createElement("input");e.setAttribute("type","file"),e.setAttribute("accept",".json"),e.addEventListener("change",function(e){if(e.target.files[0]){var s=new FileReader;s.onload=function(e){var s=e.target;try{var a=JSON.parse(s.result);t.validator(a)?t.onImport(a):t.importFailed=!0}catch(e){t.importFailed=!0}},s.readAsText(e.target.files[0])}}),document.body.appendChild(e),e.click(),document.body.removeChild(e)}}};var Oe=function(t){s(636)},Pe=Object(o.a)(Te,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"import-export-container"},[t._t("before"),t._v(" "),s("button",{staticClass:"btn",on:{click:t.exportData}},[t._v("\n "+t._s(t.exportLabel)+"\n ")]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.importData}},[t._v("\n "+t._s(t.importLabel)+"\n ")]),t._v(" "),t._t("afterButtons"),t._v(" "),t.importFailed?s("p",{staticClass:"alert error"},[t._v("\n "+t._s(t.importFailedText)+"\n ")]):t._e(),t._v(" "),t._t("afterError")],2)},[],!1,Oe,null,null).exports;var Se=function(t){s(638)},Ie=Object(o.a)(null,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"preview-container"},[s("div",{staticClass:"underlay underlay-preview"}),t._v(" "),s("div",{staticClass:"panel dummy"},[s("div",{staticClass:"panel-heading"},[s("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("settings.style.preview.header"))+"\n "),s("span",{staticClass:"badge badge-notification"},[t._v("\n 99\n ")])]),t._v(" "),s("span",{staticClass:"faint"},[t._v("\n "+t._s(t.$t("settings.style.preview.header_faint"))+"\n ")]),t._v(" "),s("span",{staticClass:"alert error"},[t._v("\n "+t._s(t.$t("settings.style.preview.error"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn"},[t._v("\n "+t._s(t.$t("settings.style.preview.button"))+"\n ")])]),t._v(" "),s("div",{staticClass:"panel-body theme-preview-content"},[s("div",{staticClass:"post"},[s("div",{staticClass:"avatar still-image"},[t._v("\n ( ͡° ͜ʖ ͡°)\n ")]),t._v(" "),s("div",{staticClass:"content"},[s("h4",[t._v("\n "+t._s(t.$t("settings.style.preview.content"))+"\n ")]),t._v(" "),s("i18n",{attrs:{path:"settings.style.preview.text"}},[s("code",{staticStyle:{"font-family":"var(--postCodeFont)"}},[t._v("\n "+t._s(t.$t("settings.style.preview.mono"))+"\n ")]),t._v(" "),s("a",{staticStyle:{color:"var(--link)"}},[t._v("\n "+t._s(t.$t("settings.style.preview.link"))+"\n ")])]),t._v(" "),t._m(0)],1)]),t._v(" "),s("div",{staticClass:"after-post"},[s("div",{staticClass:"avatar-alt"},[t._v("\n :^)\n ")]),t._v(" "),s("div",{staticClass:"content"},[s("i18n",{staticClass:"faint",attrs:{path:"settings.style.preview.fine_print",tag:"span"}},[s("a",{staticStyle:{color:"var(--faintLink)"}},[t._v("\n "+t._s(t.$t("settings.style.preview.faint_link"))+"\n ")])])],1)]),t._v(" "),s("div",{staticClass:"separator"}),t._v(" "),s("span",{staticClass:"alert error"},[t._v("\n "+t._s(t.$t("settings.style.preview.error"))+"\n ")]),t._v(" "),s("input",{attrs:{type:"text"},domProps:{value:t.$t("settings.style.preview.input")}}),t._v(" "),s("div",{staticClass:"actions"},[s("span",{staticClass:"checkbox"},[s("input",{attrs:{id:"preview_checkbox",checked:"very yes",type:"checkbox"}}),t._v(" "),s("label",{attrs:{for:"preview_checkbox"}},[t._v(t._s(t.$t("settings.style.preview.checkbox")))])]),t._v(" "),s("button",{staticClass:"btn"},[t._v("\n "+t._s(t.$t("settings.style.preview.button"))+"\n ")])])])])])},[function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"icons"},[e("i",{staticClass:"button-icon icon-reply",staticStyle:{color:"var(--cBlue)"}}),this._v(" "),e("i",{staticClass:"button-icon icon-retweet",staticStyle:{color:"var(--cGreen)"}}),this._v(" "),e("i",{staticClass:"button-icon icon-star",staticStyle:{color:"var(--cOrange)"}}),this._v(" "),e("i",{staticClass:"button-icon icon-cancel",staticStyle:{color:"var(--cRed)"}})])}],!1,Se,null,null).exports;function je(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}function Ee(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?je(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):je(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}var Re=["bg","fg","text","link","cRed","cGreen","cBlue","cOrange"].map(function(t){return t+"ColorLocal"}),Be={data:function(){return Ee({availableStyles:[],selected:this.$store.getters.mergedConfig.theme,themeWarning:void 0,tempImportFile:void 0,engineVersion:0,previewShadows:{},previewColors:{},previewRadii:{},previewFonts:{},shadowsInvalid:!0,colorsInvalid:!0,radiiInvalid:!0,keepColor:!1,keepShadows:!1,keepOpacity:!1,keepRoundness:!1,keepFonts:!1},Object.keys(le.c).map(function(t){return[t,""]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return Ee({},t,N()({},a+"ColorLocal",n))},{}),{},Object.keys(ce.b).map(function(t){return[t,""]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return Ee({},t,N()({},a+"OpacityLocal",n))},{}),{shadowSelected:void 0,shadowsLocal:{},fontsLocal:{},btnRadiusLocal:"",inputRadiusLocal:"",checkboxRadiusLocal:"",panelRadiusLocal:"",avatarRadiusLocal:"",avatarAltRadiusLocal:"",attachmentRadiusLocal:"",tooltipRadiusLocal:"",chatMessageRadiusLocal:""})},created:function(){var t=this;Object(re.k)().then(function(t){return Promise.all(Object.entries(t).map(function(t){var e=A()(t,2),s=e[0];return e[1].then(function(t){return[s,t]})}))}).then(function(t){return t.reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return n?Ee({},t,N()({},a,n)):t},{})}).then(function(e){t.availableStyles=e})},mounted:function(){this.loadThemeFromLocalStorage(),void 0===this.shadowSelected&&(this.shadowSelected=this.shadowsAvailable[0])},computed:{themeWarningHelp:function(){if(this.themeWarning){var t=this.$t,e="settings.style.switcher.help.",s=this.themeWarning,a=s.origin,n=s.themeEngineVersion,o=s.type,i=s.noActionsPossible;if("file"===a){if(2===n&&"wrong_version"===o)return t(e+"v2_imported");if(n>ce.a)return t(e+"future_version_imported")+" "+t(i?e+"snapshot_missing":e+"snapshot_present");if(n<ce.a)return t(e+"future_version_imported")+" "+t(i?e+"snapshot_missing":e+"snapshot_present")}else if("localStorage"===a){if("snapshot_source_mismatch"===o)return t(e+"snapshot_source_mismatch");if(2===n)return t(e+"upgraded_from_v2");if(n>ce.a)return t(e+"fe_downgraded")+" "+t(i?e+"migration_snapshot_ok":e+"migration_snapshot_gone");if(n<ce.a)return t(e+"fe_upgraded")+" "+t(i?e+"migration_snapshot_ok":e+"migration_snapshot_gone")}}},selectedVersion:function(){return Array.isArray(this.selected)?1:2},currentColors:function(){var t=this;return Object.keys(le.c).map(function(e){return[e,t[e+"ColorLocal"]]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return Ee({},t,N()({},a,n))},{})},currentOpacity:function(){var t=this;return Object.keys(ce.b).map(function(e){return[e,t[e+"OpacityLocal"]]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return Ee({},t,N()({},a,n))},{})},currentRadii:function(){return{btn:this.btnRadiusLocal,input:this.inputRadiusLocal,checkbox:this.checkboxRadiusLocal,panel:this.panelRadiusLocal,avatar:this.avatarRadiusLocal,avatarAlt:this.avatarAltRadiusLocal,tooltip:this.tooltipRadiusLocal,attachment:this.attachmentRadiusLocal,chatMessage:this.chatMessageRadiusLocal}},preview:function(){return Object(re.d)(this.previewColors,this.previewRadii,this.previewShadows,this.previewFonts)},previewTheme:function(){return this.preview.theme.colors?this.preview.theme:{colors:{},opacity:{},radii:{},shadows:{},fonts:{}}},previewContrast:function(){try{if(!this.previewTheme.colors.bg)return{};var t=this.previewTheme.colors,e=this.previewTheme.opacity;if(!t.bg)return{};var s=Object.entries(t).reduce(function(t,e){var s,a=A()(e,2),n=a[0],o=a[1];return Ee({},t,N()({},n,(s=o).startsWith("--")||"transparent"===s?s:Object(ie.f)(s)))},{}),a=Object.entries(le.c).reduce(function(t,a){var n=A()(a,2),o=n[0],i=n[1],r="text"===o||"link"===o;if(!(r||"object"===Vt()(i)&&null!==i&&i.textColor))return t;var l=r?{layer:"bg"}:i,c=l.layer,u=l.variant,d=u||c,p=Object(ce.f)(d),m=[o].concat(z()("bg"===d?["cRed","cGreen","cBlue","cOrange"]:[])),v=Object(ce.e)(c,u||c,p,s,e);return Ee({},t,{},m.reduce(function(t,e){var a=r?"bg"+e[0].toUpperCase()+e.slice(1):e;return Ee({},t,N()({},a,Object(ie.c)(s[e],v,s[e])))},{}))},{});return Object.entries(a).reduce(function(t,e){var s,a=A()(e,2),n=a[0],o=a[1];return t[n]={text:(s=o).toPrecision(3)+":1",aa:s>=4.5,aaa:s>=7,laa:s>=3,laaa:s>=4.5},t},{})}catch(t){console.warn("Failure computing contrasts",t)}},previewRules:function(){return this.preview.rules?[].concat(z()(Object.values(this.preview.rules)),["color: var(--text)","font-family: var(--interfaceFont, sans-serif)"]).join(";"):""},shadowsAvailable:function(){return Object.keys(re.a).sort()},currentShadowOverriden:{get:function(){return!!this.currentShadow},set:function(t){t?Object(q.set)(this.shadowsLocal,this.shadowSelected,this.currentShadowFallback.map(function(t){return Object.assign({},t)})):Object(q.delete)(this.shadowsLocal,this.shadowSelected)}},currentShadowFallback:function(){return(this.previewTheme.shadows||{})[this.shadowSelected]},currentShadow:{get:function(){return this.shadowsLocal[this.shadowSelected]},set:function(t){Object(q.set)(this.shadowsLocal,this.shadowSelected,t)}},themeValid:function(){return!this.shadowsInvalid&&!this.colorsInvalid&&!this.radiiInvalid},exportedTheme:function(){var t=!(this.keepFonts||this.keepShadows||this.keepOpacity||this.keepRoundness||this.keepColor),e={themeEngineVersion:ce.a};return(this.keepFonts||t)&&(e.fonts=this.fontsLocal),(this.keepShadows||t)&&(e.shadows=this.shadowsLocal),(this.keepOpacity||t)&&(e.opacity=this.currentOpacity),(this.keepColor||t)&&(e.colors=this.currentColors),(this.keepRoundness||t)&&(e.radii=this.currentRadii),{_pleroma_theme_version:2,theme:Ee({themeEngineVersion:ce.a},this.previewTheme),source:e}}},components:{ColorInput:pe,OpacityInput:he,RangeInput:me,ContrastRatio:Le,ShadowControl:we,FontControl:ke,TabSwitcher:a.a,Preview:Ie,ExportImport:Pe,Checkbox:d.a},methods:{loadTheme:function(t,e){var s=t.theme,a=t.source,n=t._pleroma_theme_version,o=arguments.length>2&&void 0!==arguments[2]&&arguments[2];if(this.dismissWarning(),!a&&!s)throw new Error("Can't load theme: empty");var i="localStorage"!==e||s.colors?n:"l1",r=(s||{}).themeEngineVersion,l=(a||{}).themeEngineVersion||2,c=l===ce.a,u=void 0!==s&&void 0!==a&&l!==r,d=a&&o||!s;c&&!u||d||"l1"===i||"defaults"===e||(u&&"localStorage"===e?this.themeWarning={origin:e,themeEngineVersion:l,type:"snapshot_source_mismatch"}:s?c||(this.themeWarning={origin:e,noActionsPossible:!a,themeEngineVersion:l,type:"wrong_version"}):this.themeWarning={origin:e,noActionsPossible:!0,themeEngineVersion:l,type:"no_snapshot_old_version"}),this.normalizeLocalState(s,i,a,d)},forceLoadLocalStorage:function(){this.loadThemeFromLocalStorage(!0)},dismissWarning:function(){this.themeWarning=void 0,this.tempImportFile=void 0},forceLoad:function(){switch(this.themeWarning.origin){case"localStorage":this.loadThemeFromLocalStorage(!0);break;case"file":this.onImport(this.tempImportFile,!0)}this.dismissWarning()},forceSnapshot:function(){switch(this.themeWarning.origin){case"localStorage":this.loadThemeFromLocalStorage(!1,!0);break;case"file":console.err("Forcing snapshout from file is not supported yet")}this.dismissWarning()},loadThemeFromLocalStorage:function(){var t=arguments.length>0&&void 0!==arguments[0]&&arguments[0],e=arguments.length>1&&void 0!==arguments[1]&&arguments[1],s=this.$store.getters.mergedConfig,a=s.customTheme,n=s.customThemeSource;a||n?this.loadTheme({theme:a,source:e?a:n},"localStorage",t):this.loadTheme(this.$store.state.instance.themeData,"defaults",t)},setCustomTheme:function(){this.$store.dispatch("setOption",{name:"customTheme",value:Ee({themeEngineVersion:ce.a},this.previewTheme)}),this.$store.dispatch("setOption",{name:"customThemeSource",value:{themeEngineVersion:ce.a,shadows:this.shadowsLocal,fonts:this.fontsLocal,opacity:this.currentOpacity,colors:this.currentColors,radii:this.currentRadii}})},updatePreviewColorsAndShadows:function(){this.previewColors=Object(re.e)({opacity:this.currentOpacity,colors:this.currentColors}),this.previewShadows=Object(re.h)({shadows:this.shadowsLocal,opacity:this.previewTheme.opacity,themeEngineVersion:this.engineVersion},this.previewColors.theme.colors,this.previewColors.mod)},onImport:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];this.tempImportFile=t,this.loadTheme(t,"file",e)},importValidator:function(t){var e=t._pleroma_theme_version;return e>=1||e<=2},clearAll:function(){this.loadThemeFromLocalStorage()},clearV1:function(){var t=this;Object.keys(this.$data).filter(function(t){return t.endsWith("ColorLocal")||t.endsWith("OpacityLocal")}).filter(function(t){return!Re.includes(t)}).forEach(function(e){Object(q.set)(t.$data,e,void 0)})},clearRoundness:function(){var t=this;Object.keys(this.$data).filter(function(t){return t.endsWith("RadiusLocal")}).forEach(function(e){Object(q.set)(t.$data,e,void 0)})},clearOpacity:function(){var t=this;Object.keys(this.$data).filter(function(t){return t.endsWith("OpacityLocal")}).forEach(function(e){Object(q.set)(t.$data,e,void 0)})},clearShadows:function(){this.shadowsLocal={}},clearFonts:function(){this.fontsLocal={}},normalizeLocalState:function(t){var e,s=this,a=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=arguments.length>2?arguments[2]:void 0,o=arguments.length>3&&void 0!==arguments[3]&&arguments[3];void 0!==n&&(o||n.themeEngineVersion===ce.a)?(e=n,a=n.themeEngineVersion):e=t;var i=e.radii||e,r=e.opacity,l=e.shadows||{},c=e.fonts||{},u=e.themeEngineVersion?e.colors||e:Object(re.c)(e.colors||e);if(0===a&&(e.version&&(a=e.version),void 0===u.text&&void 0!==u.fg&&(a=1),void 0!==u.text&&void 0!==u.fg&&(a=2)),this.engineVersion=a,1===a&&(this.fgColorLocal=Object(ie.i)(u.btn),this.textColorLocal=Object(ie.i)(u.fg)),!this.keepColor){this.clearV1();var d=new Set(1!==a?Object.keys(le.c):[]);1!==a&&"l1"!==a||d.add("bg").add("link").add("cRed").add("cBlue").add("cGreen").add("cOrange"),d.forEach(function(t){var e=u[t],a=Object(ie.i)(u[t]);s[t+"ColorLocal"]="#aN"===a?e:a})}r&&!this.keepOpacity&&(this.clearOpacity(),Object.entries(r).forEach(function(t){var e=A()(t,2),a=e[0],n=e[1];null==n||Number.isNaN(n)||(s[a+"OpacityLocal"]=n)})),this.keepRoundness||(this.clearRoundness(),Object.entries(i).forEach(function(t){var e=A()(t,2),a=e[0],n=e[1],o=a.endsWith("Radius")?a.split("Radius")[0]:a;s[o+"RadiusLocal"]=n})),this.keepShadows||(this.clearShadows(),this.shadowsLocal=2===a?Object(re.m)(l,this.previewTheme.opacity):l,this.shadowSelected=this.shadowsAvailable[0]),this.keepFonts||(this.clearFonts(),this.fontsLocal=c)}},watch:{currentRadii:function(){try{this.previewRadii=Object(re.g)({radii:this.currentRadii}),this.radiiInvalid=!1}catch(t){this.radiiInvalid=!0,console.warn(t)}},shadowsLocal:{handler:function(){if(1!==Object.getOwnPropertyNames(this.previewColors).length)try{this.updatePreviewColorsAndShadows(),this.shadowsInvalid=!1}catch(t){this.shadowsInvalid=!0,console.warn(t)}},deep:!0},fontsLocal:{handler:function(){try{this.previewFonts=Object(re.f)({fonts:this.fontsLocal}),this.fontsInvalid=!1}catch(t){this.fontsInvalid=!0,console.warn(t)}},deep:!0},currentColors:function(){try{this.updatePreviewColorsAndShadows(),this.colorsInvalid=!1,this.shadowsInvalid=!1}catch(t){this.colorsInvalid=!0,this.shadowsInvalid=!0,console.warn(t)}},currentOpacity:function(){try{this.updatePreviewColorsAndShadows()}catch(t){console.warn(t)}},selected:function(){this.dismissWarning(),1===this.selectedVersion?(this.keepRoundness||this.clearRoundness(),this.keepShadows||this.clearShadows(),this.keepOpacity||this.clearOpacity(),this.keepColor||(this.clearV1(),this.bgColorLocal=this.selected[1],this.fgColorLocal=this.selected[2],this.textColorLocal=this.selected[3],this.linkColorLocal=this.selected[4],this.cRedColorLocal=this.selected[5],this.cGreenColorLocal=this.selected[6],this.cBlueColorLocal=this.selected[7],this.cOrangeColorLocal=this.selected[8])):this.selectedVersion>=2&&this.normalizeLocalState(this.selected.theme,2,this.selected.source)}}};var Fe=function(t){s(624)},Me=Object(o.a)(Be,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"theme-tab"},[s("div",{staticClass:"presets-container"},[s("div",{staticClass:"save-load"},[t.themeWarning?s("div",{staticClass:"theme-warning"},[s("div",{staticClass:"alert warning"},[t._v("\n "+t._s(t.themeWarningHelp)+"\n ")]),t._v(" "),s("div",{staticClass:"buttons"},["snapshot_source_mismatch"===t.themeWarning.type?[s("button",{staticClass:"btn",on:{click:t.forceLoad}},[t._v("\n "+t._s(t.$t("settings.style.switcher.use_source"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.forceSnapshot}},[t._v("\n "+t._s(t.$t("settings.style.switcher.use_snapshot"))+"\n ")])]:t.themeWarning.noActionsPossible?[s("button",{staticClass:"btn",on:{click:t.dismissWarning}},[t._v("\n "+t._s(t.$t("general.dismiss"))+"\n ")])]:[s("button",{staticClass:"btn",on:{click:t.forceLoad}},[t._v("\n "+t._s(t.$t("settings.style.switcher.load_theme"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.dismissWarning}},[t._v("\n "+t._s(t.$t("settings.style.switcher.keep_as_is"))+"\n ")])]],2)]):t._e(),t._v(" "),s("ExportImport",{attrs:{"export-object":t.exportedTheme,"export-label":t.$t("settings.export_theme"),"import-label":t.$t("settings.import_theme"),"import-failed-text":t.$t("settings.invalid_theme_imported"),"on-import":t.onImport,validator:t.importValidator}},[s("template",{slot:"before"},[s("div",{staticClass:"presets"},[t._v("\n "+t._s(t.$t("settings.presets"))+"\n "),s("label",{staticClass:"select",attrs:{for:"preset-switcher"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.selected,expression:"selected"}],staticClass:"preset-switcher",attrs:{id:"preset-switcher"},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.selected=e.target.multiple?s:s[0]}}},t._l(t.availableStyles,function(e){return s("option",{key:e.name,style:{backgroundColor:e[1]||(e.theme||e.source).colors.bg,color:e[3]||(e.theme||e.source).colors.text},domProps:{value:e}},[t._v("\n "+t._s(e[0]||e.name)+"\n ")])}),0),t._v(" "),s("i",{staticClass:"icon-down-open"})])])])],2)],1),t._v(" "),s("div",{staticClass:"save-load-options"},[s("span",{staticClass:"keep-option"},[s("Checkbox",{model:{value:t.keepColor,callback:function(e){t.keepColor=e},expression:"keepColor"}},[t._v("\n "+t._s(t.$t("settings.style.switcher.keep_color"))+"\n ")])],1),t._v(" "),s("span",{staticClass:"keep-option"},[s("Checkbox",{model:{value:t.keepShadows,callback:function(e){t.keepShadows=e},expression:"keepShadows"}},[t._v("\n "+t._s(t.$t("settings.style.switcher.keep_shadows"))+"\n ")])],1),t._v(" "),s("span",{staticClass:"keep-option"},[s("Checkbox",{model:{value:t.keepOpacity,callback:function(e){t.keepOpacity=e},expression:"keepOpacity"}},[t._v("\n "+t._s(t.$t("settings.style.switcher.keep_opacity"))+"\n ")])],1),t._v(" "),s("span",{staticClass:"keep-option"},[s("Checkbox",{model:{value:t.keepRoundness,callback:function(e){t.keepRoundness=e},expression:"keepRoundness"}},[t._v("\n "+t._s(t.$t("settings.style.switcher.keep_roundness"))+"\n ")])],1),t._v(" "),s("span",{staticClass:"keep-option"},[s("Checkbox",{model:{value:t.keepFonts,callback:function(e){t.keepFonts=e},expression:"keepFonts"}},[t._v("\n "+t._s(t.$t("settings.style.switcher.keep_fonts"))+"\n ")])],1),t._v(" "),s("p",[t._v(t._s(t.$t("settings.style.switcher.save_load_hint")))])])]),t._v(" "),s("preview",{style:t.previewRules}),t._v(" "),s("keep-alive",[s("tab-switcher",{key:"style-tweak"},[s("div",{staticClass:"color-container",attrs:{label:t.$t("settings.style.common_colors._tab_label")}},[s("div",{staticClass:"tab-header"},[s("p",[t._v(t._s(t.$t("settings.theme_help")))]),t._v(" "),s("div",{staticClass:"tab-header-buttons"},[s("button",{staticClass:"btn",on:{click:t.clearOpacity}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_opacity"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearV1}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_all"))+"\n ")])])]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.theme_help_v2_1")))]),t._v(" "),s("h4",[t._v(t._s(t.$t("settings.style.common_colors.main")))]),t._v(" "),s("div",{staticClass:"color-item"},[s("ColorInput",{attrs:{name:"bgColor",label:t.$t("settings.background")},model:{value:t.bgColorLocal,callback:function(e){t.bgColorLocal=e},expression:"bgColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"bgOpacity",fallback:t.previewTheme.opacity.bg},model:{value:t.bgOpacityLocal,callback:function(e){t.bgOpacityLocal=e},expression:"bgOpacityLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"textColor",label:t.$t("settings.text")},model:{value:t.textColorLocal,callback:function(e){t.textColorLocal=e},expression:"textColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.bgText}}),t._v(" "),s("ColorInput",{attrs:{name:"accentColor",fallback:t.previewTheme.colors.link,label:t.$t("settings.accent"),"show-optional-tickbox":void 0!==t.linkColorLocal},model:{value:t.accentColorLocal,callback:function(e){t.accentColorLocal=e},expression:"accentColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"linkColor",fallback:t.previewTheme.colors.accent,label:t.$t("settings.links"),"show-optional-tickbox":void 0!==t.accentColorLocal},model:{value:t.linkColorLocal,callback:function(e){t.linkColorLocal=e},expression:"linkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.bgLink}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("ColorInput",{attrs:{name:"fgColor",label:t.$t("settings.foreground")},model:{value:t.fgColorLocal,callback:function(e){t.fgColorLocal=e},expression:"fgColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"fgTextColor",label:t.$t("settings.text"),fallback:t.previewTheme.colors.fgText},model:{value:t.fgTextColorLocal,callback:function(e){t.fgTextColorLocal=e},expression:"fgTextColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"fgLinkColor",label:t.$t("settings.links"),fallback:t.previewTheme.colors.fgLink},model:{value:t.fgLinkColorLocal,callback:function(e){t.fgLinkColorLocal=e},expression:"fgLinkColorLocal"}}),t._v(" "),s("p",[t._v(t._s(t.$t("settings.style.common_colors.foreground_hint")))])],1),t._v(" "),s("h4",[t._v(t._s(t.$t("settings.style.common_colors.rgbo")))]),t._v(" "),s("div",{staticClass:"color-item"},[s("ColorInput",{attrs:{name:"cRedColor",label:t.$t("settings.cRed")},model:{value:t.cRedColorLocal,callback:function(e){t.cRedColorLocal=e},expression:"cRedColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.bgCRed}}),t._v(" "),s("ColorInput",{attrs:{name:"cBlueColor",label:t.$t("settings.cBlue")},model:{value:t.cBlueColorLocal,callback:function(e){t.cBlueColorLocal=e},expression:"cBlueColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.bgCBlue}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("ColorInput",{attrs:{name:"cGreenColor",label:t.$t("settings.cGreen")},model:{value:t.cGreenColorLocal,callback:function(e){t.cGreenColorLocal=e},expression:"cGreenColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.bgCGreen}}),t._v(" "),s("ColorInput",{attrs:{name:"cOrangeColor",label:t.$t("settings.cOrange")},model:{value:t.cOrangeColorLocal,callback:function(e){t.cOrangeColorLocal=e},expression:"cOrangeColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.bgCOrange}})],1),t._v(" "),s("p",[t._v(t._s(t.$t("settings.theme_help_v2_2")))])]),t._v(" "),s("div",{staticClass:"color-container",attrs:{label:t.$t("settings.style.advanced_colors._tab_label")}},[s("div",{staticClass:"tab-header"},[s("p",[t._v(t._s(t.$t("settings.theme_help")))]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearOpacity}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_opacity"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearV1}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_all"))+"\n ")])]),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.post")))]),t._v(" "),s("ColorInput",{attrs:{name:"postLinkColor",fallback:t.previewTheme.colors.accent,label:t.$t("settings.links")},model:{value:t.postLinkColorLocal,callback:function(e){t.postLinkColorLocal=e},expression:"postLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.postLink}}),t._v(" "),s("ColorInput",{attrs:{name:"postGreentextColor",fallback:t.previewTheme.colors.cGreen,label:t.$t("settings.greentext")},model:{value:t.postGreentextColorLocal,callback:function(e){t.postGreentextColorLocal=e},expression:"postGreentextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.postGreentext}}),t._v(" "),s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.alert")))]),t._v(" "),s("ColorInput",{attrs:{name:"alertError",label:t.$t("settings.style.advanced_colors.alert_error"),fallback:t.previewTheme.colors.alertError},model:{value:t.alertErrorColorLocal,callback:function(e){t.alertErrorColorLocal=e},expression:"alertErrorColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"alertErrorText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.alertErrorText},model:{value:t.alertErrorTextColorLocal,callback:function(e){t.alertErrorTextColorLocal=e},expression:"alertErrorTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.alertErrorText,large:"true"}}),t._v(" "),s("ColorInput",{attrs:{name:"alertWarning",label:t.$t("settings.style.advanced_colors.alert_warning"),fallback:t.previewTheme.colors.alertWarning},model:{value:t.alertWarningColorLocal,callback:function(e){t.alertWarningColorLocal=e},expression:"alertWarningColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"alertWarningText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.alertWarningText},model:{value:t.alertWarningTextColorLocal,callback:function(e){t.alertWarningTextColorLocal=e},expression:"alertWarningTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.alertWarningText,large:"true"}}),t._v(" "),s("ColorInput",{attrs:{name:"alertNeutral",label:t.$t("settings.style.advanced_colors.alert_neutral"),fallback:t.previewTheme.colors.alertNeutral},model:{value:t.alertNeutralColorLocal,callback:function(e){t.alertNeutralColorLocal=e},expression:"alertNeutralColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"alertNeutralText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.alertNeutralText},model:{value:t.alertNeutralTextColorLocal,callback:function(e){t.alertNeutralTextColorLocal=e},expression:"alertNeutralTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.alertNeutralText,large:"true"}}),t._v(" "),s("OpacityInput",{attrs:{name:"alertOpacity",fallback:t.previewTheme.opacity.alert},model:{value:t.alertOpacityLocal,callback:function(e){t.alertOpacityLocal=e},expression:"alertOpacityLocal"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.badge")))]),t._v(" "),s("ColorInput",{attrs:{name:"badgeNotification",label:t.$t("settings.style.advanced_colors.badge_notification"),fallback:t.previewTheme.colors.badgeNotification},model:{value:t.badgeNotificationColorLocal,callback:function(e){t.badgeNotificationColorLocal=e},expression:"badgeNotificationColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"badgeNotificationText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.badgeNotificationText},model:{value:t.badgeNotificationTextColorLocal,callback:function(e){t.badgeNotificationTextColorLocal=e},expression:"badgeNotificationTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.badgeNotificationText,large:"true"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.panel_header")))]),t._v(" "),s("ColorInput",{attrs:{name:"panelColor",fallback:t.previewTheme.colors.panel,label:t.$t("settings.background")},model:{value:t.panelColorLocal,callback:function(e){t.panelColorLocal=e},expression:"panelColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"panelOpacity",fallback:t.previewTheme.opacity.panel,disabled:"transparent"===t.panelColorLocal},model:{value:t.panelOpacityLocal,callback:function(e){t.panelOpacityLocal=e},expression:"panelOpacityLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"panelTextColor",fallback:t.previewTheme.colors.panelText,label:t.$t("settings.text")},model:{value:t.panelTextColorLocal,callback:function(e){t.panelTextColorLocal=e},expression:"panelTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.panelText,large:"true"}}),t._v(" "),s("ColorInput",{attrs:{name:"panelLinkColor",fallback:t.previewTheme.colors.panelLink,label:t.$t("settings.links")},model:{value:t.panelLinkColorLocal,callback:function(e){t.panelLinkColorLocal=e},expression:"panelLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.panelLink,large:"true"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.top_bar")))]),t._v(" "),s("ColorInput",{attrs:{name:"topBarColor",fallback:t.previewTheme.colors.topBar,label:t.$t("settings.background")},model:{value:t.topBarColorLocal,callback:function(e){t.topBarColorLocal=e},expression:"topBarColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"topBarTextColor",fallback:t.previewTheme.colors.topBarText,label:t.$t("settings.text")},model:{value:t.topBarTextColorLocal,callback:function(e){t.topBarTextColorLocal=e},expression:"topBarTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.topBarText}}),t._v(" "),s("ColorInput",{attrs:{name:"topBarLinkColor",fallback:t.previewTheme.colors.topBarLink,label:t.$t("settings.links")},model:{value:t.topBarLinkColorLocal,callback:function(e){t.topBarLinkColorLocal=e},expression:"topBarLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.topBarLink}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.inputs")))]),t._v(" "),s("ColorInput",{attrs:{name:"inputColor",fallback:t.previewTheme.colors.input,label:t.$t("settings.background")},model:{value:t.inputColorLocal,callback:function(e){t.inputColorLocal=e},expression:"inputColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"inputOpacity",fallback:t.previewTheme.opacity.input,disabled:"transparent"===t.inputColorLocal},model:{value:t.inputOpacityLocal,callback:function(e){t.inputOpacityLocal=e},expression:"inputOpacityLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"inputTextColor",fallback:t.previewTheme.colors.inputText,label:t.$t("settings.text")},model:{value:t.inputTextColorLocal,callback:function(e){t.inputTextColorLocal=e},expression:"inputTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.inputText}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.buttons")))]),t._v(" "),s("ColorInput",{attrs:{name:"btnColor",fallback:t.previewTheme.colors.btn,label:t.$t("settings.background")},model:{value:t.btnColorLocal,callback:function(e){t.btnColorLocal=e},expression:"btnColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"btnOpacity",fallback:t.previewTheme.opacity.btn,disabled:"transparent"===t.btnColorLocal},model:{value:t.btnOpacityLocal,callback:function(e){t.btnOpacityLocal=e},expression:"btnOpacityLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"btnTextColor",fallback:t.previewTheme.colors.btnText,label:t.$t("settings.text")},model:{value:t.btnTextColorLocal,callback:function(e){t.btnTextColorLocal=e},expression:"btnTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnText}}),t._v(" "),s("ColorInput",{attrs:{name:"btnPanelTextColor",fallback:t.previewTheme.colors.btnPanelText,label:t.$t("settings.style.advanced_colors.panel_header")},model:{value:t.btnPanelTextColorLocal,callback:function(e){t.btnPanelTextColorLocal=e},expression:"btnPanelTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnPanelText}}),t._v(" "),s("ColorInput",{attrs:{name:"btnTopBarTextColor",fallback:t.previewTheme.colors.btnTopBarText,label:t.$t("settings.style.advanced_colors.top_bar")},model:{value:t.btnTopBarTextColorLocal,callback:function(e){t.btnTopBarTextColorLocal=e},expression:"btnTopBarTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnTopBarText}}),t._v(" "),s("h5",[t._v(t._s(t.$t("settings.style.advanced_colors.pressed")))]),t._v(" "),s("ColorInput",{attrs:{name:"btnPressedColor",fallback:t.previewTheme.colors.btnPressed,label:t.$t("settings.background")},model:{value:t.btnPressedColorLocal,callback:function(e){t.btnPressedColorLocal=e},expression:"btnPressedColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"btnPressedTextColor",fallback:t.previewTheme.colors.btnPressedText,label:t.$t("settings.text")},model:{value:t.btnPressedTextColorLocal,callback:function(e){t.btnPressedTextColorLocal=e},expression:"btnPressedTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnPressedText}}),t._v(" "),s("ColorInput",{attrs:{name:"btnPressedPanelTextColor",fallback:t.previewTheme.colors.btnPressedPanelText,label:t.$t("settings.style.advanced_colors.panel_header")},model:{value:t.btnPressedPanelTextColorLocal,callback:function(e){t.btnPressedPanelTextColorLocal=e},expression:"btnPressedPanelTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnPressedPanelText}}),t._v(" "),s("ColorInput",{attrs:{name:"btnPressedTopBarTextColor",fallback:t.previewTheme.colors.btnPressedTopBarText,label:t.$t("settings.style.advanced_colors.top_bar")},model:{value:t.btnPressedTopBarTextColorLocal,callback:function(e){t.btnPressedTopBarTextColorLocal=e},expression:"btnPressedTopBarTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnPressedTopBarText}}),t._v(" "),s("h5",[t._v(t._s(t.$t("settings.style.advanced_colors.disabled")))]),t._v(" "),s("ColorInput",{attrs:{name:"btnDisabledColor",fallback:t.previewTheme.colors.btnDisabled,label:t.$t("settings.background")},model:{value:t.btnDisabledColorLocal,callback:function(e){t.btnDisabledColorLocal=e},expression:"btnDisabledColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"btnDisabledTextColor",fallback:t.previewTheme.colors.btnDisabledText,label:t.$t("settings.text")},model:{value:t.btnDisabledTextColorLocal,callback:function(e){t.btnDisabledTextColorLocal=e},expression:"btnDisabledTextColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"btnDisabledPanelTextColor",fallback:t.previewTheme.colors.btnDisabledPanelText,label:t.$t("settings.style.advanced_colors.panel_header")},model:{value:t.btnDisabledPanelTextColorLocal,callback:function(e){t.btnDisabledPanelTextColorLocal=e},expression:"btnDisabledPanelTextColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"btnDisabledTopBarTextColor",fallback:t.previewTheme.colors.btnDisabledTopBarText,label:t.$t("settings.style.advanced_colors.top_bar")},model:{value:t.btnDisabledTopBarTextColorLocal,callback:function(e){t.btnDisabledTopBarTextColorLocal=e},expression:"btnDisabledTopBarTextColorLocal"}}),t._v(" "),s("h5",[t._v(t._s(t.$t("settings.style.advanced_colors.toggled")))]),t._v(" "),s("ColorInput",{attrs:{name:"btnToggledColor",fallback:t.previewTheme.colors.btnToggled,label:t.$t("settings.background")},model:{value:t.btnToggledColorLocal,callback:function(e){t.btnToggledColorLocal=e},expression:"btnToggledColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"btnToggledTextColor",fallback:t.previewTheme.colors.btnToggledText,label:t.$t("settings.text")},model:{value:t.btnToggledTextColorLocal,callback:function(e){t.btnToggledTextColorLocal=e},expression:"btnToggledTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnToggledText}}),t._v(" "),s("ColorInput",{attrs:{name:"btnToggledPanelTextColor",fallback:t.previewTheme.colors.btnToggledPanelText,label:t.$t("settings.style.advanced_colors.panel_header")},model:{value:t.btnToggledPanelTextColorLocal,callback:function(e){t.btnToggledPanelTextColorLocal=e},expression:"btnToggledPanelTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnToggledPanelText}}),t._v(" "),s("ColorInput",{attrs:{name:"btnToggledTopBarTextColor",fallback:t.previewTheme.colors.btnToggledTopBarText,label:t.$t("settings.style.advanced_colors.top_bar")},model:{value:t.btnToggledTopBarTextColorLocal,callback:function(e){t.btnToggledTopBarTextColorLocal=e},expression:"btnToggledTopBarTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnToggledTopBarText}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.tabs")))]),t._v(" "),s("ColorInput",{attrs:{name:"tabColor",fallback:t.previewTheme.colors.tab,label:t.$t("settings.background")},model:{value:t.tabColorLocal,callback:function(e){t.tabColorLocal=e},expression:"tabColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"tabTextColor",fallback:t.previewTheme.colors.tabText,label:t.$t("settings.text")},model:{value:t.tabTextColorLocal,callback:function(e){t.tabTextColorLocal=e},expression:"tabTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.tabText}}),t._v(" "),s("ColorInput",{attrs:{name:"tabActiveTextColor",fallback:t.previewTheme.colors.tabActiveText,label:t.$t("settings.text")},model:{value:t.tabActiveTextColorLocal,callback:function(e){t.tabActiveTextColorLocal=e},expression:"tabActiveTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.tabActiveText}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.borders")))]),t._v(" "),s("ColorInput",{attrs:{name:"borderColor",fallback:t.previewTheme.colors.border,label:t.$t("settings.style.common.color")},model:{value:t.borderColorLocal,callback:function(e){t.borderColorLocal=e},expression:"borderColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"borderOpacity",fallback:t.previewTheme.opacity.border,disabled:"transparent"===t.borderColorLocal},model:{value:t.borderOpacityLocal,callback:function(e){t.borderOpacityLocal=e},expression:"borderOpacityLocal"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.faint_text")))]),t._v(" "),s("ColorInput",{attrs:{name:"faintColor",fallback:t.previewTheme.colors.faint,label:t.$t("settings.text")},model:{value:t.faintColorLocal,callback:function(e){t.faintColorLocal=e},expression:"faintColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"faintLinkColor",fallback:t.previewTheme.colors.faintLink,label:t.$t("settings.links")},model:{value:t.faintLinkColorLocal,callback:function(e){t.faintLinkColorLocal=e},expression:"faintLinkColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"panelFaintColor",fallback:t.previewTheme.colors.panelFaint,label:t.$t("settings.style.advanced_colors.panel_header")},model:{value:t.panelFaintColorLocal,callback:function(e){t.panelFaintColorLocal=e},expression:"panelFaintColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"faintOpacity",fallback:t.previewTheme.opacity.faint},model:{value:t.faintOpacityLocal,callback:function(e){t.faintOpacityLocal=e},expression:"faintOpacityLocal"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.underlay")))]),t._v(" "),s("ColorInput",{attrs:{name:"underlay",label:t.$t("settings.style.advanced_colors.underlay"),fallback:t.previewTheme.colors.underlay},model:{value:t.underlayColorLocal,callback:function(e){t.underlayColorLocal=e},expression:"underlayColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"underlayOpacity",fallback:t.previewTheme.opacity.underlay,disabled:"transparent"===t.underlayOpacityLocal},model:{value:t.underlayOpacityLocal,callback:function(e){t.underlayOpacityLocal=e},expression:"underlayOpacityLocal"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.poll")))]),t._v(" "),s("ColorInput",{attrs:{name:"poll",label:t.$t("settings.background"),fallback:t.previewTheme.colors.poll},model:{value:t.pollColorLocal,callback:function(e){t.pollColorLocal=e},expression:"pollColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"pollText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.pollText},model:{value:t.pollTextColorLocal,callback:function(e){t.pollTextColorLocal=e},expression:"pollTextColorLocal"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.icons")))]),t._v(" "),s("ColorInput",{attrs:{name:"icon",label:t.$t("settings.style.advanced_colors.icons"),fallback:t.previewTheme.colors.icon},model:{value:t.iconColorLocal,callback:function(e){t.iconColorLocal=e},expression:"iconColorLocal"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.highlight")))]),t._v(" "),s("ColorInput",{attrs:{name:"highlight",label:t.$t("settings.background"),fallback:t.previewTheme.colors.highlight},model:{value:t.highlightColorLocal,callback:function(e){t.highlightColorLocal=e},expression:"highlightColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"highlightText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.highlightText},model:{value:t.highlightTextColorLocal,callback:function(e){t.highlightTextColorLocal=e},expression:"highlightTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.highlightText}}),t._v(" "),s("ColorInput",{attrs:{name:"highlightLink",label:t.$t("settings.links"),fallback:t.previewTheme.colors.highlightLink},model:{value:t.highlightLinkColorLocal,callback:function(e){t.highlightLinkColorLocal=e},expression:"highlightLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.highlightLink}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.popover")))]),t._v(" "),s("ColorInput",{attrs:{name:"popover",label:t.$t("settings.background"),fallback:t.previewTheme.colors.popover},model:{value:t.popoverColorLocal,callback:function(e){t.popoverColorLocal=e},expression:"popoverColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"popoverOpacity",fallback:t.previewTheme.opacity.popover,disabled:"transparent"===t.popoverOpacityLocal},model:{value:t.popoverOpacityLocal,callback:function(e){t.popoverOpacityLocal=e},expression:"popoverOpacityLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"popoverText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.popoverText},model:{value:t.popoverTextColorLocal,callback:function(e){t.popoverTextColorLocal=e},expression:"popoverTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.popoverText}}),t._v(" "),s("ColorInput",{attrs:{name:"popoverLink",label:t.$t("settings.links"),fallback:t.previewTheme.colors.popoverLink},model:{value:t.popoverLinkColorLocal,callback:function(e){t.popoverLinkColorLocal=e},expression:"popoverLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.popoverLink}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.selectedPost")))]),t._v(" "),s("ColorInput",{attrs:{name:"selectedPost",label:t.$t("settings.background"),fallback:t.previewTheme.colors.selectedPost},model:{value:t.selectedPostColorLocal,callback:function(e){t.selectedPostColorLocal=e},expression:"selectedPostColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"selectedPostText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.selectedPostText},model:{value:t.selectedPostTextColorLocal,callback:function(e){t.selectedPostTextColorLocal=e},expression:"selectedPostTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.selectedPostText}}),t._v(" "),s("ColorInput",{attrs:{name:"selectedPostLink",label:t.$t("settings.links"),fallback:t.previewTheme.colors.selectedPostLink},model:{value:t.selectedPostLinkColorLocal,callback:function(e){t.selectedPostLinkColorLocal=e},expression:"selectedPostLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.selectedPostLink}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.selectedMenu")))]),t._v(" "),s("ColorInput",{attrs:{name:"selectedMenu",label:t.$t("settings.background"),fallback:t.previewTheme.colors.selectedMenu},model:{value:t.selectedMenuColorLocal,callback:function(e){t.selectedMenuColorLocal=e},expression:"selectedMenuColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"selectedMenuText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.selectedMenuText},model:{value:t.selectedMenuTextColorLocal,callback:function(e){t.selectedMenuTextColorLocal=e},expression:"selectedMenuTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.selectedMenuText}}),t._v(" "),s("ColorInput",{attrs:{name:"selectedMenuLink",label:t.$t("settings.links"),fallback:t.previewTheme.colors.selectedMenuLink},model:{value:t.selectedMenuLinkColorLocal,callback:function(e){t.selectedMenuLinkColorLocal=e},expression:"selectedMenuLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.selectedMenuLink}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("chats.chats")))]),t._v(" "),s("ColorInput",{attrs:{name:"chatBgColor",fallback:t.previewTheme.colors.bg||1,label:t.$t("settings.background")},model:{value:t.chatBgColorLocal,callback:function(e){t.chatBgColorLocal=e},expression:"chatBgColorLocal"}}),t._v(" "),s("h5",[t._v(t._s(t.$t("settings.style.advanced_colors.chat.incoming")))]),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageIncomingBgColor",fallback:t.previewTheme.colors.bg||1,label:t.$t("settings.background")},model:{value:t.chatMessageIncomingBgColorLocal,callback:function(e){t.chatMessageIncomingBgColorLocal=e},expression:"chatMessageIncomingBgColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageIncomingTextColor",fallback:t.previewTheme.colors.text||1,label:t.$t("settings.text")},model:{value:t.chatMessageIncomingTextColorLocal,callback:function(e){t.chatMessageIncomingTextColorLocal=e},expression:"chatMessageIncomingTextColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageIncomingLinkColor",fallback:t.previewTheme.colors.link||1,label:t.$t("settings.links")},model:{value:t.chatMessageIncomingLinkColorLocal,callback:function(e){t.chatMessageIncomingLinkColorLocal=e},expression:"chatMessageIncomingLinkColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageIncomingBorderLinkColor",fallback:t.previewTheme.colors.fg||1,label:t.$t("settings.style.advanced_colors.chat.border")},model:{value:t.chatMessageIncomingBorderColorLocal,callback:function(e){t.chatMessageIncomingBorderColorLocal=e},expression:"chatMessageIncomingBorderColorLocal"}}),t._v(" "),s("h5",[t._v(t._s(t.$t("settings.style.advanced_colors.chat.outgoing")))]),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageOutgoingBgColor",fallback:t.previewTheme.colors.bg||1,label:t.$t("settings.background")},model:{value:t.chatMessageOutgoingBgColorLocal,callback:function(e){t.chatMessageOutgoingBgColorLocal=e},expression:"chatMessageOutgoingBgColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageOutgoingTextColor",fallback:t.previewTheme.colors.text||1,label:t.$t("settings.text")},model:{value:t.chatMessageOutgoingTextColorLocal,callback:function(e){t.chatMessageOutgoingTextColorLocal=e},expression:"chatMessageOutgoingTextColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageOutgoingLinkColor",fallback:t.previewTheme.colors.link||1,label:t.$t("settings.links")},model:{value:t.chatMessageOutgoingLinkColorLocal,callback:function(e){t.chatMessageOutgoingLinkColorLocal=e},expression:"chatMessageOutgoingLinkColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageOutgoingBorderLinkColor",fallback:t.previewTheme.colors.bg||1,label:t.$t("settings.style.advanced_colors.chat.border")},model:{value:t.chatMessageOutgoingBorderColorLocal,callback:function(e){t.chatMessageOutgoingBorderColorLocal=e},expression:"chatMessageOutgoingBorderColorLocal"}})],1)]),t._v(" "),s("div",{staticClass:"radius-container",attrs:{label:t.$t("settings.style.radii._tab_label")}},[s("div",{staticClass:"tab-header"},[s("p",[t._v(t._s(t.$t("settings.radii_help")))]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearRoundness}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_all"))+"\n ")])]),t._v(" "),s("RangeInput",{attrs:{name:"btnRadius",label:t.$t("settings.btnRadius"),fallback:t.previewTheme.radii.btn,max:"16","hard-min":"0"},model:{value:t.btnRadiusLocal,callback:function(e){t.btnRadiusLocal=e},expression:"btnRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"inputRadius",label:t.$t("settings.inputRadius"),fallback:t.previewTheme.radii.input,max:"9","hard-min":"0"},model:{value:t.inputRadiusLocal,callback:function(e){t.inputRadiusLocal=e},expression:"inputRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"checkboxRadius",label:t.$t("settings.checkboxRadius"),fallback:t.previewTheme.radii.checkbox,max:"16","hard-min":"0"},model:{value:t.checkboxRadiusLocal,callback:function(e){t.checkboxRadiusLocal=e},expression:"checkboxRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"panelRadius",label:t.$t("settings.panelRadius"),fallback:t.previewTheme.radii.panel,max:"50","hard-min":"0"},model:{value:t.panelRadiusLocal,callback:function(e){t.panelRadiusLocal=e},expression:"panelRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"avatarRadius",label:t.$t("settings.avatarRadius"),fallback:t.previewTheme.radii.avatar,max:"28","hard-min":"0"},model:{value:t.avatarRadiusLocal,callback:function(e){t.avatarRadiusLocal=e},expression:"avatarRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"avatarAltRadius",label:t.$t("settings.avatarAltRadius"),fallback:t.previewTheme.radii.avatarAlt,max:"28","hard-min":"0"},model:{value:t.avatarAltRadiusLocal,callback:function(e){t.avatarAltRadiusLocal=e},expression:"avatarAltRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"attachmentRadius",label:t.$t("settings.attachmentRadius"),fallback:t.previewTheme.radii.attachment,max:"50","hard-min":"0"},model:{value:t.attachmentRadiusLocal,callback:function(e){t.attachmentRadiusLocal=e},expression:"attachmentRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"tooltipRadius",label:t.$t("settings.tooltipRadius"),fallback:t.previewTheme.radii.tooltip,max:"50","hard-min":"0"},model:{value:t.tooltipRadiusLocal,callback:function(e){t.tooltipRadiusLocal=e},expression:"tooltipRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"chatMessageRadius",label:t.$t("settings.chatMessageRadius"),fallback:t.previewTheme.radii.chatMessage||2,max:"50","hard-min":"0"},model:{value:t.chatMessageRadiusLocal,callback:function(e){t.chatMessageRadiusLocal=e},expression:"chatMessageRadiusLocal"}})],1),t._v(" "),s("div",{staticClass:"shadow-container",attrs:{label:t.$t("settings.style.shadows._tab_label")}},[s("div",{staticClass:"tab-header shadow-selector"},[s("div",{staticClass:"select-container"},[t._v("\n "+t._s(t.$t("settings.style.shadows.component"))+"\n "),s("label",{staticClass:"select",attrs:{for:"shadow-switcher"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.shadowSelected,expression:"shadowSelected"}],staticClass:"shadow-switcher",attrs:{id:"shadow-switcher"},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.shadowSelected=e.target.multiple?s:s[0]}}},t._l(t.shadowsAvailable,function(e){return s("option",{key:e,domProps:{value:e}},[t._v("\n "+t._s(t.$t("settings.style.shadows.components."+e))+"\n ")])}),0),t._v(" "),s("i",{staticClass:"icon-down-open"})])]),t._v(" "),s("div",{staticClass:"override"},[s("label",{staticClass:"label",attrs:{for:"override"}},[t._v("\n "+t._s(t.$t("settings.style.shadows.override"))+"\n ")]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.currentShadowOverriden,expression:"currentShadowOverriden"}],staticClass:"input-override",attrs:{id:"override",name:"override",type:"checkbox"},domProps:{checked:Array.isArray(t.currentShadowOverriden)?t._i(t.currentShadowOverriden,null)>-1:t.currentShadowOverriden},on:{change:function(e){var s=t.currentShadowOverriden,a=e.target,n=!!a.checked;if(Array.isArray(s)){var o=t._i(s,null);a.checked?o<0&&(t.currentShadowOverriden=s.concat([null])):o>-1&&(t.currentShadowOverriden=s.slice(0,o).concat(s.slice(o+1)))}else t.currentShadowOverriden=n}}}),t._v(" "),s("label",{staticClass:"checkbox-label",attrs:{for:"override"}})]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearShadows}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_all"))+"\n ")])]),t._v(" "),s("ShadowControl",{attrs:{ready:!!t.currentShadowFallback,fallback:t.currentShadowFallback},model:{value:t.currentShadow,callback:function(e){t.currentShadow=e},expression:"currentShadow"}}),t._v(" "),"avatar"===t.shadowSelected||"avatarStatus"===t.shadowSelected?s("div",[s("i18n",{attrs:{path:"settings.style.shadows.filter_hint.always_drop_shadow",tag:"p"}},[s("code",[t._v("filter: drop-shadow()")])]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.style.shadows.filter_hint.avatar_inset")))]),t._v(" "),s("i18n",{attrs:{path:"settings.style.shadows.filter_hint.drop_shadow_syntax",tag:"p"}},[s("code",[t._v("drop-shadow")]),t._v(" "),s("code",[t._v("spread-radius")]),t._v(" "),s("code",[t._v("inset")])]),t._v(" "),s("i18n",{attrs:{path:"settings.style.shadows.filter_hint.inset_classic",tag:"p"}},[s("code",[t._v("box-shadow")])]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.style.shadows.filter_hint.spread_zero")))])],1):t._e()],1),t._v(" "),s("div",{staticClass:"fonts-container",attrs:{label:t.$t("settings.style.fonts._tab_label")}},[s("div",{staticClass:"tab-header"},[s("p",[t._v(t._s(t.$t("settings.style.fonts.help")))]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearFonts}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_all"))+"\n ")])]),t._v(" "),s("FontControl",{attrs:{name:"ui",label:t.$t("settings.style.fonts.components.interface"),fallback:t.previewTheme.fonts.interface,"no-inherit":"1"},model:{value:t.fontsLocal.interface,callback:function(e){t.$set(t.fontsLocal,"interface",e)},expression:"fontsLocal.interface"}}),t._v(" "),s("FontControl",{attrs:{name:"input",label:t.$t("settings.style.fonts.components.input"),fallback:t.previewTheme.fonts.input},model:{value:t.fontsLocal.input,callback:function(e){t.$set(t.fontsLocal,"input",e)},expression:"fontsLocal.input"}}),t._v(" "),s("FontControl",{attrs:{name:"post",label:t.$t("settings.style.fonts.components.post"),fallback:t.previewTheme.fonts.post},model:{value:t.fontsLocal.post,callback:function(e){t.$set(t.fontsLocal,"post",e)},expression:"fontsLocal.post"}}),t._v(" "),s("FontControl",{attrs:{name:"postCode",label:t.$t("settings.style.fonts.components.postCode"),fallback:t.previewTheme.fonts.postCode},model:{value:t.fontsLocal.postCode,callback:function(e){t.$set(t.fontsLocal,"postCode",e)},expression:"fontsLocal.postCode"}})],1)])],1),t._v(" "),s("div",{staticClass:"apply-container"},[s("button",{staticClass:"btn submit",attrs:{disabled:!t.themeValid},on:{click:t.setCustomTheme}},[t._v("\n "+t._s(t.$t("general.apply"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearAll}},[t._v("\n "+t._s(t.$t("settings.style.switcher.reset"))+"\n ")])])],1)},[],!1,Fe,null,null).exports,Ue={components:{TabSwitcher:a.a,DataImportExportTab:m,MutesAndBlocksTab:nt,NotificationsTab:it,FilteringTab:ft,SecurityTab:Et,ProfileTab:Qt,GeneralTab:ae,VersionTab:oe,ThemeTab:Me},computed:{isLoggedIn:function(){return!!this.$store.state.users.currentUser},open:function(){return"hidden"!==this.$store.state.interface.settingsModalState}},methods:{onOpen:function(){var t=this.$store.state.interface.settingsModalTargetTab;if(t){var e=this.$refs.tabSwitcher.$slots.default.findIndex(function(e){return e.data&&e.data.attrs["data-tab-name"]===t});e>=0&&this.$refs.tabSwitcher.setTab(e)}this.$store.dispatch("clearSettingsModalTargetTab")}},mounted:function(){this.onOpen()},watch:{open:function(t){t&&this.onOpen()}}};var Ve=function(t){s(591)},Ae=Object(o.a)(Ue,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("tab-switcher",{ref:"tabSwitcher",staticClass:"settings_tab-switcher",attrs:{"side-tab-bar":!0,"scrollable-tabs":!0}},[s("div",{attrs:{label:t.$t("settings.general"),icon:"wrench","data-tab-name":"general"}},[s("GeneralTab")],1),t._v(" "),t.isLoggedIn?s("div",{attrs:{label:t.$t("settings.profile_tab"),icon:"user","data-tab-name":"profile"}},[s("ProfileTab")],1):t._e(),t._v(" "),t.isLoggedIn?s("div",{attrs:{label:t.$t("settings.security_tab"),icon:"lock","data-tab-name":"security"}},[s("SecurityTab")],1):t._e(),t._v(" "),s("div",{attrs:{label:t.$t("settings.filtering"),icon:"filter","data-tab-name":"filtering"}},[s("FilteringTab")],1),t._v(" "),s("div",{attrs:{label:t.$t("settings.theme"),icon:"brush","data-tab-name":"theme"}},[s("ThemeTab")],1),t._v(" "),t.isLoggedIn?s("div",{attrs:{label:t.$t("settings.notifications"),icon:"bell-ringing-o","data-tab-name":"notifications"}},[s("NotificationsTab")],1):t._e(),t._v(" "),t.isLoggedIn?s("div",{attrs:{label:t.$t("settings.data_import_export_tab"),icon:"download","data-tab-name":"dataImportExport"}},[s("DataImportExportTab")],1):t._e(),t._v(" "),t.isLoggedIn?s("div",{attrs:{label:t.$t("settings.mutes_and_blocks"),fullHeight:!0,icon:"eye-off","data-tab-name":"mutesAndBlocks"}},[s("MutesAndBlocksTab")],1):t._e(),t._v(" "),s("div",{attrs:{label:t.$t("settings.version.title"),icon:"info-circled","data-tab-name":"version"}},[s("VersionTab")],1)])},[],!1,Ve,null,null);e.default=Ae.exports}}]); -//# sourceMappingURL=2.c92f4803ff24726cea58.js.map -\ No newline at end of file diff --git a/priv/static/static/js/2.c92f4803ff24726cea58.js.map b/priv/static/static/js/2.c92f4803ff24726cea58.js.map @@ -1 +0,0 @@ -{"version":3,"sources":["webpack:///./src/components/settings_modal/settings_modal_content.scss?d424","webpack:///./src/components/settings_modal/settings_modal_content.scss","webpack:///./src/components/importer/importer.vue?7798","webpack:///./src/components/importer/importer.vue?6af6","webpack:///./src/components/exporter/exporter.vue?dea3","webpack:///./src/components/exporter/exporter.vue?cc2b","webpack:///./src/components/settings_modal/tabs/mutes_and_blocks_tab.scss?4d0c","webpack:///./src/components/settings_modal/tabs/mutes_and_blocks_tab.scss","webpack:///./src/components/autosuggest/autosuggest.vue?9908","webpack:///./src/components/autosuggest/autosuggest.vue?9383","webpack:///./src/components/block_card/block_card.vue?7ad7","webpack:///./src/components/block_card/block_card.vue?ddc8","webpack:///./src/components/mute_card/mute_card.vue?c72f","webpack:///./src/components/mute_card/mute_card.vue?1268","webpack:///./src/components/domain_mute_card/domain_mute_card.vue?a613","webpack:///./src/components/domain_mute_card/domain_mute_card.vue?c85e","webpack:///./src/components/selectable_list/selectable_list.vue?a6e3","webpack:///./src/components/selectable_list/selectable_list.vue?c2f8","webpack:///./src/components/settings_modal/tabs/security_tab/mfa.vue?540b","webpack:///./src/components/settings_modal/tabs/security_tab/mfa.vue?cd9f","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_backup_codes.vue?da3d","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_backup_codes.vue?57b8","webpack:///./src/components/settings_modal/tabs/profile_tab.scss?588b","webpack:///./src/components/settings_modal/tabs/profile_tab.scss","webpack:///./src/components/image_cropper/image_cropper.vue?f169","webpack:///./src/components/image_cropper/image_cropper.vue?6235","webpack:///./src/components/settings_modal/tabs/theme_tab/theme_tab.scss?080d","webpack:///./src/components/settings_modal/tabs/theme_tab/theme_tab.scss","webpack:///./src/components/color_input/color_input.scss?c457","webpack:///./src/components/color_input/color_input.scss","webpack:///./src/components/color_input/color_input.vue?6a4c","webpack:///./src/components/color_input/color_input.vue?bb22","webpack:///./src/components/shadow_control/shadow_control.vue?bfd4","webpack:///./src/components/shadow_control/shadow_control.vue?78ef","webpack:///./src/components/font_control/font_control.vue?5f33","webpack:///./src/components/font_control/font_control.vue?bef4","webpack:///./src/components/contrast_ratio/contrast_ratio.vue?a340","webpack:///./src/components/contrast_ratio/contrast_ratio.vue?32fa","webpack:///./src/components/export_import/export_import.vue?5952","webpack:///./src/components/export_import/export_import.vue?aed6","webpack:///./src/components/settings_modal/tabs/theme_tab/preview.vue?1ae8","webpack:///./src/components/settings_modal/tabs/theme_tab/preview.vue?ab81","webpack:///./src/components/importer/importer.js","webpack:///./src/components/importer/importer.vue","webpack:///./src/components/importer/importer.vue?320c","webpack:///./src/components/exporter/exporter.js","webpack:///./src/components/exporter/exporter.vue","webpack:///./src/components/exporter/exporter.vue?7e42","webpack:///./src/components/settings_modal/tabs/data_import_export_tab.js","webpack:///./src/components/settings_modal/tabs/data_import_export_tab.vue","webpack:///./src/components/settings_modal/tabs/data_import_export_tab.vue?40b4","webpack:///./src/components/autosuggest/autosuggest.js","webpack:///./src/components/autosuggest/autosuggest.vue","webpack:///./src/components/autosuggest/autosuggest.vue?b400","webpack:///./src/components/block_card/block_card.js","webpack:///./src/components/block_card/block_card.vue","webpack:///./src/components/block_card/block_card.vue?7b44","webpack:///./src/components/mute_card/mute_card.js","webpack:///./src/components/mute_card/mute_card.vue","webpack:///./src/components/mute_card/mute_card.vue?6bc9","webpack:///./src/components/domain_mute_card/domain_mute_card.js","webpack:///./src/components/domain_mute_card/domain_mute_card.vue","webpack:///./src/components/domain_mute_card/domain_mute_card.vue?7cf0","webpack:///./src/components/selectable_list/selectable_list.js","webpack:///./src/components/selectable_list/selectable_list.vue","webpack:///./src/components/selectable_list/selectable_list.vue?5686","webpack:///./src/hocs/with_subscription/with_subscription.js","webpack:///./src/components/settings_modal/tabs/mutes_and_blocks_tab.js","webpack:///./src/components/settings_modal/tabs/mutes_and_blocks_tab.vue","webpack:///./src/components/settings_modal/tabs/mutes_and_blocks_tab.vue?0687","webpack:///./src/components/settings_modal/tabs/notifications_tab.js","webpack:///./src/components/settings_modal/tabs/notifications_tab.vue","webpack:///./src/components/settings_modal/tabs/notifications_tab.vue?6dcc","webpack:///./src/components/settings_modal/helpers/shared_computed_object.js","webpack:///./src/components/settings_modal/tabs/filtering_tab.js","webpack:///./src/components/settings_modal/tabs/filtering_tab.vue","webpack:///./src/components/settings_modal/tabs/filtering_tab.vue?3af7","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_backup_codes.js","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_backup_codes.vue","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_backup_codes.vue?198f","webpack:///./src/components/settings_modal/tabs/security_tab/confirm.js","webpack:///./src/components/settings_modal/tabs/security_tab/confirm.vue","webpack:///./src/components/settings_modal/tabs/security_tab/confirm.vue?da03","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_totp.js","webpack:///./src/components/settings_modal/tabs/security_tab/mfa.js","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_totp.vue","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_totp.vue?cdbe","webpack:///./src/components/settings_modal/tabs/security_tab/mfa.vue","webpack:///./src/components/settings_modal/tabs/security_tab/mfa.vue?8795","webpack:///./src/components/settings_modal/tabs/security_tab/security_tab.js","webpack:///./src/components/settings_modal/tabs/security_tab/security_tab.vue","webpack:///./src/components/settings_modal/tabs/security_tab/security_tab.vue?0d38","webpack:///./src/components/image_cropper/image_cropper.js","webpack:///./src/components/image_cropper/image_cropper.vue","webpack:///./src/components/image_cropper/image_cropper.vue?017e","webpack:///./src/components/settings_modal/tabs/profile_tab.js","webpack:///./src/components/settings_modal/tabs/profile_tab.vue","webpack:///./src/components/settings_modal/tabs/profile_tab.vue?4eea","webpack:///src/components/interface_language_switcher/interface_language_switcher.vue","webpack:///./src/components/interface_language_switcher/interface_language_switcher.vue","webpack:///./src/components/interface_language_switcher/interface_language_switcher.vue?d9d4","webpack:///./src/components/settings_modal/tabs/general_tab.js","webpack:///./src/components/settings_modal/tabs/general_tab.vue","webpack:///./src/components/settings_modal/tabs/general_tab.vue?2e10","webpack:///./src/components/settings_modal/tabs/version_tab.js","webpack:///./src/services/version/version.service.js","webpack:///./src/components/settings_modal/tabs/version_tab.vue","webpack:///./src/components/settings_modal/tabs/version_tab.vue?7cbe","webpack:///src/components/color_input/color_input.vue","webpack:///./src/components/color_input/color_input.vue","webpack:///./src/components/color_input/color_input.vue?3d5b","webpack:///./src/components/range_input/range_input.vue","webpack:///src/components/range_input/range_input.vue","webpack:///./src/components/range_input/range_input.vue?202a","webpack:///src/components/opacity_input/opacity_input.vue","webpack:///./src/components/opacity_input/opacity_input.vue","webpack:///./src/components/opacity_input/opacity_input.vue?0078","webpack:///./src/components/shadow_control/shadow_control.js","webpack:///./src/components/shadow_control/shadow_control.vue","webpack:///./src/components/shadow_control/shadow_control.vue?c9d6","webpack:///./src/components/font_control/font_control.js","webpack:///./src/components/font_control/font_control.vue","webpack:///./src/components/font_control/font_control.vue?184b","webpack:///src/components/contrast_ratio/contrast_ratio.vue","webpack:///./src/components/contrast_ratio/contrast_ratio.vue","webpack:///./src/components/contrast_ratio/contrast_ratio.vue?73bf","webpack:///src/components/export_import/export_import.vue","webpack:///./src/components/export_import/export_import.vue","webpack:///./src/components/export_import/export_import.vue?9130","webpack:///./src/components/settings_modal/tabs/theme_tab/preview.vue","webpack:///./src/components/settings_modal/tabs/theme_tab/preview.vue?4c36","webpack:///./src/components/settings_modal/tabs/theme_tab/theme_tab.js","webpack:///./src/components/settings_modal/tabs/theme_tab/theme_tab.vue","webpack:///./src/components/settings_modal/tabs/theme_tab/theme_tab.vue?0f73","webpack:///./src/components/settings_modal/settings_modal_content.js","webpack:///./src/components/settings_modal/settings_modal_content.vue","webpack:///./src/components/settings_modal/settings_modal_content.vue?458b"],"names":["content","__webpack_require__","module","i","locals","exports","add","default","push","Importer","props","submitHandler","type","Function","required","submitButtonLabel","String","this","$t","successMessage","errorMessage","data","file","error","success","submitting","methods","change","$refs","input","files","submit","_this","dismiss","then","__vue_styles__","context","importer_importer","Object","component_normalizer","importer","_vm","_h","$createElement","_c","_self","staticClass","ref","attrs","on","_v","click","_s","_e","Exporter","getContent","filename","exportButtonLabel","processingMessage","processing","process","fileToDownload","document","createElement","setAttribute","encodeURIComponent","style","display","body","appendChild","removeChild","setTimeout","exporter_vue_styles_","exporter_exporter","exporter","DataImportExportTab","activeTab","newDomainToMute","created","$store","dispatch","components","Checkbox","computed","user","state","users","currentUser","getFollowsContent","api","backendInteractor","exportFriends","id","generateExportableUsersContent","getBlocksContent","fetchBlocks","importFollows","status","Error","importBlocks","map","is_local","screen_name","location","hostname","join","tabs_data_import_export_tab","data_import_export_tab","label","submit-handler","success-message","error-message","get-content","export-button-label","autosuggest","query","filter","placeholder","term","timeout","results","resultsVisible","filtered","watch","val","fetchResults","clearTimeout","onInputClick","onClickOutside","autosuggest_vue_styles_","autosuggest_autosuggest","directives","name","rawName","value","expression","domProps","$event","target","composing","length","_l","item","_t","BlockCard","progress","getters","findUser","userId","relationship","blocked","blocking","BasicUserCard","unblockUser","blockUser","_this2","block_card_vue_styles_","block_card_block_card","block_card","disabled","MuteCard","muted","muting","unmuteUser","muteUser","mute_card_vue_styles_","mute_card_mute_card","mute_card","DomainMuteCard","ProgressButton","domainMutes","includes","domain","unmuteDomain","muteDomain","domain_mute_card_vue_styles_","domain_mute_card_domain_mute_card","domain_mute_card","slot","SelectableList","List","items","Array","getKey","selected","allKeys","filteredSelected","key","indexOf","allSelected","noneSelected","someSelected","isSelected","toggle","checked","splice","toggleAll","slice","selectable_list_vue_styles_","selectable_list_selectable_list","selectable_list","indeterminate","get-key","scopedSlots","_u","fn","class","selectable-list-item-selected-inner","withSubscription","_ref","fetch","select","_ref$childPropName","childPropName","_ref$additionalPropNa","additionalPropNames","WrappedComponent","keys","getComponentProps","v","concat","Vue","component","toConsumableArray_default","loading","fetchedData","$props","refresh","isEmpty","fetchData","render","h","_objectSpread","defineProperty_default","$listeners","$scopedSlots","children","entries","$slots","_ref2","_ref3","slicedToArray_default","helper_default","BlockList","get","MuteList","DomainMuteList","MutesAndBlocks","TabSwitcher","Autosuggest","knownDomains","instance","activateTab","tabName","filterUnblockedUsers","userIds","reject","filterUnMutedUsers","queryUserIds","blockUsers","ids","unblockUsers","muteUsers","unmuteUsers","filterUnMutedDomains","urls","_this3","url","queryKnownDomains","_this4","Promise","resolve","toLowerCase","unmuteDomains","domains","mutes_and_blocks_tab_vue_styles_","tabs_mutes_and_blocks_tab","mutes_and_blocks_tab","scrollable-tabs","row","user-id","NotificationsTab","notificationSettings","notification_settings","updateNotificationSettings","settings","tabs_notifications_tab","notifications_tab","model","callback","$$v","$set","SharedComputedObject","shared_computed_object_objectSpread","instanceDefaultProperties","multiChoiceProperties","instanceDefaultConfig","reduce","acc","_ref4","configDefaultState","mergedConfig","set","_ref5","_ref6","useStreamingApi","e","console","FilteringTab","muteWordsStringLocal","muteWords","filtering_tab_objectSpread","muteWordsString","filter_default","split","word","trim_default","notificationVisibility","handler","deep","replyVisibility","tabs_filtering_tab","filtering_tab","for","$$selectedVal","prototype","call","options","o","_value","multiple","hidePostStats","hidePostStatsLocalizedValue","hideUserStats","hideUserStatsLocalizedValue","hideFilteredStatuses","hideFilteredStatusesLocalizedValue","mfa_backup_codes","backupCodes","inProgress","codes","ready","displayTitle","mfa_backup_codes_vue_styles_","security_tab_mfa_backup_codes","code","Confirm","confirm","$emit","cancel","tabs_security_tab_confirm","security_tab_confirm","mfa_totp","currentPassword","deactivate","mfa_totp_objectSpread","isActivated","totp","mapState","doActivate","cancelDeactivate","doDeactivate","confirmDeactivate","mfaDisableOTP","password","res","Mfa","available","enabled","setupState","setupOTPState","getNewCodes","otpSettings","provisioning_uri","otpConfirmToken","readyInit","recovery-codes","RecoveryCodes","totp-item","qrcode","VueQrcode","mfa_objectSpread","canSetupOTP","setupInProgress","backupCodesPrepared","setupOTPInProgress","completedOTP","prepareOTP","confirmOTP","confirmNewBackupCodes","activateOTP","fetchBackupCodes","generateMfaBackupCodes","getBackupCodes","confirmBackupCodes","cancelBackupCodes","setupOTP","mfaSetupOTP","doConfirmOTP","mfaConfirmOTP","token","completeSetup","fetchSettings","cancelSetup","result","regenerator_default","a","async","_context","prev","next","awrap","settingsMFA","sent","abrupt","stop","mounted","_this5","mfa_vue_styles_","security_tab_mfa","mfa","activate","backup-codes","width","SecurityTab","newEmail","changeEmailError","changeEmailPassword","changedEmail","deletingAccount","deleteAccountConfirmPasswordInput","deleteAccountError","changePasswordInputs","changedPassword","changePasswordError","pleromaBackend","oauthTokens","tokens","oauthToken","appName","app_name","validUntil","Date","valid_until","toLocaleDateString","confirmDelete","deleteAccount","$router","changePassword","params","newPassword","newPasswordConfirmation","logout","changeEmail","email","replace","revokeToken","window","$i18n","t","security_tab_security_tab","security_tab","autocomplete","ImageCropper","trigger","Element","cropperOptions","aspectRatio","autoCropArea","viewMode","movable","zoomable","guides","mimes","saveButtonLabel","saveWithoutCroppingButtonlabel","cancelButtonLabel","cropper","undefined","dataUrl","submitError","saveText","saveWithoutCroppingText","cancelText","submitErrorMsg","toString","destroy","cropping","arguments","avatarUploadError","err","pickImage","createCropper","Cropper","img","getTriggerDOM","typeof_default","querySelector","readFile","fileInput","reader","FileReader","onload","readAsDataURL","clearError","addEventListener","beforeDestroy","removeEventListener","image_cropper_vue_styles_","image_cropper_image_cropper","image_cropper","src","alt","load","stopPropagation","textContent","accept","ProfileTab","newName","newBio","unescape","description","newLocked","locked","newNoRichText","no_rich_text","newDefaultScope","default_scope","newFields","fields","field","hideFollows","hide_follows","hideFollowers","hide_followers","hideFollowsCount","hide_follows_count","hideFollowersCount","hide_followers_count","showRole","show_role","role","discoverable","bot","allowFollowingMove","allow_following_move","pickAvatarBtnVisible","bannerUploading","backgroundUploading","banner","bannerPreview","background","backgroundPreview","bannerUploadError","backgroundUploadError","ScopeSelector","EmojiInput","emojiUserSuggestor","suggestor","emoji","customEmoji","updateUsersList","emojiSuggestor","userSuggestor","fieldsLimits","maxFields","defaultAvatar","server","defaultBanner","isDefaultAvatar","baseAvatar","profile_image_url","isDefaultBanner","baseBanner","cover_photo","isDefaultBackground","background_image","avatarImgSrc","profile_image_url_original","bannerImgSrc","updateProfile","note","display_name","fields_attributes","el","merge","commit","changeVis","visibility","addField","deleteField","index","event","$delete","uploadFile","size","filesize","fileSizeFormatService","fileSizeFormat","allowedsize","num","filesizeunit","unit","allowedsizeunit","resetAvatar","submitAvatar","resetBanner","submitBanner","resetBackground","submitBackground","that","updateAvatar","avatar","updateProfileImages","message","getCroppedCanvas","toBlob","_this6","profile_tab_vue_styles_","tabs_profile_tab","profile_tab","enable-emoji-picker","suggest","classname","show-all","user-default","initial-scope","on-scope-change","_","hide-emoji-button","title","open","close","clearUploadError","interface_language_switcher","languageCodes","messages","languages","languageNames","map_default","getLanguageName","language","interfaceLanguage","ja","ja_easy","zh","getName","interface_language_switcher_interface_language_switcher","langCode","GeneralTab","loopSilentAvailable","getOwnPropertyDescriptor","HTMLVideoElement","HTMLMediaElement","InterfaceLanguageSwitcher","general_tab_objectSpread","postFormats","instanceSpecificPanelPresent","showInstanceSpecificPanel","tabs_general_tab","general_tab","hideISP","hideMutedPosts","hideMutedPostsLocalizedValue","collapseMessageWithSubject","collapseMessageWithSubjectLocalizedValue","streaming","pauseOnUnfocused","emojiReactionsOnTimeline","scopeCopy","scopeCopyLocalizedValue","alwaysShowSubjectInput","alwaysShowSubjectInputLocalizedValue","subjectLineBehavior","subjectLineBehaviorDefaultValue","postContentType","postFormat","postContentTypeDefaultValue","minimalScopesMode","minimalScopesModeLocalizedValue","autohideFloatingPostButton","padEmoji","hideAttachments","hideAttachmentsInConv","modifiers","number","min","step","maxThumbnails","_n","blur","$forceUpdate","hideNsfw","preloadImage","useOneClickNsfw","stopGifs","loopVideo","loopVideoSilentOnly","playVideosInModal","useContainFit","webPushNotifications","greentext","greentextLocalizedValue","VersionTab","backendVersion","frontendVersion","frontendVersionLink","backendVersionLink","versionString","matches","match","tabs_version_tab","version_tab","href","color_input","checkbox_checkbox","fallback","Boolean","showOptionalTickbox","present","validColor","color_convert","transparentColor","computedColor","startsWith","color_input_vue_styles_","color_input_color_input","backgroundColor","range_input_range_input","max","hardMax","hardMin","opacity_input","opacity_input_opacity_input","toModel","shadow_control_objectSpread","x","y","spread","inset","color","alpha","shadow_control","selectedId","cValue","ColorInput","OpacityInput","del","Math","moveUp","moveDn","beforeUpdate","anyShadows","anyShadowsFallback","currentFallback","moveUpValid","moveDnValid","usingFallback","rgb","hex2rgb","boxShadow","getCssShadow","shadow_control_vue_styles_","shadow_control_shadow_control","__r","shadow","isArray","_i","$$a","$$el","$$c","$$i","show-optional-tickbox","path","tag","font_control","lValue","availableOptions","noInherit","dValue","family","isCustom","preset","font_control_vue_styles_","font_control_font_control","custom","option","contrast_ratio","large","contrast","hint","levelVal","aaa","aa","level","ratio","text","hint_18pt","laaa","laa","contrast_ratio_vue_styles_","contrast_ratio_contrast_ratio","export_import","importFailed","exportData","stringified","JSON","stringify","exportObject","btoa","importData","filePicker","parsed","parse","validator","onImport","readAsText","export_import_vue_styles_","export_import_export_import","exportLabel","importLabel","importFailedText","preview_vue_styles_","theme_tab_preview","staticStyle","font-family","_m","v1OnlyNames","theme_tab","theme_tab_objectSpread","availableStyles","theme","themeWarning","tempImportFile","engineVersion","previewShadows","previewColors","previewRadii","previewFonts","shadowsInvalid","colorsInvalid","radiiInvalid","keepColor","keepShadows","keepOpacity","keepRoundness","keepFonts","SLOT_INHERITANCE","OPACITIES","shadowSelected","shadowsLocal","fontsLocal","btnRadiusLocal","inputRadiusLocal","checkboxRadiusLocal","panelRadiusLocal","avatarRadiusLocal","avatarAltRadiusLocal","attachmentRadiusLocal","tooltipRadiusLocal","chatMessageRadiusLocal","self","getThemes","promises","all","k","themes","_ref7","_ref8","themesComplete","loadThemeFromLocalStorage","shadowsAvailable","themeWarningHelp","pre","_this$themeWarning","origin","themeEngineVersion","noActionsPossible","CURRENT_VERSION","selectedVersion","currentColors","_ref9","_ref10","currentOpacity","_ref11","_ref12","currentRadii","btn","checkbox","panel","avatarAlt","tooltip","attachment","chatMessage","preview","composePreset","previewTheme","colors","opacity","radii","shadows","fonts","previewContrast","bg","colorsConverted","_ref13","_ref14","ratios","_ref15","_ref16","slotIsBaseText","textColor","_ref17","layer","variant","opacitySlot","getOpacitySlot","textColors","layers","getLayers","textColorKey","newKey","toUpperCase","getContrastRatioLayers","_ref18","_ref19","toPrecision","warn","previewRules","rules","values","DEFAULT_SHADOWS","sort","currentShadowOverriden","currentShadow","currentShadowFallback","assign","themeValid","exportedTheme","saveEverything","source","_pleroma_theme_version","RangeInput","ContrastRatio","ShadowControl","FontControl","Preview","ExportImport","loadTheme","_ref20","fileVersion","forceUseSource","dismissWarning","version","snapshotEngineVersion","versionsMatch","sourceSnapshotMismatch","forcedSourceLoad","normalizeLocalState","forceLoadLocalStorage","forceLoad","forceSnapshot","confirmLoadSource","_this$$store$getters$","customTheme","customThemeSource","themeData","setCustomTheme","updatePreviewColorsAndShadows","generateColors","generateShadows","mod","forceSource","importValidator","clearAll","clearV1","$data","endsWith","forEach","clearRoundness","clearOpacity","clearShadows","clearFonts","colors2to3","fg","fgColorLocal","rgb2hex","textColorLocal","Set","hex","_ref21","_ref22","Number","isNaN","_ref23","_ref24","shadows2to3","generateRadii","getOwnPropertyNames","generateFonts","fontsInvalid","bgColorLocal","linkColorLocal","cRedColorLocal","cGreenColorLocal","cBlueColorLocal","cOrangeColorLocal","theme_tab_vue_styles_","theme_tab_theme_tab","export-object","export-label","import-label","import-failed-text","on-import","bgOpacityLocal","bgText","link","accentColorLocal","accent","bgLink","fgText","fgTextColorLocal","fgLink","fgLinkColorLocal","bgCRed","bgCBlue","bgCGreen","bgCOrange","postLinkColorLocal","postLink","cGreen","postGreentextColorLocal","postGreentext","alertError","alertErrorColorLocal","alertErrorText","alertErrorTextColorLocal","alertWarning","alertWarningColorLocal","alertWarningText","alertWarningTextColorLocal","alertNeutral","alertNeutralColorLocal","alertNeutralText","alertNeutralTextColorLocal","alert","alertOpacityLocal","badgeNotification","badgeNotificationColorLocal","badgeNotificationText","badgeNotificationTextColorLocal","panelColorLocal","panelOpacityLocal","panelText","panelTextColorLocal","panelLink","panelLinkColorLocal","topBar","topBarColorLocal","topBarText","topBarTextColorLocal","topBarLink","topBarLinkColorLocal","inputColorLocal","inputOpacityLocal","inputText","inputTextColorLocal","btnColorLocal","btnOpacityLocal","btnText","btnTextColorLocal","btnPanelText","btnPanelTextColorLocal","btnTopBarText","btnTopBarTextColorLocal","btnPressed","btnPressedColorLocal","btnPressedText","btnPressedTextColorLocal","btnPressedPanelText","btnPressedPanelTextColorLocal","btnPressedTopBarText","btnPressedTopBarTextColorLocal","btnDisabled","btnDisabledColorLocal","btnDisabledText","btnDisabledTextColorLocal","btnDisabledPanelText","btnDisabledPanelTextColorLocal","btnDisabledTopBarText","btnDisabledTopBarTextColorLocal","btnToggled","btnToggledColorLocal","btnToggledText","btnToggledTextColorLocal","btnToggledPanelText","btnToggledPanelTextColorLocal","btnToggledTopBarText","btnToggledTopBarTextColorLocal","tab","tabColorLocal","tabText","tabTextColorLocal","tabActiveText","tabActiveTextColorLocal","border","borderColorLocal","borderOpacityLocal","faint","faintColorLocal","faintLink","faintLinkColorLocal","panelFaint","panelFaintColorLocal","faintOpacityLocal","underlay","underlayColorLocal","underlayOpacityLocal","poll","pollColorLocal","pollText","pollTextColorLocal","icon","iconColorLocal","highlight","highlightColorLocal","highlightText","highlightTextColorLocal","highlightLink","highlightLinkColorLocal","popover","popoverColorLocal","popoverOpacityLocal","popoverText","popoverTextColorLocal","popoverLink","popoverLinkColorLocal","selectedPost","selectedPostColorLocal","selectedPostText","selectedPostTextColorLocal","selectedPostLink","selectedPostLinkColorLocal","selectedMenu","selectedMenuColorLocal","selectedMenuText","selectedMenuTextColorLocal","selectedMenuLink","selectedMenuLinkColorLocal","chatBgColorLocal","chatMessageIncomingBgColorLocal","chatMessageIncomingTextColorLocal","chatMessageIncomingLinkColorLocal","chatMessageIncomingBorderColorLocal","chatMessageOutgoingBgColorLocal","chatMessageOutgoingTextColorLocal","chatMessageOutgoingLinkColorLocal","chatMessageOutgoingBorderColorLocal","hard-min","interface","no-inherit","post","postCode","SettingsModalContent","MutesAndBlocksTab","ThemeTab","isLoggedIn","settingsModalState","onOpen","targetTab","settingsModalTargetTab","tabIndex","tabSwitcher","findIndex","elm","setTab","settings_modal_content_vue_styles_","settings_modal_content_Component","settings_modal_content","side-tab-bar","data-tab-name","fullHeight","__webpack_exports__"],"mappings":"6EAGA,IAAAA,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,4tBAA4tB,0BCFnvB,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,oDAAoD,0BCF3E,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,qDAAqD,0BCF5E,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAmEM,SACrF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA6D,IAKxFO,KAAA,CAAcN,EAAAC,EAAS,wdAAwd,0BCF/e,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,wdAAwd,0BCF/e,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,kHAAkH,0BCFzI,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,gHAAgH,0BCFvI,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,8WAA8W,0BCFrY,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,q0BAAq0B,gDCF51B,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAsEM,SACxF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAAgE,IAK3FO,KAAA,CAAcN,EAAAC,EAAS,6pBAA6pB,0BCFprB,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAsEM,SACxF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAAgE,IAK3FO,KAAA,CAAcN,EAAAC,EAAS,iJAAiJ,0BCFxK,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAmEM,SACrF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA6D,IAKxFO,KAAA,CAAcN,EAAAC,EAAS,ytDAAytD,0BCFhvD,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,8PAA8P,0BCFrR,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAsEM,SACxF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAAgE,IAK3FO,KAAA,CAAcN,EAAAC,EAAS,suNAAsuN,0BCF7vN,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,2oCAA6oC,0BCFpqC,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,mEAAmE,0BCF1F,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,gqFAAgqF,0BCFvrF,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,6NAA6N,0BCFpP,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,wOAAwO,0BCF/P,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,wLAAwL,0BCF/M,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAsEM,SACxF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAAgE,IAK3FO,KAAA,CAAcN,EAAAC,EAAS,gHAAgH,2DC+CxHM,EApDE,CACfC,MAAO,CACLC,cAAe,CACbC,KAAMC,SACNC,UAAU,GAEZC,kBAAmB,CACjBH,KAAMI,OADWT,QAAA,WAGf,OAAOU,KAAKC,GAAG,qBAGnBC,eAAgB,CACdP,KAAMI,OADQT,QAAA,WAGZ,OAAOU,KAAKC,GAAG,sBAGnBE,aAAc,CACZR,KAAMI,OADMT,QAAA,WAGV,OAAOU,KAAKC,GAAG,qBAIrBG,KAzBe,WA0Bb,MAAO,CACLC,KAAM,KACNC,OAAO,EACPC,SAAS,EACTC,YAAY,IAGhBC,QAAS,CACPC,OADO,WAELV,KAAKK,KAAOL,KAAKW,MAAMC,MAAMC,MAAM,IAErCC,OAJO,WAIG,IAAAC,EAAAf,KACRA,KAAKgB,UACLhB,KAAKQ,YAAa,EAClBR,KAAKN,cAAcM,KAAKK,MACrBY,KAAK,WAAQF,EAAKR,SAAU,IAD/B,MAES,WAAQQ,EAAKT,OAAQ,IAF9B,QAGW,WAAQS,EAAKP,YAAa,KAEvCQ,QAZO,WAaLhB,KAAKO,SAAU,EACfP,KAAKM,OAAQ,YCvCnB,IAEAY,EAVA,SAAAC,GACEnC,EAAQ,MAyBKoC,EAVCC,OAAAC,EAAA,EAAAD,CACdE,ECjBQ,WAAgB,IAAAC,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,YAAuB,CAAAF,EAAA,QAAAA,EAAA,SAAyBG,IAAA,QAAAC,MAAA,CAAmBpC,KAAA,QAAcqC,GAAA,CAAKtB,OAAAc,EAAAd,YAAqBc,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,KAAyCE,YAAA,+CAAyDF,EAAA,UAAeE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAV,SAAoB,CAAAU,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAA1B,mBAAA,UAAA0B,EAAAS,GAAA,KAAAT,EAAA,QAAAG,EAAA,OAAAA,EAAA,KAAsGE,YAAA,aAAAG,GAAA,CAA6BE,MAAAV,EAAAR,WAAqBQ,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAtB,qBAAAsB,EAAA,MAAAG,EAAA,OAAAA,EAAA,KAA2FE,YAAA,aAAAG,GAAA,CAA6BE,MAAAV,EAAAR,WAAqBQ,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAArB,mBAAAqB,EAAAY,QACjqB,IDOA,EAaAlB,EATA,KAEA,MAYgC,QEqBjBmB,EA/CE,CACf5C,MAAO,CACL6C,WAAY,CACV3C,KAAMC,SACNC,UAAU,GAEZ0C,SAAU,CACR5C,KAAMI,OACNT,QAAS,cAEXkD,kBAAmB,CACjB7C,KAAMI,OADWT,QAAA,WAGf,OAAOU,KAAKC,GAAG,qBAGnBwC,kBAAmB,CACjB9C,KAAMI,OADWT,QAAA,WAGf,OAAOU,KAAKC,GAAG,0BAIrBG,KAvBe,WAwBb,MAAO,CACLsC,YAAY,IAGhBjC,QAAS,CACPkC,QADO,WACI,IAAA5B,EAAAf,KACTA,KAAK0C,YAAa,EAClB1C,KAAKsC,aACFrB,KAAK,SAAClC,GACL,IAAM6D,EAAiBC,SAASC,cAAc,KAC9CF,EAAeG,aAAa,OAAQ,iCAAmCC,mBAAmBjE,IAC1F6D,EAAeG,aAAa,WAAYhC,EAAKwB,UAC7CK,EAAeK,MAAMC,QAAU,OAC/BL,SAASM,KAAKC,YAAYR,GAC1BA,EAAeV,QACfW,SAASM,KAAKE,YAAYT,GAE1BU,WAAW,WAAQvC,EAAK2B,YAAa,GAAS,UCjCxD,IAEIa,EAVJ,SAAoBpC,GAClBnC,EAAQ,MAyBKwE,EAVCnC,OAAAC,EAAA,EAAAD,CACdoC,ECjBQ,WAAgB,IAAAjC,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,YAAuB,CAAAL,EAAA,WAAAG,EAAA,OAAAA,EAAA,KAAqCE,YAAA,gDAA0DL,EAAAS,GAAA,KAAAN,EAAA,QAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAiB,wBAAAd,EAAA,UAAgFE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAmB,UAAqB,CAAAnB,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAgB,mBAAA,aACpV,IDOY,EAa7Be,EATiB,KAEU,MAYG,gBEsCjBG,EA5Da,CAC1BtD,KAD0B,WAExB,MAAO,CACLuD,UAAW,UACXC,gBAAiB,KAGrBC,QAP0B,WAQxB7D,KAAK8D,OAAOC,SAAS,gBAEvBC,WAAY,CACVxE,WACA6C,WACA4B,cAEFC,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,cAGnC7D,QAAS,CACP8D,kBADO,WAEL,OAAOvE,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBC,cAAc,CAAEC,GAAI3E,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYK,KACpG1D,KAAKjB,KAAK4E,iCAEfC,iBALO,WAML,OAAO7E,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBK,cAC5C7D,KAAKjB,KAAK4E,iCAEfG,cATO,SASQ1E,GACb,OAAOL,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBM,cAAc,CAAE1E,SAC5DY,KAAK,SAAC+D,GACL,IAAKA,EACH,MAAM,IAAIC,MAAM,aAIxBC,aAjBO,SAiBO7E,GACZ,OAAOL,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBS,aAAa,CAAE7E,SAC3DY,KAAK,SAAC+D,GACL,IAAKA,EACH,MAAM,IAAIC,MAAM,aAIxBL,+BAzBO,SAyByBP,GAE9B,OAAOA,EAAMc,IAAI,SAAChB,GAEhB,OAAIA,GAAQA,EAAKiB,SAGRjB,EAAKkB,YAAc,IAAMC,SAASC,SAEpCpB,EAAKkB,cACXG,KAAK,SCpCCC,EAVCpE,OAAAC,EAAA,EAAAD,CACdqE,ECdQ,WAAgB,IAAAlE,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,qCAAmD,CAAA0B,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iDAAAuB,EAAAS,GAAA,KAAAN,EAAA,YAAmLI,MAAA,CAAO6D,iBAAApE,EAAAuD,cAAAc,kBAAArE,EAAAvB,GAAA,6BAAA6F,gBAAAtE,EAAAvB,GAAA,oCAAiJ,GAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAN,EAAA,YAAyFI,MAAA,CAAOgE,cAAAvE,EAAA+C,kBAAAhC,SAAA,cAAAyD,sBAAAxE,EAAAvB,GAAA,qCAA4H,GAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6BAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,YAA+KI,MAAA,CAAO6D,iBAAApE,EAAA0D,aAAAW,kBAAArE,EAAAvB,GAAA,4BAAA6F,gBAAAtE,EAAAvB,GAAA,mCAA8I,GAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6BAAAuB,EAAAS,GAAA,KAAAN,EAAA,YAAwFI,MAAA,CAAOgE,cAAAvE,EAAAqD,iBAAAtC,SAAA,aAAAyD,sBAAAxE,EAAAvB,GAAA,oCAAyH,MACh6C,IDIY,EAEb,KAEC,KAEU,MAYG,4DErBjBgG,EAAA,CACbxG,MAAO,CACLyG,MAAO,CACLvG,KAAMC,SACNC,UAAU,GAEZsG,OAAQ,CACNxG,KAAMC,UAERwG,YAAa,CACXzG,KAAMI,OACNT,QAAS,cAGbc,KAda,WAeX,MAAO,CACLiG,KAAM,GACNC,QAAS,KACTC,QAAS,GACTC,gBAAgB,IAGpBtC,SAAU,CACRuC,SADQ,WAEN,OAAOzG,KAAKmG,OAASnG,KAAKmG,OAAOnG,KAAKuG,SAAWvG,KAAKuG,UAG1DG,MAAO,CACLL,KADK,SACCM,GACJ3G,KAAK4G,aAAaD,KAGtBlG,QAAS,CACPmG,aADO,SACOP,GAAM,IAAAtF,EAAAf,KAClB6G,aAAa7G,KAAKsG,SAClBtG,KAAKsG,QAAUhD,WAAW,WACxBvC,EAAKwF,QAAU,GACXF,GACFtF,EAAKmF,MAAMG,GAAMpF,KAAK,SAACsF,GAAcxF,EAAKwF,QAAUA,KAxCjC,MA4CzBO,aAVO,WAWL9G,KAAKwG,gBAAiB,GAExBO,eAbO,WAcL/G,KAAKwG,gBAAiB,KCxC5B,IAEIQ,EAVJ,SAAoB7F,GAClBnC,EAAQ,MAyBKiI,EAVC5F,OAAAC,EAAA,EAAAD,CACd4E,ECjBQ,WAAgB,IAAAzE,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBuF,WAAA,EAAaC,KAAA,gBAAAC,QAAA,kBAAAC,MAAA7F,EAAA,eAAA8F,WAAA,mBAAsGzF,YAAA,eAA4B,CAAAF,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,KAAA8F,WAAA,SAAkEzF,YAAA,oBAAAE,MAAA,CAAyCqE,YAAA5E,EAAA4E,aAA8BmB,SAAA,CAAWF,MAAA7F,EAAA,MAAmBQ,GAAA,CAAKE,MAAAV,EAAAsF,aAAAlG,MAAA,SAAA4G,GAAkDA,EAAAC,OAAAC,YAAsClG,EAAA6E,KAAAmB,EAAAC,OAAAJ,WAA+B7F,EAAAS,GAAA,KAAAT,EAAAgF,gBAAAhF,EAAAiF,SAAAkB,OAAA,EAAAhG,EAAA,OAAwEE,YAAA,uBAAkC,CAAAL,EAAAoG,GAAApG,EAAA,kBAAAqG,GAAuC,OAAArG,EAAAsG,GAAA,gBAA8BD,YAAc,GAAArG,EAAAY,QACjuB,IDOY,EAa7B4E,EATiB,KAEU,MAYG,gBEajBe,EArCG,CAChBtI,MAAO,CAAC,UACRW,KAFgB,WAGd,MAAO,CACL4H,UAAU,IAGd9D,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOmE,QAAQC,SAASlI,KAAKmI,SAE3CC,aAJQ,WAKN,OAAOpI,KAAK8D,OAAOmE,QAAQG,aAAapI,KAAKmI,SAE/CE,QAPQ,WAQN,OAAOrI,KAAKoI,aAAaE,WAG7BtE,WAAY,CACVuE,mBAEF9H,QAAS,CACP+H,YADO,WACQ,IAAAzH,EAAAf,KACbA,KAAKgI,UAAW,EAChBhI,KAAK8D,OAAOC,SAAS,cAAe/D,KAAKmE,KAAKQ,IAAI1D,KAAK,WACrDF,EAAKiH,UAAW,KAGpBS,UAPO,WAOM,IAAAC,EAAA1I,KACXA,KAAKgI,UAAW,EAChBhI,KAAK8D,OAAOC,SAAS,YAAa/D,KAAKmE,KAAKQ,IAAI1D,KAAK,WACnDyH,EAAKV,UAAW,OCzBxB,IAEIW,EAVJ,SAAoBxH,GAClBnC,EAAQ,MAyBK4J,EAVCvH,OAAAC,EAAA,EAAAD,CACdwH,ECjBQ,WAAgB,IAAArH,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,mBAA6BI,MAAA,CAAOoC,KAAA3C,EAAA2C,OAAiB,CAAAxC,EAAA,OAAYE,YAAA,gCAA2C,CAAAL,EAAA,QAAAG,EAAA,UAA6BE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAwG,UAAwBhG,GAAA,CAAKE,MAAAV,EAAAgH,cAAyB,CAAAhH,EAAA,UAAAA,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uCAAA0B,EAAA,UAAuLE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAwG,UAAwBhG,GAAA,CAAKE,MAAAV,EAAAiH,YAAuB,CAAAjH,EAAA,UAAAA,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0CAC1jB,IDOY,EAa7B0I,EATiB,KAEU,MAYG,QEajBI,EArCE,CACftJ,MAAO,CAAC,UACRW,KAFe,WAGb,MAAO,CACL4H,UAAU,IAGd9D,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOmE,QAAQC,SAASlI,KAAKmI,SAE3CC,aAJQ,WAKN,OAAOpI,KAAK8D,OAAOmE,QAAQG,aAAapI,KAAKmI,SAE/Ca,MAPQ,WAQN,OAAOhJ,KAAKoI,aAAaa,SAG7BjF,WAAY,CACVuE,mBAEF9H,QAAS,CACPyI,WADO,WACO,IAAAnI,EAAAf,KACZA,KAAKgI,UAAW,EAChBhI,KAAK8D,OAAOC,SAAS,aAAc/D,KAAKmI,QAAQlH,KAAK,WACnDF,EAAKiH,UAAW,KAGpBmB,SAPO,WAOK,IAAAT,EAAA1I,KACVA,KAAKgI,UAAW,EAChBhI,KAAK8D,OAAOC,SAAS,WAAY/D,KAAKmI,QAAQlH,KAAK,WACjDyH,EAAKV,UAAW,OCzBxB,IAEIoB,EAVJ,SAAoBjI,GAClBnC,EAAQ,MAyBKqK,EAVChI,OAAAC,EAAA,EAAAD,CACdiI,ECjBQ,WAAgB,IAAA9H,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,mBAA6BI,MAAA,CAAOoC,KAAA3C,EAAA2C,OAAiB,CAAAxC,EAAA,OAAYE,YAAA,+BAA0C,CAAAL,EAAA,MAAAG,EAAA,UAA2BE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAwG,UAAwBhG,GAAA,CAAKE,MAAAV,EAAA0H,aAAwB,CAAA1H,EAAA,UAAAA,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sCAAA0B,EAAA,UAAqLE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAwG,UAAwBhG,GAAA,CAAKE,MAAAV,EAAA2H,WAAsB,CAAA3H,EAAA,UAAAA,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0CAAAuB,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCACnjB,IDOY,EAa7BmJ,EATiB,KAEU,MAYG,gBEDjBG,EAvBQ,CACrB9J,MAAO,CAAC,UACRuE,WAAY,CACVwF,oBAEFtF,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,aAEjC0E,MAJQ,WAKN,OAAOhJ,KAAKmE,KAAKsF,YAAYC,SAAS1J,KAAK2J,UAG/ClJ,QAAS,CACPmJ,aADO,WAEL,OAAO5J,KAAK8D,OAAOC,SAAS,eAAgB/D,KAAK2J,SAEnDE,WAJO,WAKL,OAAO7J,KAAK8D,OAAOC,SAAS,aAAc/D,KAAK2J,WCZrD,IAEIG,EAVJ,SAAoB3I,GAClBnC,EAAQ,MAyBK+K,EAVC1I,OAAAC,EAAA,EAAAD,CACd2I,ECjBQ,WAAgB,IAAAxI,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,oBAA+B,CAAAF,EAAA,OAAYE,YAAA,2BAAsC,CAAAL,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAmI,QAAA,UAAAnI,EAAAS,GAAA,KAAAT,EAAA,MAAAG,EAAA,kBAA4FE,YAAA,kBAAAE,MAAA,CAAqCG,MAAAV,EAAAoI,eAA0B,CAAApI,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sCAAA0B,EAAA,YAAqFsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qDAAA0B,EAAA,kBAA4GE,YAAA,kBAAAE,MAAA,CAAqCG,MAAAV,EAAAqI,aAAwB,CAAArI,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oCAAA0B,EAAA,YAAmFsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDACprB,IDOY,EAa7B6J,EATiB,KAEU,MAYG,QEuCjBI,EA9DQ,CACrBlG,WAAY,CACVmG,aACAlG,cAEFxE,MAAO,CACL2K,MAAO,CACLzK,KAAM0K,MACN/K,QAAS,iBAAM,KAEjBgL,OAAQ,CACN3K,KAAMC,SACNN,QAAS,SAAAuI,GAAI,OAAIA,EAAKlD,MAG1BvE,KAfqB,WAgBnB,MAAO,CACLmK,SAAU,KAGdrG,SAAU,CACRsG,QADQ,WAEN,OAAOxK,KAAKoK,MAAMjF,IAAInF,KAAKsK,SAE7BG,iBAJQ,WAIY,IAAA1J,EAAAf,KAClB,OAAOA,KAAKwK,QAAQrE,OAAO,SAAAuE,GAAG,OAAoC,IAAhC3J,EAAKwJ,SAASI,QAAQD,MAE1DE,YAPQ,WAQN,OAAO5K,KAAKyK,iBAAiB9C,SAAW3H,KAAKoK,MAAMzC,QAErDkD,aAVQ,WAWN,OAAwC,IAAjC7K,KAAKyK,iBAAiB9C,QAE/BmD,aAbQ,WAcN,OAAQ9K,KAAK4K,cAAgB5K,KAAK6K,eAGtCpK,QAAS,CACPsK,WADO,SACKlD,GACV,OAA6D,IAAtD7H,KAAKyK,iBAAiBE,QAAQ3K,KAAKsK,OAAOzC,KAEnDmD,OAJO,SAICC,EAASpD,GACf,IAAM6C,EAAM1K,KAAKsK,OAAOzC,GAEpBoD,IADejL,KAAK+K,WAAWL,KAE7BO,EACFjL,KAAKuK,SAAShL,KAAKmL,GAEnB1K,KAAKuK,SAASW,OAAOlL,KAAKuK,SAASI,QAAQD,GAAM,KAIvDS,UAfO,SAeI9D,GAEPrH,KAAKuK,SADHlD,EACcrH,KAAKwK,QAAQY,MAAM,GAEnB,MCnDxB,IAEIC,EAVJ,SAAoBlK,GAClBnC,EAAQ,MAyBKsM,EAVCjK,OAAAC,EAAA,EAAAD,CACdkK,ECjBQ,WAAgB,IAAA/J,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,mBAA8B,CAAAL,EAAA4I,MAAAzC,OAAA,EAAAhG,EAAA,OAAmCE,YAAA,0BAAqC,CAAAF,EAAA,OAAYE,YAAA,oCAA+C,CAAAF,EAAA,YAAiBI,MAAA,CAAOkJ,QAAAzJ,EAAAoJ,YAAAY,cAAAhK,EAAAsJ,cAA2D9I,GAAA,CAAKtB,OAAAc,EAAA2J,YAAwB,CAAA3J,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iDAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA2GE,YAAA,kCAA6C,CAAAL,EAAAsG,GAAA,eAAwByC,SAAA/I,EAAAiJ,oBAAgC,KAAAjJ,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,QAAwCI,MAAA,CAAOqI,MAAA5I,EAAA4I,MAAAqB,UAAAjK,EAAA8I,QAAuCoB,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,OAAAkB,GAAA,SAAA9J,GACvrB,IAAA+F,EAAA/F,EAAA+F,KACA,OAAAlG,EAAA,OAAkBE,YAAA,6BAAAgK,MAAA,CAAgDC,sCAAAtK,EAAAuJ,WAAAlD,KAA+D,CAAAlG,EAAA,OAAYE,YAAA,oCAA+C,CAAAF,EAAA,YAAiBI,MAAA,CAAOkJ,QAAAzJ,EAAAuJ,WAAAlD,IAA+B7F,GAAA,CAAKtB,OAAA,SAAAuK,GAA6B,OAAAzJ,EAAAwJ,OAAAC,EAAApD,QAAsC,GAAArG,EAAAS,GAAA,KAAAT,EAAAsG,GAAA,aAAsCD,UAAY,OAAQ,UAAa,CAAArG,EAAAS,GAAA,KAAAN,EAAA,YAA6BsI,KAAA,SAAa,CAAAzI,EAAAsG,GAAA,sBACzZ,IDKY,EAa7BuD,EATiB,KAEU,MAYG,wrBErBhC,IA8EeU,EA9EU,SAAAC,GAAA,IACvBC,EADuBD,EACvBC,MACAC,EAFuBF,EAEvBE,OAFuBC,EAAAH,EAGvBI,qBAHuB,IAAAD,EAGP,UAHOA,EAAAE,EAAAL,EAIvBM,2BAJuB,IAAAD,EAID,GAJCA,EAAA,OAKnB,SAACE,GACL,IACM9M,EADgB4B,OAAOmL,KAAKC,YAAkBF,IACxBpG,OAAO,SAAAuG,GAAC,OAAIA,IAAMN,IAAeO,OAAOL,GAEpE,OAAOM,IAAIC,UAAU,mBAAoB,CACvCpN,MAAK,GAAAkN,OAAAG,IACArN,GADA,CAEH,YAEFW,KALuC,WAMrC,MAAO,CACL2M,SAAS,EACTzM,OAAO,IAGX4D,SAAU,CACR8I,YADQ,WAEN,OAAOd,EAAOlM,KAAKiN,OAAQjN,KAAK8D,UAGpCD,QAhBuC,YAiBjC7D,KAAKkN,SAAWC,IAAQnN,KAAKgN,eAC/BhN,KAAKoN,aAGT3M,QAAS,CACP2M,UADO,WACM,IAAArM,EAAAf,KACNA,KAAK+M,UACR/M,KAAK+M,SAAU,EACf/M,KAAKM,OAAQ,EACb2L,EAAMjM,KAAKiN,OAAQjN,KAAK8D,QACrB7C,KAAK,WACJF,EAAKgM,SAAU,IAFnB,MAIS,WACLhM,EAAKT,OAAQ,EACbS,EAAKgM,SAAU,OAKzBM,OArCuC,SAqC/BC,GACN,GAAKtN,KAAKM,OAAUN,KAAK+M,QAkBvB,OAAAO,EAAA,OAAAzB,MACa,6BADb,CAEK7L,KAAKM,MAALgN,EAAA,KAAAtL,GAAA,CAAAE,MACelC,KAAKoN,WADpBvB,MACqC,eADrC,CACoD7L,KAAKC,GAAG,2BAD5DqN,EAAA,KAAAzB,MAEY,8BArBjB,IAAMpM,EAAQ,CACZA,MAAK8N,EAAA,GACAvN,KAAKiN,OADLO,IAAA,GAEFpB,EAAgBpM,KAAKgN,cAExBhL,GAAIhC,KAAKyN,WACT/B,YAAa1L,KAAK0N,cAEdC,EAAWtM,OAAOuM,QAAQ5N,KAAK6N,QAAQ1I,IAAI,SAAA2I,GAAA,IAAAC,EAAAC,IAAAF,EAAA,GAAEpD,EAAFqD,EAAA,GAAO1G,EAAP0G,EAAA,UAAkBT,EAAE,WAAY,CAAErD,KAAMS,GAAOrD,KAChG,OAAAiG,EAAA,OAAAzB,MACa,qBADb,CAAAyB,EAAAf,EAAA0B,IAAA,IAE0BxO,IAF1B,CAGOkO,WCpDTO,EAAYnC,EAAiB,CACjCE,MAAO,SAACxM,EAAOqE,GAAR,OAAmBA,EAAOC,SAAS,gBAC1CmI,OAAQ,SAACzM,EAAOqE,GAAR,OAAmBqK,IAAIrK,EAAOM,MAAMC,MAAMC,YAAa,WAAY,KAC3E8H,cAAe,SAHCL,CAIf7B,GAEGkE,GAAWrC,EAAiB,CAChCE,MAAO,SAACxM,EAAOqE,GAAR,OAAmBA,EAAOC,SAAS,eAC1CmI,OAAQ,SAACzM,EAAOqE,GAAR,OAAmBqK,IAAIrK,EAAOM,MAAMC,MAAMC,YAAa,UAAW,KAC1E8H,cAAe,SAHAL,CAId7B,GAEGmE,GAAiBtC,EAAiB,CACtCE,MAAO,SAACxM,EAAOqE,GAAR,OAAmBA,EAAOC,SAAS,qBAC1CmI,OAAQ,SAACzM,EAAOqE,GAAR,OAAmBqK,IAAIrK,EAAOM,MAAMC,MAAMC,YAAa,cAAe,KAC9E8H,cAAe,SAHML,CAIpB7B,GA0GYoE,GAxGQ,CACrBlO,KADqB,WAEnB,MAAO,CACLuD,UAAW,YAGfE,QANqB,WAOnB7D,KAAK8D,OAAOC,SAAS,eACrB/D,KAAK8D,OAAOC,SAAS,oBAEvBC,WAAY,CACVuK,gBACAL,YACAE,YACAC,kBACAtG,YACAgB,WACAQ,iBACAC,mBACAgF,cACAvK,cAEFC,SAAU,CACRuK,aADQ,WAEN,OAAOzO,KAAK8D,OAAOM,MAAMsK,SAASD,cAEpCtK,KAJQ,WAKN,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,cAGnC7D,QAAS,CACPsE,cADO,SACQ1E,GACb,OAAOL,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBM,cAAc,CAAE1E,SAC5DY,KAAK,SAAC+D,GACL,IAAKA,EACH,MAAM,IAAIC,MAAM,aAIxBC,aATO,SASO7E,GACZ,OAAOL,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBS,aAAa,CAAE7E,SAC3DY,KAAK,SAAC+D,GACL,IAAKA,EACH,MAAM,IAAIC,MAAM,aAIxBL,+BAjBO,SAiByBP,GAE9B,OAAOA,EAAMc,IAAI,SAAChB,GAEhB,OAAIA,GAAQA,EAAKiB,SAGRjB,EAAKkB,YAAc,IAAMC,SAASC,SAEpCpB,EAAKkB,cACXG,KAAK,OAEVmJ,YA7BO,SA6BMC,GACX5O,KAAK2D,UAAYiL,GAEnBC,qBAhCO,SAgCeC,GAAS,IAAA/N,EAAAf,KAC7B,OAAO+O,IAAOD,EAAS,SAAC3G,GAEtB,OADqBpH,EAAK+C,OAAOmE,QAAQG,aAAarH,EAAKoH,QACvCG,UAAYH,IAAWpH,EAAKoD,KAAKQ,MAGzDqK,mBAtCO,SAsCaF,GAAS,IAAApG,EAAA1I,KAC3B,OAAO+O,IAAOD,EAAS,SAAC3G,GAEtB,OADqBO,EAAK5E,OAAOmE,QAAQG,aAAaM,EAAKP,QACvCc,QAAUd,IAAWO,EAAKvE,KAAKQ,MAGvDsK,aA5CO,SA4CO/I,GACZ,OAAOlG,KAAK8D,OAAOC,SAAS,cAAe,CAAEmC,UAC1CjF,KAAK,SAACoD,GAAD,OAAWc,IAAId,EAAO,SAEhC6K,WAhDO,SAgDKC,GACV,OAAOnP,KAAK8D,OAAOC,SAAS,aAAcoL,IAE5CC,aAnDO,SAmDOD,GACZ,OAAOnP,KAAK8D,OAAOC,SAAS,eAAgBoL,IAE9CE,UAtDO,SAsDIF,GACT,OAAOnP,KAAK8D,OAAOC,SAAS,YAAaoL,IAE3CG,YAzDO,SAyDMH,GACX,OAAOnP,KAAK8D,OAAOC,SAAS,cAAeoL,IAE7CI,qBA5DO,SA4DeC,GAAM,IAAAC,EAAAzP,KAC1B,OAAOwP,EAAKrJ,OAAO,SAAAuJ,GAAG,OAAKD,EAAKtL,KAAKsF,YAAYC,SAASgG,MAE5DC,kBA/DO,SA+DYzJ,GAAO,IAAA0J,EAAA5P,KACxB,OAAO,IAAI6P,QAAQ,SAACC,EAASf,GAC3Be,EAAQF,EAAKnB,aAAatI,OAAO,SAAAuJ,GAAG,OAAIA,EAAIK,cAAcrG,SAASxD,SAGvE8J,cApEO,SAoEQC,GACb,OAAOjQ,KAAK8D,OAAOC,SAAS,gBAAiBkM,MC1HnD,IAEIC,GAVJ,SAAoB/O,GAClBnC,EAAQ,MAyBKmR,GAVC9O,OAAAC,EAAA,EAAAD,CACd+O,GCjBQ,WAAgB,IAAA5O,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,gBAA0BE,YAAA,uBAAAE,MAAA,CAA0CsO,mBAAA,IAAwB,CAAA1O,EAAA,OAAYI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,yBAAuC,CAAA0B,EAAA,OAAYE,YAAA,sBAAiC,CAAAF,EAAA,eAAoBI,MAAA,CAAOoE,OAAA3E,EAAAqN,qBAAA3I,MAAA1E,EAAAyN,aAAA7I,YAAA5E,EAAAvB,GAAA,kCAAiHyL,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,UAAAkB,GAAA,SAAA0E,GAA+B,OAAA3O,EAAA,aAAuBI,MAAA,CAAOwO,UAAAD,EAAAzI,eAA0B,GAAArG,EAAAS,GAAA,KAAAN,EAAA,aAAkCI,MAAA,CAAOmL,SAAA,EAAAzB,UAAA,SAAAvM,GAAuC,OAAAA,IAAawM,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,SAAAkB,GAAA,SAAA9J,GACxoB,IAAAyI,EAAAzI,EAAAyI,SACA,OAAA5I,EAAA,OAAkBE,YAAA,gBAA2B,CAAA0I,EAAA5C,OAAA,EAAAhG,EAAA,kBAA6CE,YAAA,qCAAAE,MAAA,CAAwDG,MAAA,WAAqB,OAAAV,EAAA0N,WAAA3E,MAAqC,CAAA/I,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sCAAA0B,EAAA,YAA6FsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qDAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAsI,EAAA5C,OAAA,EAAAhG,EAAA,kBAA+JE,YAAA,kBAAAE,MAAA,CAAqCG,MAAA,WAAqB,OAAAV,EAAA4N,aAAA7E,MAAuC,CAAA/I,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAA0B,EAAA,YAA+FsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uDAAAuB,EAAAY,MAAA,MAAgH,CAAEsI,IAAA,OAAAkB,GAAA,SAAA9J,GAC1xB,IAAA+F,EAAA/F,EAAA+F,KACA,OAAAlG,EAAA,aAAwBI,MAAA,CAAOwO,UAAA1I,WAAuB,CAAArG,EAAAS,GAAA,KAAAT,EAAAS,GAAA,KAAAN,EAAA,YAAyCsI,KAAA,SAAa,CAAAzI,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAuGI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,wBAAsC,CAAA0B,EAAA,gBAAAA,EAAA,OAA+BI,MAAA,CAAO4D,MAAA,UAAiB,CAAAhE,EAAA,OAAYE,YAAA,sBAAiC,CAAAF,EAAA,eAAoBI,MAAA,CAAOoE,OAAA3E,EAAAwN,mBAAA9I,MAAA1E,EAAAyN,aAAA7I,YAAA5E,EAAAvB,GAAA,iCAA8GyL,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,UAAAkB,GAAA,SAAA0E,GAA+B,OAAA3O,EAAA,YAAsBI,MAAA,CAAOwO,UAAAD,EAAAzI,eAA0B,GAAArG,EAAAS,GAAA,KAAAN,EAAA,YAAiCI,MAAA,CAAOmL,SAAA,EAAAzB,UAAA,SAAAvM,GAAuC,OAAAA,IAAawM,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,SAAAkB,GAAA,SAAA9J,GAC3sB,IAAAyI,EAAAzI,EAAAyI,SACA,OAAA5I,EAAA,OAAkBE,YAAA,gBAA2B,CAAA0I,EAAA5C,OAAA,EAAAhG,EAAA,kBAA6CE,YAAA,kBAAAE,MAAA,CAAqCG,MAAA,WAAqB,OAAAV,EAAA6N,UAAA9E,MAAoC,CAAA/I,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAA0B,EAAA,YAAoGsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,uBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAsI,EAAA5C,OAAA,EAAAhG,EAAA,kBAAsKE,YAAA,kBAAAE,MAAA,CAAqCG,MAAA,WAAqB,OAAAV,EAAA8N,YAAA/E,MAAsC,CAAA/I,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAA0B,EAAA,YAAsGsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,uBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAY,MAAA,MAAuH,CAAEsI,IAAA,OAAAkB,GAAA,SAAA9J,GACjyB,IAAA+F,EAAA/F,EAAA+F,KACA,OAAAlG,EAAA,YAAuBI,MAAA,CAAOwO,UAAA1I,WAAuB,CAAArG,EAAAS,GAAA,KAAAT,EAAAS,GAAA,KAAAN,EAAA,YAAyCsI,KAAA,SAAa,CAAAzI,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gDAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA8GI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,2BAAyC,CAAA0B,EAAA,OAAYE,YAAA,oBAA+B,CAAAF,EAAA,eAAoBI,MAAA,CAAOoE,OAAA3E,EAAA+N,qBAAArJ,MAAA1E,EAAAmO,kBAAAvJ,YAAA5E,EAAAvB,GAAA,kCAAsHyL,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,UAAAkB,GAAA,SAAA0E,GAA+B,OAAA3O,EAAA,kBAA4BI,MAAA,CAAO4H,OAAA2G,EAAAzI,eAAyB,GAAArG,EAAAS,GAAA,KAAAN,EAAA,kBAAuCI,MAAA,CAAOmL,SAAA,EAAAzB,UAAA,SAAAvM,GAAuC,OAAAA,IAAawM,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,SAAAkB,GAAA,SAAA9J,GAC9qB,IAAAyI,EAAAzI,EAAAyI,SACA,OAAA5I,EAAA,OAAkBE,YAAA,gBAA2B,CAAA0I,EAAA5C,OAAA,EAAAhG,EAAA,kBAA6CE,YAAA,kBAAAE,MAAA,CAAqCG,MAAA,WAAqB,OAAAV,EAAAwO,cAAAzF,MAAwC,CAAA/I,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kDAAA0B,EAAA,YAA6GsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,uBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iEAAAuB,EAAAY,MAAA,MAA8H,CAAEsI,IAAA,OAAAkB,GAAA,SAAA9J,GACzb,IAAA+F,EAAA/F,EAAA+F,KACA,OAAAlG,EAAA,kBAA6BI,MAAA,CAAO4H,OAAA9B,WAAsB,CAAArG,EAAAS,GAAA,KAAAT,EAAAS,GAAA,KAAAN,EAAA,YAAyCsI,KAAA,SAAa,CAAAzI,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yDAC7F,IDLY,EAa7BiQ,GATiB,KAEU,MAYG,QEAjBM,GAxBU,CACvBpQ,KADuB,WAErB,MAAO,CACLuD,UAAW,UACX8M,qBAAsBzQ,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYoM,sBAC1D9M,gBAAiB,KAGrBI,WAAY,CACVC,cAEFC,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,cAGnC7D,QAAS,CACPkQ,2BADO,WAEL3Q,KAAK8D,OAAOM,MAAMI,IAAIC,kBACnBkM,2BAA2B,CAAEC,SAAU5Q,KAAKyQ,0BCEtCI,GAVCxP,OAAAC,EAAA,EAAAD,CACdyP,GCdQ,WAAgB,IAAAtP,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,4BAA0C,CAAA0B,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAAgHoP,MAAA,CAAO1J,MAAA7F,EAAAiP,qBAAA,qBAAAO,SAAA,SAAAC,GAA+EzP,EAAA0P,KAAA1P,EAAAiP,qBAAA,uBAAAQ,IAAgE3J,WAAA,8CAAyD,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2EAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAqIE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAAgHoP,MAAA,CAAO1J,MAAA7F,EAAAiP,qBAAA,2BAAAO,SAAA,SAAAC,GAAqFzP,EAAA0P,KAAA1P,EAAAiP,qBAAA,6BAAAQ,IAAsE3J,WAAA,oDAA+D,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iFAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA2IE,YAAA,gBAA2B,CAAAF,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mCAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oCAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAwKE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAmP,6BAAwC,CAAAnP,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oCACv3C,IDIY,EAEb,KAEC,KAEU,MAYG,ynBEjBhC,IAmDekR,GAnDc,kBAAAC,GAAA,CAC3BjN,KAD2B,WAEzB,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,cAG9B+M,KACAlL,OAAO,SAAAuE,GAAG,OAAI4G,KAAsB5H,SAASgB,KAC7CvF,IAAI,SAAAuF,GAAG,MAAI,CACVA,EAAM,eACN,WACE,OAAO1K,KAAK8D,OAAOmE,QAAQsJ,sBAAsB7G,OAGpD8G,OAAO,SAACC,EAADzF,GAAA,IAAA8B,EAAAE,IAAAhC,EAAA,GAAOtB,EAAPoD,EAAA,GAAYzG,EAAZyG,EAAA,UAAAsD,GAAA,GAA6BK,EAA7BjE,IAAA,GAAmC9C,EAAMrD,KAAU,IAblC,GAcxBgK,KACAlL,OAAO,SAAAuE,GAAG,OAAK4G,KAAsB5H,SAASgB,KAC9CvF,IAAI,SAAAuF,GAAG,MAAI,CACVA,EAAM,iBACN,WACE,OAAO1K,KAAKC,GAAG,mBAAqBD,KAAK8D,OAAOmE,QAAQsJ,sBAAsB7G,QAGjF8G,OAAO,SAACC,EAAD1D,GAAA,IAAA2D,EAAA1D,IAAAD,EAAA,GAAOrD,EAAPgH,EAAA,GAAYrK,EAAZqK,EAAA,UAAAN,GAAA,GAA6BK,EAA7BjE,IAAA,GAAmC9C,EAAMrD,KAAU,IAtBlC,GAwBxBhG,OAAOmL,KAAKmF,MACZxM,IAAI,SAAAuF,GAAG,MAAI,CAACA,EAAK,CAChByD,IADgB,WACP,OAAOnO,KAAK8D,OAAOmE,QAAQ2J,aAAalH,IACjDmH,IAFgB,SAEXxK,GACHrH,KAAK8D,OAAOC,SAAS,YAAa,CAAEoD,KAAMuD,EAAKrD,eAGlDmK,OAAO,SAACC,EAADK,GAAA,IAAAC,EAAA/D,IAAA8D,EAAA,GAAOpH,EAAPqH,EAAA,GAAY1K,EAAZ0K,EAAA,UAAAX,GAAA,GAA6BK,EAA7BjE,IAAA,GAAmC9C,EAAMrD,KAAU,IA/BlC,CAiC3B2K,gBAAiB,CACf7D,IADe,WACN,OAAOnO,KAAK8D,OAAOmE,QAAQ2J,aAAaI,iBACjDH,IAFe,SAEVxK,GAAO,IAAAtG,EAAAf,MACMqH,EACZrH,KAAK8D,OAAOC,SAAS,sBACrB/D,KAAK8D,OAAOC,SAAS,wBAEjB9C,KAAK,WACXF,EAAK+C,OAAOC,SAAS,YAAa,CAAEoD,KAAM,kBAAmBE,YAD/D,MAES,SAAC4K,GACRC,QAAQ5R,MAAM,4CAA6C2R,GAC3DlR,EAAK+C,OAAOC,SAAS,uBACrBhD,EAAK+C,OAAOC,SAAS,YAAa,CAAEoD,KAAM,kBAAmBE,OAAO,wOC9C5E,IAyCe8K,GAzCM,CACnB/R,KADmB,WAEjB,MAAO,CACLgS,qBAAsBpS,KAAK8D,OAAOmE,QAAQ2J,aAAaS,UAAU7M,KAAK,QAG1ExB,WAAY,CACVC,cAEFC,wWAAUoO,CAAA,GACLnB,KADG,CAENoB,gBAAiB,CACfpE,IADe,WAEb,OAAOnO,KAAKoS,sBAEdP,IAJe,SAIVxK,GACHrH,KAAKoS,qBAAuB/K,EAC5BrH,KAAK8D,OAAOC,SAAS,YAAa,CAChCoD,KAAM,YACNE,MAAOmL,KAAOnL,EAAMoL,MAAM,MAAO,SAACC,GAAD,OAAUC,KAAKD,GAAM/K,OAAS,UAMvEjB,MAAO,CACLkM,uBAAwB,CACtBC,QADsB,SACbxL,GACPrH,KAAK8D,OAAOC,SAAS,YAAa,CAChCoD,KAAM,yBACNE,MAAOrH,KAAK8D,OAAOmE,QAAQ2J,aAAagB,0BAG5CE,MAAM,GAERC,gBAVK,WAWH/S,KAAK8D,OAAOC,SAAS,oBClBZiP,GAVC3R,OAAAC,EAAA,EAAAD,CACd4R,GCdQ,WAAgB,IAAAzR,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,wBAAsC,CAAA0B,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,OAAYE,YAAA,mBAA8B,CAAAF,EAAA,QAAaE,YAAA,SAAoB,CAAAL,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAoFE,YAAA,eAA0B,CAAAF,EAAA,MAAAA,EAAA,YAA0BoP,MAAA,CAAO1J,MAAA7F,EAAAoR,uBAAA,MAAA5B,SAAA,SAAAC,GAAkEzP,EAAA0P,KAAA1P,EAAAoR,uBAAA,QAAA3B,IAAmD3J,WAAA,iCAA4C,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iEAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA6IoP,MAAA,CAAO1J,MAAA7F,EAAAoR,uBAAA,QAAA5B,SAAA,SAAAC,GAAoEzP,EAAA0P,KAAA1P,EAAAoR,uBAAA,UAAA3B,IAAqD3J,WAAA,mCAA8C,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mEAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA+IoP,MAAA,CAAO1J,MAAA7F,EAAAoR,uBAAA,QAAA5B,SAAA,SAAAC,GAAoEzP,EAAA0P,KAAA1P,EAAAoR,uBAAA,UAAA3B,IAAqD3J,WAAA,mCAA8C,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mEAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA+IoP,MAAA,CAAO1J,MAAA7F,EAAAoR,uBAAA,SAAA5B,SAAA,SAAAC,GAAqEzP,EAAA0P,KAAA1P,EAAAoR,uBAAA,WAAA3B,IAAsD3J,WAAA,oCAA+C,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oEAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAgJoP,MAAA,CAAO1J,MAAA7F,EAAAoR,uBAAA,MAAA5B,SAAA,SAAAC,GAAkEzP,EAAA0P,KAAA1P,EAAAoR,uBAAA,QAAA3B,IAAmD3J,WAAA,iCAA4C,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iEAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA6IoP,MAAA,CAAO1J,MAAA7F,EAAAoR,uBAAA,eAAA5B,SAAA,SAAAC,GAA2EzP,EAAA0P,KAAA1P,EAAAoR,uBAAA,iBAAA3B,IAA4D3J,WAAA,0CAAqD,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+EAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAA0B,EAAA,SAAsOE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,oBAAyB,CAAAvR,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,gBAAA8F,WAAA,oBAAwFvF,MAAA,CAAS4C,GAAA,mBAAuB3C,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAAuR,gBAAAvL,EAAAC,OAAAgM,SAAAN,IAAA,MAAiF,CAAAxR,EAAA,UAAeI,MAAA,CAAOsF,MAAA,MAAAkD,SAAA,KAA6B,CAAA/I,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qCAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAqFI,MAAA,CAAOsF,MAAA,cAAqB,CAAA7F,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA2FI,MAAA,CAAOsF,MAAA,SAAgB,CAAA7F,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAmFE,YAAA,uBAA6BL,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,YAA2CoP,MAAA,CAAO1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAkS,cAAAzC,GAAsB3J,WAAA,kBAA6B,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iCAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAAiHoH,MAAA7F,EAAAmS,+BAAyC,kBAAAnS,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,YAA0DoP,MAAA,CAAO1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAoS,cAAA3C,GAAsB3J,WAAA,kBAA6B,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iCAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAAiHoH,MAAA7F,EAAAqS,+BAAyC,oBAAArS,EAAAS,GAAA,KAAAN,EAAA,OAA6CE,YAAA,gBAA2B,CAAAF,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sCAAAuB,EAAAS,GAAA,KAAAN,EAAA,YAA0GuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,gBAAA8F,WAAA,oBAAwFvF,MAAA,CAAS4C,GAAA,aAAiB4C,SAAA,CAAWF,MAAA7F,EAAA,iBAA8BQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAA+Q,gBAAA/K,EAAAC,OAAAJ,aAA0C7F,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,YAAyCoP,MAAA,CAAO1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAAsS,qBAAA7C,GAA6B3J,WAAA,yBAAoC,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAAwHoH,MAAA7F,EAAAuS,sCAAgD,uBACzkJ,IDIY,EAEb,KAEC,KAEU,MAYG,2BEvBjBC,GAAA,CACbvU,MAAO,CACLwU,YAAa,CACXtU,KAAM0B,OACN/B,QAAS,iBAAO,CACd4U,YAAY,EACZC,MAAO,OAIb/T,KAAM,iBAAO,IACb8D,SAAU,CACRgQ,WADQ,WACQ,OAAOlU,KAAKiU,YAAYC,YACxCE,MAFQ,WAEG,OAAOpU,KAAKiU,YAAYE,MAAMxM,OAAS,GAClD0M,aAHQ,WAGU,OAAOrU,KAAKkU,YAAclU,KAAKoU,SCNrD,IAEIE,GAVJ,SAAoBnT,GAClBnC,EAAQ,MAyBKuV,GAVClT,OAAAC,EAAA,EAAAD,CACd2S,GCjBQ,WAAgB,IAAAxS,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,oBAA+B,CAAAL,EAAA,aAAAG,EAAA,MAAAH,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0CAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,OAAAG,EAAA,KAAgQE,YAAA,iBAA4B,CAAAL,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAA2GE,YAAA,gBAA2BL,EAAAoG,GAAApG,EAAAyS,YAAA,eAAAO,GAA+C,OAAA7S,EAAA,MAAgB+I,IAAA8J,GAAS,CAAAhT,EAAAS,GAAA,aAAAT,EAAAW,GAAAqS,GAAA,gBAAiD,IAAAhT,EAAAY,MAAA,IACjpB,IDOY,EAa7BkS,GATiB,KAEU,MAYG,QElBjBG,GARC,CACdhV,MAAO,CAAC,YACRW,KAAM,iBAAO,IACbK,QAAS,CACPiU,QADO,WACM1U,KAAK2U,MAAM,YACxBC,OAFO,WAEK5U,KAAK2U,MAAM,aCkBZE,GAVCxT,OAAAC,EAAA,EAAAD,CACdyT,GCdQ,WAAgB,IAAAtT,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAAH,EAAAsG,GAAA,WAAAtG,EAAAS,GAAA,KAAAN,EAAA,UAA4DE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAsH,UAAwB9G,GAAA,CAAKE,MAAAV,EAAAkT,UAAqB,CAAAlT,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAuFE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAsH,UAAwB9G,GAAA,CAAKE,MAAAV,EAAAoT,SAAoB,CAAApT,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kCACtY,IDIY,EAEb,KAEC,KAEU,MAYG,6OEpBjB,IAAA8U,GAAA,CACbtV,MAAO,CAAC,YACRW,KAAM,iBAAO,CACXE,OAAO,EACP0U,gBAAiB,GACjBC,YAAY,EACZf,YAAY,IAEdlQ,WAAY,CACV0Q,QAAWD,IAEbvQ,wWAAUgR,CAAA,CACRC,YADM,WAEJ,OAAOnV,KAAK4Q,SAASwE,OAEpBC,aAAS,CACV5Q,kBAAmB,SAACL,GAAD,OAAWA,EAAMI,IAAIC,sBAG5ChE,QAAS,CACP6U,WADO,WAELtV,KAAK2U,MAAM,aAEbY,iBAJO,WAIevV,KAAKiV,YAAa,GACxCO,aALO,WAMLxV,KAAKM,MAAQ,KACbN,KAAKiV,YAAa,GAEpBQ,kBATO,WASc,IAAA1U,EAAAf,KACnBA,KAAKM,MAAQ,KACbN,KAAKkU,YAAa,EAClBlU,KAAKyE,kBAAkBiR,cAAc,CACnCC,SAAU3V,KAAKgV,kBAEd/T,KAAK,SAAC2U,GACL7U,EAAKmT,YAAa,EACd0B,EAAItV,MACNS,EAAKT,MAAQsV,EAAItV,OAGnBS,EAAKkU,YAAa,EAClBlU,EAAK4T,MAAM,iPCtCrB,IAoJekB,GApJH,CACVzV,KAAM,iBAAO,CACXwQ,SAAU,CACRkF,WAAW,EACXC,SAAS,EACTX,MAAM,GAERY,WAAY,CACV5R,MAAO,GACP6R,cAAe,IAEjBhC,YAAa,CACXiC,aAAa,EACbhC,YAAY,EACZC,MAAO,IAETgC,YAAa,CACXC,iBAAkB,GAClB1L,IAAK,IAEPsK,gBAAiB,KACjBqB,gBAAiB,KACjB/V,MAAO,KACPgW,WAAW,IAEbtS,WAAY,CACVuS,iBAAkBC,GAClBC,YCpBYpV,OAAAC,EAAA,EAAAD,CACd0T,GCdQ,WAAgB,IAAAvT,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAAA,EAAA,OAA2BE,YAAA,eAA0B,CAAAF,EAAA,UAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wBAAAuB,EAAAS,GAAA,KAAAT,EAAA2T,YAAkK3T,EAAAY,KAAlKT,EAAA,UAAwGE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAA8T,aAAwB,CAAA9T,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAT,EAAA,YAAAG,EAAA,UAAqHE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAyT,YAA0BjT,GAAA,CAAKE,MAAAV,EAAAgU,eAA0B,CAAAhU,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gCAAAuB,EAAAY,OAAAZ,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,WAAwHI,MAAA,CAAO+G,SAAAtH,EAAA0S,YAA0BlS,GAAA,CAAK0S,QAAAlT,EAAAiU,kBAAAb,OAAApT,EAAA+T,mBAA+D,CAAA/T,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAA0B,EAAA,SAAsGuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,gBAAA8F,WAAA,oBAAwFvF,MAAA,CAASpC,KAAA,YAAkB4H,SAAA,CAAWF,MAAA7F,EAAA,iBAA8BQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAwT,gBAAAxN,EAAAC,OAAAJ,aAA0C7F,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,MAAAG,EAAA,OAA+CE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAlB,OAAA,UAAAkB,EAAAY,MAAA,IACnpC,IDIY,EAEb,KAEC,KAEU,MAYG,QDW5BsU,cAAUC,EACVjC,QAAWD,IAEbvQ,wWAAU0S,CAAA,CACRC,YADM,WAEJ,OACG7W,KAAK8W,iBAAmB9W,KAAK+W,qBAC5B/W,KAAK4Q,SAASmF,WACZ/V,KAAK4Q,SAASwE,OAASpV,KAAKgX,oBAEpCF,gBAPM,WAQJ,MAAiC,KAA1B9W,KAAKgW,WAAW5R,OAA0C,aAA1BpE,KAAKgW,WAAW5R,OAEzD4S,mBAVM,WAWJ,MAAiC,aAA1BhX,KAAKgW,WAAW5R,QAAyBpE,KAAKiX,cAEvDC,WAbM,WAcJ,MAAyC,YAAlClX,KAAKgW,WAAWC,eAEzBkB,WAhBM,WAiBJ,MAAyC,YAAlCnX,KAAKgW,WAAWC,eAEzBgB,aAnBM,WAoBJ,MAAyC,cAAlCjX,KAAKgW,WAAWC,eAEzBc,oBAtBM,WAuBJ,OAAQ/W,KAAKiU,YAAYC,YAAclU,KAAKiU,YAAYE,MAAMxM,OAAS,GAEzEyP,sBAzBM,WA0BJ,OAAOpX,KAAKiU,YAAYiC,cAEvBb,aAAS,CACV5Q,kBAAmB,SAACL,GAAD,OAAWA,EAAMI,IAAIC,sBAI5ChE,QAAS,CACP4W,YADO,WAEArX,KAAK4Q,SAASmF,UACjB/V,KAAKgW,WAAW5R,MAAQ,iBACxBpE,KAAKsX,qBAGTA,iBAPO,WAOa,IAAAvW,EAAAf,KAIlB,OAHAA,KAAKiU,YAAYC,YAAa,EAC9BlU,KAAKiU,YAAYE,MAAQ,GAElBnU,KAAKyE,kBAAkB8S,yBAC3BtW,KAAK,SAAC2U,GACL7U,EAAKkT,YAAYE,MAAQyB,EAAIzB,MAC7BpT,EAAKkT,YAAYC,YAAa,KAGpCsD,eAjBO,WAkBLxX,KAAKiU,YAAYiC,aAAc,GAEjCuB,mBApBO,WAoBe,IAAA/O,EAAA1I,KACpBA,KAAKsX,mBAAmBrW,KAAK,SAAC2U,GAC5BlN,EAAKuL,YAAYiC,aAAc,KAGnCwB,kBAzBO,WA0BL1X,KAAKiU,YAAYiC,aAAc,GAIjCyB,SA9BO,WA8BK,IAAAlI,EAAAzP,KACVA,KAAKgW,WAAW5R,MAAQ,WACxBpE,KAAKgW,WAAWC,cAAgB,UAChCjW,KAAKyE,kBAAkBmT,cACpB3W,KAAK,SAAC2U,GACLnG,EAAK0G,YAAcP,EACnBnG,EAAKuG,WAAWC,cAAgB,aAGtC4B,aAvCO,WAuCS,IAAAjI,EAAA5P,KACdA,KAAKM,MAAQ,KACbN,KAAKyE,kBAAkBqT,cAAc,CACnCC,MAAO/X,KAAKqW,gBACZV,SAAU3V,KAAKgV,kBAEd/T,KAAK,SAAC2U,GACDA,EAAItV,MACNsP,EAAKtP,MAAQsV,EAAItV,MAGnBsP,EAAKoI,mBAIXA,cAtDO,WAuDLhY,KAAKgW,WAAWC,cAAgB,WAChCjW,KAAKgW,WAAW5R,MAAQ,WACxBpE,KAAKgV,gBAAkB,KACvBhV,KAAKM,MAAQ,KACbN,KAAKiY,iBAEPC,YA7DO,WA8DLlY,KAAKgW,WAAWC,cAAgB,GAChCjW,KAAKgW,WAAW5R,MAAQ,GACxBpE,KAAKgV,gBAAkB,KACvBhV,KAAKM,MAAQ,MAKT2X,cAtEC,eAAAE,EAAA,OAAAC,GAAAC,EAAAC,MAAA,SAAAC,GAAA,cAAAA,EAAAC,KAAAD,EAAAE,MAAA,cAAAF,EAAAE,KAAA,EAAAL,GAAAC,EAAAK,MAuEc1Y,KAAKyE,kBAAkBkU,eAvErC,YAuEDR,EAvECI,EAAAK,MAwEMtY,MAxEN,CAAAiY,EAAAE,KAAA,eAAAF,EAAAM,OAAA,wBAyEL7Y,KAAK4Q,SAAWuH,EAAOvH,SACvB5Q,KAAK4Q,SAASkF,WAAY,EA1ErByC,EAAAM,OAAA,SA2EEV,GA3EF,wBAAAI,EAAAO,SAAA,KAAA9Y,QA8ET+Y,QA9IU,WA8IC,IAAAC,EAAAhZ,KACTA,KAAKiY,gBAAgBhX,KAAK,WACxB+X,EAAK1C,WAAY,MG9IvB,IAEI2C,GAVJ,SAAoB9X,GAClBnC,EAAQ,MAyBKka,GAVC7X,OAAAC,EAAA,EAAAD,CACd8X,GCjBQ,WAAgB,IAAA3X,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAD,EAAA8U,WAAA9U,EAAAoP,SAAAkF,UAAAnU,EAAA,OAA2DE,YAAA,6BAAwC,CAAAF,EAAA,OAAYE,YAAA,eAA0B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4BAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAAH,EAAAsV,gBAA+6BtV,EAAAY,KAA/6BT,EAAA,OAAmHE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAN,EAAA,aAAuGI,MAAA,CAAO6O,SAAApP,EAAAoP,UAAwB5O,GAAA,CAAKiT,WAAAzT,EAAAyW,cAAAmB,SAAA5X,EAAA6V,eAA2D7V,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAA,KAAAT,EAAAoP,SAAA,QAAAjP,EAAA,OAAAH,EAAA4V,sBAA6J5V,EAAAY,KAA7JT,EAAA,kBAAsHI,MAAA,CAAOsX,eAAA7X,EAAAyS,eAAgCzS,EAAAS,GAAA,KAAAT,EAAA4V,sBAA+H5V,EAAAY,KAA/HT,EAAA,UAAiEE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAgW,iBAA4B,CAAAhW,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6DAAAuB,EAAAS,GAAA,KAAAT,EAAA,sBAAAG,EAAA,OAAAA,EAAA,WAA4KI,MAAA,CAAO+G,SAAAtH,EAAAyS,YAAAC,YAAsClS,GAAA,CAAK0S,QAAAlT,EAAAiW,mBAAA7C,OAAApT,EAAAkW,oBAAiE,CAAA/V,EAAA,KAAUE,YAAA,WAAsB,CAAAL,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yEAAAuB,EAAAY,MAAA,GAAAZ,EAAAY,MAAA,GAAAZ,EAAAS,GAAA,KAAAT,EAAA,gBAAAG,EAAA,OAAAA,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAT,EAAAwV,mBAAgWxV,EAAAY,KAAhWT,EAAA,kBAAyTI,MAAA,CAAOsX,eAAA7X,EAAAyS,eAAgCzS,EAAAS,GAAA,KAAAT,EAAA,YAAAG,EAAA,UAAsDE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAA0W,cAAyB,CAAA1W,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iCAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,YAAAG,EAAA,UAAyHE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAmW,WAAsB,CAAAnW,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,oBAAAA,EAAA,WAAAG,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uCAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,OAAAA,EAAA,OAA2QE,YAAA,aAAwB,CAAAF,EAAA,OAAYE,YAAA,WAAsB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA+JI,MAAA,CAAOsF,MAAA7F,EAAA2U,YAAAC,iBAAA9C,QAAA,CAAoDgG,MAAA,QAAe9X,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAW,GAAAX,EAAA2U,YAAAzL,KAAA,0BAAAlJ,EAAAS,GAAA,KAAAN,EAAA,OAAoME,YAAA,UAAqB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sBAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gCAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAuJuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,gBAAA8F,WAAA,oBAAwFvF,MAAA,CAASpC,KAAA,QAAc4H,SAAA,CAAWF,MAAA7F,EAAA,iBAA8BQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAA6U,gBAAA7O,EAAAC,OAAAJ,WAA0C7F,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sDAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAyHuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,gBAAA8F,WAAA,oBAAwFvF,MAAA,CAASpC,KAAA,YAAkB4H,SAAA,CAAWF,MAAA7F,EAAA,iBAA8BQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAwT,gBAAAxN,EAAAC,OAAAJ,WAA0C7F,EAAAS,GAAA,KAAAN,EAAA,OAAwBE,YAAA,uBAAkC,CAAAF,EAAA,UAAeE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAqW,eAA0B,CAAArW,EAAAS,GAAA,uBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAmIE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAA0W,cAAyB,CAAA1W,EAAAS,GAAA,uBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAS,GAAA,KAAAT,EAAA,MAAAG,EAAA,OAA6HE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAlB,OAAA,sBAAAkB,EAAAY,WAAAZ,EAAAY,MAAAZ,EAAAY,MAAA,GAAAZ,EAAAY,SAAAZ,EAAAY,MAC3xH,IDOY,EAa7B6W,GATiB,KAEU,MAYG,QE+EjBM,GArGK,CAClBnZ,KADkB,WAEhB,MAAO,CACLoZ,SAAU,GACVC,kBAAkB,EAClBC,oBAAqB,GACrBC,cAAc,EACdC,iBAAiB,EACjBC,kCAAmC,GACnCC,oBAAoB,EACpBC,qBAAsB,CAAE,GAAI,GAAI,IAChCC,iBAAiB,EACjBC,qBAAqB,IAGzBpW,QAfkB,WAgBhB7D,KAAK8D,OAAOC,SAAS,gBAEvBC,WAAY,CACVwF,mBACAqM,OACA5R,cAEFC,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,aAEjC4V,eAJQ,WAKN,OAAOla,KAAK8D,OAAOM,MAAMsK,SAASwL,gBAEpCC,YAPQ,WAQN,OAAOna,KAAK8D,OAAOM,MAAM+V,YAAYC,OAAOjV,IAAI,SAAAkV,GAC9C,MAAO,CACL1V,GAAI0V,EAAW1V,GACf2V,QAASD,EAAWE,SACpBC,WAAY,IAAIC,KAAKJ,EAAWK,aAAaC,0BAKrDla,QAAS,CACPma,cADO,WAEL5a,KAAK4Z,iBAAkB,GAEzBiB,cAJO,WAIU,IAAA9Z,EAAAf,KACfA,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBoW,cAAc,CAAElF,SAAU3V,KAAK6Z,oCACpE5Y,KAAK,SAAC2U,GACc,YAAfA,EAAI5Q,QACNjE,EAAK+C,OAAOC,SAAS,UACrBhD,EAAK+Z,QAAQvb,KAAK,CAAE4H,KAAM,UAE1BpG,EAAK+Y,mBAAqBlE,EAAItV,SAItCya,eAfO,WAeW,IAAArS,EAAA1I,KACVgb,EAAS,CACbrF,SAAU3V,KAAK+Z,qBAAqB,GACpCkB,YAAajb,KAAK+Z,qBAAqB,GACvCmB,wBAAyBlb,KAAK+Z,qBAAqB,IAErD/Z,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBsW,eAAeC,GACpD/Z,KAAK,SAAC2U,GACc,YAAfA,EAAI5Q,QACN0D,EAAKsR,iBAAkB,EACvBtR,EAAKuR,qBAAsB,EAC3BvR,EAAKyS,WAELzS,EAAKsR,iBAAkB,EACvBtR,EAAKuR,oBAAsBrE,EAAItV,UAIvC8a,YAjCO,WAiCQ,IAAA3L,EAAAzP,KACPgb,EAAS,CACbK,MAAOrb,KAAKwZ,SACZ7D,SAAU3V,KAAK0Z,qBAEjB1Z,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkB2W,YAAYJ,GACjD/Z,KAAK,SAAC2U,GACc,YAAfA,EAAI5Q,QACNyK,EAAKkK,cAAe,EACpBlK,EAAKgK,kBAAmB,IAExBhK,EAAKkK,cAAe,EACpBlK,EAAKgK,iBAAmB7D,EAAItV,UAIpC6a,OAjDO,WAkDLnb,KAAK8D,OAAOC,SAAS,UACrB/D,KAAK8a,QAAQQ,QAAQ,MAEvBC,YArDO,SAqDM5W,GACP6W,OAAO9G,QAAP,GAAA/H,OAAkB3M,KAAKyb,MAAMC,EAAE,yBAA/B,OACF1b,KAAK8D,OAAOC,SAAS,cAAeY,MC5E7BgX,GAVCta,OAAAC,EAAA,EAAAD,CACdua,GCdQ,WAAgB,IAAApa,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,2BAAyC,CAAA0B,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6BAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0BAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAkKuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,SAAA8F,WAAA,aAA0EvF,MAAA,CAASpC,KAAA,QAAAkc,aAAA,SAAsCtU,SAAA,CAAWF,MAAA7F,EAAA,UAAuBQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAgY,SAAAhS,EAAAC,OAAAJ,aAAmC7F,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iCAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAgHuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,oBAAA8F,WAAA,wBAAgGvF,MAAA,CAASpC,KAAA,WAAAkc,aAAA,oBAAoDtU,SAAA,CAAWF,MAAA7F,EAAA,qBAAkCQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAkY,oBAAAlS,EAAAC,OAAAJ,aAA8C7F,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAA4Z,cAAyB,CAAA5Z,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAT,EAAA,aAAAG,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uCAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,UAAAT,EAAAiY,iBAAA,CAAA9X,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mCAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAiY,sBAAAjY,EAAAY,MAAA,GAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAqYE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gCAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iCAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA4KuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAAuY,qBAAA,GAAAzS,WAAA,4BAAwGvF,MAAA,CAASpC,KAAA,YAAkB4H,SAAA,CAAWF,MAAA7F,EAAAuY,qBAAA,IAAsC/X,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAAuY,qBAAA,EAAAvS,EAAAC,OAAAJ,aAA6D7F,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6BAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA4GuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAAuY,qBAAA,GAAAzS,WAAA,4BAAwGvF,MAAA,CAASpC,KAAA,YAAkB4H,SAAA,CAAWF,MAAA7F,EAAAuY,qBAAA,IAAsC/X,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAAuY,qBAAA,EAAAvS,EAAAC,OAAAJ,aAA6D7F,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qCAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAoHuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAAuY,qBAAA,GAAAzS,WAAA,4BAAwGvF,MAAA,CAASpC,KAAA,YAAkB4H,SAAA,CAAWF,MAAA7F,EAAAuY,qBAAA,IAAsC/X,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAAuY,qBAAA,EAAAvS,EAAAC,OAAAJ,aAA6D7F,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAuZ,iBAA4B,CAAAvZ,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAT,EAAA,gBAAAG,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAyY,oBAAAtY,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,oBAAAG,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAyY,qBAAA,YAAAzY,EAAAY,OAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAscE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6BAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAqFE,YAAA,gBAA2B,CAAAF,EAAA,SAAAA,EAAA,MAAAA,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yBAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAAH,EAAAS,GAAA,KAAAN,EAAA,QAAAH,EAAAoG,GAAApG,EAAA,qBAAA6Y,GAAkP,OAAA1Y,EAAA,MAAgB+I,IAAA2P,EAAA1V,IAAkB,CAAAhD,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAkY,EAAAC,YAAA9Y,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAkY,EAAAG,eAAAhZ,EAAAS,GAAA,KAAAN,EAAA,MAAkIE,YAAA,WAAsB,CAAAF,EAAA,UAAeE,YAAA,kBAAAG,GAAA,CAAkCE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAA+Z,YAAAlB,EAAA1V,OAAwC,CAAAnD,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAA4F,OAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAAH,EAAAS,GAAA,KAAAN,EAAA,OAAqDE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAT,EAAAoY,gBAAApY,EAAAY,KAAAT,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAS,GAAA,KAAAT,EAAA,gBAAAG,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sBAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAmZuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,kCAAA8F,WAAA,sCAA4HvF,MAAA,CAASpC,KAAA,YAAkB4H,SAAA,CAAWF,MAAA7F,EAAA,mCAAgDQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAqY,kCAAArS,EAAAC,OAAAJ,WAA4D7F,EAAAS,GAAA,KAAAN,EAAA,UAA2BE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAqZ,gBAA2B,CAAArZ,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,UAAAT,EAAAsY,mBAAAnY,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,mBAAAG,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAsY,oBAAA,YAAAtY,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAAoY,gBAAucpY,EAAAY,KAAvcT,EAAA,UAA0YE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAoZ,gBAA2B,CAAApZ,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sCACz+K,IDIY,EAEb,KAEC,KAEU,MAYG,+EE8GjB6b,WAlIM,CACnBrc,MAAO,CACLsc,QAAS,CACPpc,KAAM,CAACI,OAAQyb,OAAOQ,SACtBnc,UAAU,GAEZH,cAAe,CACbC,KAAMC,SACNC,UAAU,GAEZoc,eAAgB,CACdtc,KAAM0B,OADQ/B,QAAA,WAGZ,MAAO,CACL4c,YAAa,EACbC,aAAc,EACdC,SAAU,EACVC,SAAS,EACTC,UAAU,EACVC,QAAQ,KAIdC,MAAO,CACL7c,KAAMI,OACNT,QAAS,6DAEXmd,gBAAiB,CACf9c,KAAMI,QAER2c,+BAAgC,CAC9B/c,KAAMI,QAER4c,kBAAmB,CACjBhd,KAAMI,SAGVK,KArCmB,WAsCjB,MAAO,CACLwc,aAASC,EACTC,aAASD,EACTta,cAAUsa,EACVrc,YAAY,EACZuc,YAAa,OAGjB7Y,SAAU,CACR8Y,SADQ,WAEN,OAAOhd,KAAKyc,iBAAmBzc,KAAKC,GAAG,uBAEzCgd,wBAJQ,WAKN,OAAOjd,KAAK0c,gCAAkC1c,KAAKC,GAAG,wCAExDid,WAPQ,WAQN,OAAOld,KAAK2c,mBAAqB3c,KAAKC,GAAG,yBAE3Ckd,eAVQ,WAWN,OAAOnd,KAAK+c,aAAe/c,KAAK+c,uBAAuB9X,MAAQjF,KAAK+c,YAAYK,WAAapd,KAAK+c,cAGtGtc,QAAS,CACP4c,QADO,WAEDrd,KAAK4c,SACP5c,KAAK4c,QAAQS,UAEfrd,KAAKW,MAAMC,MAAMyG,MAAQ,GACzBrH,KAAK8c,aAAUD,EACf7c,KAAK2U,MAAM,UAEb7T,OATO,WASkB,IAAAC,EAAAf,KAAjBsd,IAAiBC,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,KAAAA,UAAA,GACvBvd,KAAKQ,YAAa,EAClBR,KAAKwd,kBAAoB,KACzBxd,KAAKN,cAAc4d,GAAYtd,KAAK4c,QAAS5c,KAAKK,MAC/CY,KAAK,kBAAMF,EAAKsc,YADnB,MAES,SAACI,GACN1c,EAAKgc,YAAcU,IAHvB,QAKW,WACP1c,EAAKP,YAAa,KAGxBkd,UArBO,WAsBL1d,KAAKW,MAAMC,MAAMsB,SAEnByb,cAxBO,WAyBL3d,KAAK4c,QAAU,IAAIgB,KAAQ5d,KAAKW,MAAMkd,IAAK7d,KAAKic,iBAElD6B,cA3BO,WA4BL,MAA+B,WAAxBC,KAAO/d,KAAK+b,SAAuB/b,KAAK+b,QAAUlZ,SAASmb,cAAche,KAAK+b,UAEvFkC,SA9BO,WA8BK,IAAAvV,EAAA1I,KACJke,EAAYle,KAAKW,MAAMC,MAC7B,GAAuB,MAAnBsd,EAAUrd,OAAuC,MAAtBqd,EAAUrd,MAAM,GAAY,CACzDb,KAAKK,KAAO6d,EAAUrd,MAAM,GAC5B,IAAIsd,EAAS,IAAI3C,OAAO4C,WACxBD,EAAOE,OAAS,SAACpM,GACfvJ,EAAKoU,QAAU7K,EAAExK,OAAO0Q,OACxBzP,EAAKiM,MAAM,SAEbwJ,EAAOG,cAActe,KAAKK,MAC1BL,KAAK2U,MAAM,UAAW3U,KAAKK,KAAM8d,KAGrCI,WA3CO,WA4CLve,KAAK+c,YAAc,OAGvBhE,QA3GmB,WA6GjB,IAAMgD,EAAU/b,KAAK8d,gBAChB/B,EAGHA,EAAQyC,iBAAiB,QAASxe,KAAK0d,WAFvC1d,KAAK2U,MAAM,QAAS,+BAAgC,QAKpC3U,KAAKW,MAAMC,MACnB4d,iBAAiB,SAAUxe,KAAKie,WAE5CQ,cAAe,WAEb,IAAM1C,EAAU/b,KAAK8d,gBACjB/B,GACFA,EAAQ2C,oBAAoB,QAAS1e,KAAK0d,WAE1B1d,KAAKW,MAAMC,MACnB8d,oBAAoB,SAAU1e,KAAKie,aCzHjD,IAEIU,GAVJ,SAAoBxd,GAClBnC,EAAQ,MAyBK4f,GAVCvd,OAAAC,EAAA,EAAAD,CACdwd,GCjBQ,WAAgB,IAAArd,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,iBAA4B,CAAAL,EAAA,QAAAG,EAAA,OAAAA,EAAA,OAAoCE,YAAA,iCAA4C,CAAAF,EAAA,OAAYG,IAAA,MAAAC,MAAA,CAAiB+c,IAAAtd,EAAAsb,QAAAiC,IAAA,IAA2B/c,GAAA,CAAKgd,KAAA,SAAAxX,GAAiD,OAAzBA,EAAAyX,kBAAyBzd,EAAAmc,cAAAnW,SAAmChG,EAAAS,GAAA,KAAAN,EAAA,OAA0BE,YAAA,iCAA4C,CAAAF,EAAA,UAAeE,YAAA,MAAAE,MAAA,CAAyBpC,KAAA,SAAAmJ,SAAAtH,EAAAhB,YAA0C+G,SAAA,CAAW2X,YAAA1d,EAAAW,GAAAX,EAAAwb,WAAmChb,GAAA,CAAKE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAV,aAAsBU,EAAAS,GAAA,KAAAN,EAAA,UAA2BE,YAAA,MAAAE,MAAA,CAAyBpC,KAAA,SAAAmJ,SAAAtH,EAAAhB,YAA0C+G,SAAA,CAAW2X,YAAA1d,EAAAW,GAAAX,EAAA0b,aAAqClb,GAAA,CAAKE,MAAAV,EAAA6b,WAAqB7b,EAAAS,GAAA,KAAAN,EAAA,UAA2BE,YAAA,MAAAE,MAAA,CAAyBpC,KAAA,SAAAmJ,SAAAtH,EAAAhB,YAA0C+G,SAAA,CAAW2X,YAAA1d,EAAAW,GAAAX,EAAAyb,0BAAkDjb,GAAA,CAAKE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAV,QAAA,OAA2BU,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,KAAuCE,YAAA,4BAAsCL,EAAAY,OAAAZ,EAAAS,GAAA,KAAAT,EAAA,YAAAG,EAAA,OAAqDE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAA2b,gBAAA,YAAAxb,EAAA,KAAmEE,YAAA,0BAAAG,GAAA,CAA0CE,MAAAV,EAAA+c,gBAAwB/c,EAAAY,OAAAZ,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,SAAgDG,IAAA,QAAAD,YAAA,0BAAAE,MAAA,CAAyDpC,KAAA,OAAAwf,OAAA3d,EAAAgb,YACp1C,IDOY,EAa7BmC,GATiB,KAEU,MAYG,gDEkOjBS,GAjPI,CACjBhf,KADiB,WAEf,MAAO,CACLif,QAASrf,KAAK8D,OAAOM,MAAMC,MAAMC,YAAY6C,KAC7CmY,OAAQC,KAASvf,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYkb,aACrDC,UAAWzf,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYob,OAC/CC,cAAe3f,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYsb,aACnDC,gBAAiB7f,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYwb,cACrDC,UAAW/f,KAAK8D,OAAOM,MAAMC,MAAMC,YAAY0b,OAAO7a,IAAI,SAAA8a,GAAK,MAAK,CAAE9Y,KAAM8Y,EAAM9Y,KAAME,MAAO4Y,EAAM5Y,SACrG6Y,YAAalgB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAY6b,aACjDC,cAAepgB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAY+b,eACnDC,iBAAkBtgB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYic,mBACtDC,mBAAoBxgB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYmc,qBACxDC,SAAU1gB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYqc,UAC9CC,KAAM5gB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYsc,KAC1CC,aAAc7gB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYuc,aAClDC,IAAK9gB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYwc,IACzCC,mBAAoB/gB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAY0c,qBACxDC,sBAAsB,EACtBC,iBAAiB,EACjBC,qBAAqB,EACrBC,OAAQ,KACRC,cAAe,KACfC,WAAY,KACZC,kBAAmB,KACnBC,kBAAmB,KACnBC,sBAAuB,OAG3Bzd,WAAY,CACV0d,mBACA5F,gBACA6F,gBACAnT,cACAhF,mBACAvF,cAEFC,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,aAEjCsd,mBAJQ,WAIc,IAAA7gB,EAAAf,KACpB,OAAO6hB,aAAU,CACfC,MAAK,GAAAnV,OAAAG,IACA9M,KAAK8D,OAAOM,MAAMsK,SAASoT,OAD3BhV,IAEA9M,KAAK8D,OAAOM,MAAMsK,SAASqT,cAEhC1d,MAAOrE,KAAK8D,OAAOM,MAAMC,MAAMA,MAC/B2d,gBAAiB,SAAC9b,GAAD,OAAWnF,EAAK+C,OAAOC,SAAS,cAAe,CAAEmC,cAGtE+b,eAdQ,WAeN,OAAOJ,aAAU,CAAEC,MAAK,GAAAnV,OAAAG,IACnB9M,KAAK8D,OAAOM,MAAMsK,SAASoT,OADRhV,IAEnB9M,KAAK8D,OAAOM,MAAMsK,SAASqT,iBAGlCG,cApBQ,WAoBS,IAAAxZ,EAAA1I,KACf,OAAO6hB,aAAU,CACfxd,MAAOrE,KAAK8D,OAAOM,MAAMC,MAAMA,MAC/B2d,gBAAiB,SAAC9b,GAAD,OAAWwC,EAAK5E,OAAOC,SAAS,cAAe,CAAEmC,cAGtEic,aA1BQ,WA2BN,OAAOniB,KAAK8D,OAAOM,MAAMsK,SAASyT,cAEpCC,UA7BQ,WA8BN,OAAOpiB,KAAKmiB,aAAeniB,KAAKmiB,aAAaC,UAAY,GAE3DC,cAhCQ,WAiCN,OAAOriB,KAAK8D,OAAOM,MAAMsK,SAAS4T,OAAStiB,KAAK8D,OAAOM,MAAMsK,SAAS2T,eAExEE,cAnCQ,WAoCN,OAAOviB,KAAK8D,OAAOM,MAAMsK,SAAS4T,OAAStiB,KAAK8D,OAAOM,MAAMsK,SAAS6T,eAExEC,gBAtCQ,WAuCN,IAAMC,EAAaziB,KAAK8D,OAAOM,MAAMsK,SAAS2T,cAC9C,OAASriB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYoe,mBAC7C1iB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYoe,kBAAkBhZ,SAAS+Y,IAEjEE,gBA3CQ,WA4CN,IAAMC,EAAa5iB,KAAK8D,OAAOM,MAAMsK,SAAS6T,cAC9C,OAASviB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYue,aAC7C7iB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYue,YAAYnZ,SAASkZ,IAE3DE,oBAhDQ,WAiDN,OAAS9iB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYye,kBAE/CC,aAnDQ,WAoDN,IAAMlE,EAAM9e,KAAK8D,OAAOM,MAAMC,MAAMC,YAAY2e,2BAChD,OAASnE,GAAO9e,KAAKqiB,eAEvBa,aAvDQ,WAwDN,IAAMpE,EAAM9e,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYue,YAChD,OAAS/D,GAAO9e,KAAKuiB,gBAGzB9hB,QAAS,CACP0iB,cADO,WACU,IAAA1T,EAAAzP,KACfA,KAAK8D,OAAOM,MAAMI,IAAIC,kBACnB0e,cAAc,CACbnI,OAAQ,CACNoI,KAAMpjB,KAAKsf,OACXI,OAAQ1f,KAAKyf,UAGb4D,aAAcrjB,KAAKqf,QACnBiE,kBAAmBtjB,KAAK+f,UAAU5Z,OAAO,SAAAod,GAAE,OAAU,MAANA,IAC/CzD,cAAe9f,KAAK6f,gBACpBD,aAAc5f,KAAK2f,cACnBQ,aAAcngB,KAAKkgB,YACnBG,eAAgBrgB,KAAKogB,cACrBS,aAAc7gB,KAAK6gB,aACnBC,IAAK9gB,KAAK8gB,IACVE,qBAAsBhhB,KAAK+gB,mBAC3BR,mBAAoBvgB,KAAKsgB,iBACzBG,qBAAsBzgB,KAAKwgB,mBAC3BG,UAAW3gB,KAAK0gB,YAEbzf,KAAK,SAACkD,GACXsL,EAAKsQ,UAAU7U,OAAO/G,EAAK6b,OAAOrY,QAClC6b,KAAM/T,EAAKsQ,UAAW5b,EAAK6b,QAC3BvQ,EAAK3L,OAAO2f,OAAO,cAAe,CAACtf,IACnCsL,EAAK3L,OAAO2f,OAAO,iBAAkBtf,MAG3Cuf,UA7BO,SA6BIC,GACT3jB,KAAK6f,gBAAkB8D,GAEzBC,SAhCO,WAiCL,OAAI5jB,KAAK+f,UAAUpY,OAAS3H,KAAKoiB,YAC/BpiB,KAAK+f,UAAUxgB,KAAK,CAAE4H,KAAM,GAAIE,MAAO,MAChC,IAIXwc,YAvCO,SAuCMC,EAAOC,GAClB/jB,KAAKgkB,QAAQhkB,KAAK+f,UAAW+D,IAE/BG,WA1CO,SA0CKha,EAAMgI,GAAG,IAAArC,EAAA5P,KACbK,EAAO4R,EAAExK,OAAO5G,MAAM,GAC5B,GAAKR,EACL,GAAIA,EAAK6jB,KAAOlkB,KAAK8D,OAAOM,MAAMsK,SAASzE,EAAO,SAAlD,CACE,IAAMka,EAAWC,KAAsBC,eAAehkB,EAAK6jB,MACrDI,EAAcF,KAAsBC,eAAerkB,KAAK8D,OAAOM,MAAMsK,SAASzE,EAAO,UAC3FjK,KAAKiK,EAAO,eAAiB,CAC3BjK,KAAKC,GAAG,qBACRD,KAAKC,GACH,4BACA,CACEkkB,SAAUA,EAASI,IACnBC,aAAcL,EAASM,KACvBH,YAAaA,EAAYC,IACzBG,gBAAiBJ,EAAYG,QAGjCjf,KAAK,SAdT,CAkBA,IAAM2Y,EAAS,IAAIC,WACnBD,EAAOE,OAAS,SAAArS,GAAgB,IACxB6R,EADwB7R,EAAbvE,OACE0Q,OACnBvI,EAAK3F,EAAO,WAAa4T,EACzBjO,EAAK3F,GAAQ5J,GAEf8d,EAAOG,cAAcje,KAEvBskB,YAvEO,WAwEanJ,OAAO9G,QAAQ1U,KAAKC,GAAG,mCAEvCD,KAAK4kB,kBAAa/H,EAAW,KAGjCgI,YA7EO,WA8EarJ,OAAO9G,QAAQ1U,KAAKC,GAAG,mCAEvCD,KAAK8kB,aAAa,KAGtBC,gBAnFO,WAoFavJ,OAAO9G,QAAQ1U,KAAKC,GAAG,uCAEvCD,KAAKglB,iBAAiB,KAG1BJ,aAzFO,SAyFOhI,EAASvc,GACrB,IAAM4kB,EAAOjlB,KACb,OAAO,IAAI6P,QAAQ,SAACC,EAASf,GAC3B,SAASmW,EAAcC,GACrBF,EAAKnhB,OAAOM,MAAMI,IAAIC,kBAAkB2gB,oBAAoB,CAAED,WAC3DlkB,KAAK,SAACkD,GACL8gB,EAAKnhB,OAAO2f,OAAO,cAAe,CAACtf,IACnC8gB,EAAKnhB,OAAO2f,OAAO,iBAAkBtf,GACrC2L,MAJJ,MAMS,SAAC2N,GACN1O,EAAO,IAAI9J,MAAMggB,EAAKhlB,GAAG,qBAAuB,IAAMwd,EAAI4H,YAI5DzI,EACFA,EAAQ0I,mBAAmBC,OAAOL,EAAc7kB,EAAKV,MAErDulB,EAAa7kB,MAInBykB,aA/GO,SA+GO1D,GAAQ,IAAApI,EAAAhZ,MACfA,KAAKqhB,eAA4B,KAAXD,KAE3BphB,KAAKkhB,iBAAkB,EACvBlhB,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkB2gB,oBAAoB,CAAEhE,WAC3DngB,KAAK,SAACkD,GACL6U,EAAKlV,OAAO2f,OAAO,cAAe,CAACtf,IACnC6U,EAAKlV,OAAO2f,OAAO,iBAAkBtf,GACrC6U,EAAKqI,cAAgB,OAJzB,MAMS,SAAC5D,GACNzE,EAAKwI,kBAAoBxI,EAAK/Y,GAAG,qBAAuB,IAAMwd,EAAI4H,UAEnEpkB,KAAK,WAAQ+X,EAAKkI,iBAAkB,MAEzC8D,iBA9HO,SA8HW1D,GAAY,IAAAkE,EAAAxlB,MACvBA,KAAKuhB,mBAAoC,KAAfD,KAE/BthB,KAAKmhB,qBAAsB,EAC3BnhB,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkB2gB,oBAAoB,CAAE9D,eAAcrgB,KAAK,SAACb,GAC3EA,EAAKE,MAKRklB,EAAK/D,sBAAwB+D,EAAKvlB,GAAG,qBAAuBG,EAAKE,OAJjEklB,EAAK1hB,OAAO2f,OAAO,cAAe,CAACrjB,IACnColB,EAAK1hB,OAAO2f,OAAO,iBAAkBrjB,GACrColB,EAAKjE,kBAAoB,MAI3BiE,EAAKrE,qBAAsB,QC9OnC,IAEIsE,GAVJ,SAAoBtkB,GAClBnC,EAAQ,MAyBK0mB,GAVCrkB,OAAAC,EAAA,EAAAD,CACdskB,GCjBQ,WAAgB,IAAAnkB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,eAA0B,CAAAF,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yBAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qBAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAoJI,MAAA,CAAO6jB,sBAAA,GAAAC,QAAArkB,EAAAygB,gBAAsDlR,MAAA,CAAQ1J,MAAA7F,EAAA,QAAAwP,SAAA,SAAAC,GAA6CzP,EAAA6d,QAAApO,GAAgB3J,WAAA,YAAuB,CAAA3F,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,QAAA8F,WAAA,YAAwEvF,MAAA,CAAS4C,GAAA,WAAAmhB,UAAA,gBAA2Cve,SAAA,CAAWF,MAAA7F,EAAA,SAAsBQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAA6d,QAAA7X,EAAAC,OAAAJ,aAAkC7F,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oBAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA8FI,MAAA,CAAO6jB,sBAAA,GAAAC,QAAArkB,EAAAogB,oBAA0D7Q,MAAA,CAAQ1J,MAAA7F,EAAA,OAAAwP,SAAA,SAAAC,GAA4CzP,EAAA8d,OAAArO,GAAe3J,WAAA,WAAsB,CAAA3F,EAAA,YAAiBuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,OAAA8F,WAAA,WAAsEvF,MAAA,CAAS+jB,UAAA,OAAkBve,SAAA,CAAWF,MAAA7F,EAAA,QAAqBQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAA8d,OAAA9X,EAAAC,OAAAJ,aAAiC7F,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAAuCoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAAie,UAAAxO,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,SAA8HI,MAAA,CAAOmR,IAAA,gBAAqB,CAAA1R,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4BAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAyEE,YAAA,kBAAAE,MAAA,CAAqC4C,GAAA,gBAAoB,CAAAhD,EAAA,kBAAuBI,MAAA,CAAOgkB,YAAA,EAAAC,eAAAxkB,EAAAqe,gBAAAoG,gBAAAzkB,EAAAqe,gBAAAqG,kBAAA1kB,EAAAkiB,cAAwH,KAAAliB,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAA2CoP,MAAA,CAAO1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAme,cAAA1O,GAAsB3J,WAAA,kBAA6B,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAA+HoP,MAAA,CAAO1J,MAAA7F,EAAA,YAAAwP,SAAA,SAAAC,GAAiDzP,EAAA0e,YAAAjP,GAAoB3J,WAAA,gBAA2B,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAgHE,YAAA,mBAA8B,CAAAF,EAAA,YAAiBI,MAAA,CAAO+G,UAAAtH,EAAA0e,aAA4BnP,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAA8e,iBAAArP,GAAyB3J,WAAA,qBAAgC,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8DAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAAqIoP,MAAA,CAAO1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAA4e,cAAAnP,GAAsB3J,WAAA,kBAA6B,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAkHE,YAAA,mBAA8B,CAAAF,EAAA,YAAiBI,MAAA,CAAO+G,UAAAtH,EAAA4e,eAA8BrP,MAAA,CAAQ1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAAgf,mBAAAvP,GAA2B3J,WAAA,uBAAkC,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gEAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAAuIoP,MAAA,CAAO1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAAuf,mBAAA9P,GAA2B3J,WAAA,uBAAkC,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAS,GAAA,eAAAT,EAAAof,MAAA,cAAApf,EAAAof,KAAAjf,EAAA,KAAAA,EAAA,YAA8KoP,MAAA,CAAO1J,MAAA7F,EAAA,SAAAwP,SAAA,SAAAC,GAA8CzP,EAAAkf,SAAAzP,GAAiB3J,WAAA,aAAwB,WAAA9F,EAAAof,KAAA,CAAApf,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,mBAAAT,EAAAof,KAAA,CAAApf,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iDAAAuB,EAAAY,MAAA,OAAAZ,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAA8SoP,MAAA,CAAO1J,MAAA7F,EAAA,aAAAwP,SAAA,SAAAC,GAAkDzP,EAAAqf,aAAA5P,GAAqB3J,WAAA,iBAA4B,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,KAAAT,EAAA4gB,UAAA,EAAAzgB,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qCAAAuB,EAAAS,GAAA,KAAAT,EAAAoG,GAAApG,EAAA,mBAAA2kB,EAAAjnB,GAA6O,OAAAyC,EAAA,OAAiB+I,IAAAxL,EAAA2C,YAAA,kBAAmC,CAAAF,EAAA,cAAmBI,MAAA,CAAO6jB,sBAAA,GAAAQ,oBAAA,GAAAP,QAAArkB,EAAA0gB,eAA4EnR,MAAA,CAAQ1J,MAAA7F,EAAAue,UAAA7gB,GAAA,KAAA8R,SAAA,SAAAC,GAAuDzP,EAAA0P,KAAA1P,EAAAue,UAAA7gB,GAAA,OAAA+R,IAAwC3J,WAAA,sBAAiC,CAAA3F,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAAue,UAAA7gB,GAAA,KAAAoI,WAAA,sBAA4FvF,MAAA,CAASqE,YAAA5E,EAAAvB,GAAA,iCAAqDsH,SAAA,CAAWF,MAAA7F,EAAAue,UAAA7gB,GAAA,MAAgC8C,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAAue,UAAA7gB,GAAA,OAAAsI,EAAAC,OAAAJ,aAA0D7F,EAAAS,GAAA,KAAAN,EAAA,cAAiCI,MAAA,CAAO6jB,sBAAA,GAAAQ,oBAAA,GAAAP,QAAArkB,EAAA0gB,eAA4EnR,MAAA,CAAQ1J,MAAA7F,EAAAue,UAAA7gB,GAAA,MAAA8R,SAAA,SAAAC,GAAwDzP,EAAA0P,KAAA1P,EAAAue,UAAA7gB,GAAA,QAAA+R,IAAyC3J,WAAA,uBAAkC,CAAA3F,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAAue,UAAA7gB,GAAA,MAAAoI,WAAA,uBAA8FvF,MAAA,CAASqE,YAAA5E,EAAAvB,GAAA,kCAAsDsH,SAAA,CAAWF,MAAA7F,EAAAue,UAAA7gB,GAAA,OAAiC8C,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAAue,UAAA7gB,GAAA,QAAAsI,EAAAC,OAAAJ,aAA2D7F,EAAAS,GAAA,KAAAN,EAAA,OAA0BE,YAAA,kBAA6B,CAAAF,EAAA,KAAUuF,WAAA,EAAaC,KAAA,OAAAC,QAAA,SAAAC,MAAA7F,EAAAue,UAAApY,OAAA,EAAAL,WAAA,yBAAgGzF,YAAA,cAAAG,GAAA,CAAgCE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAqiB,YAAA3kB,UAA4B,KAAQsC,EAAAS,GAAA,KAAAT,EAAAue,UAAApY,OAAAnG,EAAA4gB,UAAAzgB,EAAA,KAA6DE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAoiB,WAAsB,CAAAjiB,EAAA,KAAUE,YAAA,cAAwBL,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAY,MAAA,GAAAZ,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAAiJoP,MAAA,CAAO1J,MAAA7F,EAAA,IAAAwP,SAAA,SAAAC,GAAyCzP,EAAAsf,IAAA7P,GAAY3J,WAAA,QAAmB,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mCAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAgGE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAA6d,SAAA,IAAA7d,EAAA6d,QAAA1X,QAAmD3F,GAAA,CAAKE,MAAAV,EAAA2hB,gBAA2B,CAAA3hB,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mCAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA2FE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uBAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAA2EE,YAAA,qBAAgC,CAAAL,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iDAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAyGE,YAAA,4BAAuC,CAAAF,EAAA,OAAYE,YAAA,iBAAAE,MAAA,CAAoC+c,IAAAtd,EAAA2C,KAAA8e,8BAA2CzhB,EAAAS,GAAA,MAAAT,EAAAghB,iBAAAhhB,EAAAyf,qBAAAtf,EAAA,KAAyEE,YAAA,2BAAAE,MAAA,CAA8CskB,MAAA7kB,EAAAvB,GAAA,yBAAAN,KAAA,UAAwDqC,GAAA,CAAKE,MAAAV,EAAAmjB,eAAyBnjB,EAAAY,OAAAZ,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA8GuF,WAAA,EAAaC,KAAA,OAAAC,QAAA,SAAAC,MAAA7F,EAAA,qBAAA8F,WAAA,yBAAgGzF,YAAA,MAAAE,MAAA,CAA2B4C,GAAA,cAAAhF,KAAA,WAAoC,CAAA6B,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAAuB,EAAAS,GAAA,KAAAN,EAAA,iBAA0GI,MAAA,CAAOga,QAAA,eAAAnW,iBAAApE,EAAAojB,cAA2D5iB,GAAA,CAAKskB,KAAA,SAAA9e,GAAwBhG,EAAAyf,sBAAA,GAA+BsF,MAAA,SAAA/e,GAA0BhG,EAAAyf,sBAAA,OAAgC,GAAAzf,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAqFE,YAAA,6BAAwC,CAAAF,EAAA,OAAYI,MAAA,CAAO+c,IAAAtd,EAAA2C,KAAA0e,eAA4BrhB,EAAAS,GAAA,KAAAT,EAAAmhB,gBAAyLnhB,EAAAY,KAAzLT,EAAA,KAA6CE,YAAA,2BAAAE,MAAA,CAA8CskB,MAAA7kB,EAAAvB,GAAA,iCAAAN,KAAA,UAAgEqC,GAAA,CAAKE,MAAAV,EAAAqjB,iBAAyBrjB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uCAAAuB,EAAAS,GAAA,KAAAT,EAAA,cAAAG,EAAA,OAAuIE,YAAA,4BAAAE,MAAA,CAA+C+c,IAAAtd,EAAA6f,iBAAyB7f,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,SAA6CI,MAAA,CAAOpC,KAAA,QAAcqC,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,OAAAhG,EAAAyiB,WAAA,SAAAzc,SAA0ChG,EAAAS,GAAA,KAAAT,EAAA,gBAAAG,EAAA,KAA8CE,YAAA,uCAAiDL,EAAA,cAAAG,EAAA,UAAmCE,YAAA,kBAAAG,GAAA,CAAkCE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAsjB,aAAAtjB,EAAA4f,WAAsC,CAAA5f,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,kBAAAG,EAAA,OAAwHE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,kBAAAT,EAAAW,GAAAX,EAAAggB,mBAAA,YAAA7f,EAAA,KAA6EE,YAAA,0BAAAG,GAAA,CAA0CE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAglB,iBAAA,gBAAwChlB,EAAAY,OAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAqCE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mCAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAyFE,YAAA,6BAAwC,CAAAF,EAAA,OAAYI,MAAA,CAAO+c,IAAAtd,EAAA2C,KAAA4e,oBAAiCvhB,EAAAS,GAAA,KAAAT,EAAAshB,oBAAqMthB,EAAAY,KAArMT,EAAA,KAAiDE,YAAA,2BAAAE,MAAA,CAA8CskB,MAAA7kB,EAAAvB,GAAA,qCAAAN,KAAA,UAAoEqC,GAAA,CAAKE,MAAAV,EAAAujB,qBAA6BvjB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAT,EAAA,kBAAAG,EAAA,OAA+IE,YAAA,4BAAAE,MAAA,CAA+C+c,IAAAtd,EAAA+f,qBAA6B/f,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,SAA6CI,MAAA,CAAOpC,KAAA,QAAcqC,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,OAAAhG,EAAAyiB,WAAA,aAAAzc,SAA8ChG,EAAAS,GAAA,KAAAT,EAAA,oBAAAG,EAAA,KAAkDE,YAAA,uCAAiDL,EAAA,kBAAAG,EAAA,UAAuCE,YAAA,kBAAAG,GAAA,CAAkCE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAwjB,iBAAAxjB,EAAA8f,eAA8C,CAAA9f,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,sBAAAG,EAAA,OAA4HE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,kBAAAT,EAAAW,GAAAX,EAAAigB,uBAAA,YAAA9f,EAAA,KAAiFE,YAAA,0BAAAG,GAAA,CAA0CE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAglB,iBAAA,oBAA4ChlB,EAAAY,UAC1jU,IDOY,EAa7BqjB,GATiB,KAEU,MAYG,2BEKhCgB,GAAA,CACAviB,SAAA,CACAwiB,cADA,WAEA,OAAAC,GAAA,EAAAC,WAGAC,cALA,WAMA,OAAAC,IAAA9mB,KAAA0mB,cAAA1mB,KAAA+mB,kBAGAC,SAAA,CACA7Y,IAAA,kBAAAnO,KAAA8D,OAAAmE,QAAA2J,aAAAqV,mBACApV,IAAA,SAAAlL,GACA3G,KAAA8D,OAAAC,SAAA,aAAAoD,KAAA,oBAAAE,MAAAV,OAKAlG,QAAA,CACAsmB,gBADA,SACAvS,GAMA,MALA,CACA0S,GAAA,iBACAC,QAAA,sBACAC,GAAA,kBAEA5S,IAAAsK,GAAA,EAAAuI,QAAA7S,MChCe8S,GAVCjmB,OAAAC,EAAA,EAAAD,CACdolB,GCfQ,WAAgB,IAAAjlB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAAA,EAAA,SAA6BI,MAAA,CAAOmR,IAAA,gCAAqC,CAAA1R,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAiGE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,gCAAqC,CAAAvR,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,SAAA8F,WAAA,aAA0EvF,MAAA,CAAS4C,GAAA,+BAAmC3C,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAAwlB,SAAAxf,EAAAC,OAAAgM,SAAAN,IAAA,MAA0E3R,EAAAoG,GAAApG,EAAA,uBAAA+lB,EAAAroB,GAAiD,OAAAyC,EAAA,UAAoB+I,IAAA6c,EAAAhgB,SAAA,CAAuBF,MAAAkgB,IAAkB,CAAA/lB,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAqlB,cAAA3nB,IAAA,gBAAiE,GAAAsC,EAAAS,GAAA,KAAAN,EAAA,KAAyBE,YAAA,wBACp6B,IDKY,EAEb,KAEC,KAEU,MAYG,qOEnBhC,IAyBe2lB,GAzBI,CACjBpnB,KADiB,WAEf,MAAO,CACLqnB,oBAEApmB,OAAOqmB,yBAAyBC,iBAAiBvU,UAAW,gBAE5D/R,OAAOqmB,yBAAyBE,iBAAiBxU,UAAW,gCAE5D/R,OAAOqmB,yBAAyBE,iBAAiBxU,UAAW,iBAGhEpP,WAAY,CACVC,aACA4jB,8BAEF3jB,wWAAU4jB,CAAA,CACRC,YADM,WAEJ,OAAO/nB,KAAK8D,OAAOM,MAAMsK,SAASqZ,aAAe,IAEnDC,6BAJM,WAI4B,OAAOhoB,KAAK8D,OAAOM,MAAMsK,SAASuZ,4BACjE9W,OCHQ+W,GAVC7mB,OAAAC,EAAA,EAAAD,CACd8mB,GCdQ,WAAgB,IAAA3mB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,sBAAoC,CAAA0B,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0BAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAA+EE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,mCAAAH,EAAAS,GAAA,KAAAT,EAAA,6BAAAG,EAAA,MAAAA,EAAA,YAAwHoP,MAAA,CAAO1J,MAAA7F,EAAA,QAAAwP,SAAA,SAAAC,GAA6CzP,EAAA4mB,QAAAnX,GAAgB3J,WAAA,YAAuB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0CAAAuB,EAAAY,SAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAmHE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oBAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAyEE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,YAA0BoP,MAAA,CAAO1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAA6mB,eAAApX,GAAuB3J,WAAA,mBAA8B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kCAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAAoHoH,MAAA7F,EAAA8mB,gCAA0C,oBAAA9mB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA2DoP,MAAA,CAAO1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAA+mB,2BAAAtX,GAAmC3J,WAAA,+BAA0C,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kCAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAAoHoH,MAAA7F,EAAAgnB,4CAAsD,oBAAAhnB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA2DoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAAinB,UAAAxX,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uCAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAkGE,YAAA,0BAAAgK,MAAA,EAA8C/C,UAAAtH,EAAAinB,aAA2B,CAAA9mB,EAAA,MAAAA,EAAA,YAA0BI,MAAA,CAAO+G,UAAAtH,EAAAinB,WAA0B1X,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAknB,iBAAAzX,GAAyB3J,WAAA,qBAAgC,CAAA9F,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8DAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA4IoP,MAAA,CAAO1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAAwQ,gBAAAf,GAAwB3J,WAAA,oBAA+B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAA0B,EAAA,MAAAH,EAAAS,GAAA,KAAAN,EAAA,SAAAH,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4DAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA0PoP,MAAA,CAAO1J,MAAA7F,EAAA,yBAAAwP,SAAA,SAAAC,GAA8DzP,EAAAmnB,yBAAA1X,GAAiC3J,WAAA,6BAAwC,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iEAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA6HE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0BAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAA+EE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,YAA0BoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAAonB,UAAA3X,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4BAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAA8GoH,MAAA7F,EAAAqnB,2BAAqC,oBAAArnB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA2DoP,MAAA,CAAO1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAAsnB,uBAAA7X,GAA+B3J,WAAA,2BAAsC,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAA6HoH,MAAA7F,EAAAunB,wCAAkD,oBAAAvnB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,OAAAH,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mDAAA0B,EAAA,SAAyJE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,wBAA6B,CAAAvR,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,oBAAA8F,WAAA,wBAAgGvF,MAAA,CAAS4C,GAAA,uBAA2B3C,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAAwnB,oBAAAxhB,EAAAC,OAAAgM,SAAAN,IAAA,MAAqF,CAAAxR,EAAA,UAAeI,MAAA,CAAOsF,MAAA,UAAiB,CAAA7F,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qDAAAuB,EAAAW,GAAA,SAAAX,EAAAynB,gCAAAznB,EAAAvB,GAAA,8DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAyPI,MAAA,CAAOsF,MAAA,UAAiB,CAAA7F,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAW,GAAA,YAAAX,EAAAynB,gCAAAznB,EAAAvB,GAAA,8DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA+PI,MAAA,CAAOsF,MAAA,SAAgB,CAAA7F,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAW,GAAA,QAAAX,EAAAynB,gCAAAznB,EAAAvB,GAAA,gEAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAoPE,YAAA,yBAA6BL,EAAAS,GAAA,KAAAT,EAAAumB,YAAApgB,OAAA,EAAAhG,EAAA,MAAAA,EAAA,OAAAH,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sDAAA0B,EAAA,SAA0KE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,oBAAyB,CAAAvR,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,gBAAA8F,WAAA,oBAAwFvF,MAAA,CAAS4C,GAAA,mBAAuB3C,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAA0nB,gBAAA1hB,EAAAC,OAAAgM,SAAAN,IAAA,MAAiF3R,EAAAoG,GAAApG,EAAA,qBAAA2nB,GAA+C,OAAAxnB,EAAA,UAAoB+I,IAAAye,EAAA5hB,SAAA,CAAyBF,MAAA8hB,IAAoB,CAAA3nB,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6BAAAkpB,EAAA,4BAAA3nB,EAAAW,GAAAX,EAAA4nB,8BAAAD,EAAA3nB,EAAAvB,GAAA,gEAAuP,GAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAyBE,YAAA,yBAA6BL,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAqDoP,MAAA,CAAO1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAA6nB,kBAAApY,GAA0B3J,WAAA,sBAAiC,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qCAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAAuHoH,MAAA7F,EAAA8nB,mCAA6C,oBAAA9nB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA2DoP,MAAA,CAAO1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAA+nB,2BAAAtY,GAAmC3J,WAAA,+BAA0C,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+DAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAyIoP,MAAA,CAAO1J,MAAA7F,EAAA,SAAAwP,SAAA,SAAAC,GAA8CzP,EAAAgoB,SAAAvY,GAAiB3J,WAAA,aAAwB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA2GE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4BAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAiFE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,YAA0BoP,MAAA,CAAO1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAAioB,gBAAAxY,GAAwB3J,WAAA,oBAA+B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAkIoP,MAAA,CAAO1J,MAAA7F,EAAA,sBAAAwP,SAAA,SAAAC,GAA2DzP,EAAAkoB,sBAAAzY,GAA8B3J,WAAA,0BAAqC,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2DAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,SAAkII,MAAA,CAAOmR,IAAA,kBAAuB,CAAA1R,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA0GuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,iBAAAC,MAAA7F,EAAA,cAAA8F,WAAA,gBAAAqiB,UAAA,CAAsGC,QAAA,KAAe/nB,YAAA,eAAAE,MAAA,CAAoC4C,GAAA,gBAAAhF,KAAA,SAAAkqB,IAAA,IAAAC,KAAA,KAA0DviB,SAAA,CAAWF,MAAA7F,EAAA,eAA4BQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAuoB,cAAAvoB,EAAAwoB,GAAAxiB,EAAAC,OAAAJ,SAA8C4iB,KAAA,SAAAziB,GAAyB,OAAAhG,EAAA0oB,qBAA4B1oB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAwCoP,MAAA,CAAO1J,MAAA7F,EAAA,SAAAwP,SAAA,SAAAC,GAA8CzP,EAAA2oB,SAAAlZ,GAAiB3J,WAAA,aAAwB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAA8GE,YAAA,2BAAsC,CAAAF,EAAA,MAAAA,EAAA,YAA0BI,MAAA,CAAO+G,UAAAtH,EAAA2oB,UAAyBpZ,MAAA,CAAQ1J,MAAA7F,EAAA,aAAAwP,SAAA,SAAAC,GAAkDzP,EAAA4oB,aAAAnZ,GAAqB3J,WAAA,iBAA4B,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA8HI,MAAA,CAAO+G,UAAAtH,EAAA2oB,UAAyBpZ,MAAA,CAAQ1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAA6oB,gBAAApZ,GAAwB3J,WAAA,oBAA+B,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAoIoP,MAAA,CAAO1J,MAAA7F,EAAA,SAAAwP,SAAA,SAAAC,GAA8CzP,EAAA8oB,SAAArZ,GAAiB3J,WAAA,aAAwB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAqHoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAA+oB,UAAAtZ,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAmGE,YAAA,0BAAAgK,MAAA,EAA8C/C,UAAAtH,EAAAinB,aAA2B,CAAA9mB,EAAA,MAAAA,EAAA,YAA0BI,MAAA,CAAO+G,UAAAtH,EAAA+oB,YAAA/oB,EAAAimB,qBAAsD1W,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAAgpB,oBAAAvZ,GAA4B3J,WAAA,wBAAmC,CAAA9F,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAT,EAAAimB,oBAAgNjmB,EAAAY,KAAhNT,EAAA,OAAmJE,YAAA,eAA0B,CAAAF,EAAA,KAAUE,YAAA,eAAyBL,EAAAS,GAAA,KAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gEAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAyIoP,MAAA,CAAO1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAipB,kBAAAxZ,GAA0B3J,WAAA,sBAAiC,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAgIoP,MAAA,CAAO1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAkpB,cAAAzZ,GAAsB3J,WAAA,kBAA6B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qDAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAiHE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAmFE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,YAA0BoP,MAAA,CAAO1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAAmpB,qBAAA1Z,GAA6B3J,WAAA,yBAAoC,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mEAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA+HE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oBAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAyEE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,YAA0BoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAAopB,UAAA3Z,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2BAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAA6GoH,MAAA7F,EAAAqpB,2BAAqC,2BACllW,IDIY,EAEb,KAEC,KAEU,MAYG,QEAjBC,GAlBI,CACjB1qB,KADiB,WAEf,IAAMsO,EAAW1O,KAAK8D,OAAOM,MAAMsK,SACnC,MAAO,CACLqc,eAAgBrc,EAASqc,eACzBC,gBAAiBtc,EAASsc,kBAG9B9mB,SAAU,CACR+mB,oBADQ,WAEN,MAbqB,wDAaOjrB,KAAKgrB,iBAEnCE,mBAJQ,WAKN,MAfqB,sDCFEC,EDiBmBnrB,KAAK+qB,gBCf7CK,EAAUD,EAAcE,MADhB,aAEGD,EAAQ,GAAK,IAHH,IAAAD,EAErBC,KCoBOE,GAVCjqB,OAAAC,EAAA,EAAAD,CACdkqB,GCdQ,WAAgB,IAAA/pB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,4BAA0C,CAAA0B,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,MAAWE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAqGE,YAAA,eAA0B,CAAAF,EAAA,MAAAA,EAAA,KAAmBI,MAAA,CAAOypB,KAAAhqB,EAAA0pB,mBAAAzjB,OAAA,WAAiD,CAAAjG,EAAAS,GAAAT,EAAAW,GAAAX,EAAAupB,yBAAAvpB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAA6JE,YAAA,eAA0B,CAAAF,EAAA,MAAAA,EAAA,KAAmBI,MAAA,CAAOypB,KAAAhqB,EAAAypB,oBAAAxjB,OAAA,WAAkD,CAAAjG,EAAAS,GAAAT,EAAAW,GAAAX,EAAAwpB,iCAClqB,IDIY,EAEb,KAEC,KAEU,MAYG,2CE6BhCS,GAAA,CACAznB,WAAA,CACAC,SAAAynB,EAAA,GAEAjsB,MAAA,CAEA0H,KAAA,CACAtH,UAAA,EACAF,KAAAI,QAGA4F,MAAA,CACA9F,UAAA,EACAF,KAAAI,QAIAsH,MAAA,CACAxH,UAAA,EACAF,KAAAI,OACAT,aAAAud,GAGA8O,SAAA,CACA9rB,UAAA,EACAF,KAAAI,OACAT,aAAAud,GAGA/T,SAAA,CACAjJ,UAAA,EACAF,KAAAisB,QACAtsB,SAAA,GAGAusB,oBAAA,CACAhsB,UAAA,EACAF,KAAAisB,QACAtsB,SAAA,IAGA4E,SAAA,CACA4nB,QADA,WAEA,gBAAA9rB,KAAAqH,OAEA0kB,WAJA,WAKA,OAAA1qB,OAAA2qB,GAAA,EAAA3qB,CAAArB,KAAAqH,OAAArH,KAAA2rB,WAEAM,iBAPA,WAQA,sBAAAjsB,KAAAqH,OAEA6kB,cAVA,WAWA,OAAAlsB,KAAAqH,OAAArH,KAAAqH,MAAA8kB,WAAA,SC9FA,IAEIC,GAZJ,SAAoBjrB,GAClBnC,EAAQ,KACRA,EAAQ,MA0BKqtB,GAVChrB,OAAAC,EAAA,EAAAD,CACdoqB,GCnBQ,WAAgB,IAAAjqB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,4BAAAgK,MAAA,CAA+C/C,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,WAA0C,CAAAnH,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA1R,EAAA2F,OAAgB,CAAA3F,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAmE,OAAA,UAAAnE,EAAAS,GAAA,cAAAT,EAAAmqB,UAAAnqB,EAAAqqB,oBAAAlqB,EAAA,YAA0IE,YAAA,MAAAE,MAAA,CAAyBkJ,QAAAzJ,EAAAsqB,QAAAhjB,SAAAtH,EAAAsH,UAA8C9G,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,OAAAhG,EAAAmT,MAAA,iBAAAnT,EAAA6F,MAAA7F,EAAAmqB,cAAA9O,OAAyFrb,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAiCE,YAAA,2BAAsC,CAAAF,EAAA,SAAcE,YAAA,qBAAAE,MAAA,CAAwC4C,GAAAnD,EAAA2F,KAAA,KAAAxH,KAAA,OAAAmJ,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,UAA2EvB,SAAA,CAAWF,MAAA7F,EAAA6F,OAAA7F,EAAAmqB,UAAkC3pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,QAAAnN,EAAAC,OAAAJ,WAAiD7F,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,SAA2CE,YAAA,uBAAAE,MAAA,CAA0C4C,GAAAnD,EAAA2F,KAAAxH,KAAA,QAAAmJ,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,UAAqEvB,SAAA,CAAWF,MAAA7F,EAAA6F,OAAA7F,EAAAmqB,UAAkC3pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,QAAAnN,EAAAC,OAAAJ,WAAiD7F,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,iBAAAG,EAAA,OAAwDE,YAAA,yBAAmCL,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,cAAAG,EAAA,OAAqDE,YAAA,oBAAAoB,MAAA,CAAwCqpB,gBAAA9qB,EAAAmqB,YAAgCnqB,EAAAY,QAAA,IACp2C,IDSY,EAa7BgqB,GATiB,KAEU,MAYG,QEJjBG,GAVClrB,OAAAC,EAAA,EAAAD,CCoChB,CACA5B,MAAA,CACA,qFAEAyE,SAAA,CACA4nB,QADA,WAEA,gBAAA9rB,KAAAqH,SCxDU,WAAgB,IAAA7F,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,8BAAAgK,MAAA,CAAiD/C,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,WAA0C,CAAAnH,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA1R,EAAA2F,OAAgB,CAAA3F,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAmE,OAAA,UAAAnE,EAAAS,GAAA,cAAAT,EAAAmqB,SAAAhqB,EAAA,SAA4GE,YAAA,MAAAE,MAAA,CAAyB4C,GAAAnD,EAAA2F,KAAA,KAAAxH,KAAA,YAAuC4H,SAAA,CAAW0D,QAAAzJ,EAAAsqB,SAAsB9pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,QAAAnT,EAAAsqB,aAAAjP,EAAArb,EAAAmqB,cAAqEnqB,EAAAY,KAAAZ,EAAAS,GAAA,cAAAT,EAAAmqB,SAAAhqB,EAAA,SAAyEE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA1R,EAAA2F,KAAA,QAAuB3F,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,SAAmCE,YAAA,eAAAE,MAAA,CAAkC4C,GAAAnD,EAAA2F,KAAAxH,KAAA,QAAAmJ,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,SAAA0jB,IAAAhrB,EAAAgrB,KAAAhrB,EAAAirB,SAAA,IAAA5C,IAAAroB,EAAAqoB,KAAAroB,EAAAkrB,SAAA,EAAA5C,KAAAtoB,EAAAsoB,MAAA,GAAgKviB,SAAA,CAAWF,MAAA7F,EAAA6F,OAAA7F,EAAAmqB,UAAkC3pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,QAAAnN,EAAAC,OAAAJ,WAAiD7F,EAAAS,GAAA,KAAAN,EAAA,SAA0BE,YAAA,eAAAE,MAAA,CAAkC4C,GAAAnD,EAAA2F,KAAAxH,KAAA,SAAAmJ,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,SAAA0jB,IAAAhrB,EAAAirB,QAAA5C,IAAAroB,EAAAkrB,QAAA5C,KAAAtoB,EAAAsoB,MAAA,GAA+HviB,SAAA,CAAWF,MAAA7F,EAAA6F,OAAA7F,EAAAmqB,UAAkC3pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,QAAAnN,EAAAC,OAAAJ,cAC7vC,IFKY,EAEb,KAEC,KAEU,MAYG,QGUhCslB,GAAA,CACA3oB,WAAA,CACAC,SAAAynB,EAAA,GAEAjsB,MAAA,CACA,sCAEAyE,SAAA,CACA4nB,QADA,WAEA,gBAAA9rB,KAAAqH,SCnBeulB,GAVCvrB,OAAAC,EAAA,EAAAD,CACdsrB,GCfQ,WAAgB,IAAAnrB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,gCAAAgK,MAAA,CAAmD/C,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,WAA0C,CAAAnH,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA1R,EAAA2F,OAAgB,CAAA3F,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,cAAAT,EAAAmqB,SAAAhqB,EAAA,YAA6IE,YAAA,MAAAE,MAAA,CAAyBkJ,QAAAzJ,EAAAsqB,QAAAhjB,SAAAtH,EAAAsH,UAA8C9G,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,OAAAhG,EAAAmT,MAAA,QAAAnT,EAAAsqB,aAAAjP,EAAArb,EAAAmqB,cAAqEnqB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,SAAmCE,YAAA,eAAAE,MAAA,CAAkC4C,GAAAnD,EAAA2F,KAAAxH,KAAA,SAAAmJ,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,SAAA0jB,IAAA,IAAA3C,IAAA,IAAAC,KAAA,OAAuGviB,SAAA,CAAWF,MAAA7F,EAAA6F,OAAA7F,EAAAmqB,UAAkC3pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,QAAAnN,EAAAC,OAAAJ,YAAiD,IAC70B,IDKY,EAEb,KAEC,KAEU,MAYG,qOEnBhC,IAAMwlB,GAAU,iXAAAC,CAAA,CACdC,EAAG,EACHC,EAAG,EACH/C,KAAM,EACNgD,OAAQ,EACRC,OAAO,EACPC,MAAO,UACPC,MAAO,GAPO7P,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,GAAAA,UAAA,GAAU,KAWX8P,GAAA,CAKb5tB,MAAO,CACL,QAAS,WAAY,SAEvBW,KARa,WASX,MAAO,CACLktB,WAAY,EAEZC,QAASvtB,KAAKqH,OAASrH,KAAK2rB,UAAY,IAAIxmB,IAAI0nB,MAGpD7oB,WAAY,CACVwpB,cACAC,iBAEFhtB,QAAS,CACPpB,IADO,WAELW,KAAKutB,OAAOhuB,KAAKstB,GAAQ7sB,KAAKuK,WAC9BvK,KAAKstB,WAAattB,KAAKutB,OAAO5lB,OAAS,GAEzC+lB,IALO,WAML1tB,KAAKutB,OAAOriB,OAAOlL,KAAKstB,WAAY,GACpCttB,KAAKstB,WAAoC,IAAvBttB,KAAKutB,OAAO5lB,YAAekV,EAAY8Q,KAAKnB,IAAIxsB,KAAKstB,WAAa,EAAG,IAEzFM,OATO,WAUL,IAAMvR,EAAUrc,KAAKutB,OAAOriB,OAAOlL,KAAKstB,WAAY,GAAG,GACvDttB,KAAKutB,OAAOriB,OAAOlL,KAAKstB,WAAa,EAAG,EAAGjR,GAC3Crc,KAAKstB,YAAc,GAErBO,OAdO,WAeL,IAAMxR,EAAUrc,KAAKutB,OAAOriB,OAAOlL,KAAKstB,WAAY,GAAG,GACvDttB,KAAKutB,OAAOriB,OAAOlL,KAAKstB,WAAa,EAAG,EAAGjR,GAC3Crc,KAAKstB,YAAc,IAGvBQ,aAvCa,WAwCX9tB,KAAKutB,OAASvtB,KAAKqH,OAASrH,KAAK2rB,UAEnCznB,SAAU,CACR6pB,WADQ,WAEN,OAAO/tB,KAAKutB,OAAO5lB,OAAS,GAE9BqmB,mBAJQ,WAKN,OAAOhuB,KAAK2rB,SAAShkB,OAAS,GAEhC4C,SAPQ,WAQN,OAAIvK,KAAKoU,OAASpU,KAAK+tB,WACd/tB,KAAKutB,OAAOvtB,KAAKstB,YAEjBT,GAAQ,KAGnBoB,gBAdQ,WAeN,OAAIjuB,KAAKoU,OAASpU,KAAKguB,mBACdhuB,KAAK2rB,SAAS3rB,KAAKstB,YAEnBT,GAAQ,KAGnBqB,YArBQ,WAsBN,OAAOluB,KAAKoU,OAASpU,KAAKstB,WAAa,GAEzCa,YAxBQ,WAyBN,OAAOnuB,KAAKoU,OAASpU,KAAKstB,WAAattB,KAAKutB,OAAO5lB,OAAS,GAE9DmkB,QA3BQ,WA4BN,OAAO9rB,KAAKoU,YAC8B,IAAjCpU,KAAKutB,OAAOvtB,KAAKstB,cACvBttB,KAAKouB,eAEVA,cAhCQ,WAiCN,YAA6B,IAAfpuB,KAAKqH,OAErBgnB,IAnCQ,WAoCN,OAAOC,aAAQtuB,KAAKuK,SAAS4iB,QAE/BlqB,MAtCQ,WAuCN,OAAOjD,KAAKoU,MAAQ,CAClBma,UAAWC,aAAaxuB,KAAK2rB,WAC3B,MC3FV,IAEI8C,GAVJ,SAAoBttB,GAClBnC,EAAQ,MAyBK0vB,GAVCrtB,OAAAC,EAAA,EAAAD,CACdgsB,GCjBQ,WAAgB,IAAA7rB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,iBAAAgK,MAAA,CAAoC/C,UAAAtH,EAAAsqB,UAA0B,CAAAnqB,EAAA,OAAYE,YAAA,4BAAuC,CAAAF,EAAA,OAAYE,YAAA,kBAAAE,MAAA,CAAqC+G,UAAAtH,EAAAsqB,UAAyB,CAAAnqB,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,EAAAjD,WAAA,eAA8EzF,YAAA,eAAAE,MAAA,CAAoC+G,UAAAtH,EAAAsqB,QAAAnsB,KAAA,UAAwC4H,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,GAAyBvI,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAA+I,SAAA,IAAA/C,EAAAC,OAAAJ,WAAmD7F,EAAAS,GAAA,KAAAN,EAAA,OAAwBE,YAAA,QAAmB,CAAAF,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,EAAAjD,WAAA,eAA8EzF,YAAA,cAAAE,MAAA,CAAmC+G,UAAAtH,EAAAsqB,QAAAnsB,KAAA,QAAA6sB,IAAA,KAAA3C,IAAA,OAA8DtiB,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,GAAyBvI,GAAA,CAAK2sB,IAAA,SAAAnnB,GAAuB,OAAAhG,EAAA0P,KAAA1P,EAAA+I,SAAA,IAAA/C,EAAAC,OAAAJ,eAA0D7F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,kBAA6B,CAAAF,EAAA,OAAYE,YAAA,gBAAAoB,MAAAzB,EAAA,UAA8CA,EAAAS,GAAA,KAAAN,EAAA,OAA0BE,YAAA,kBAAAE,MAAA,CAAqC+G,UAAAtH,EAAAsqB,UAAyB,CAAAnqB,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,EAAAjD,WAAA,eAA8EzF,YAAA,eAAAE,MAAA,CAAoC+G,UAAAtH,EAAAsqB,QAAAnsB,KAAA,UAAwC4H,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,GAAyBvI,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAA+I,SAAA,IAAA/C,EAAAC,OAAAJ,WAAmD7F,EAAAS,GAAA,KAAAN,EAAA,OAAwBE,YAAA,QAAmB,CAAAF,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,EAAAjD,WAAA,eAA8EzF,YAAA,cAAAE,MAAA,CAAmC+G,UAAAtH,EAAAsqB,QAAAnsB,KAAA,QAAA6sB,IAAA,KAAA3C,IAAA,OAA8DtiB,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,GAAyBvI,GAAA,CAAK2sB,IAAA,SAAAnnB,GAAuB,OAAAhG,EAAA0P,KAAA1P,EAAA+I,SAAA,IAAA/C,EAAAC,OAAAJ,iBAA0D7F,EAAAS,GAAA,KAAAN,EAAA,OAA8BE,YAAA,gBAA2B,CAAAF,EAAA,OAAYE,YAAA,2BAAAE,MAAA,CAA8C+G,SAAAtH,EAAA4sB,gBAA8B,CAAAzsB,EAAA,SAAcE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,kBAAApK,UAAAtH,EAAA4S,OAAA5S,EAAA4sB,gBAAoE,CAAAzsB,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,WAAA8F,WAAA,eAA8EzF,YAAA,kBAAAE,MAAA,CAAuC4C,GAAA,kBAAAmE,UAAAtH,EAAA4S,OAAA5S,EAAA4sB,eAAkEpsB,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAA8rB,WAAA9lB,EAAAC,OAAAgM,SAAAN,IAAA,MAA4E3R,EAAAoG,GAAApG,EAAA,gBAAAotB,EAAA9K,GAA4C,OAAAniB,EAAA,UAAoB+I,IAAAoZ,EAAAvc,SAAA,CAAoBF,MAAAyc,IAAe,CAAAtiB,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oCAA6EoH,MAAAyc,KAAe,oBAAqB,GAAAtiB,EAAAS,GAAA,KAAAN,EAAA,KAAyBE,YAAA,qBAA6BL,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,kBAAAE,MAAA,CAAqC+G,UAAAtH,EAAA4S,QAAA5S,EAAAsqB,SAAsC9pB,GAAA,CAAKE,MAAAV,EAAAksB,MAAiB,CAAA/rB,EAAA,KAAUE,YAAA,kBAA0BL,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,kBAAAE,MAAA,CAAqC+G,UAAAtH,EAAA0sB,aAA4BlsB,GAAA,CAAKE,MAAAV,EAAAosB,SAAoB,CAAAjsB,EAAA,KAAUE,YAAA,mBAA2BL,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,kBAAAE,MAAA,CAAqC+G,UAAAtH,EAAA2sB,aAA4BnsB,GAAA,CAAKE,MAAAV,EAAAqsB,SAAoB,CAAAlsB,EAAA,KAAUE,YAAA,qBAA6BL,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAA4sB,eAA6BpsB,GAAA,CAAKE,MAAAV,EAAAnC,MAAiB,CAAAsC,EAAA,KAAUE,YAAA,kBAAwBL,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,8BAAAE,MAAA,CAAiD+G,UAAAtH,EAAAsqB,UAAyB,CAAAnqB,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA,UAAe,CAAA1R,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA2GuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,MAAAjD,WAAA,mBAAsFzF,YAAA,cAAAE,MAAA,CAAmC4C,GAAA,QAAAmE,UAAAtH,EAAAsqB,QAAA3kB,KAAA,QAAAxH,KAAA,YAAsE4H,SAAA,CAAW0D,QAAAZ,MAAAwkB,QAAArtB,EAAA+I,SAAA2iB,OAAA1rB,EAAAstB,GAAAttB,EAAA+I,SAAA2iB,MAAA,SAAA1rB,EAAA+I,SAAA,OAAoGvI,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAAunB,EAAAvtB,EAAA+I,SAAA2iB,MAAA8B,EAAAxnB,EAAAC,OAAAwnB,IAAAD,EAAA/jB,QAA8E,GAAAZ,MAAAwkB,QAAAE,GAAA,CAAuB,IAAAG,EAAA1tB,EAAAstB,GAAAC,EAAA,MAAiCC,EAAA/jB,QAAiBikB,EAAA,GAAA1tB,EAAA0P,KAAA1P,EAAA+I,SAAA,QAAAwkB,EAAApiB,OAAA,CAAlD,QAAmHuiB,GAAA,GAAA1tB,EAAA0P,KAAA1P,EAAA+I,SAAA,QAAAwkB,EAAA3jB,MAAA,EAAA8jB,GAAAviB,OAAAoiB,EAAA3jB,MAAA8jB,EAAA,UAA2F1tB,EAAA0P,KAAA1P,EAAA+I,SAAA,QAAA0kB,OAAwCztB,EAAAS,GAAA,KAAAN,EAAA,SAA0BE,YAAA,iBAAAE,MAAA,CAAoCmR,IAAA,aAAe1R,EAAAS,GAAA,KAAAN,EAAA,OAA0BE,YAAA,6BAAAE,MAAA,CAAgD+G,UAAAtH,EAAAsqB,UAAyB,CAAAnqB,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA,WAAgB,CAAA1R,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA0GuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,KAAAjD,WAAA,kBAAoFzF,YAAA,cAAAE,MAAA,CAAmC4C,GAAA,OAAAmE,UAAAtH,EAAAsqB,QAAA3kB,KAAA,OAAAxH,KAAA,QAAA6sB,IAAA,KAAA3C,IAAA,KAAsFtiB,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,MAA4BvI,GAAA,CAAK2sB,IAAA,SAAAnnB,GAAuB,OAAAhG,EAAA0P,KAAA1P,EAAA+I,SAAA,OAAA/C,EAAAC,OAAAJ,WAA6D7F,EAAAS,GAAA,KAAAN,EAAA,SAA0BuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,KAAAjD,WAAA,kBAAoFzF,YAAA,eAAAE,MAAA,CAAoC+G,UAAAtH,EAAAsqB,QAAAnsB,KAAA,SAAAkqB,IAAA,KAAkDtiB,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,MAA4BvI,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAA+I,SAAA,OAAA/C,EAAAC,OAAAJ,aAAsD7F,EAAAS,GAAA,KAAAN,EAAA,OAA0BE,YAAA,+BAAAE,MAAA,CAAkD+G,UAAAtH,EAAAsqB,UAAyB,CAAAnqB,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA,WAAgB,CAAA1R,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gDAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA4GuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,OAAAjD,WAAA,oBAAwFzF,YAAA,cAAAE,MAAA,CAAmC4C,GAAA,SAAAmE,UAAAtH,EAAAsqB,QAAA3kB,KAAA,SAAAxH,KAAA,QAAA6sB,IAAA,KAAA3C,IAAA,OAA4FtiB,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,QAA8BvI,GAAA,CAAK2sB,IAAA,SAAAnnB,GAAuB,OAAAhG,EAAA0P,KAAA1P,EAAA+I,SAAA,SAAA/C,EAAAC,OAAAJ,WAA+D7F,EAAAS,GAAA,KAAAN,EAAA,SAA0BuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,OAAAjD,WAAA,oBAAwFzF,YAAA,eAAAE,MAAA,CAAoC+G,UAAAtH,EAAAsqB,QAAAnsB,KAAA,UAAwC4H,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,QAA8BvI,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAA+I,SAAA,SAAA/C,EAAAC,OAAAJ,aAAwD7F,EAAAS,GAAA,KAAAN,EAAA,cAAiCI,MAAA,CAAO+G,UAAAtH,EAAAsqB,QAAAnmB,MAAAnE,EAAAvB,GAAA,+BAAA0rB,SAAAnqB,EAAAysB,gBAAAd,MAAAgC,yBAAA,EAAAhoB,KAAA,UAAyJ4J,MAAA,CAAQ1J,MAAA7F,EAAA+I,SAAA,MAAAyG,SAAA,SAAAC,GAAoDzP,EAAA0P,KAAA1P,EAAA+I,SAAA,QAAA0G,IAAqC3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAO+G,UAAAtH,EAAAsqB,SAAwB/a,MAAA,CAAQ1J,MAAA7F,EAAA+I,SAAA,MAAAyG,SAAA,SAAAC,GAAoDzP,EAAA0P,KAAA1P,EAAA+I,SAAA,QAAA0G,IAAqC3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,QAAyBI,MAAA,CAAOqtB,KAAA,gCAAAC,IAAA,MAAkD,CAAA1tB,EAAA,QAAAH,EAAAS,GAAA,6BACr9N,IDOY,EAa7BwsB,GATiB,KAEU,MAYG,QExBjBa,GAAA,CACb7vB,MAAO,CACL,OAAQ,QAAS,QAAS,WAAY,UAAW,cAEnDW,KAJa,WAKX,MAAO,CACLmvB,OAAQvvB,KAAKqH,MACbmoB,iBAAkB,CAChBxvB,KAAKyvB,UAAY,GAAK,UACtB,UAFgB9iB,OAAAG,IAGZ9M,KAAKsT,SAAW,IAHJ,CAIhB,QACA,YACA,eACAnN,OAAO,SAAAggB,GAAC,OAAIA,MAGlB2H,aAjBa,WAkBX9tB,KAAKuvB,OAASvvB,KAAKqH,OAErBnD,SAAU,CACR4nB,QADQ,WAEN,YAA8B,IAAhB9rB,KAAKuvB,QAErBG,OAJQ,WAKN,OAAO1vB,KAAKuvB,QAAUvvB,KAAK2rB,UAAY,IAEzCgE,OAAQ,CACNxhB,IADM,WAEJ,OAAOnO,KAAK0vB,OAAOC,QAErB9d,IAJM,SAIDnF,GACHmF,cAAI7R,KAAKuvB,OAAQ,SAAU7iB,GAC3B1M,KAAK2U,MAAM,QAAS3U,KAAKuvB,UAG7BK,SAhBQ,WAiBN,MAAuB,WAAhB5vB,KAAK6vB,QAEdA,OAAQ,CACN1hB,IADM,WAEJ,MAAoB,UAAhBnO,KAAK2vB,QACW,eAAhB3vB,KAAK2vB,QACW,cAAhB3vB,KAAK2vB,QACW,YAAhB3vB,KAAK2vB,OACA3vB,KAAK2vB,OAEL,UAGX9d,IAXM,SAWDnF,GACH1M,KAAK2vB,OAAe,WAANjjB,EAAiB,GAAKA,MC7C5C,IAEIojB,GAVJ,SAAoB3uB,GAClBnC,EAAQ,MAyBK+wB,GAVC1uB,OAAAC,EAAA,EAAAD,CACdiuB,GCjBQ,WAAgB,IAAA9tB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,6BAAAgK,MAAA,CAAgDmkB,OAAAxuB,EAAAouB,WAAwB,CAAAjuB,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA,WAAA1R,EAAAquB,OAAAruB,EAAA2F,KAAA3F,EAAA2F,KAAA,mBAAwE,CAAA3F,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAmE,OAAA,UAAAnE,EAAAS,GAAA,cAAAT,EAAAmqB,SAAAhqB,EAAA,SAA4GE,YAAA,uBAAAE,MAAA,CAA0C4C,GAAAnD,EAAA2F,KAAA,KAAAxH,KAAA,YAAuC4H,SAAA,CAAW0D,QAAAzJ,EAAAsqB,SAAsB9pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,iBAAAnT,EAAA6F,MAAA7F,EAAAmqB,cAAA9O,OAAyFrb,EAAAY,KAAAZ,EAAAS,GAAA,cAAAT,EAAAmqB,SAAAhqB,EAAA,SAAyEE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA1R,EAAA2F,KAAA,QAAuB3F,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,SAAmCE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA1R,EAAA2F,KAAA,iBAAA2B,UAAAtH,EAAAsqB,UAA2D,CAAAnqB,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,OAAA8F,WAAA,WAAsEzF,YAAA,gBAAAE,MAAA,CAAqC4C,GAAAnD,EAAA2F,KAAA,iBAAA2B,UAAAtH,EAAAsqB,SAAyD9pB,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAAquB,OAAAroB,EAAAC,OAAAgM,SAAAN,IAAA,MAAwE3R,EAAAoG,GAAApG,EAAA,0BAAAyuB,GAAgD,OAAAtuB,EAAA,UAAoB+I,IAAAulB,EAAA1oB,SAAA,CAAqBF,MAAA4oB,IAAgB,CAAAzuB,EAAAS,GAAA,aAAAT,EAAAW,GAAA,WAAA8tB,EAAAzuB,EAAAvB,GAAA,+BAAAgwB,GAAA,gBAAiH,GAAAzuB,EAAAS,GAAA,KAAAN,EAAA,KAAyBE,YAAA,qBAA6BL,EAAAS,GAAA,KAAAT,EAAA,SAAAG,EAAA,SAA2CuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,OAAA8F,WAAA,WAAsEzF,YAAA,cAAAE,MAAA,CAAmC4C,GAAAnD,EAAA2F,KAAAxH,KAAA,QAA4B4H,SAAA,CAAWF,MAAA7F,EAAA,QAAqBQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAmuB,OAAAnoB,EAAAC,OAAAJ,WAAiC7F,EAAAY,QACn4D,IDOY,EAa7B0tB,GATiB,KAEU,MAYG,QEYhCI,GAAA,CACAzwB,MAAA,CACA0wB,MAAA,CACAtwB,UAAA,GAIAuwB,SAAA,CACAvwB,UAAA,EACAF,KAAA0B,SAGA6C,SAAA,CACAmsB,KADA,WAEA,IAAAC,EAAAtwB,KAAAowB,SAAAG,IAAA,MAAAvwB,KAAAowB,SAAAI,GAAA,WACAC,EAAAzwB,KAAAC,GAAA,wCAAA0M,OAAA2jB,IACAnvB,EAAAnB,KAAAC,GAAA,+CACAywB,EAAA1wB,KAAAowB,SAAAO,KACA,OAAA3wB,KAAAC,GAAA,uCAAAwwB,QAAAtvB,UAAAuvB,WAEAE,UARA,WASA,IAAAN,EAAAtwB,KAAAowB,SAAAS,KAAA,MAAA7wB,KAAAowB,SAAAU,IAAA,WACAL,EAAAzwB,KAAAC,GAAA,wCAAA0M,OAAA2jB,IACAnvB,EAAAnB,KAAAC,GAAA,+CACAywB,EAAA1wB,KAAAowB,SAAAO,KACA,OAAA3wB,KAAAC,GAAA,uCAAAwwB,QAAAtvB,UAAAuvB,aCtDA,IAEIK,GAXJ,SAAoB5vB,GAClBnC,EAAQ,MA0BKgyB,GAVC3vB,OAAAC,EAAA,EAAAD,CACd6uB,GClBQ,WAAgB,IAAA1uB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAD,EAAA,SAAAG,EAAA,QAAiCE,YAAA,kBAA6B,CAAAF,EAAA,QAAaE,YAAA,SAAAE,MAAA,CAA4BskB,MAAA7kB,EAAA6uB,OAAkB,CAAA7uB,EAAA4uB,SAAA,IAAAzuB,EAAA,QAAAA,EAAA,KAAwCE,YAAA,yBAAiCL,EAAAY,KAAAZ,EAAAS,GAAA,MAAAT,EAAA4uB,SAAAG,KAAA/uB,EAAA4uB,SAAAI,GAAA7uB,EAAA,QAAAA,EAAA,KAAmFE,YAAA,kBAA0BL,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA4uB,SAAAG,KAAA/uB,EAAA4uB,SAAAI,GAAiHhvB,EAAAY,KAAjHT,EAAA,QAAAA,EAAA,KAAoFE,YAAA,uBAA6BL,EAAAS,GAAA,KAAAT,EAAA4uB,UAAA5uB,EAAA2uB,MAAAxuB,EAAA,QAAkEE,YAAA,SAAAE,MAAA,CAA4BskB,MAAA7kB,EAAAovB,YAAuB,CAAApvB,EAAA4uB,SAAA,KAAAzuB,EAAA,QAAAA,EAAA,KAAyCE,YAAA,yBAAiCL,EAAAY,KAAAZ,EAAAS,GAAA,MAAAT,EAAA4uB,SAAAS,MAAArvB,EAAA4uB,SAAAU,IAAAnvB,EAAA,QAAAA,EAAA,KAAqFE,YAAA,kBAA0BL,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA4uB,SAAAS,MAAArvB,EAAA4uB,SAAAU,IAAmHtvB,EAAAY,KAAnHT,EAAA,QAAAA,EAAA,KAAsFE,YAAA,uBAA6BL,EAAAY,OAAAZ,EAAAY,MACv4B,IDQY,EAa7B2uB,GATiB,KAEU,MAYG,QEAhCE,GAAA,CACAxxB,MAAA,CACA,eACA,cACA,cACA,mBACA,YACA,WACA,mBAEAW,KAVA,WAWA,OACA8wB,cAAA,IAGAzwB,QAAA,CACA0wB,WADA,WAEA,IAAAC,EAAAC,KAAAC,UAAAtxB,KAAAuxB,aAAA,QAGAtf,EAAApP,SAAAC,cAAA,KACAmP,EAAAlP,aAAA,iCACAkP,EAAAlP,aAAA,uCAAAyY,OAAAgW,KAAAJ,IACAnf,EAAAhP,MAAAC,QAAA,OAEAL,SAAAM,KAAAC,YAAA6O,GACAA,EAAA/P,QACAW,SAAAM,KAAAE,YAAA4O,IAEAwf,WAdA,WAcA,IAAA1wB,EAAAf,KACAA,KAAAkxB,cAAA,EACA,IAAAQ,EAAA7uB,SAAAC,cAAA,SACA4uB,EAAA3uB,aAAA,eACA2uB,EAAA3uB,aAAA,kBAEA2uB,EAAAlT,iBAAA,kBAAAuF,GACA,GAAAA,EAAAtc,OAAA5G,MAAA,IAEA,IAAAsd,EAAA,IAAAC,WACAD,EAAAE,OAAA,SAAArS,GAAA,IAAAvE,EAAAuE,EAAAvE,OACA,IACA,IAAAkqB,EAAAN,KAAAO,MAAAnqB,EAAA0Q,QACApX,EAAA8wB,UAAAF,GAEA5wB,EAAA+wB,SAAAH,GAEA5wB,EAAAmwB,cAAA,EAGA,MAAAjf,GAEAlR,EAAAmwB,cAAA,IAIA/S,EAAA4T,WAAAhO,EAAAtc,OAAA5G,MAAA,OAIAgC,SAAAM,KAAAC,YAAAsuB,GACAA,EAAAxvB,QACAW,SAAAM,KAAAE,YAAAquB,MC/EA,IAEIM,GAXJ,SAAoB7wB,GAClBnC,EAAQ,MA0BKizB,GAVC5wB,OAAAC,EAAA,EAAAD,CACd4vB,GClBQ,WAAgB,IAAAzvB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,2BAAsC,CAAAL,EAAAsG,GAAA,UAAAtG,EAAAS,GAAA,KAAAN,EAAA,UAA4CE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA2vB,aAAwB,CAAA3vB,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAA0wB,aAAA,UAAA1wB,EAAAS,GAAA,KAAAN,EAAA,UAA6EE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAiwB,aAAwB,CAAAjwB,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAA2wB,aAAA,UAAA3wB,EAAAS,GAAA,KAAAT,EAAAsG,GAAA,gBAAAtG,EAAAS,GAAA,KAAAT,EAAA,aAAAG,EAAA,KAA8HE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAA4wB,kBAAA,UAAA5wB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAAsG,GAAA,mBAC1e,IDQY,EAa7BkqB,GATiB,KAEU,MAYG,QEvBhC,IAMIK,GAVJ,SAAoBlxB,GAClBnC,EAAQ,MAyBKszB,GAVCjxB,OAAAC,EAAA,EAAAD,CAZhB,KCJU,WAAgB,IAAAG,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,qBAAgC,CAAAF,EAAA,OAAYE,YAAA,8BAAwCL,EAAAS,GAAA,KAAAN,EAAA,OAAwBE,YAAA,eAA0B,CAAAF,EAAA,OAAYE,YAAA,iBAA4B,CAAAF,EAAA,OAAYE,YAAA,SAAoB,CAAAL,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gDAAA0B,EAAA,QAA+FE,YAAA,4BAAuC,CAAAL,EAAAS,GAAA,gCAAAT,EAAAS,GAAA,KAAAN,EAAA,QAAgEE,YAAA,SAAoB,CAAAL,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sDAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAAiHE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA4GE,YAAA,OAAkB,CAAAL,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kDAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA4GE,YAAA,oCAA+C,CAAAF,EAAA,OAAYE,YAAA,QAAmB,CAAAF,EAAA,OAAYE,YAAA,sBAAiC,CAAAL,EAAAS,GAAA,uCAAAT,EAAAS,GAAA,KAAAN,EAAA,OAAsEE,YAAA,WAAsB,CAAAF,EAAA,MAAAH,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qDAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAA6HI,MAAA,CAAOqtB,KAAA,gCAAsC,CAAAztB,EAAA,QAAa4wB,YAAA,CAAaC,cAAA,wBAAqC,CAAAhxB,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAkH4wB,YAAA,CAAapF,MAAA,gBAAuB,CAAA3rB,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sDAAAuB,EAAAS,GAAA,KAAAT,EAAAixB,GAAA,SAAAjxB,EAAAS,GAAA,KAAAN,EAAA,OAAkJE,YAAA,cAAyB,CAAAF,EAAA,OAAYE,YAAA,cAAyB,CAAAL,EAAAS,GAAA,+BAAAT,EAAAS,GAAA,KAAAN,EAAA,OAA8DE,YAAA,WAAsB,CAAAF,EAAA,QAAaE,YAAA,QAAAE,MAAA,CAA2BqtB,KAAA,oCAAAC,IAAA,SAAyD,CAAA1tB,EAAA,KAAU4wB,YAAA,CAAapF,MAAA,qBAA4B,CAAA3rB,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kEAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAkIE,YAAA,cAAwBL,EAAAS,GAAA,KAAAN,EAAA,QAAyBE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA2GI,MAAA,CAAOpC,KAAA,QAAc4H,SAAA,CAAWF,MAAA7F,EAAAvB,GAAA,mCAAgDuB,EAAAS,GAAA,KAAAN,EAAA,OAAwBE,YAAA,WAAsB,CAAAF,EAAA,QAAaE,YAAA,YAAuB,CAAAF,EAAA,SAAcI,MAAA,CAAO4C,GAAA,mBAAAsG,QAAA,WAAAtL,KAAA,cAAgE6B,EAAAS,GAAA,KAAAN,EAAA,SAA0BI,MAAA,CAAOmR,IAAA,qBAA0B,CAAA1R,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAyFE,YAAA,OAAkB,CAAAL,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2DACvlF,YAAiB,IAAawB,EAAbzB,KAAa0B,eAA0BC,EAAvC3B,KAAuC4B,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,SAAoB,CAAAF,EAAA,KAAUE,YAAA,yBAAA0wB,YAAA,CAAkDpF,MAAA,kBAAhKntB,KAAwLiC,GAAA,KAAAN,EAAA,KAAsBE,YAAA,2BAAA0wB,YAAA,CAAoDpF,MAAA,mBAAlQntB,KAA2RiC,GAAA,KAAAN,EAAA,KAAsBE,YAAA,wBAAA0wB,YAAA,CAAiDpF,MAAA,oBAAlWntB,KAA4XiC,GAAA,KAAAN,EAAA,KAAsBE,YAAA,0BAAA0wB,YAAA,CAAmDpF,MAAA,sBDO1c,EAa7BkF,GATiB,KAEU,MAYG,ukBEahC,IAAMK,GAAc,CAClB,KACA,KACA,OACA,OACA,OACA,SACA,QACA,WACAvtB,IAAI,SAAAghB,GAAC,OAAIA,EAAI,eAUAwM,GAAA,CACbvyB,KADa,WAEX,OAAAwyB,GAAA,CACEC,gBAAiB,GACjBtoB,SAAUvK,KAAK8D,OAAOmE,QAAQ2J,aAAakhB,MAC3CC,kBAAclW,EACdmW,oBAAgBnW,EAChBoW,cAAe,EAEfC,eAAgB,GAChBC,cAAe,GACfC,aAAc,GACdC,aAAc,GAEdC,gBAAgB,EAChBC,eAAe,EACfC,cAAc,EAEdC,WAAW,EACXC,aAAa,EACbC,aAAa,EACbC,eAAe,EACfC,WAAW,GAERxyB,OAAOmL,KAAKsnB,MACZ3uB,IAAI,SAAAuF,GAAG,MAAI,CAACA,EAAK,MACjB8G,OAAO,SAACC,EAADzF,GAAA,IAAA8B,EAAAE,IAAAhC,EAAA,GAAOtB,EAAPoD,EAAA,GAAYnH,EAAZmH,EAAA,UAAA8kB,GAAA,GAA2BnhB,EAA3BjE,IAAA,GAAkC9C,EAAM,aAAgB/D,KAAQ,IAxB5E,GA0BKtF,OAAOmL,KAAKunB,MACZ5uB,IAAI,SAAAuF,GAAG,MAAI,CAACA,EAAK,MACjB8G,OAAO,SAACC,EAAD1D,GAAA,IAAA2D,EAAA1D,IAAAD,EAAA,GAAOrD,EAAPgH,EAAA,GAAY/K,EAAZ+K,EAAA,UAAAkhB,GAAA,GAA2BnhB,EAA3BjE,IAAA,GAAkC9C,EAAM,eAAkB/D,KAAQ,IA5B9E,CA8BEqtB,oBAAgBnX,EAChBoX,aAAc,GACdC,WAAY,GAEZC,eAAgB,GAChBC,iBAAkB,GAClBC,oBAAqB,GACrBC,iBAAkB,GAClBC,kBAAmB,GACnBC,qBAAsB,GACtBC,sBAAuB,GACvBC,mBAAoB,GACpBC,uBAAwB,MAG5B9wB,QA/Ca,WAgDX,IAAM+wB,EAAO50B,KAEb60B,eACG5zB,KAAK,SAAC6zB,GACL,OAAOjlB,QAAQklB,IACb1zB,OAAOuM,QAAQknB,GACZ3vB,IAAI,SAAA2M,GAAA,IAAAC,EAAA/D,IAAA8D,EAAA,GAAEkjB,EAAFjjB,EAAA,UAAAA,EAAA,GAAc9Q,KAAK,SAAA2U,GAAG,MAAI,CAACof,EAAGpf,UAGxC3U,KAAK,SAAAg0B,GAAM,OAAIA,EAAOzjB,OAAO,SAACC,EAADyjB,GAAiB,IAAAC,EAAAnnB,IAAAknB,EAAA,GAAVF,EAAUG,EAAA,GAAPzoB,EAAOyoB,EAAA,GAC7C,OAAIzoB,EACFkmB,GAAA,GACKnhB,EADLjE,IAAA,GAEGwnB,EAAItoB,IAGA+E,GAER,MACFxQ,KAAK,SAACm0B,GACLR,EAAK/B,gBAAkBuC,KAG7Brc,QAvEa,WAwEX/Y,KAAKq1B,iCAC8B,IAAxBr1B,KAAKg0B,iBACdh0B,KAAKg0B,eAAiBh0B,KAAKs1B,iBAAiB,KAGhDpxB,SAAU,CACRqxB,iBADQ,WAEN,GAAKv1B,KAAK+yB,aAAV,CACA,IAAMrX,EAAI1b,KAAKC,GACTu1B,EAAM,gCAHMC,EASdz1B,KAAK+yB,aAJP2C,EALgBD,EAKhBC,OACAC,EANgBF,EAMhBE,mBACAh2B,EAPgB81B,EAOhB91B,KACAi2B,EARgBH,EAQhBG,kBAEF,GAAe,SAAXF,EAAmB,CAErB,GAA2B,IAAvBC,GAAqC,kBAATh2B,EAC9B,OAAO+b,EAAE8Z,EAAM,eAEjB,GAAIG,EAAqBE,KACvB,OAAOna,EAAE8Z,EAAM,2BAA6B,IAGpC9Z,EADJka,EACMJ,EAAM,mBACNA,EAAM,oBAGlB,GAAIG,EAAqBE,KACvB,OAAOna,EAAE8Z,EAAM,2BAA6B,IAGpC9Z,EADJka,EACMJ,EAAM,mBACNA,EAAM,yBAGb,GAAe,iBAAXE,EAA2B,CACpC,GAAa,6BAAT/1B,EACF,OAAO+b,EAAE8Z,EAAM,4BAGjB,GAA2B,IAAvBG,EACF,OAAOja,EAAE8Z,EAAM,oBAGjB,GAAIG,EAAqBE,KACvB,OAAOna,EAAE8Z,EAAM,iBAAmB,IAG1B9Z,EADJka,EACMJ,EAAM,wBACNA,EAAM,2BAIlB,GAAIG,EAAqBE,KACvB,OAAOna,EAAE8Z,EAAM,eAAiB,IAGxB9Z,EADJka,EACMJ,EAAM,wBACNA,EAAM,8BAKtBM,gBA5DQ,WA6DN,OAAOzrB,MAAMwkB,QAAQ7uB,KAAKuK,UAAY,EAAI,GAE5CwrB,cA/DQ,WA+DS,IAAAh1B,EAAAf,KACf,OAAOqB,OAAOmL,KAAKsnB,MAChB3uB,IAAI,SAAAuF,GAAG,MAAI,CAACA,EAAK3J,EAAK2J,EAAM,iBAC5B8G,OAAO,SAACC,EAADukB,GAAA,IAAAC,EAAAjoB,IAAAgoB,EAAA,GAAOtrB,EAAPurB,EAAA,GAAYtvB,EAAZsvB,EAAA,UAAArD,GAAA,GAA2BnhB,EAA3BjE,IAAA,GAAkC9C,EAAO/D,KAAQ,KAE7DuvB,eApEQ,WAoEU,IAAAxtB,EAAA1I,KAChB,OAAOqB,OAAOmL,KAAKunB,MAChB5uB,IAAI,SAAAuF,GAAG,MAAI,CAACA,EAAKhC,EAAKgC,EAAM,mBAC5B8G,OAAO,SAACC,EAAD0kB,GAAA,IAAAC,EAAApoB,IAAAmoB,EAAA,GAAOzrB,EAAP0rB,EAAA,GAAYzvB,EAAZyvB,EAAA,UAAAxD,GAAA,GAA2BnhB,EAA3BjE,IAAA,GAAkC9C,EAAO/D,KAAQ,KAE7D0vB,aAzEQ,WA0EN,MAAO,CACLC,IAAKt2B,KAAKm0B,eACVvzB,MAAOZ,KAAKo0B,iBACZmC,SAAUv2B,KAAKq0B,oBACfmC,MAAOx2B,KAAKs0B,iBACZnP,OAAQnlB,KAAKu0B,kBACbkC,UAAWz2B,KAAKw0B,qBAChBkC,QAAS12B,KAAK00B,mBACdiC,WAAY32B,KAAKy0B,sBACjBmC,YAAa52B,KAAK20B,yBAGtBkC,QAtFQ,WAuFN,OAAOC,aAAc92B,KAAKmzB,cAAenzB,KAAKozB,aAAcpzB,KAAKkzB,eAAgBlzB,KAAKqzB,eAExF0D,aAzFQ,WA0FN,OAAK/2B,KAAK62B,QAAQ/D,MAAMkE,OACjBh3B,KAAK62B,QAAQ/D,MADmB,CAAEkE,OAAQ,GAAIC,QAAS,GAAIC,MAAO,GAAIC,QAAS,GAAIC,MAAO,KAInGC,gBA9FQ,WA+FN,IACE,IAAKr3B,KAAK+2B,aAAaC,OAAOM,GAAI,MAAO,GACzC,IAAMN,EAASh3B,KAAK+2B,aAAaC,OAC3BC,EAAUj3B,KAAK+2B,aAAaE,QAClC,IAAKD,EAAOM,GAAI,MAAO,GACvB,IASMC,EAAkBl2B,OAAOuM,QAAQopB,GAAQxlB,OAAO,SAACC,EAAD+lB,GAAA,IAlMxCrK,EAkMwCsK,EAAAzpB,IAAAwpB,EAAA,GAAO9sB,EAAP+sB,EAAA,GAAYpwB,EAAZowB,EAAA,UAAA7E,GAAA,GAA6BnhB,EAA7BjE,IAAA,GAAmC9C,GAlM3EyiB,EAkM8F9lB,GAjMxG8kB,WAAW,OAAmB,gBAAVgB,EACrBA,EAEAmB,aAAQnB,MA8L4G,IAEjHuK,EAASr2B,OAAOuM,QAAQkmB,MAAkBtiB,OAAO,SAACC,EAADkmB,GAAuB,IAAAC,EAAA5pB,IAAA2pB,EAAA,GAAhBjtB,EAAgBktB,EAAA,GAAXvwB,EAAWuwB,EAAA,GACtEC,EAAyB,SAARntB,GAA0B,SAARA,EAIzC,KAHmBmtB,GACA,WAAjB9Z,KAAO1W,IAAgC,OAAVA,GAAkBA,EAAMywB,WAEtC,OAAOrmB,EALoD,IAAAsmB,EAMjDF,EAAiB,CAAEG,MAAO,MAAS3wB,EAAtD2wB,EANoED,EAMpEC,MAAOC,EAN6DF,EAM7DE,QACT3W,EAAa2W,GAAWD,EACxBE,EAAcC,aAAe7W,GAC7B8W,EAAU,CACd1tB,GADciC,OAAAG,IAEK,OAAfwU,EAAsB,CAAC,OAAQ,SAAU,QAAS,WAAa,KAG/D+W,EAASC,aACbN,EACAC,GAAWD,EACXE,EACAX,EACAN,GAGF,OAAArE,GAAA,GACKnhB,EADL,GAEK2mB,EAAW5mB,OAAO,SAACC,EAAK8mB,GACzB,IAAMC,EAASX,EACX,KAAOU,EAAa,GAAGE,cAAgBF,EAAantB,MAAM,GAC1DmtB,EACJ,OAAA3F,GAAA,GACKnhB,EADLjE,IAAA,GAEGgrB,EAASE,aACRnB,EAAgBgB,GAChBF,EACAd,EAAgBgB,OAGnB,MAEJ,IAEH,OAAOl3B,OAAOuM,QAAQ8pB,GAAQlmB,OAAO,SAACC,EAADknB,GAAiB,IAnDvCjI,EAmDuCkI,EAAA5qB,IAAA2qB,EAAA,GAAV3D,EAAU4D,EAAA,GAAPlsB,EAAOksB,EAAA,GAAqB,OAAnBnnB,EAAIujB,GAnDlC,CACxBrE,MADaD,EAmDwDhkB,GAlDzDmsB,YAAY,GAAK,KAE7BrI,GAAIE,GAAS,IACbH,IAAKG,GAAS,EAEdI,IAAKJ,GAAS,EACdG,KAAMH,GAAS,KA4CiEjf,GAAO,IACzF,MAAOQ,GACPC,QAAQ4mB,KAAK,8BAA+B7mB,KAGhD8mB,aA5JQ,WA6JN,OAAK/4B,KAAK62B,QAAQmC,MACX,GAAArsB,OAAAG,IACFzL,OAAO43B,OAAOj5B,KAAK62B,QAAQmC,QADzB,CAEL,qBACA,kDACAxzB,KAAK,KALyB,IAOlC8vB,iBApKQ,WAqKN,OAAOj0B,OAAOmL,KAAK0sB,MAAiBC,QAEtCC,uBAAwB,CACtBjrB,IADsB,WAEpB,QAASnO,KAAKq5B,eAEhBxnB,IAJsB,SAIjBlL,GACCA,EACFkL,cAAI7R,KAAKi0B,aAAcj0B,KAAKg0B,eAAgBh0B,KAAKs5B,sBAAsBn0B,IAAI,SAAAghB,GAAC,OAAI9kB,OAAOk4B,OAAO,GAAIpT,MAElGuH,iBAAI1tB,KAAKi0B,aAAcj0B,KAAKg0B,kBAIlCsF,sBAnLQ,WAoLN,OAAQt5B,KAAK+2B,aAAaI,SAAW,IAAIn3B,KAAKg0B,iBAEhDqF,cAAe,CACblrB,IADa,WAEX,OAAOnO,KAAKi0B,aAAaj0B,KAAKg0B,iBAEhCniB,IAJa,SAIRnF,GACHmF,cAAI7R,KAAKi0B,aAAcj0B,KAAKg0B,eAAgBtnB,KAGhD8sB,WA9LQ,WA+LN,OAAQx5B,KAAKszB,iBAAmBtzB,KAAKuzB,gBAAkBvzB,KAAKwzB,cAE9DiG,cAjMQ,WAkMN,IAAMC,IACH15B,KAAK6zB,WACL7zB,KAAK0zB,aACL1zB,KAAK2zB,aACL3zB,KAAK4zB,eACL5zB,KAAKyzB,WAGFkG,EAAS,CACbhE,mBAAoBE,MAwBtB,OArBI71B,KAAK6zB,WAAa6F,KACpBC,EAAOvC,MAAQp3B,KAAKk0B,aAElBl0B,KAAK0zB,aAAegG,KACtBC,EAAOxC,QAAUn3B,KAAKi0B,eAEpBj0B,KAAK2zB,aAAe+F,KACtBC,EAAO1C,QAAUj3B,KAAKk2B,iBAEpBl2B,KAAKyzB,WAAaiG,KACpBC,EAAO3C,OAASh3B,KAAK+1B,gBAEnB/1B,KAAK4zB,eAAiB8F,KACxBC,EAAOzC,MAAQl3B,KAAKq2B,cAQf,CAELuD,uBAAwB,EAAG9G,MAPfF,GAAA,CACZ+C,mBAAoBE,MACjB71B,KAAK+2B,cAK0B4C,YAIxC31B,WAAY,CACVwpB,cACAC,gBACAoM,cACAC,iBACAC,iBACAC,eACAzrB,gBACA0rB,WACAC,gBACAj2B,cAEFxD,QAAS,CACP05B,UADO,SAAAC,EAOL1E,GAEA,IANE5C,EAMFsH,EANEtH,MACA6G,EAKFS,EALET,OACwBU,EAI1BD,EAJER,uBAGFU,EACA/c,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,IAAAA,UAAA,GAEA,GADAvd,KAAKu6B,kBACAZ,IAAW7G,EACd,MAAM,IAAI7tB,MAAM,2BAElB,IAAMu1B,EAAsB,iBAAX9E,GAA8B5C,EAAMkE,OAEjDqD,EADA,KAEEI,GAAyB3H,GAAS,IAAI6C,mBACtCA,GAAsBgE,GAAU,IAAIhE,oBAAsB,EAC1D+E,EAAgB/E,IAAuBE,KACvC8E,OACM9d,IAAViW,QACajW,IAAX8c,GACAhE,IAAuB8E,EAIrBG,EAAoBjB,GAAUW,IAAoBxH,EAClD4H,IAAkBC,GACnBC,GACW,OAAZJ,GACW,aAAX9E,IAEEiF,GAAqC,iBAAXjF,EAC5B11B,KAAK+yB,aAAe,CAClB2C,SACAC,qBACAh2B,KAAM,4BAEEmzB,EAOA4H,IACV16B,KAAK+yB,aAAe,CAClB2C,SACAE,mBAAoB+D,EACpBhE,qBACAh2B,KAAM,kBAXRK,KAAK+yB,aAAe,CAClB2C,SACAE,mBAAmB,EACnBD,qBACAh2B,KAAM,4BAWZK,KAAK66B,oBAAoB/H,EAAO0H,EAASb,EAAQiB,IAEnDE,sBAzDO,WA0DL96B,KAAKq1B,2BAA0B,IAEjCkF,eA5DO,WA6DLv6B,KAAK+yB,kBAAelW,EACpB7c,KAAKgzB,oBAAiBnW,GAExBke,UAhEO,WAkEL,OADmB/6B,KAAK+yB,aAAhB2C,QAEN,IAAK,eACH11B,KAAKq1B,2BAA0B,GAC/B,MACF,IAAK,OACHr1B,KAAK8xB,SAAS9xB,KAAKgzB,gBAAgB,GAGvChzB,KAAKu6B,kBAEPS,cA5EO,WA8EL,OADmBh7B,KAAK+yB,aAAhB2C,QAEN,IAAK,eACH11B,KAAKq1B,2BAA0B,GAAO,GACtC,MACF,IAAK,OACHnjB,QAAQuL,IAAI,oDAGhBzd,KAAKu6B,kBAEPlF,0BAxFO,WAwFsE,IAAlD4F,EAAkD1d,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,IAAAA,UAAA,GAAvByd,EAAuBzd,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,IAAAA,UAAA,GAAA2d,EAIvEl7B,KAAK8D,OAAOmE,QAAQ2J,aAFTkhB,EAF4DoI,EAEzEC,YACmBxB,EAHsDuB,EAGzEE,kBAEGtI,GAAU6G,EAQb35B,KAAKm6B,UACH,CACErH,QACA6G,OAAQqB,EAAgBlI,EAAQ6G,GAElC,eACAsB,GAZFj7B,KAAKm6B,UACHn6B,KAAK8D,OAAOM,MAAMsK,SAAS2sB,UAC3B,WACAJ,IAaNK,eA/GO,WAgHLt7B,KAAK8D,OAAOC,SAAS,YAAa,CAChCoD,KAAM,cACNE,MAAOurB,GAAA,CACL+C,mBAAoBE,MACjB71B,KAAK+2B,gBAGZ/2B,KAAK8D,OAAOC,SAAS,YAAa,CAChCoD,KAAM,oBACNE,MAAO,CACLsuB,mBAAoBE,KACpBsB,QAASn3B,KAAKi0B,aACdmD,MAAOp3B,KAAKk0B,WACZ+C,QAASj3B,KAAKk2B,eACdc,OAAQh3B,KAAK+1B,cACbmB,MAAOl3B,KAAKq2B,iBAIlBkF,8BAnIO,WAoILv7B,KAAKmzB,cAAgBqI,aAAe,CAClCvE,QAASj3B,KAAKk2B,eACdc,OAAQh3B,KAAK+1B,gBAEf/1B,KAAKkzB,eAAiBuI,aACpB,CAAEtE,QAASn3B,KAAKi0B,aAAcgD,QAASj3B,KAAK+2B,aAAaE,QAAStB,mBAAoB31B,KAAKizB,eAC3FjzB,KAAKmzB,cAAcL,MAAMkE,OACzBh3B,KAAKmzB,cAAcuI,MAGvB5J,SA9IO,SA8IGH,GAA6B,IAArBgK,EAAqBpe,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,IAAAA,UAAA,GACrCvd,KAAKgzB,eAAiBrB,EACtB3xB,KAAKm6B,UAAUxI,EAAQ,OAAQgK,IAEjCC,gBAlJO,SAkJUjK,GACf,IAAM6I,EAAU7I,EAAOiI,uBACvB,OAAOY,GAAW,GAAKA,GAAW,GAEpCqB,SAtJO,WAuJL77B,KAAKq1B,6BAIPyG,QA3JO,WA2JI,IAAArsB,EAAAzP,KACTqB,OAAOmL,KAAKxM,KAAK+7B,OACd51B,OAAO,SAAAggB,GAAC,OAAIA,EAAE6V,SAAS,eAAiB7V,EAAE6V,SAAS,kBACnD71B,OAAO,SAAAggB,GAAC,OAAKuM,GAAYhpB,SAASyc,KAClC8V,QAAQ,SAAAvxB,GACPmH,cAAIpC,EAAKssB,MAAOrxB,OAAKmS,MAI3Bqf,eApKO,WAoKW,IAAAtsB,EAAA5P,KAChBqB,OAAOmL,KAAKxM,KAAK+7B,OACd51B,OAAO,SAAAggB,GAAC,OAAIA,EAAE6V,SAAS,iBACvBC,QAAQ,SAAAvxB,GACPmH,cAAIjC,EAAKmsB,MAAOrxB,OAAKmS,MAI3Bsf,aA5KO,WA4KS,IAAAnjB,EAAAhZ,KACdqB,OAAOmL,KAAKxM,KAAK+7B,OACd51B,OAAO,SAAAggB,GAAC,OAAIA,EAAE6V,SAAS,kBACvBC,QAAQ,SAAAvxB,GACPmH,cAAImH,EAAK+iB,MAAOrxB,OAAKmS,MAI3Buf,aApLO,WAqLLp8B,KAAKi0B,aAAe,IAGtBoI,WAxLO,WAyLLr8B,KAAKk0B,WAAa,IAgBpB2G,oBAzMO,SAyMc/H,GAAiD,IAChElyB,EADgE4kB,EAAAxlB,KAA1Cw6B,EAA0Cjd,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,GAAAA,UAAA,GAAhC,EAAGoc,EAA6Bpc,UAAA5V,OAAA,EAAA4V,UAAA,QAAAV,EAArB8e,EAAqBpe,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,IAAAA,UAAA,QAE9C,IAAXoc,IACLgC,GAAehC,EAAOhE,qBAAuBE,OAC/Cj1B,EAAQ+4B,EACRa,EAAUb,EAAOhE,oBAKnB/0B,EAAQkyB,EAGV,IAAMoE,EAAQt2B,EAAMs2B,OAASt2B,EACvBq2B,EAAUr2B,EAAMq2B,QAChBE,EAAUv2B,EAAMu2B,SAAW,GAC3BC,EAAQx2B,EAAMw2B,OAAS,GACvBJ,EAAUp2B,EAAM+0B,mBAElB/0B,EAAMo2B,QAAUp2B,EADhB07B,aAAW17B,EAAMo2B,QAAUp2B,GAuB/B,GApBgB,IAAZ45B,IACE55B,EAAM45B,UAASA,EAAU55B,EAAM45B,cAER,IAAhBxD,EAAOrG,WAA6C,IAAdqG,EAAOuF,KACtD/B,EAAU,QAGe,IAAhBxD,EAAOrG,WAA6C,IAAdqG,EAAOuF,KACtD/B,EAAU,IAIdx6B,KAAKizB,cAAgBuH,EAGL,IAAZA,IACFx6B,KAAKw8B,aAAeC,aAAQzF,EAAOV,KACnCt2B,KAAK08B,eAAiBD,aAAQzF,EAAOuF,MAGlCv8B,KAAKyzB,UAAW,CACnBzzB,KAAK87B,UACL,IAAMtvB,EAAO,IAAImwB,IAAgB,IAAZnC,EAAgBn5B,OAAOmL,KAAKsnB,MAAoB,IACrD,IAAZ0G,GAA6B,OAAZA,GACnBhuB,EACGnN,IAAI,MACJA,IAAI,QACJA,IAAI,QACJA,IAAI,SACJA,IAAI,UACJA,IAAI,WAGTmN,EAAKyvB,QAAQ,SAAAvxB,GACX,IAAMyiB,EAAQ6J,EAAOtsB,GACfkyB,EAAMH,aAAQzF,EAAOtsB,IAC3B8a,EAAK9a,EAAM,cAAwB,QAARkyB,EAAgBzP,EAAQyP,IAInD3F,IAAYj3B,KAAK2zB,cACnB3zB,KAAKm8B,eACL96B,OAAOuM,QAAQqpB,GAASgF,QAAQ,SAAAY,GAAY,IAAAC,EAAA9uB,IAAA6uB,EAAA,GAAV7H,EAAU8H,EAAA,GAAPpwB,EAAOowB,EAAA,GACtC,MAAOpwB,GAAmCqwB,OAAOC,MAAMtwB,KAC3D8Y,EAAKwP,EAAI,gBAAkBtoB,MAI1B1M,KAAK4zB,gBACR5zB,KAAKk8B,iBACL76B,OAAOuM,QAAQspB,GAAO+E,QAAQ,SAAAgB,GAAY,IAAAC,EAAAlvB,IAAAivB,EAAA,GAAVjI,EAAUkI,EAAA,GAAPxwB,EAAOwwB,EAAA,GAElCxyB,EAAMsqB,EAAEgH,SAAS,UAAYhH,EAAEviB,MAAM,UAAU,GAAKuiB,EAC1DxP,EAAK9a,EAAM,eAAiBgC,KAI3B1M,KAAK0zB,cACR1zB,KAAKo8B,eAEHp8B,KAAKi0B,aADS,IAAZuG,EACkB2C,aAAYhG,EAASn3B,KAAK+2B,aAAaE,SAEvCE,EAEtBn3B,KAAKg0B,eAAiBh0B,KAAKs1B,iBAAiB,IAGzCt1B,KAAK6zB,YACR7zB,KAAKq8B,aACLr8B,KAAKk0B,WAAakD,KAIxB1wB,MAAO,CACL2vB,aADK,WAEH,IACEr2B,KAAKozB,aAAegK,aAAc,CAAElG,MAAOl3B,KAAKq2B,eAChDr2B,KAAKwzB,cAAe,EACpB,MAAOvhB,GACPjS,KAAKwzB,cAAe,EACpBthB,QAAQ4mB,KAAK7mB,KAGjBgiB,aAAc,CACZphB,QADY,WAEV,GAA8D,IAA1DxR,OAAOg8B,oBAAoBr9B,KAAKmzB,eAAexrB,OACnD,IACE3H,KAAKu7B,gCACLv7B,KAAKszB,gBAAiB,EACtB,MAAOrhB,GACPjS,KAAKszB,gBAAiB,EACtBphB,QAAQ4mB,KAAK7mB,KAGjBa,MAAM,GAERohB,WAAY,CACVrhB,QADU,WAER,IACE7S,KAAKqzB,aAAeiK,aAAc,CAAElG,MAAOp3B,KAAKk0B,aAChDl0B,KAAKu9B,cAAe,EACpB,MAAOtrB,GACPjS,KAAKu9B,cAAe,EACpBrrB,QAAQ4mB,KAAK7mB,KAGjBa,MAAM,GAERijB,cAnCK,WAoCH,IACE/1B,KAAKu7B,gCACLv7B,KAAKuzB,eAAgB,EACrBvzB,KAAKszB,gBAAiB,EACtB,MAAOrhB,GACPjS,KAAKuzB,eAAgB,EACrBvzB,KAAKszB,gBAAiB,EACtBphB,QAAQ4mB,KAAK7mB,KAGjBikB,eA9CK,WA+CH,IACEl2B,KAAKu7B,gCACL,MAAOtpB,GACPC,QAAQ4mB,KAAK7mB,KAGjB1H,SArDK,WAsDHvK,KAAKu6B,iBACwB,IAAzBv6B,KAAK81B,iBACF91B,KAAK4zB,eACR5zB,KAAKk8B,iBAGFl8B,KAAK0zB,aACR1zB,KAAKo8B,eAGFp8B,KAAK2zB,aACR3zB,KAAKm8B,eAGFn8B,KAAKyzB,YACRzzB,KAAK87B,UAEL97B,KAAKw9B,aAAex9B,KAAKuK,SAAS,GAClCvK,KAAKw8B,aAAex8B,KAAKuK,SAAS,GAClCvK,KAAK08B,eAAiB18B,KAAKuK,SAAS,GACpCvK,KAAKy9B,eAAiBz9B,KAAKuK,SAAS,GACpCvK,KAAK09B,eAAiB19B,KAAKuK,SAAS,GACpCvK,KAAK29B,iBAAmB39B,KAAKuK,SAAS,GACtCvK,KAAK49B,gBAAkB59B,KAAKuK,SAAS,GACrCvK,KAAK69B,kBAAoB79B,KAAKuK,SAAS,KAEhCvK,KAAK81B,iBAAmB,GACjC91B,KAAK66B,oBAAoB76B,KAAKuK,SAASuoB,MAAO,EAAG9yB,KAAKuK,SAASovB,WC5uBvE,IAEImE,GAVJ,SAAoB38B,GAClBnC,EAAQ,MAyBK++B,GAVC18B,OAAAC,EAAA,EAAAD,CACdsxB,GCjBQ,WAAgB,IAAAnxB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,aAAwB,CAAAF,EAAA,OAAYE,YAAA,qBAAgC,CAAAF,EAAA,OAAYE,YAAA,aAAwB,CAAAL,EAAA,aAAAG,EAAA,OAA+BE,YAAA,iBAA4B,CAAAF,EAAA,OAAYE,YAAA,iBAA4B,CAAAL,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAA+zB,kBAAA,gBAAA/zB,EAAAS,GAAA,KAAAN,EAAA,OAA2FE,YAAA,WAAsB,8BAAAL,EAAAuxB,aAAApzB,KAAA,CAAAgC,EAAA,UAAuEE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAu5B,YAAuB,CAAAv5B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA8HE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAw5B,gBAA2B,CAAAx5B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8DAAAuB,EAAAuxB,aAAA,mBAAApxB,EAAA,UAA2JE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA+4B,iBAA4B,CAAA/4B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0CAAA0B,EAAA,UAAiGE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAu5B,YAAuB,CAAAv5B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA8HE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA+4B,iBAA4B,CAAA/4B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kEAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,gBAAoJI,MAAA,CAAOi8B,gBAAAx8B,EAAAi4B,cAAAwE,eAAAz8B,EAAAvB,GAAA,yBAAAi+B,eAAA18B,EAAAvB,GAAA,yBAAAk+B,qBAAA38B,EAAAvB,GAAA,mCAAAm+B,YAAA58B,EAAAswB,SAAAD,UAAArwB,EAAAo6B,kBAAyP,CAAAj6B,EAAA,YAAiBsI,KAAA,UAAc,CAAAtI,EAAA,OAAYE,YAAA,WAAsB,CAAAL,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uCAAA0B,EAAA,SAA2FE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,oBAAyB,CAAAvR,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,SAAA8F,WAAA,aAA0EzF,YAAA,kBAAAE,MAAA,CAAuC4C,GAAA,mBAAuB3C,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAA+I,SAAA/C,EAAAC,OAAAgM,SAAAN,IAAA,MAA0E3R,EAAAoG,GAAApG,EAAA,yBAAAyB,GAA8C,OAAAtB,EAAA,UAAoB+I,IAAAzH,EAAAkE,KAAAlE,MAAA,CACxzEqpB,gBAAArpB,EAAA,KAAAA,EAAA6vB,OAAA7vB,EAAA02B,QAAA3C,OAAAM,GACAnK,MAAAlqB,EAAA,KAAAA,EAAA6vB,OAAA7vB,EAAA02B,QAAA3C,OAAArG,MACmBppB,SAAA,CAAYF,MAAApE,IAAe,CAAAzB,EAAAS,GAAA,uBAAAT,EAAAW,GAAAc,EAAA,IAAAA,EAAAkE,MAAA,0BAAuF,GAAA3F,EAAAS,GAAA,KAAAN,EAAA,KAAyBE,YAAA,0BAA6B,OAAAL,EAAAS,GAAA,KAAAN,EAAA,OAAsCE,YAAA,qBAAgC,CAAAF,EAAA,QAAaE,YAAA,eAA0B,CAAAF,EAAA,YAAiBoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAAiyB,UAAAxiB,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2DAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAAwHE,YAAA,eAA0B,CAAAF,EAAA,YAAiBoP,MAAA,CAAO1J,MAAA7F,EAAA,YAAAwP,SAAA,SAAAC,GAAiDzP,EAAAkyB,YAAAziB,GAAoB3J,WAAA,gBAA2B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6DAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAA0HE,YAAA,eAA0B,CAAAF,EAAA,YAAiBoP,MAAA,CAAO1J,MAAA7F,EAAA,YAAAwP,SAAA,SAAAC,GAAiDzP,EAAAmyB,YAAA1iB,GAAoB3J,WAAA,gBAA2B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6DAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAA0HE,YAAA,eAA0B,CAAAF,EAAA,YAAiBoP,MAAA,CAAO1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAoyB,cAAA3iB,GAAsB3J,WAAA,kBAA6B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+DAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAA4HE,YAAA,eAA0B,CAAAF,EAAA,YAAiBoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAAqyB,UAAA5iB,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2DAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kDAAAuB,EAAAS,GAAA,KAAAN,EAAA,WAAsNsB,MAAAzB,EAAA,eAAyBA,EAAAS,GAAA,KAAAN,EAAA,cAAAA,EAAA,gBAAkD+I,IAAA,eAAkB,CAAA/I,EAAA,OAAYE,YAAA,kBAAAE,MAAA,CAAqC4D,MAAAnE,EAAAvB,GAAA,6CAA2D,CAAA0B,EAAA,OAAYE,YAAA,cAAyB,CAAAF,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2BAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAgFE,YAAA,sBAAiC,CAAAF,EAAA,UAAeE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA26B,eAA0B,CAAA36B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAiIE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAs6B,UAAqB,CAAAt6B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8DAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gCAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA0RE,YAAA,cAAyB,CAAAF,EAAA,cAAmBI,MAAA,CAAOoF,KAAA,UAAAxB,MAAAnE,EAAAvB,GAAA,wBAAuD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,aAAAwP,SAAA,SAAAC,GAAkDzP,EAAAg8B,aAAAvsB,GAAqB3J,WAAA,kBAA4B9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,YAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAK,IAA0DvmB,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAA68B,eAAAptB,GAAuB3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,YAAAxB,MAAAnE,EAAAvB,GAAA,kBAAmD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAAk7B,eAAAzrB,GAAuB3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAiH,UAAuC98B,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAuH,KAAA54B,MAAAnE,EAAAvB,GAAA,mBAAAkvB,6BAAA,IAAA3tB,EAAAi8B,gBAAiK1sB,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAg9B,iBAAAvtB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,YAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAyH,OAAA94B,MAAAnE,EAAAvB,GAAA,kBAAAkvB,6BAAA,IAAA3tB,EAAAg9B,kBAAkKztB,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAAi8B,eAAAxsB,GAAuB3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAqH,WAAuC,GAAAl9B,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,cAAmBI,MAAA,CAAOoF,KAAA,UAAAxB,MAAAnE,EAAAvB,GAAA,wBAAuD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,aAAAwP,SAAA,SAAAC,GAAkDzP,EAAAg7B,aAAAvrB,GAAqB3J,WAAA,kBAA4B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA2H,QAA+F5tB,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAo9B,iBAAA3tB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,kBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA6H,QAAgG9tB,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAs9B,iBAAA7tB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA4ME,YAAA,cAAyB,CAAAF,EAAA,cAAmBI,MAAA,CAAOoF,KAAA,YAAAxB,MAAAnE,EAAAvB,GAAA,kBAAmD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAAk8B,eAAAzsB,GAAuB3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA0H,UAAuCv9B,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,aAAAxB,MAAAnE,EAAAvB,GAAA,mBAAqD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAAo8B,gBAAA3sB,GAAwB3J,WAAA,qBAA+B9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA2H,YAAwC,GAAAx9B,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,cAAmBI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,oBAAuD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAm8B,iBAAA1sB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA4H,YAAyCz9B,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,eAAAxB,MAAAnE,EAAAvB,GAAA,qBAAyD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAq8B,kBAAA5sB,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA6H,cAA0C,GAAA19B,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kCAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAuGE,YAAA,kBAAAE,MAAA,CAAqC4D,MAAAnE,EAAAvB,GAAA,+CAA6D,CAAA0B,EAAA,OAAYE,YAAA,cAAyB,CAAAF,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAmFE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA26B,eAA0B,CAAA36B,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA6HE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAs6B,UAAqB,CAAAt6B,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAwHE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAwGI,MAAA,CAAOoF,KAAA,gBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAyH,OAAA94B,MAAAnE,EAAAvB,GAAA,mBAAkG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAA29B,mBAAAluB,GAA2B3J,WAAA,wBAAkC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA+H,YAAyC59B,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,qBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAqI,OAAA15B,MAAAnE,EAAAvB,GAAA,uBAA2G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,wBAAAwP,SAAA,SAAAC,GAA6DzP,EAAA89B,wBAAAruB,GAAgC3J,WAAA,6BAAuC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAkI,iBAA8C/9B,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAqHI,MAAA,CAAOoF,KAAA,aAAAxB,MAAAnE,EAAAvB,GAAA,8CAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAwI,YAA+HzuB,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAAi+B,qBAAAxuB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,iBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA0I,gBAA0G3uB,MAAA,CAAQ1J,MAAA7F,EAAA,yBAAAwP,SAAA,SAAAC,GAA8DzP,EAAAm+B,yBAAA1uB,GAAiC3J,WAAA,8BAAwC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAqI,eAAAvP,MAAA,UAA8D3uB,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,eAAAxB,MAAAnE,EAAAvB,GAAA,gDAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA4I,cAAqI7uB,MAAA,CAAQ1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAAq+B,uBAAA5uB,GAA+B3J,WAAA,4BAAsC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA8I,kBAA8G/uB,MAAA,CAAQ1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAAu+B,2BAAA9uB,GAAmC3J,WAAA,gCAA0C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAyI,iBAAA3P,MAAA,UAAgE3uB,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,eAAAxB,MAAAnE,EAAAvB,GAAA,gDAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAgJ,cAAqIjvB,MAAA,CAAQ1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAAy+B,uBAAAhvB,GAA+B3J,WAAA,4BAAsC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAkJ,kBAA8GnvB,MAAA,CAAQ1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAA2+B,2BAAAlvB,GAAmC3J,WAAA,gCAA0C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA6I,iBAAA/P,MAAA,UAAgE3uB,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,eAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAmJ,OAAgErvB,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAA6+B,kBAAApvB,GAA0B3J,WAAA,wBAAiC,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAyGI,MAAA,CAAOoF,KAAA,oBAAAxB,MAAAnE,EAAAvB,GAAA,qDAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAsJ,mBAAoJvvB,MAAA,CAAQ1J,MAAA7F,EAAA,4BAAAwP,SAAA,SAAAC,GAAiEzP,EAAA++B,4BAAAtvB,GAAoC3J,WAAA,iCAA2C9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,wBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAwJ,uBAAwHzvB,MAAA,CAAQ1J,MAAA7F,EAAA,gCAAAwP,SAAA,SAAAC,GAAqEzP,EAAAi/B,gCAAAxvB,GAAwC3J,WAAA,qCAA+C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAmJ,sBAAArQ,MAAA,WAAqE,GAAA3uB,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAgHI,MAAA,CAAOoF,KAAA,aAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAR,MAAA7wB,MAAAnE,EAAAvB,GAAA,wBAAmG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAAk/B,gBAAAzvB,GAAwB3J,WAAA,qBAA+B9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,eAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAT,MAAA1tB,SAAA,gBAAAtH,EAAAk/B,iBAAiH3vB,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAm/B,kBAAA1vB,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,iBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA4J,UAAAj7B,MAAAnE,EAAAvB,GAAA,kBAAqG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAAq/B,oBAAA5vB,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAuJ,UAAAzQ,MAAA,UAAyD3uB,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,iBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA8J,UAAAn7B,MAAAnE,EAAAvB,GAAA,mBAAsG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAAu/B,oBAAA9vB,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAyJ,UAAA3Q,MAAA,WAAyD,GAAA3uB,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA2GI,MAAA,CAAOoF,KAAA,cAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAgK,OAAAr7B,MAAAnE,EAAAvB,GAAA,wBAAqG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAy/B,iBAAAhwB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,kBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAkK,WAAAv7B,MAAAnE,EAAAvB,GAAA,kBAAuG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAA2/B,qBAAAlwB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA6J,cAA2C1/B,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,kBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAoK,WAAAz7B,MAAAnE,EAAAvB,GAAA,mBAAwG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAA6/B,qBAAApwB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA+J,eAA2C,GAAA5/B,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA0GI,MAAA,CAAOoF,KAAA,aAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAp2B,MAAA+E,MAAAnE,EAAAvB,GAAA,wBAAmG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAA8/B,gBAAArwB,GAAwB3J,WAAA,qBAA+B9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,eAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAr2B,MAAAkI,SAAA,gBAAAtH,EAAA8/B,iBAAiHvwB,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAA+/B,kBAAAtwB,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,iBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAwK,UAAA77B,MAAAnE,EAAAvB,GAAA,kBAAqG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAAigC,oBAAAxwB,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAmK,cAA0C,GAAAhgC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA2GI,MAAA,CAAOoF,KAAA,WAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAV,IAAA3wB,MAAAnE,EAAAvB,GAAA,wBAA+F8Q,MAAA,CAAQ1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAkgC,cAAAzwB,GAAsB3J,WAAA,mBAA6B9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,aAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAX,IAAAxtB,SAAA,gBAAAtH,EAAAkgC,eAA2G3wB,MAAA,CAAQ1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAAmgC,gBAAA1wB,GAAwB3J,WAAA,qBAA+B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,eAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA4K,QAAAj8B,MAAAnE,EAAAvB,GAAA,kBAAiG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAqgC,kBAAA5wB,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAuK,WAAwCpgC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,oBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA8K,aAAAn8B,MAAAnE,EAAAvB,GAAA,gDAAyI8Q,MAAA,CAAQ1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAAugC,uBAAA9wB,GAA+B3J,WAAA,4BAAsC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAyK,gBAA6CtgC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,qBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAgL,cAAAr8B,MAAAnE,EAAAvB,GAAA,2CAAsI8Q,MAAA,CAAQ1J,MAAA7F,EAAA,wBAAAwP,SAAA,SAAAC,GAA6DzP,EAAAygC,wBAAAhxB,GAAgC3J,WAAA,6BAAuC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA2K,iBAA8CxgC,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAuHI,MAAA,CAAOoF,KAAA,kBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAkL,WAAAv8B,MAAAnE,EAAAvB,GAAA,wBAA6G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAA2gC,qBAAAlxB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,sBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAoL,eAAAz8B,MAAAnE,EAAAvB,GAAA,kBAA+G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,yBAAAwP,SAAA,SAAAC,GAA8DzP,EAAA6gC,yBAAApxB,GAAiC3J,WAAA,8BAAwC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA+K,kBAA+C5gC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,2BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAsL,oBAAA38B,MAAAnE,EAAAvB,GAAA,gDAAuJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,8BAAAwP,SAAA,SAAAC,GAAmEzP,EAAA+gC,8BAAAtxB,GAAsC3J,WAAA,mCAA6C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAiL,uBAAoD9gC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,4BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAwL,qBAAA78B,MAAAnE,EAAAvB,GAAA,2CAAoJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,+BAAAwP,SAAA,SAAAC,GAAoEzP,EAAAihC,+BAAAxxB,GAAuC3J,WAAA,oCAA8C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAmL,wBAAqDhhC,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAwHI,MAAA,CAAOoF,KAAA,mBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA0L,YAAA/8B,MAAAnE,EAAAvB,GAAA,wBAA+G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,sBAAAwP,SAAA,SAAAC,GAA2DzP,EAAAmhC,sBAAA1xB,GAA8B3J,WAAA,2BAAqC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,uBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA4L,gBAAAj9B,MAAAnE,EAAAvB,GAAA,kBAAiH8Q,MAAA,CAAQ1J,MAAA7F,EAAA,0BAAAwP,SAAA,SAAAC,GAA+DzP,EAAAqhC,0BAAA5xB,GAAkC3J,WAAA,+BAAyC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,4BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA8L,qBAAAn9B,MAAAnE,EAAAvB,GAAA,gDAAyJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,+BAAAwP,SAAA,SAAAC,GAAoEzP,EAAAuhC,+BAAA9xB,GAAuC3J,WAAA,oCAA8C9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,6BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAgM,sBAAAr9B,MAAAnE,EAAAvB,GAAA,2CAAsJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gCAAAwP,SAAA,SAAAC,GAAqEzP,EAAAyhC,gCAAAhyB,GAAwC3J,WAAA,qCAA+C9F,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAuHI,MAAA,CAAOoF,KAAA,kBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAkM,WAAAv9B,MAAAnE,EAAAvB,GAAA,wBAA6G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAA2hC,qBAAAlyB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,sBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAoM,eAAAz9B,MAAAnE,EAAAvB,GAAA,kBAA+G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,yBAAAwP,SAAA,SAAAC,GAA8DzP,EAAA6hC,yBAAApyB,GAAiC3J,WAAA,8BAAwC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA+L,kBAA+C5hC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,2BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAsM,oBAAA39B,MAAAnE,EAAAvB,GAAA,gDAAuJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,8BAAAwP,SAAA,SAAAC,GAAmEzP,EAAA+hC,8BAAAtyB,GAAsC3J,WAAA,mCAA6C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAiM,uBAAoD9hC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,4BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAwM,qBAAA79B,MAAAnE,EAAAvB,GAAA,2CAAoJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,+BAAAwP,SAAA,SAAAC,GAAoEzP,EAAAiiC,+BAAAxyB,GAAuC3J,WAAA,oCAA8C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAmM,yBAAqD,GAAAhiC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAwGI,MAAA,CAAOoF,KAAA,WAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA0M,IAAA/9B,MAAAnE,EAAAvB,GAAA,wBAA+F8Q,MAAA,CAAQ1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAmiC,cAAA1yB,GAAsB3J,WAAA,mBAA6B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,eAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA4M,QAAAj+B,MAAAnE,EAAAvB,GAAA,kBAAiG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAqiC,kBAAA5yB,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAuM,WAAwCpiC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,qBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA8M,cAAAn+B,MAAAnE,EAAAvB,GAAA,kBAA6G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,wBAAAwP,SAAA,SAAAC,GAA6DzP,EAAAuiC,wBAAA9yB,GAAgC3J,WAAA,6BAAuC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAyM,kBAA8C,GAAAtiC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA2GI,MAAA,CAAOoF,KAAA,cAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAgN,OAAAr+B,MAAAnE,EAAAvB,GAAA,gCAA6G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAyiC,iBAAAhzB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,gBAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAA+M,OAAAl7B,SAAA,gBAAAtH,EAAAyiC,kBAAoHlzB,MAAA,CAAQ1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAA0iC,mBAAAjzB,GAA2B3J,WAAA,yBAAkC,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA8GI,MAAA,CAAOoF,KAAA,aAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAmN,MAAAx+B,MAAAnE,EAAAvB,GAAA,kBAA6F8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAA4iC,gBAAAnzB,GAAwB3J,WAAA,qBAA+B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,iBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAqN,UAAA1+B,MAAAnE,EAAAvB,GAAA,mBAAsG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAA8iC,oBAAArzB,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,kBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAuN,WAAA5+B,MAAAnE,EAAAvB,GAAA,gDAAqI8Q,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAAgjC,qBAAAvzB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,eAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAkN,OAAgEpzB,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAijC,kBAAAxzB,GAA0B3J,WAAA,wBAAiC,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA4GI,MAAA,CAAOoF,KAAA,WAAAxB,MAAAnE,EAAAvB,GAAA,2CAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA0N,UAAwH3zB,MAAA,CAAQ1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAAmjC,mBAAA1zB,GAA2B3J,WAAA,wBAAkC9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,kBAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAyN,SAAA57B,SAAA,gBAAAtH,EAAAojC,sBAA4H7zB,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAAojC,qBAAA3zB,GAA6B3J,WAAA,2BAAoC,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAwGI,MAAA,CAAOoF,KAAA,OAAAxB,MAAAnE,EAAAvB,GAAA,uBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA6N,MAA4F9zB,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAAsjC,eAAA7zB,GAAuB3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,WAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA+N,UAA8Fh0B,MAAA,CAAQ1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAAwjC,mBAAA/zB,GAA2B3J,WAAA,yBAAkC,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAyGI,MAAA,CAAOoF,KAAA,OAAAxB,MAAAnE,EAAAvB,GAAA,wCAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAiO,MAA6Gl0B,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAA0jC,eAAAj0B,GAAuB3J,WAAA,qBAA8B,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA6GI,MAAA,CAAOoF,KAAA,YAAAxB,MAAAnE,EAAAvB,GAAA,uBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAmO,WAAsGp0B,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAA4jC,oBAAAn0B,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,gBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAqO,eAAwGt0B,MAAA,CAAQ1J,MAAA7F,EAAA,wBAAAwP,SAAA,SAAAC,GAA6DzP,EAAA8jC,wBAAAr0B,GAAgC3J,WAAA,6BAAuC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAgO,iBAA8C7jC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,gBAAAxB,MAAAnE,EAAAvB,GAAA,kBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAuO,eAAyGx0B,MAAA,CAAQ1J,MAAA7F,EAAA,wBAAAwP,SAAA,SAAAC,GAA6DzP,EAAAgkC,wBAAAv0B,GAAgC3J,WAAA,6BAAuC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAkO,kBAA8C,GAAA/jC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA2GI,MAAA,CAAOoF,KAAA,UAAAxB,MAAAnE,EAAAvB,GAAA,uBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAyO,SAAkG10B,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAkkC,kBAAAz0B,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,iBAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAwO,QAAA38B,SAAA,gBAAAtH,EAAAmkC,qBAAyH50B,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAAmkC,oBAAA10B,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA4O,aAAoG70B,MAAA,CAAQ1J,MAAA7F,EAAA,sBAAAwP,SAAA,SAAAC,GAA2DzP,EAAAqkC,sBAAA50B,GAA8B3J,WAAA,2BAAqC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAuO,eAA4CpkC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,kBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA8O,aAAqG/0B,MAAA,CAAQ1J,MAAA7F,EAAA,sBAAAwP,SAAA,SAAAC,GAA2DzP,EAAAukC,sBAAA90B,GAA8B3J,WAAA,2BAAqC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAyO,gBAA4C,GAAAtkC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAgHI,MAAA,CAAOoF,KAAA,eAAAxB,MAAAnE,EAAAvB,GAAA,uBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAgP,cAA4Gj1B,MAAA,CAAQ1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAAykC,uBAAAh1B,GAA+B3J,WAAA,4BAAsC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAkP,kBAA8Gn1B,MAAA,CAAQ1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAA2kC,2BAAAl1B,GAAmC3J,WAAA,gCAA0C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA6O,oBAAiD1kC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,kBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAoP,kBAA+Gr1B,MAAA,CAAQ1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAA6kC,2BAAAp1B,GAAmC3J,WAAA,gCAA0C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA+O,qBAAiD,GAAA5kC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAgHI,MAAA,CAAOoF,KAAA,eAAAxB,MAAAnE,EAAAvB,GAAA,uBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAsP,cAA4Gv1B,MAAA,CAAQ1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAA+kC,uBAAAt1B,GAA+B3J,WAAA,4BAAsC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAwP,kBAA8Gz1B,MAAA,CAAQ1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAAilC,2BAAAx1B,GAAmC3J,WAAA,gCAA0C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAmP,oBAAiDhlC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,kBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA0P,kBAA+G31B,MAAA,CAAQ1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAAmlC,2BAAA11B,GAAmC3J,WAAA,gCAA0C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAqP,qBAAiD,GAAAllC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mBAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAgFI,MAAA,CAAOoF,KAAA,cAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAM,IAAA,EAAA3xB,MAAAnE,EAAAvB,GAAA,wBAAsG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAolC,iBAAA31B,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA6HI,MAAA,CAAOoF,KAAA,6BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAM,IAAA,EAAA3xB,MAAAnE,EAAAvB,GAAA,wBAAqH8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gCAAAwP,SAAA,SAAAC,GAAqEzP,EAAAqlC,gCAAA51B,GAAwC3J,WAAA,qCAA+C9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,+BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAArG,MAAA,EAAAhrB,MAAAnE,EAAAvB,GAAA,kBAAmH8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kCAAAwP,SAAA,SAAAC,GAAuEzP,EAAAslC,kCAAA71B,GAA0C3J,WAAA,uCAAiD9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,+BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAuH,MAAA,EAAA54B,MAAAnE,EAAAvB,GAAA,mBAAoH8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kCAAAwP,SAAA,SAAAC,GAAuEzP,EAAAulC,kCAAA91B,GAA0C3J,WAAA,uCAAiD9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,qCAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAuF,IAAA,EAAA52B,MAAAnE,EAAAvB,GAAA,+CAAoJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,oCAAAwP,SAAA,SAAAC,GAAyEzP,EAAAwlC,oCAAA/1B,GAA4C3J,WAAA,yCAAmD9F,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA6HI,MAAA,CAAOoF,KAAA,6BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAM,IAAA,EAAA3xB,MAAAnE,EAAAvB,GAAA,wBAAqH8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gCAAAwP,SAAA,SAAAC,GAAqEzP,EAAAylC,gCAAAh2B,GAAwC3J,WAAA,qCAA+C9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,+BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAArG,MAAA,EAAAhrB,MAAAnE,EAAAvB,GAAA,kBAAmH8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kCAAAwP,SAAA,SAAAC,GAAuEzP,EAAA0lC,kCAAAj2B,GAA0C3J,WAAA,uCAAiD9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,+BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAuH,MAAA,EAAA54B,MAAAnE,EAAAvB,GAAA,mBAAoH8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kCAAAwP,SAAA,SAAAC,GAAuEzP,EAAA2lC,kCAAAl2B,GAA0C3J,WAAA,uCAAiD9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,qCAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAM,IAAA,EAAA3xB,MAAAnE,EAAAvB,GAAA,+CAAoJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,oCAAAwP,SAAA,SAAAC,GAAyEzP,EAAA4lC,oCAAAn2B,GAA4C3J,WAAA,0CAAmD,KAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA8BE,YAAA,mBAAAE,MAAA,CAAsC4D,MAAAnE,EAAAvB,GAAA,qCAAmD,CAAA0B,EAAA,OAAYE,YAAA,cAAyB,CAAAF,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAmFE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA06B,iBAA4B,CAAA16B,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA+HI,MAAA,CAAOoF,KAAA,YAAAxB,MAAAnE,EAAAvB,GAAA,sBAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAZ,IAAA9J,IAAA,KAAA6a,WAAA,KAAwHt2B,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAA2yB,eAAAljB,GAAuB3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,wBAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAt2B,MAAA4rB,IAAA,IAAA6a,WAAA,KAA6Ht2B,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAA4yB,iBAAAnjB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,iBAAAxB,MAAAnE,EAAAvB,GAAA,2BAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAX,SAAA/J,IAAA,KAAA6a,WAAA,KAAuIt2B,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAA6yB,oBAAApjB,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,wBAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAV,MAAAhK,IAAA,KAAA6a,WAAA,KAA8Ht2B,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAA8yB,iBAAArjB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,eAAAxB,MAAAnE,EAAAvB,GAAA,yBAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAA/R,OAAAqH,IAAA,KAAA6a,WAAA,KAAiIt2B,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAA+yB,kBAAAtjB,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,kBAAAxB,MAAAnE,EAAAvB,GAAA,4BAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAT,UAAAjK,IAAA,KAAA6a,WAAA,KAA0It2B,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAAgzB,qBAAAvjB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,6BAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAP,WAAAnK,IAAA,KAAA6a,WAAA,KAA6It2B,MAAA,CAAQ1J,MAAA7F,EAAA,sBAAAwP,SAAA,SAAAC,GAA2DzP,EAAAizB,sBAAAxjB,GAA8B3J,WAAA,2BAAqC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,gBAAAxB,MAAAnE,EAAAvB,GAAA,0BAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAR,QAAAlK,IAAA,KAAA6a,WAAA,KAAoIt2B,MAAA,CAAQ1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAAkzB,mBAAAzjB,GAA2B3J,WAAA,wBAAkC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,oBAAAxB,MAAAnE,EAAAvB,GAAA,8BAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAN,aAAA,EAAApK,IAAA,KAAA6a,WAAA,KAAqJt2B,MAAA,CAAQ1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAAmzB,uBAAA1jB,GAA+B3J,WAAA,6BAAsC,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,mBAAAE,MAAA,CAAsC4D,MAAAnE,EAAAvB,GAAA,uCAAqD,CAAA0B,EAAA,OAAYE,YAAA,8BAAyC,CAAAF,EAAA,OAAYE,YAAA,oBAA+B,CAAAL,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uDAAA0B,EAAA,SAA2GE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,oBAAyB,CAAAvR,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,eAAA8F,WAAA,mBAAsFzF,YAAA,kBAAAE,MAAA,CAAuC4C,GAAA,mBAAuB3C,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAAwyB,eAAAxsB,EAAAC,OAAAgM,SAAAN,IAAA,MAAgF3R,EAAAoG,GAAApG,EAAA,0BAAAotB,GAAgD,OAAAjtB,EAAA,UAAoB+I,IAAAkkB,EAAArnB,SAAA,CAAqBF,MAAAunB,IAAgB,CAAAptB,EAAAS,GAAA,uBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qCAAA2uB,IAAA,0BAAsH,GAAAptB,EAAAS,GAAA,KAAAN,EAAA,KAAyBE,YAAA,uBAA6BL,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,YAAuB,CAAAF,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA,aAAkB,CAAA1R,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA0HuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,uBAAA8F,WAAA,2BAAsGzF,YAAA,iBAAAE,MAAA,CAAsC4C,GAAA,WAAAwC,KAAA,WAAAxH,KAAA,YAAoD4H,SAAA,CAAW0D,QAAAZ,MAAAwkB,QAAArtB,EAAA43B,wBAAA53B,EAAAstB,GAAAttB,EAAA43B,uBAAA,SAAA53B,EAAA,wBAA4HQ,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAAunB,EAAAvtB,EAAA43B,uBAAApK,EAAAxnB,EAAAC,OAAAwnB,IAAAD,EAAA/jB,QAAsF,GAAAZ,MAAAwkB,QAAAE,GAAA,CAAuB,IAAAG,EAAA1tB,EAAAstB,GAAAC,EAAA,MAAiCC,EAAA/jB,QAAiBikB,EAAA,IAAA1tB,EAAA43B,uBAAArK,EAAApiB,OAAA,CAAlD,QAA6GuiB,GAAA,IAAA1tB,EAAA43B,uBAAArK,EAAA3jB,MAAA,EAAA8jB,GAAAviB,OAAAoiB,EAAA3jB,MAAA8jB,EAAA,UAAqF1tB,EAAA43B,uBAAAnK,MAAkCztB,EAAAS,GAAA,KAAAN,EAAA,SAA0BE,YAAA,iBAAAE,MAAA,CAAoCmR,IAAA,gBAAkB1R,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA46B,eAA0B,CAAA56B,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAS,GAAA,KAAAN,EAAA,iBAAkII,MAAA,CAAOqS,QAAA5S,EAAA83B,sBAAA3N,SAAAnqB,EAAA83B,uBAAyEvoB,MAAA,CAAQ1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAA63B,cAAApoB,GAAsB3J,WAAA,mBAA6B9F,EAAAS,GAAA,gBAAAT,EAAAwyB,gBAAA,iBAAAxyB,EAAAwyB,eAAAryB,EAAA,OAAAA,EAAA,QAA8GI,MAAA,CAAOqtB,KAAA,wDAAAC,IAAA,MAA0E,CAAA1tB,EAAA,QAAAH,EAAAS,GAAA,6BAAAT,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uDAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAAwKI,MAAA,CAAOqtB,KAAA,wDAAAC,IAAA,MAA0E,CAAA1tB,EAAA,QAAAH,EAAAS,GAAA,iBAAAT,EAAAS,GAAA,KAAAN,EAAA,QAAAH,EAAAS,GAAA,mBAAAT,EAAAS,GAAA,KAAAN,EAAA,QAAAH,EAAAS,GAAA,aAAAT,EAAAS,GAAA,KAAAN,EAAA,QAAwJI,MAAA,CAAOqtB,KAAA,mDAAAC,IAAA,MAAqE,CAAA1tB,EAAA,QAAAH,EAAAS,GAAA,kBAAAT,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAY,MAAA,GAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAA4KE,YAAA,kBAAAE,MAAA,CAAqC4D,MAAAnE,EAAAvB,GAAA,qCAAmD,CAAA0B,EAAA,OAAYE,YAAA,cAAyB,CAAAF,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iCAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAyFE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA66B,aAAwB,CAAA76B,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAS,GAAA,KAAAN,EAAA,eAAgII,MAAA,CAAOoF,KAAA,KAAAxB,MAAAnE,EAAAvB,GAAA,6CAAA0rB,SAAAnqB,EAAAu1B,aAAAK,MAAAkQ,UAAAC,aAAA,KAAqIx2B,MAAA,CAAQ1J,MAAA7F,EAAA0yB,WAAA,UAAAljB,SAAA,SAAAC,GAA0DzP,EAAA0P,KAAA1P,EAAA0yB,WAAA,YAAAjjB,IAA2C3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,eAAgCI,MAAA,CAAOoF,KAAA,QAAAxB,MAAAnE,EAAAvB,GAAA,yCAAA0rB,SAAAnqB,EAAAu1B,aAAAK,MAAAx2B,OAA+GmQ,MAAA,CAAQ1J,MAAA7F,EAAA0yB,WAAA,MAAAljB,SAAA,SAAAC,GAAsDzP,EAAA0P,KAAA1P,EAAA0yB,WAAA,QAAAjjB,IAAuC3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,eAAgCI,MAAA,CAAOoF,KAAA,OAAAxB,MAAAnE,EAAAvB,GAAA,wCAAA0rB,SAAAnqB,EAAAu1B,aAAAK,MAAAoQ,MAA4Gz2B,MAAA,CAAQ1J,MAAA7F,EAAA0yB,WAAA,KAAAljB,SAAA,SAAAC,GAAqDzP,EAAA0P,KAAA1P,EAAA0yB,WAAA,OAAAjjB,IAAsC3J,WAAA,qBAA+B9F,EAAAS,GAAA,KAAAN,EAAA,eAAgCI,MAAA,CAAOoF,KAAA,WAAAxB,MAAAnE,EAAAvB,GAAA,4CAAA0rB,SAAAnqB,EAAAu1B,aAAAK,MAAAqQ,UAAwH12B,MAAA,CAAQ1J,MAAA7F,EAAA0yB,WAAA,SAAAljB,SAAA,SAAAC,GAAyDzP,EAAA0P,KAAA1P,EAAA0yB,WAAA,WAAAjjB,IAA0C3J,WAAA,0BAAmC,SAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAAkCE,YAAA,mBAA8B,CAAAF,EAAA,UAAeE,YAAA,aAAAE,MAAA,CAAgC+G,UAAAtH,EAAAg4B,YAA2Bx3B,GAAA,CAAKE,MAAAV,EAAA85B,iBAA4B,CAAA95B,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAyFE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAq6B,WAAsB,CAAAr6B,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qDACl3xC,IDIY,EAa7B69B,GATiB,KAEU,MAYG,QEmCjB4J,GAjDc,CAC3B1jC,WAAY,CACVuK,gBAEA7K,sBACAikC,qBACAn3B,oBACA2B,gBACAoH,eACA6F,cACAoI,cACAsD,cACA8c,aAEF1jC,SAAU,CACR2jC,WADQ,WAEN,QAAS7nC,KAAK8D,OAAOM,MAAMC,MAAMC,aAEnCgiB,KAJQ,WAKN,MAA0D,WAAnDtmB,KAAK8D,OAAOM,MAAZ,UAA4B0jC,qBAGvCrnC,QAAS,CACPsnC,OADO,WAEL,IAAMC,EAAYhoC,KAAK8D,OAAOM,MAAZ,UAA4B6jC,uBAE9C,GAAID,EAAW,CACb,IAAME,EAAWloC,KAAKW,MAAMwnC,YAAYt6B,OAAvB,QAAsCu6B,UAAU,SAAAC,GAC/D,OAAOA,EAAIjoC,MAAQioC,EAAIjoC,KAAK2B,MAAM,mBAAqBimC,IAErDE,GAAY,GACdloC,KAAKW,MAAMwnC,YAAYG,OAAOJ,GAKlCloC,KAAK8D,OAAOC,SAAS,iCAGzBgV,QAvC2B,WAwCzB/Y,KAAK+nC,UAEPrhC,MAAO,CACL4f,KAAM,SAAUjf,GACVA,GAAOrH,KAAK+nC,YChDtB,IAEIQ,GAVJ,SAAoBpnC,GAClBnC,EAAQ,MAeNwpC,GAAYnnC,OAAAC,EAAA,EAAAD,CACdonC,GCjBQ,WAAgB,IAAAjnC,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,gBAA0BG,IAAA,cAAAD,YAAA,wBAAAE,MAAA,CAA6D2mC,gBAAA,EAAAr4B,mBAAA,IAA4C,CAAA1O,EAAA,OAAYI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,oBAAAglC,KAAA,SAAA0D,gBAAA,YAA8E,CAAAhnC,EAAA,kBAAAH,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,OAA8DI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,wBAAAglC,KAAA,OAAA0D,gBAAA,YAAgF,CAAAhnC,EAAA,kBAAAH,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,OAAuEI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,yBAAAglC,KAAA,OAAA0D,gBAAA,aAAkF,CAAAhnC,EAAA,mBAAAH,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAuDI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,sBAAAglC,KAAA,SAAA0D,gBAAA,cAAkF,CAAAhnC,EAAA,oBAAAH,EAAAS,GAAA,KAAAN,EAAA,OAA+CI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,kBAAAglC,KAAA,QAAA0D,gBAAA,UAAyE,CAAAhnC,EAAA,gBAAAH,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,OAA4DI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,0BAAAglC,KAAA,iBAAA0D,gBAAA,kBAAkG,CAAAhnC,EAAA,wBAAAH,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,OAA6EI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,mCAAAglC,KAAA,WAAA0D,gBAAA,qBAAwG,CAAAhnC,EAAA,2BAAAH,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,OAAgFI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,6BAAA2oC,YAAA,EAAA3D,KAAA,UAAA0D,gBAAA,mBAAiH,CAAAhnC,EAAA,yBAAAH,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAA6DI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,0BAAAglC,KAAA,eAAA0D,gBAAA,YAA0F,CAAAhnC,EAAA,qBACrjD,IDOY,EAa7B4mC,GATiB,KAEU,MAYdM,EAAA,QAAAL,GAAiB","file":"static/js/2.c92f4803ff24726cea58.js","sourcesContent":["// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./settings_modal_content.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"a45e17ec\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".settings_tab-switcher{height:100%}.settings_tab-switcher .setting-item{border-bottom:2px solid var(--fg,#182230);margin:1em 1em 1.4em;padding-bottom:1.4em}.settings_tab-switcher .setting-item>div{margin-bottom:.5em}.settings_tab-switcher .setting-item>div:last-child{margin-bottom:0}.settings_tab-switcher .setting-item:last-child{border-bottom:none;padding-bottom:0;margin-bottom:1em}.settings_tab-switcher .setting-item select{min-width:10em}.settings_tab-switcher .setting-item textarea{width:100%;max-width:100%;height:100px}.settings_tab-switcher .setting-item .unavailable,.settings_tab-switcher .setting-item .unavailable i{color:var(--cRed,red);color:red}.settings_tab-switcher .setting-item .number-input{max-width:6em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./importer.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"5bed876c\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".importer-uploading{font-size:1.5em;margin:.25em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./exporter.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"432fc7c6\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".exporter-processing{font-size:1.5em;margin:.25em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../../node_modules/css-loader/index.js?minimize!../../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../../node_modules/sass-loader/lib/loader.js!./mutes_and_blocks_tab.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"33ca0d90\", content, true, {});","exports = module.exports = require(\"../../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".mutes-and-blocks-tab{height:100%}.mutes-and-blocks-tab .usersearch-wrapper{padding:1em}.mutes-and-blocks-tab .bulk-actions{text-align:right;padding:0 1em;min-height:28px}.mutes-and-blocks-tab .bulk-action-button{width:10em}.mutes-and-blocks-tab .domain-mute-form{padding:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.mutes-and-blocks-tab .domain-mute-button{-ms-flex-item-align:end;align-self:flex-end;margin-top:1em;width:10em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./autosuggest.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"3a9ec1bf\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".autosuggest{position:relative}.autosuggest-input{display:block;width:100%}.autosuggest-results{position:absolute;left:0;top:100%;right:0;max-height:400px;background-color:#121a24;background-color:var(--bg,#121a24);border-color:#222;border:1px solid var(--border,#222);border-radius:4px;border-radius:var(--inputRadius,4px);border-top-left-radius:0;border-top-right-radius:0;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);overflow-y:auto;z-index:1}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./block_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"211aa67c\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".block-card-content-container{margin-top:.5em;text-align:right}.block-card-content-container button{width:10em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./mute_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7ea980e0\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".mute-card-content-container{margin-top:.5em;text-align:right}.mute-card-content-container button{width:10em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./domain_mute_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"39a942c3\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".domain-mute-card{-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-align:center;align-items:center;padding:.6em 1em .6em 0}.domain-mute-card-domain{margin-right:1em;overflow:hidden;text-overflow:ellipsis}.domain-mute-card button{width:10em}.autosuggest-results .domain-mute-card{padding-left:1em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./selectable_list.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"3724291e\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".selectable-list-item-inner{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.selectable-list-item-inner>*{min-width:0}.selectable-list-item-selected-inner{background-color:#151e2a;background-color:var(--selectedMenu,#151e2a);color:var(--selectedMenuText,#b9b9ba);--faint:var(--selectedMenuFaintText,$fallback--faint);--faintLink:var(--selectedMenuFaintLink,$fallback--faint);--lightText:var(--selectedMenuLightText,$fallback--lightText);--icon:var(--selectedMenuIcon,$fallback--icon)}.selectable-list-header{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;padding:.6em 0;border-bottom:2px solid;border-bottom-color:#222;border-bottom-color:var(--border,#222)}.selectable-list-header-actions{-ms-flex:1;flex:1}.selectable-list-checkbox-wrapper{padding:0 10px;-ms-flex:none;flex:none}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../../../node_modules/css-loader/index.js?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../../../node_modules/sass-loader/lib/loader.js!../../../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./mfa.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"a588473e\", content, true, {});","exports = module.exports = require(\"../../../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".mfa-settings .method-item,.mfa-settings .mfa-heading{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-align:baseline;align-items:baseline}.mfa-settings .warning{color:orange;color:var(--cOrange,orange)}.mfa-settings .setup-otp{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-wrap:wrap;flex-wrap:wrap}.mfa-settings .setup-otp .qr-code{-ms-flex:1;flex:1;padding-right:10px}.mfa-settings .setup-otp .verify{-ms-flex:1;flex:1}.mfa-settings .setup-otp .error{margin:4px 0 0}.mfa-settings .setup-otp .confirm-otp-actions button{width:15em;margin-top:5px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../../../node_modules/css-loader/index.js?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../../../node_modules/sass-loader/lib/loader.js!../../../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./mfa_backup_codes.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"4065bf15\", content, true, {});","exports = module.exports = require(\"../../../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".mfa-backup-codes .warning{color:orange;color:var(--cOrange,orange)}.mfa-backup-codes .backup-codes{font-family:var(--postCodeFont,monospace)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../../node_modules/css-loader/index.js?minimize!../../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../../node_modules/sass-loader/lib/loader.js!./profile_tab.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"27925ae8\", content, true, {});","exports = module.exports = require(\"../../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".profile-tab .bio{margin:0}.profile-tab .visibility-tray{padding-top:5px}.profile-tab input[type=file]{padding:5px;height:auto}.profile-tab .banner-background-preview{max-width:100%;width:300px;position:relative}.profile-tab .banner-background-preview img{width:100%}.profile-tab .uploading{font-size:1.5em;margin:.25em}.profile-tab .name-changer{width:100%}.profile-tab .current-avatar-container{position:relative;width:150px;height:150px}.profile-tab .current-avatar{display:block;width:100%;height:100%;border-radius:4px;border-radius:var(--avatarRadius,4px)}.profile-tab .reset-button{position:absolute;top:.2em;right:.2em;border-radius:5px;border-radius:var(--tooltipRadius,5px);background-color:rgba(0,0,0,.6);opacity:.7;color:#fff;width:1.5em;height:1.5em;text-align:center;line-height:1.5em;font-size:1.5em;cursor:pointer}.profile-tab .reset-button:hover{opacity:1}.profile-tab .oauth-tokens{width:100%}.profile-tab .oauth-tokens th{text-align:left}.profile-tab .oauth-tokens .actions{text-align:right}.profile-tab-usersearch-wrapper{padding:1em}.profile-tab-bulk-actions{text-align:right;padding:0 1em;min-height:28px}.profile-tab-bulk-actions button{width:10em}.profile-tab-domain-mute-form{padding:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.profile-tab-domain-mute-form button{-ms-flex-item-align:end;align-self:flex-end;margin-top:1em;width:10em}.profile-tab .setting-subitem{margin-left:1.75em}.profile-tab .profile-fields{display:-ms-flexbox;display:flex}.profile-tab .profile-fields>.emoji-input{-ms-flex:1 1 auto;flex:1 1 auto;margin:0 .2em .5em;min-width:0}.profile-tab .profile-fields>.icon-container{width:20px}.profile-tab .profile-fields>.icon-container>.icon-cancel{vertical-align:sub}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./image_cropper.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"0dfd0b33\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".image-cropper-img-input{display:none}.image-cropper-image-container{position:relative}.image-cropper-image-container img{display:block;max-width:100%}.image-cropper-buttons-wrapper{margin-top:10px}.image-cropper-buttons-wrapper button{margin-top:5px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../../../node_modules/css-loader/index.js?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../../../node_modules/sass-loader/lib/loader.js!./theme_tab.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"4fafab12\", content, true, {});","exports = module.exports = require(\"../../../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".theme-tab{padding-bottom:2em}.theme-tab .theme-warning{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;margin-bottom:.5em}.theme-tab .theme-warning .buttons .btn{margin-bottom:.5em}.theme-tab .preset-switcher{margin-right:1em}.theme-tab .style-control{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;margin-bottom:5px}.theme-tab .style-control .label{-ms-flex:1;flex:1}.theme-tab .style-control.disabled input,.theme-tab .style-control.disabled select{opacity:.5}.theme-tab .style-control .opt{margin:.5em}.theme-tab .style-control .color-input{-ms-flex:0 0 0px;flex:0 0 0}.theme-tab .style-control input,.theme-tab .style-control select{min-width:3em;margin:0;-ms-flex:0;flex:0}.theme-tab .style-control input[type=number],.theme-tab .style-control select[type=number]{min-width:5em}.theme-tab .style-control input[type=range],.theme-tab .style-control select[type=range]{-ms-flex:1;flex:1;min-width:3em;-ms-flex-item-align:start;align-self:flex-start}.theme-tab .reset-container{-ms-flex-wrap:wrap;flex-wrap:wrap}.theme-tab .apply-container,.theme-tab .color-container,.theme-tab .fonts-container,.theme-tab .radius-container,.theme-tab .reset-container{display:-ms-flexbox;display:flex}.theme-tab .fonts-container,.theme-tab .radius-container{-ms-flex-direction:column;flex-direction:column}.theme-tab .color-container{-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:justify;justify-content:space-between}.theme-tab .color-container>h4{width:99%}.theme-tab .color-container,.theme-tab .fonts-container,.theme-tab .presets-container,.theme-tab .radius-container,.theme-tab .shadow-container{margin:1em 1em 0}.theme-tab .tab-header{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-align:baseline;align-items:baseline;width:100%;min-height:30px;margin-bottom:1em}.theme-tab .tab-header p{-ms-flex:1;flex:1;margin:0;margin-right:.5em}.theme-tab .tab-header-buttons{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.theme-tab .tab-header-buttons .btn{min-width:1px;-ms-flex:0 auto;flex:0 auto;padding:0 1em;margin-bottom:.5em}.theme-tab .shadow-selector .override{-ms-flex:1;flex:1;margin-left:.5em}.theme-tab .shadow-selector .select-container{margin-top:-4px;margin-bottom:-3px}.theme-tab .save-load,.theme-tab .save-load-options{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:baseline;align-items:baseline;-ms-flex-wrap:wrap;flex-wrap:wrap}.theme-tab .save-load-options .import-export,.theme-tab .save-load-options .presets,.theme-tab .save-load .import-export,.theme-tab .save-load .presets{margin-bottom:.5em}.theme-tab .save-load-options .import-export,.theme-tab .save-load .import-export{display:-ms-flexbox;display:flex}.theme-tab .save-load-options .override,.theme-tab .save-load .override{margin-left:.5em}.theme-tab .save-load-options{-ms-flex-wrap:wrap;flex-wrap:wrap;margin-top:.5em;-ms-flex-pack:center;justify-content:center}.theme-tab .save-load-options .keep-option{margin:0 .5em .5em;min-width:25%}.theme-tab .preview-container{border-top:1px dashed;border-bottom:1px dashed;border-color:#222;border-color:var(--border,#222);margin:1em 0;padding:1em;background:var(--body-background-image);background-size:cover;background-position:50% 50%}.theme-tab .preview-container .dummy .post{font-family:var(--postFont);display:-ms-flexbox;display:flex}.theme-tab .preview-container .dummy .post .content{-ms-flex:1;flex:1}.theme-tab .preview-container .dummy .post .content h4{margin-bottom:.25em}.theme-tab .preview-container .dummy .post .content .icons{margin-top:.5em;display:-ms-flexbox;display:flex}.theme-tab .preview-container .dummy .post .content .icons i{margin-right:1em}.theme-tab .preview-container .dummy .after-post{margin-top:1em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.theme-tab .preview-container .dummy .avatar,.theme-tab .preview-container .dummy .avatar-alt{background:linear-gradient(135deg,#b8e1fc,#a9d2f3 10%,#90bae4 25%,#90bcea 37%,#90bff0 50%,#6ba8e5 51%,#a2daf5 83%,#bdf3fd);color:#000;font-family:sans-serif;text-align:center;margin-right:1em}.theme-tab .preview-container .dummy .avatar-alt{-ms-flex:0 auto;flex:0 auto;margin-left:28px;font-size:12px;min-width:20px;min-height:20px;line-height:20px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.theme-tab .preview-container .dummy .avatar{-ms-flex:0 auto;flex:0 auto;width:48px;height:48px;font-size:14px;line-height:48px}.theme-tab .preview-container .dummy .actions{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline}.theme-tab .preview-container .dummy .actions .checkbox{display:-ms-inline-flexbox;display:inline-flex;-ms-flex-align:baseline;align-items:baseline;margin-right:1em;-ms-flex:1;flex:1}.theme-tab .preview-container .dummy .separator{margin:1em;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222)}.theme-tab .preview-container .dummy .panel-heading .alert,.theme-tab .preview-container .dummy .panel-heading .badge,.theme-tab .preview-container .dummy .panel-heading .btn,.theme-tab .preview-container .dummy .panel-heading .faint{margin-left:1em;white-space:nowrap}.theme-tab .preview-container .dummy .panel-heading .faint{text-overflow:ellipsis;min-width:2em;overflow-x:hidden}.theme-tab .preview-container .dummy .panel-heading .flex-spacer{-ms-flex:1;flex:1}.theme-tab .preview-container .dummy .btn{margin-left:0;padding:0 1em;min-width:3em;min-height:30px}.theme-tab .apply-container{-ms-flex-pack:center;justify-content:center}.theme-tab .color-item,.theme-tab .radius-item{min-width:20em;margin:5px 6px 0 0;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex:1 1 0px;flex:1 1 0}.theme-tab .color-item.wide,.theme-tab .radius-item.wide{min-width:60%}.theme-tab .color-item:not(.wide):nth-child(odd),.theme-tab .radius-item:not(.wide):nth-child(odd){margin-right:7px}.theme-tab .color-item .color,.theme-tab .color-item .opacity,.theme-tab .radius-item .color,.theme-tab .radius-item .opacity{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline}.theme-tab .radius-item{-ms-flex-preferred-size:auto;flex-basis:auto}.theme-tab .theme-color-cl,.theme-tab .theme-radius-rn{border:0;box-shadow:none;background:transparent;color:var(--faint,hsla(240,1%,73%,.5));-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.theme-tab .theme-color-cl,.theme-tab .theme-color-in,.theme-tab .theme-radius-in{margin-left:4px}.theme-tab .theme-radius-in{min-width:1em;max-width:7em;-ms-flex:1;flex:1}.theme-tab .theme-radius-lb{max-width:50em}.theme-tab .theme-preview-content{padding:20px}.theme-tab .apply-container .btn{min-height:28px;min-width:10em;padding:0 2em}.theme-tab .btn{margin-left:.25em;margin-right:.25em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./color_input.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7e57f952\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".color-input,.color-input-field.input{display:-ms-inline-flexbox;display:inline-flex}.color-input-field.input{-ms-flex:0 0 0px;flex:0 0 0;max-width:9em;-ms-flex-align:stretch;align-items:stretch;padding:.2em 8px}.color-input-field.input input{background:none;color:#b9b9ba;color:var(--inputText,#b9b9ba);border:none;padding:0;margin:0}.color-input-field.input input.textColor{-ms-flex:1 0 3em;flex:1 0 3em;min-width:3em;padding:0}.color-input-field.input .computedIndicator,.color-input-field.input .transparentIndicator,.color-input-field.input input.nativeColor{-ms-flex:0 0 2em;flex:0 0 2em;min-width:2em;-ms-flex-item-align:center;-ms-grid-row-align:center;align-self:center;height:100%}.color-input-field.input .transparentIndicator{background-color:#f0f;position:relative}.color-input-field.input .transparentIndicator:after,.color-input-field.input .transparentIndicator:before{display:block;content:\\\"\\\";background-color:#000;position:absolute;height:50%;width:50%}.color-input-field.input .transparentIndicator:after{top:0;left:0}.color-input-field.input .transparentIndicator:before{bottom:0;right:0}.color-input .label{-ms-flex:1 1 auto;flex:1 1 auto}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=1!./color_input.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"6c632637\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".color-control input.text-input{max-width:7em;-ms-flex:1;flex:1}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./shadow_control.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"d219da80\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".shadow-control{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:center;justify-content:center;margin-bottom:1em}.shadow-control .shadow-preview-container,.shadow-control .shadow-tweak{margin:5px 6px 0 0}.shadow-control .shadow-preview-container{-ms-flex:0;flex:0;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.shadow-control .shadow-preview-container input[type=number]{width:5em;min-width:2em}.shadow-control .shadow-preview-container .x-shift-control,.shadow-control .shadow-preview-container .y-shift-control{display:-ms-flexbox;display:flex;-ms-flex:0;flex:0}.shadow-control .shadow-preview-container .x-shift-control[disabled=disabled] *,.shadow-control .shadow-preview-container .y-shift-control[disabled=disabled] *{opacity:.5}.shadow-control .shadow-preview-container .x-shift-control{-ms-flex-align:start;align-items:flex-start}.shadow-control .shadow-preview-container .x-shift-control .wrap,.shadow-control .shadow-preview-container input[type=range]{margin:0;width:15em;height:2em}.shadow-control .shadow-preview-container .y-shift-control{-ms-flex-direction:column;flex-direction:column;-ms-flex-align:end;align-items:flex-end}.shadow-control .shadow-preview-container .y-shift-control .wrap{width:2em;height:15em}.shadow-control .shadow-preview-container .y-shift-control input[type=range]{transform-origin:1em 1em;transform:rotate(90deg)}.shadow-control .shadow-preview-container .preview-window{-ms-flex:1;flex:1;background-color:#999;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;background-image:linear-gradient(45deg,#666 25%,transparent 0),linear-gradient(-45deg,#666 25%,transparent 0),linear-gradient(45deg,transparent 75%,#666 0),linear-gradient(-45deg,transparent 75%,#666 0);background-size:20px 20px;background-position:0 0,0 10px,10px -10px,-10px 0;border-radius:4px;border-radius:var(--inputRadius,4px)}.shadow-control .shadow-preview-container .preview-window .preview-block{width:33%;height:33%;background-color:#121a24;background-color:var(--bg,#121a24);border-radius:10px;border-radius:var(--panelRadius,10px)}.shadow-control .shadow-tweak{-ms-flex:1;flex:1;min-width:280px}.shadow-control .shadow-tweak .id-control{-ms-flex-align:stretch;align-items:stretch}.shadow-control .shadow-tweak .id-control .btn,.shadow-control .shadow-tweak .id-control .select{min-width:1px;margin-right:5px}.shadow-control .shadow-tweak .id-control .btn{padding:0 .4em;margin:0 .1em}.shadow-control .shadow-tweak .id-control .select{-ms-flex:1;flex:1}.shadow-control .shadow-tweak .id-control .select select{-ms-flex-item-align:initial;-ms-grid-row-align:initial;align-self:auto}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./font_control.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"d9c0acde\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".font-control input.custom-font{min-width:10em}.font-control.custom .select{border-top-right-radius:0;border-bottom-right-radius:0}.font-control.custom .custom-font{border-top-left-radius:0;border-bottom-left-radius:0}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./contrast_ratio.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"b94bc120\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".contrast-ratio{display:-ms-flexbox;display:flex;-ms-flex-pack:end;justify-content:flex-end;margin-top:-4px;margin-bottom:5px}.contrast-ratio .label{margin-right:1em}.contrast-ratio .rating{display:inline-block;text-align:center}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./export_import.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"66a4eaba\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".import-export-container{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-align:baseline;align-items:baseline;-ms-flex-pack:center;justify-content:center}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../../../node_modules/css-loader/index.js?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../../../node_modules/sass-loader/lib/loader.js!../../../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./preview.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"6fe23c76\", content, true, {});","exports = module.exports = require(\"../../../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".preview-container{position:relative}.underlay-preview{position:absolute;top:0;bottom:0;left:10px;right:10px}\", \"\"]);\n\n// exports\n","const Importer = {\n props: {\n submitHandler: {\n type: Function,\n required: true\n },\n submitButtonLabel: {\n type: String,\n default () {\n return this.$t('importer.submit')\n }\n },\n successMessage: {\n type: String,\n default () {\n return this.$t('importer.success')\n }\n },\n errorMessage: {\n type: String,\n default () {\n return this.$t('importer.error')\n }\n }\n },\n data () {\n return {\n file: null,\n error: false,\n success: false,\n submitting: false\n }\n },\n methods: {\n change () {\n this.file = this.$refs.input.files[0]\n },\n submit () {\n this.dismiss()\n this.submitting = true\n this.submitHandler(this.file)\n .then(() => { this.success = true })\n .catch(() => { this.error = true })\n .finally(() => { this.submitting = false })\n },\n dismiss () {\n this.success = false\n this.error = false\n }\n }\n}\n\nexport default Importer\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./importer.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./importer.js\"\nimport __vue_script__ from \"!!babel-loader!./importer.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4927596c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./importer.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"importer\"},[_c('form',[_c('input',{ref:\"input\",attrs:{\"type\":\"file\"},on:{\"change\":_vm.change}})]),_vm._v(\" \"),(_vm.submitting)?_c('i',{staticClass:\"icon-spin4 animate-spin importer-uploading\"}):_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.submit}},[_vm._v(\"\\n \"+_vm._s(_vm.submitButtonLabel)+\"\\n \")]),_vm._v(\" \"),(_vm.success)?_c('div',[_c('i',{staticClass:\"icon-cross\",on:{\"click\":_vm.dismiss}}),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.successMessage))])]):(_vm.error)?_c('div',[_c('i',{staticClass:\"icon-cross\",on:{\"click\":_vm.dismiss}}),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.errorMessage))])]):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const Exporter = {\n props: {\n getContent: {\n type: Function,\n required: true\n },\n filename: {\n type: String,\n default: 'export.csv'\n },\n exportButtonLabel: {\n type: String,\n default () {\n return this.$t('exporter.export')\n }\n },\n processingMessage: {\n type: String,\n default () {\n return this.$t('exporter.processing')\n }\n }\n },\n data () {\n return {\n processing: false\n }\n },\n methods: {\n process () {\n this.processing = true\n this.getContent()\n .then((content) => {\n const fileToDownload = document.createElement('a')\n fileToDownload.setAttribute('href', 'data:text/plain;charset=utf-8,' + encodeURIComponent(content))\n fileToDownload.setAttribute('download', this.filename)\n fileToDownload.style.display = 'none'\n document.body.appendChild(fileToDownload)\n fileToDownload.click()\n document.body.removeChild(fileToDownload)\n // Add delay before hiding processing state since browser takes some time to handle file download\n setTimeout(() => { this.processing = false }, 2000)\n })\n }\n }\n}\n\nexport default Exporter\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./exporter.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./exporter.js\"\nimport __vue_script__ from \"!!babel-loader!./exporter.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-7229517a\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./exporter.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"exporter\"},[(_vm.processing)?_c('div',[_c('i',{staticClass:\"icon-spin4 animate-spin exporter-processing\"}),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(_vm.processingMessage))])]):_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.process}},[_vm._v(\"\\n \"+_vm._s(_vm.exportButtonLabel)+\"\\n \")])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Importer from 'src/components/importer/importer.vue'\nimport Exporter from 'src/components/exporter/exporter.vue'\nimport Checkbox from 'src/components/checkbox/checkbox.vue'\n\nconst DataImportExportTab = {\n data () {\n return {\n activeTab: 'profile',\n newDomainToMute: ''\n }\n },\n created () {\n this.$store.dispatch('fetchTokens')\n },\n components: {\n Importer,\n Exporter,\n Checkbox\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n }\n },\n methods: {\n getFollowsContent () {\n return this.$store.state.api.backendInteractor.exportFriends({ id: this.$store.state.users.currentUser.id })\n .then(this.generateExportableUsersContent)\n },\n getBlocksContent () {\n return this.$store.state.api.backendInteractor.fetchBlocks()\n .then(this.generateExportableUsersContent)\n },\n importFollows (file) {\n return this.$store.state.api.backendInteractor.importFollows({ file })\n .then((status) => {\n if (!status) {\n throw new Error('failed')\n }\n })\n },\n importBlocks (file) {\n return this.$store.state.api.backendInteractor.importBlocks({ file })\n .then((status) => {\n if (!status) {\n throw new Error('failed')\n }\n })\n },\n generateExportableUsersContent (users) {\n // Get addresses\n return users.map((user) => {\n // check is it's a local user\n if (user && user.is_local) {\n // append the instance address\n // eslint-disable-next-line no-undef\n return user.screen_name + '@' + location.hostname\n }\n return user.screen_name\n }).join('\\n')\n }\n }\n}\n\nexport default DataImportExportTab\n","/* script */\nexport * from \"!!babel-loader!./data_import_export_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./data_import_export_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-692dc80e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./data_import_export_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{attrs:{\"label\":_vm.$t('settings.data_import_export_tab')}},[_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.follow_import')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.import_followers_from_a_csv_file')))]),_vm._v(\" \"),_c('Importer',{attrs:{\"submit-handler\":_vm.importFollows,\"success-message\":_vm.$t('settings.follows_imported'),\"error-message\":_vm.$t('settings.follow_import_error')}})],1),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.follow_export')))]),_vm._v(\" \"),_c('Exporter',{attrs:{\"get-content\":_vm.getFollowsContent,\"filename\":\"friends.csv\",\"export-button-label\":_vm.$t('settings.follow_export_button')}})],1),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.block_import')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.import_blocks_from_a_csv_file')))]),_vm._v(\" \"),_c('Importer',{attrs:{\"submit-handler\":_vm.importBlocks,\"success-message\":_vm.$t('settings.blocks_imported'),\"error-message\":_vm.$t('settings.block_import_error')}})],1),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.block_export')))]),_vm._v(\" \"),_c('Exporter',{attrs:{\"get-content\":_vm.getBlocksContent,\"filename\":\"blocks.csv\",\"export-button-label\":_vm.$t('settings.block_export_button')}})],1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const debounceMilliseconds = 500\n\nexport default {\n props: {\n query: { // function to query results and return a promise\n type: Function,\n required: true\n },\n filter: { // function to filter results in real time\n type: Function\n },\n placeholder: {\n type: String,\n default: 'Search...'\n }\n },\n data () {\n return {\n term: '',\n timeout: null,\n results: [],\n resultsVisible: false\n }\n },\n computed: {\n filtered () {\n return this.filter ? this.filter(this.results) : this.results\n }\n },\n watch: {\n term (val) {\n this.fetchResults(val)\n }\n },\n methods: {\n fetchResults (term) {\n clearTimeout(this.timeout)\n this.timeout = setTimeout(() => {\n this.results = []\n if (term) {\n this.query(term).then((results) => { this.results = results })\n }\n }, debounceMilliseconds)\n },\n onInputClick () {\n this.resultsVisible = true\n },\n onClickOutside () {\n this.resultsVisible = false\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./autosuggest.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./autosuggest.js\"\nimport __vue_script__ from \"!!babel-loader!./autosuggest.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-105e6799\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./autosuggest.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{directives:[{name:\"click-outside\",rawName:\"v-click-outside\",value:(_vm.onClickOutside),expression:\"onClickOutside\"}],staticClass:\"autosuggest\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.term),expression:\"term\"}],staticClass:\"autosuggest-input\",attrs:{\"placeholder\":_vm.placeholder},domProps:{\"value\":(_vm.term)},on:{\"click\":_vm.onInputClick,\"input\":function($event){if($event.target.composing){ return; }_vm.term=$event.target.value}}}),_vm._v(\" \"),(_vm.resultsVisible && _vm.filtered.length > 0)?_c('div',{staticClass:\"autosuggest-results\"},[_vm._l((_vm.filtered),function(item){return _vm._t(\"default\",null,{\"item\":item})})],2):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import BasicUserCard from '../basic_user_card/basic_user_card.vue'\n\nconst BlockCard = {\n props: ['userId'],\n data () {\n return {\n progress: false\n }\n },\n computed: {\n user () {\n return this.$store.getters.findUser(this.userId)\n },\n relationship () {\n return this.$store.getters.relationship(this.userId)\n },\n blocked () {\n return this.relationship.blocking\n }\n },\n components: {\n BasicUserCard\n },\n methods: {\n unblockUser () {\n this.progress = true\n this.$store.dispatch('unblockUser', this.user.id).then(() => {\n this.progress = false\n })\n },\n blockUser () {\n this.progress = true\n this.$store.dispatch('blockUser', this.user.id).then(() => {\n this.progress = false\n })\n }\n }\n}\n\nexport default BlockCard\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./block_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./block_card.js\"\nimport __vue_script__ from \"!!babel-loader!./block_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-633eab92\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./block_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('basic-user-card',{attrs:{\"user\":_vm.user}},[_c('div',{staticClass:\"block-card-content-container\"},[(_vm.blocked)?_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.progress},on:{\"click\":_vm.unblockUser}},[(_vm.progress)?[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unblock_progress'))+\"\\n \")]:[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unblock'))+\"\\n \")]],2):_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.progress},on:{\"click\":_vm.blockUser}},[(_vm.progress)?[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.block_progress'))+\"\\n \")]:[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.block'))+\"\\n \")]],2)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import BasicUserCard from '../basic_user_card/basic_user_card.vue'\n\nconst MuteCard = {\n props: ['userId'],\n data () {\n return {\n progress: false\n }\n },\n computed: {\n user () {\n return this.$store.getters.findUser(this.userId)\n },\n relationship () {\n return this.$store.getters.relationship(this.userId)\n },\n muted () {\n return this.relationship.muting\n }\n },\n components: {\n BasicUserCard\n },\n methods: {\n unmuteUser () {\n this.progress = true\n this.$store.dispatch('unmuteUser', this.userId).then(() => {\n this.progress = false\n })\n },\n muteUser () {\n this.progress = true\n this.$store.dispatch('muteUser', this.userId).then(() => {\n this.progress = false\n })\n }\n }\n}\n\nexport default MuteCard\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./mute_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./mute_card.js\"\nimport __vue_script__ from \"!!babel-loader!./mute_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4de27707\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mute_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('basic-user-card',{attrs:{\"user\":_vm.user}},[_c('div',{staticClass:\"mute-card-content-container\"},[(_vm.muted)?_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.progress},on:{\"click\":_vm.unmuteUser}},[(_vm.progress)?[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unmute_progress'))+\"\\n \")]:[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unmute'))+\"\\n \")]],2):_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.progress},on:{\"click\":_vm.muteUser}},[(_vm.progress)?[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.mute_progress'))+\"\\n \")]:[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.mute'))+\"\\n \")]],2)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import ProgressButton from '../progress_button/progress_button.vue'\n\nconst DomainMuteCard = {\n props: ['domain'],\n components: {\n ProgressButton\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n },\n muted () {\n return this.user.domainMutes.includes(this.domain)\n }\n },\n methods: {\n unmuteDomain () {\n return this.$store.dispatch('unmuteDomain', this.domain)\n },\n muteDomain () {\n return this.$store.dispatch('muteDomain', this.domain)\n }\n }\n}\n\nexport default DomainMuteCard\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./domain_mute_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./domain_mute_card.js\"\nimport __vue_script__ from \"!!babel-loader!./domain_mute_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-518cc24e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./domain_mute_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"domain-mute-card\"},[_c('div',{staticClass:\"domain-mute-card-domain\"},[_vm._v(\"\\n \"+_vm._s(_vm.domain)+\"\\n \")]),_vm._v(\" \"),(_vm.muted)?_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":_vm.unmuteDomain}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('domain_mute_card.unmute'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('domain_mute_card.unmute_progress'))+\"\\n \")])],2):_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":_vm.muteDomain}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('domain_mute_card.mute'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('domain_mute_card.mute_progress'))+\"\\n \")])],2)],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import List from '../list/list.vue'\nimport Checkbox from '../checkbox/checkbox.vue'\n\nconst SelectableList = {\n components: {\n List,\n Checkbox\n },\n props: {\n items: {\n type: Array,\n default: () => []\n },\n getKey: {\n type: Function,\n default: item => item.id\n }\n },\n data () {\n return {\n selected: []\n }\n },\n computed: {\n allKeys () {\n return this.items.map(this.getKey)\n },\n filteredSelected () {\n return this.allKeys.filter(key => this.selected.indexOf(key) !== -1)\n },\n allSelected () {\n return this.filteredSelected.length === this.items.length\n },\n noneSelected () {\n return this.filteredSelected.length === 0\n },\n someSelected () {\n return !this.allSelected && !this.noneSelected\n }\n },\n methods: {\n isSelected (item) {\n return this.filteredSelected.indexOf(this.getKey(item)) !== -1\n },\n toggle (checked, item) {\n const key = this.getKey(item)\n const oldChecked = this.isSelected(key)\n if (checked !== oldChecked) {\n if (checked) {\n this.selected.push(key)\n } else {\n this.selected.splice(this.selected.indexOf(key), 1)\n }\n }\n },\n toggleAll (value) {\n if (value) {\n this.selected = this.allKeys.slice(0)\n } else {\n this.selected = []\n }\n }\n }\n}\n\nexport default SelectableList\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./selectable_list.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./selectable_list.js\"\nimport __vue_script__ from \"!!babel-loader!./selectable_list.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-059c811c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./selectable_list.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"selectable-list\"},[(_vm.items.length > 0)?_c('div',{staticClass:\"selectable-list-header\"},[_c('div',{staticClass:\"selectable-list-checkbox-wrapper\"},[_c('Checkbox',{attrs:{\"checked\":_vm.allSelected,\"indeterminate\":_vm.someSelected},on:{\"change\":_vm.toggleAll}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('selectable_list.select_all'))+\"\\n \")])],1),_vm._v(\" \"),_c('div',{staticClass:\"selectable-list-header-actions\"},[_vm._t(\"header\",null,{\"selected\":_vm.filteredSelected})],2)]):_vm._e(),_vm._v(\" \"),_c('List',{attrs:{\"items\":_vm.items,\"get-key\":_vm.getKey},scopedSlots:_vm._u([{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('div',{staticClass:\"selectable-list-item-inner\",class:{ 'selectable-list-item-selected-inner': _vm.isSelected(item) }},[_c('div',{staticClass:\"selectable-list-checkbox-wrapper\"},[_c('Checkbox',{attrs:{\"checked\":_vm.isSelected(item)},on:{\"change\":function (checked) { return _vm.toggle(checked, item); }}})],1),_vm._v(\" \"),_vm._t(\"item\",null,{\"item\":item})],2)]}}],null,true)},[_vm._v(\" \"),_c('template',{slot:\"empty\"},[_vm._t(\"empty\")],2)],2)],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Vue from 'vue'\nimport isEmpty from 'lodash/isEmpty'\nimport { getComponentProps } from '../../services/component_utils/component_utils'\nimport './with_subscription.scss'\n\nconst withSubscription = ({\n fetch, // function to fetch entries and return a promise\n select, // function to select data from store\n childPropName = 'content', // name of the prop to be passed into the wrapped component\n additionalPropNames = [] // additional prop name list of the wrapper component\n}) => (WrappedComponent) => {\n const originalProps = Object.keys(getComponentProps(WrappedComponent))\n const props = originalProps.filter(v => v !== childPropName).concat(additionalPropNames)\n\n return Vue.component('withSubscription', {\n props: [\n ...props,\n 'refresh' // boolean saying to force-fetch data whenever created\n ],\n data () {\n return {\n loading: false,\n error: false\n }\n },\n computed: {\n fetchedData () {\n return select(this.$props, this.$store)\n }\n },\n created () {\n if (this.refresh || isEmpty(this.fetchedData)) {\n this.fetchData()\n }\n },\n methods: {\n fetchData () {\n if (!this.loading) {\n this.loading = true\n this.error = false\n fetch(this.$props, this.$store)\n .then(() => {\n this.loading = false\n })\n .catch(() => {\n this.error = true\n this.loading = false\n })\n }\n }\n },\n render (h) {\n if (!this.error && !this.loading) {\n const props = {\n props: {\n ...this.$props,\n [childPropName]: this.fetchedData\n },\n on: this.$listeners,\n scopedSlots: this.$scopedSlots\n }\n const children = Object.entries(this.$slots).map(([key, value]) => h('template', { slot: key }, value))\n return (\n <div class=\"with-subscription\">\n <WrappedComponent {...props}>\n {children}\n </WrappedComponent>\n </div>\n )\n } else {\n return (\n <div class=\"with-subscription-loading\">\n {this.error\n ? <a onClick={this.fetchData} class=\"alert error\">{this.$t('general.generic_error')}</a>\n : <i class=\"icon-spin3 animate-spin\"/>\n }\n </div>\n )\n }\n }\n })\n}\n\nexport default withSubscription\n","import get from 'lodash/get'\nimport map from 'lodash/map'\nimport reject from 'lodash/reject'\nimport Autosuggest from 'src/components/autosuggest/autosuggest.vue'\nimport TabSwitcher from 'src/components/tab_switcher/tab_switcher.js'\nimport BlockCard from 'src/components/block_card/block_card.vue'\nimport MuteCard from 'src/components/mute_card/mute_card.vue'\nimport DomainMuteCard from 'src/components/domain_mute_card/domain_mute_card.vue'\nimport SelectableList from 'src/components/selectable_list/selectable_list.vue'\nimport ProgressButton from 'src/components/progress_button/progress_button.vue'\nimport withSubscription from 'src/components/../hocs/with_subscription/with_subscription'\nimport Checkbox from 'src/components/checkbox/checkbox.vue'\n\nconst BlockList = withSubscription({\n fetch: (props, $store) => $store.dispatch('fetchBlocks'),\n select: (props, $store) => get($store.state.users.currentUser, 'blockIds', []),\n childPropName: 'items'\n})(SelectableList)\n\nconst MuteList = withSubscription({\n fetch: (props, $store) => $store.dispatch('fetchMutes'),\n select: (props, $store) => get($store.state.users.currentUser, 'muteIds', []),\n childPropName: 'items'\n})(SelectableList)\n\nconst DomainMuteList = withSubscription({\n fetch: (props, $store) => $store.dispatch('fetchDomainMutes'),\n select: (props, $store) => get($store.state.users.currentUser, 'domainMutes', []),\n childPropName: 'items'\n})(SelectableList)\n\nconst MutesAndBlocks = {\n data () {\n return {\n activeTab: 'profile'\n }\n },\n created () {\n this.$store.dispatch('fetchTokens')\n this.$store.dispatch('getKnownDomains')\n },\n components: {\n TabSwitcher,\n BlockList,\n MuteList,\n DomainMuteList,\n BlockCard,\n MuteCard,\n DomainMuteCard,\n ProgressButton,\n Autosuggest,\n Checkbox\n },\n computed: {\n knownDomains () {\n return this.$store.state.instance.knownDomains\n },\n user () {\n return this.$store.state.users.currentUser\n }\n },\n methods: {\n importFollows (file) {\n return this.$store.state.api.backendInteractor.importFollows({ file })\n .then((status) => {\n if (!status) {\n throw new Error('failed')\n }\n })\n },\n importBlocks (file) {\n return this.$store.state.api.backendInteractor.importBlocks({ file })\n .then((status) => {\n if (!status) {\n throw new Error('failed')\n }\n })\n },\n generateExportableUsersContent (users) {\n // Get addresses\n return users.map((user) => {\n // check is it's a local user\n if (user && user.is_local) {\n // append the instance address\n // eslint-disable-next-line no-undef\n return user.screen_name + '@' + location.hostname\n }\n return user.screen_name\n }).join('\\n')\n },\n activateTab (tabName) {\n this.activeTab = tabName\n },\n filterUnblockedUsers (userIds) {\n return reject(userIds, (userId) => {\n const relationship = this.$store.getters.relationship(this.userId)\n return relationship.blocking || userId === this.user.id\n })\n },\n filterUnMutedUsers (userIds) {\n return reject(userIds, (userId) => {\n const relationship = this.$store.getters.relationship(this.userId)\n return relationship.muting || userId === this.user.id\n })\n },\n queryUserIds (query) {\n return this.$store.dispatch('searchUsers', { query })\n .then((users) => map(users, 'id'))\n },\n blockUsers (ids) {\n return this.$store.dispatch('blockUsers', ids)\n },\n unblockUsers (ids) {\n return this.$store.dispatch('unblockUsers', ids)\n },\n muteUsers (ids) {\n return this.$store.dispatch('muteUsers', ids)\n },\n unmuteUsers (ids) {\n return this.$store.dispatch('unmuteUsers', ids)\n },\n filterUnMutedDomains (urls) {\n return urls.filter(url => !this.user.domainMutes.includes(url))\n },\n queryKnownDomains (query) {\n return new Promise((resolve, reject) => {\n resolve(this.knownDomains.filter(url => url.toLowerCase().includes(query)))\n })\n },\n unmuteDomains (domains) {\n return this.$store.dispatch('unmuteDomains', domains)\n }\n }\n}\n\nexport default MutesAndBlocks\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./mutes_and_blocks_tab.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./mutes_and_blocks_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./mutes_and_blocks_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-269be5bc\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mutes_and_blocks_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('tab-switcher',{staticClass:\"mutes-and-blocks-tab\",attrs:{\"scrollable-tabs\":true}},[_c('div',{attrs:{\"label\":_vm.$t('settings.blocks_tab')}},[_c('div',{staticClass:\"usersearch-wrapper\"},[_c('Autosuggest',{attrs:{\"filter\":_vm.filterUnblockedUsers,\"query\":_vm.queryUserIds,\"placeholder\":_vm.$t('settings.search_user_to_block')},scopedSlots:_vm._u([{key:\"default\",fn:function(row){return _c('BlockCard',{attrs:{\"user-id\":row.item}})}}])})],1),_vm._v(\" \"),_c('BlockList',{attrs:{\"refresh\":true,\"get-key\":function (i) { return i; }},scopedSlots:_vm._u([{key:\"header\",fn:function(ref){\nvar selected = ref.selected;\nreturn [_c('div',{staticClass:\"bulk-actions\"},[(selected.length > 0)?_c('ProgressButton',{staticClass:\"btn btn-default bulk-action-button\",attrs:{\"click\":function () { return _vm.blockUsers(selected); }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.block'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.block_progress'))+\"\\n \")])],2):_vm._e(),_vm._v(\" \"),(selected.length > 0)?_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":function () { return _vm.unblockUsers(selected); }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unblock'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unblock_progress'))+\"\\n \")])],2):_vm._e()],1)]}},{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('BlockCard',{attrs:{\"user-id\":item}})]}}])},[_vm._v(\" \"),_vm._v(\" \"),_c('template',{slot:\"empty\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.no_blocks'))+\"\\n \")])],2)],1),_vm._v(\" \"),_c('div',{attrs:{\"label\":_vm.$t('settings.mutes_tab')}},[_c('tab-switcher',[_c('div',{attrs:{\"label\":\"Users\"}},[_c('div',{staticClass:\"usersearch-wrapper\"},[_c('Autosuggest',{attrs:{\"filter\":_vm.filterUnMutedUsers,\"query\":_vm.queryUserIds,\"placeholder\":_vm.$t('settings.search_user_to_mute')},scopedSlots:_vm._u([{key:\"default\",fn:function(row){return _c('MuteCard',{attrs:{\"user-id\":row.item}})}}])})],1),_vm._v(\" \"),_c('MuteList',{attrs:{\"refresh\":true,\"get-key\":function (i) { return i; }},scopedSlots:_vm._u([{key:\"header\",fn:function(ref){\nvar selected = ref.selected;\nreturn [_c('div',{staticClass:\"bulk-actions\"},[(selected.length > 0)?_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":function () { return _vm.muteUsers(selected); }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.mute'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.mute_progress'))+\"\\n \")])],2):_vm._e(),_vm._v(\" \"),(selected.length > 0)?_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":function () { return _vm.unmuteUsers(selected); }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unmute'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unmute_progress'))+\"\\n \")])],2):_vm._e()],1)]}},{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('MuteCard',{attrs:{\"user-id\":item}})]}}])},[_vm._v(\" \"),_vm._v(\" \"),_c('template',{slot:\"empty\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.no_mutes'))+\"\\n \")])],2)],1),_vm._v(\" \"),_c('div',{attrs:{\"label\":_vm.$t('settings.domain_mutes')}},[_c('div',{staticClass:\"domain-mute-form\"},[_c('Autosuggest',{attrs:{\"filter\":_vm.filterUnMutedDomains,\"query\":_vm.queryKnownDomains,\"placeholder\":_vm.$t('settings.type_domains_to_mute')},scopedSlots:_vm._u([{key:\"default\",fn:function(row){return _c('DomainMuteCard',{attrs:{\"domain\":row.item}})}}])})],1),_vm._v(\" \"),_c('DomainMuteList',{attrs:{\"refresh\":true,\"get-key\":function (i) { return i; }},scopedSlots:_vm._u([{key:\"header\",fn:function(ref){\nvar selected = ref.selected;\nreturn [_c('div',{staticClass:\"bulk-actions\"},[(selected.length > 0)?_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":function () { return _vm.unmuteDomains(selected); }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('domain_mute_card.unmute'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('domain_mute_card.unmute_progress'))+\"\\n \")])],2):_vm._e()],1)]}},{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('DomainMuteCard',{attrs:{\"domain\":item}})]}}])},[_vm._v(\" \"),_vm._v(\" \"),_c('template',{slot:\"empty\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.no_mutes'))+\"\\n \")])],2)],1)])],1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Checkbox from 'src/components/checkbox/checkbox.vue'\n\nconst NotificationsTab = {\n data () {\n return {\n activeTab: 'profile',\n notificationSettings: this.$store.state.users.currentUser.notification_settings,\n newDomainToMute: ''\n }\n },\n components: {\n Checkbox\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n }\n },\n methods: {\n updateNotificationSettings () {\n this.$store.state.api.backendInteractor\n .updateNotificationSettings({ settings: this.notificationSettings })\n }\n }\n}\n\nexport default NotificationsTab\n","/* script */\nexport * from \"!!babel-loader!./notifications_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./notifications_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-772f86b8\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./notifications_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{attrs:{\"label\":_vm.$t('settings.notifications')}},[_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.notification_setting_filters')))]),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.notificationSettings.block_from_strangers),callback:function ($$v) {_vm.$set(_vm.notificationSettings, \"block_from_strangers\", $$v)},expression:\"notificationSettings.block_from_strangers\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_setting_block_from_strangers'))+\"\\n \")])],1)]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.notification_setting_privacy')))]),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.notificationSettings.hide_notification_contents),callback:function ($$v) {_vm.$set(_vm.notificationSettings, \"hide_notification_contents\", $$v)},expression:\"notificationSettings.hide_notification_contents\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_setting_hide_notification_contents'))+\"\\n \")])],1)]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('p',[_vm._v(_vm._s(_vm.$t('settings.notification_mutes')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.notification_blocks')))]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.updateNotificationSettings}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import {\n instanceDefaultProperties,\n multiChoiceProperties,\n defaultState as configDefaultState\n} from 'src/modules/config.js'\n\nconst SharedComputedObject = () => ({\n user () {\n return this.$store.state.users.currentUser\n },\n // Getting localized values for instance-default properties\n ...instanceDefaultProperties\n .filter(key => multiChoiceProperties.includes(key))\n .map(key => [\n key + 'DefaultValue',\n function () {\n return this.$store.getters.instanceDefaultConfig[key]\n }\n ])\n .reduce((acc, [key, value]) => ({ ...acc, [key]: value }), {}),\n ...instanceDefaultProperties\n .filter(key => !multiChoiceProperties.includes(key))\n .map(key => [\n key + 'LocalizedValue',\n function () {\n return this.$t('settings.values.' + this.$store.getters.instanceDefaultConfig[key])\n }\n ])\n .reduce((acc, [key, value]) => ({ ...acc, [key]: value }), {}),\n // Generating computed values for vuex properties\n ...Object.keys(configDefaultState)\n .map(key => [key, {\n get () { return this.$store.getters.mergedConfig[key] },\n set (value) {\n this.$store.dispatch('setOption', { name: key, value })\n }\n }])\n .reduce((acc, [key, value]) => ({ ...acc, [key]: value }), {}),\n // Special cases (need to transform values or perform actions first)\n useStreamingApi: {\n get () { return this.$store.getters.mergedConfig.useStreamingApi },\n set (value) {\n const promise = value\n ? this.$store.dispatch('enableMastoSockets')\n : this.$store.dispatch('disableMastoSockets')\n\n promise.then(() => {\n this.$store.dispatch('setOption', { name: 'useStreamingApi', value })\n }).catch((e) => {\n console.error('Failed starting MastoAPI Streaming socket', e)\n this.$store.dispatch('disableMastoSockets')\n this.$store.dispatch('setOption', { name: 'useStreamingApi', value: false })\n })\n }\n }\n})\n\nexport default SharedComputedObject\n","import { filter, trim } from 'lodash'\nimport Checkbox from 'src/components/checkbox/checkbox.vue'\n\nimport SharedComputedObject from '../helpers/shared_computed_object.js'\n\nconst FilteringTab = {\n data () {\n return {\n muteWordsStringLocal: this.$store.getters.mergedConfig.muteWords.join('\\n')\n }\n },\n components: {\n Checkbox\n },\n computed: {\n ...SharedComputedObject(),\n muteWordsString: {\n get () {\n return this.muteWordsStringLocal\n },\n set (value) {\n this.muteWordsStringLocal = value\n this.$store.dispatch('setOption', {\n name: 'muteWords',\n value: filter(value.split('\\n'), (word) => trim(word).length > 0)\n })\n }\n }\n },\n // Updating nested properties\n watch: {\n notificationVisibility: {\n handler (value) {\n this.$store.dispatch('setOption', {\n name: 'notificationVisibility',\n value: this.$store.getters.mergedConfig.notificationVisibility\n })\n },\n deep: true\n },\n replyVisibility () {\n this.$store.dispatch('queueFlushAll')\n }\n }\n}\n\nexport default FilteringTab\n","/* script */\nexport * from \"!!babel-loader!./filtering_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./filtering_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2f030fed\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./filtering_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{attrs:{\"label\":_vm.$t('settings.filtering')}},[_c('div',{staticClass:\"setting-item\"},[_c('div',{staticClass:\"select-multiple\"},[_c('span',{staticClass:\"label\"},[_vm._v(_vm._s(_vm.$t('settings.notification_visibility')))]),_vm._v(\" \"),_c('ul',{staticClass:\"option-list\"},[_c('li',[_c('Checkbox',{model:{value:(_vm.notificationVisibility.likes),callback:function ($$v) {_vm.$set(_vm.notificationVisibility, \"likes\", $$v)},expression:\"notificationVisibility.likes\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_visibility_likes'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.notificationVisibility.repeats),callback:function ($$v) {_vm.$set(_vm.notificationVisibility, \"repeats\", $$v)},expression:\"notificationVisibility.repeats\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_visibility_repeats'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.notificationVisibility.follows),callback:function ($$v) {_vm.$set(_vm.notificationVisibility, \"follows\", $$v)},expression:\"notificationVisibility.follows\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_visibility_follows'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.notificationVisibility.mentions),callback:function ($$v) {_vm.$set(_vm.notificationVisibility, \"mentions\", $$v)},expression:\"notificationVisibility.mentions\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_visibility_mentions'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.notificationVisibility.moves),callback:function ($$v) {_vm.$set(_vm.notificationVisibility, \"moves\", $$v)},expression:\"notificationVisibility.moves\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_visibility_moves'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.notificationVisibility.emojiReactions),callback:function ($$v) {_vm.$set(_vm.notificationVisibility, \"emojiReactions\", $$v)},expression:\"notificationVisibility.emojiReactions\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_visibility_emoji_reactions'))+\"\\n \")])],1)])]),_vm._v(\" \"),_c('div',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.replies_in_timeline'))+\"\\n \"),_c('label',{staticClass:\"select\",attrs:{\"for\":\"replyVisibility\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.replyVisibility),expression:\"replyVisibility\"}],attrs:{\"id\":\"replyVisibility\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.replyVisibility=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},[_c('option',{attrs:{\"value\":\"all\",\"selected\":\"\"}},[_vm._v(_vm._s(_vm.$t('settings.reply_visibility_all')))]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"following\"}},[_vm._v(_vm._s(_vm.$t('settings.reply_visibility_following')))]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"self\"}},[_vm._v(_vm._s(_vm.$t('settings.reply_visibility_self')))])]),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])]),_vm._v(\" \"),_c('div',[_c('Checkbox',{model:{value:(_vm.hidePostStats),callback:function ($$v) {_vm.hidePostStats=$$v},expression:\"hidePostStats\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_post_stats'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.hidePostStatsLocalizedValue }))+\"\\n \")])],1),_vm._v(\" \"),_c('div',[_c('Checkbox',{model:{value:(_vm.hideUserStats),callback:function ($$v) {_vm.hideUserStats=$$v},expression:\"hideUserStats\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_user_stats'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.hideUserStatsLocalizedValue }))+\"\\n \")])],1)]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.filtering_explanation')))]),_vm._v(\" \"),_c('textarea',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.muteWordsString),expression:\"muteWordsString\"}],attrs:{\"id\":\"muteWords\"},domProps:{\"value\":(_vm.muteWordsString)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.muteWordsString=$event.target.value}}})]),_vm._v(\" \"),_c('div',[_c('Checkbox',{model:{value:(_vm.hideFilteredStatuses),callback:function ($$v) {_vm.hideFilteredStatuses=$$v},expression:\"hideFilteredStatuses\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_filtered_statuses'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.hideFilteredStatusesLocalizedValue }))+\"\\n \")])],1)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","export default {\n props: {\n backupCodes: {\n type: Object,\n default: () => ({\n inProgress: false,\n codes: []\n })\n }\n },\n data: () => ({}),\n computed: {\n inProgress () { return this.backupCodes.inProgress },\n ready () { return this.backupCodes.codes.length > 0 },\n displayTitle () { return this.inProgress || this.ready }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./mfa_backup_codes.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./mfa_backup_codes.js\"\nimport __vue_script__ from \"!!babel-loader!./mfa_backup_codes.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1284fe74\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mfa_backup_codes.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"mfa-backup-codes\"},[(_vm.displayTitle)?_c('h4',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.recovery_codes'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.inProgress)?_c('i',[_vm._v(_vm._s(_vm.$t('settings.mfa.waiting_a_recovery_codes')))]):_vm._e(),_vm._v(\" \"),(_vm.ready)?[_c('p',{staticClass:\"alert warning\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.recovery_codes_warning'))+\"\\n \")]),_vm._v(\" \"),_c('ul',{staticClass:\"backup-codes\"},_vm._l((_vm.backupCodes.codes),function(code){return _c('li',{key:code},[_vm._v(\"\\n \"+_vm._s(code)+\"\\n \")])}),0)]:_vm._e()],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const Confirm = {\n props: ['disabled'],\n data: () => ({}),\n methods: {\n confirm () { this.$emit('confirm') },\n cancel () { this.$emit('cancel') }\n }\n}\nexport default Confirm\n","/* script */\nexport * from \"!!babel-loader!./confirm.js\"\nimport __vue_script__ from \"!!babel-loader!./confirm.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2cc3a2de\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./confirm.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_vm._t(\"default\"),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.disabled},on:{\"click\":_vm.confirm}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.confirm'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.disabled},on:{\"click\":_vm.cancel}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.cancel'))+\"\\n \")])],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Confirm from './confirm.vue'\nimport { mapState } from 'vuex'\n\nexport default {\n props: ['settings'],\n data: () => ({\n error: false,\n currentPassword: '',\n deactivate: false,\n inProgress: false // progress peform request to disable otp method\n }),\n components: {\n 'confirm': Confirm\n },\n computed: {\n isActivated () {\n return this.settings.totp\n },\n ...mapState({\n backendInteractor: (state) => state.api.backendInteractor\n })\n },\n methods: {\n doActivate () {\n this.$emit('activate')\n },\n cancelDeactivate () { this.deactivate = false },\n doDeactivate () {\n this.error = null\n this.deactivate = true\n },\n confirmDeactivate () { // confirm deactivate TOTP method\n this.error = null\n this.inProgress = true\n this.backendInteractor.mfaDisableOTP({\n password: this.currentPassword\n })\n .then((res) => {\n this.inProgress = false\n if (res.error) {\n this.error = res.error\n return\n }\n this.deactivate = false\n this.$emit('deactivate')\n })\n }\n }\n}\n","import RecoveryCodes from './mfa_backup_codes.vue'\nimport TOTP from './mfa_totp.vue'\nimport Confirm from './confirm.vue'\nimport VueQrcode from '@chenfengyuan/vue-qrcode'\nimport { mapState } from 'vuex'\n\nconst Mfa = {\n data: () => ({\n settings: { // current settings of MFA\n available: false,\n enabled: false,\n totp: false\n },\n setupState: { // setup mfa\n state: '', // state of setup. '' -> 'getBackupCodes' -> 'setupOTP' -> 'complete'\n setupOTPState: '' // state of setup otp. '' -> 'prepare' -> 'confirm' -> 'complete'\n },\n backupCodes: {\n getNewCodes: false,\n inProgress: false, // progress of fetch codes\n codes: []\n },\n otpSettings: { // pre-setup setting of OTP. secret key, qrcode url.\n provisioning_uri: '',\n key: ''\n },\n currentPassword: null,\n otpConfirmToken: null,\n error: null,\n readyInit: false\n }),\n components: {\n 'recovery-codes': RecoveryCodes,\n 'totp-item': TOTP,\n 'qrcode': VueQrcode,\n 'confirm': Confirm\n },\n computed: {\n canSetupOTP () {\n return (\n (this.setupInProgress && this.backupCodesPrepared) ||\n this.settings.enabled\n ) && !this.settings.totp && !this.setupOTPInProgress\n },\n setupInProgress () {\n return this.setupState.state !== '' && this.setupState.state !== 'complete'\n },\n setupOTPInProgress () {\n return this.setupState.state === 'setupOTP' && !this.completedOTP\n },\n prepareOTP () {\n return this.setupState.setupOTPState === 'prepare'\n },\n confirmOTP () {\n return this.setupState.setupOTPState === 'confirm'\n },\n completedOTP () {\n return this.setupState.setupOTPState === 'completed'\n },\n backupCodesPrepared () {\n return !this.backupCodes.inProgress && this.backupCodes.codes.length > 0\n },\n confirmNewBackupCodes () {\n return this.backupCodes.getNewCodes\n },\n ...mapState({\n backendInteractor: (state) => state.api.backendInteractor\n })\n },\n\n methods: {\n activateOTP () {\n if (!this.settings.enabled) {\n this.setupState.state = 'getBackupcodes'\n this.fetchBackupCodes()\n }\n },\n fetchBackupCodes () {\n this.backupCodes.inProgress = true\n this.backupCodes.codes = []\n\n return this.backendInteractor.generateMfaBackupCodes()\n .then((res) => {\n this.backupCodes.codes = res.codes\n this.backupCodes.inProgress = false\n })\n },\n getBackupCodes () { // get a new backup codes\n this.backupCodes.getNewCodes = true\n },\n confirmBackupCodes () { // confirm getting new backup codes\n this.fetchBackupCodes().then((res) => {\n this.backupCodes.getNewCodes = false\n })\n },\n cancelBackupCodes () { // cancel confirm form of new backup codes\n this.backupCodes.getNewCodes = false\n },\n\n // Setup OTP\n setupOTP () { // prepare setup OTP\n this.setupState.state = 'setupOTP'\n this.setupState.setupOTPState = 'prepare'\n this.backendInteractor.mfaSetupOTP()\n .then((res) => {\n this.otpSettings = res\n this.setupState.setupOTPState = 'confirm'\n })\n },\n doConfirmOTP () { // handler confirm enable OTP\n this.error = null\n this.backendInteractor.mfaConfirmOTP({\n token: this.otpConfirmToken,\n password: this.currentPassword\n })\n .then((res) => {\n if (res.error) {\n this.error = res.error\n return\n }\n this.completeSetup()\n })\n },\n\n completeSetup () {\n this.setupState.setupOTPState = 'complete'\n this.setupState.state = 'complete'\n this.currentPassword = null\n this.error = null\n this.fetchSettings()\n },\n cancelSetup () { // cancel setup\n this.setupState.setupOTPState = ''\n this.setupState.state = ''\n this.currentPassword = null\n this.error = null\n },\n // end Setup OTP\n\n // fetch settings from server\n async fetchSettings () {\n let result = await this.backendInteractor.settingsMFA()\n if (result.error) return\n this.settings = result.settings\n this.settings.available = true\n return result\n }\n },\n mounted () {\n this.fetchSettings().then(() => {\n this.readyInit = true\n })\n }\n}\nexport default Mfa\n","/* script */\nexport * from \"!!babel-loader!./mfa_totp.js\"\nimport __vue_script__ from \"!!babel-loader!./mfa_totp.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-5b0a3c13\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mfa_totp.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('div',{staticClass:\"method-item\"},[_c('strong',[_vm._v(_vm._s(_vm.$t('settings.mfa.otp')))]),_vm._v(\" \"),(!_vm.isActivated)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.doActivate}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.enable'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.isActivated)?_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.deactivate},on:{\"click\":_vm.doDeactivate}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.disable'))+\"\\n \")]):_vm._e()]),_vm._v(\" \"),(_vm.deactivate)?_c('confirm',{attrs:{\"disabled\":_vm.inProgress},on:{\"confirm\":_vm.confirmDeactivate,\"cancel\":_vm.cancelDeactivate}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.enter_current_password_to_confirm'))+\":\\n \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.currentPassword),expression:\"currentPassword\"}],attrs:{\"type\":\"password\"},domProps:{\"value\":(_vm.currentPassword)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.currentPassword=$event.target.value}}})]):_vm._e(),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.error)+\"\\n \")]):_vm._e()],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./mfa.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./mfa.js\"\nimport __vue_script__ from \"!!babel-loader!./mfa.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-13d1c59e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mfa.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.readyInit && _vm.settings.available)?_c('div',{staticClass:\"setting-item mfa-settings\"},[_c('div',{staticClass:\"mfa-heading\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.mfa.title')))])]),_vm._v(\" \"),_c('div',[(!_vm.setupInProgress)?_c('div',{staticClass:\"setting-item\"},[_c('h3',[_vm._v(_vm._s(_vm.$t('settings.mfa.authentication_methods')))]),_vm._v(\" \"),_c('totp-item',{attrs:{\"settings\":_vm.settings},on:{\"deactivate\":_vm.fetchSettings,\"activate\":_vm.activateOTP}}),_vm._v(\" \"),_c('br'),_vm._v(\" \"),(_vm.settings.enabled)?_c('div',[(!_vm.confirmNewBackupCodes)?_c('recovery-codes',{attrs:{\"backup-codes\":_vm.backupCodes}}):_vm._e(),_vm._v(\" \"),(!_vm.confirmNewBackupCodes)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.getBackupCodes}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.generate_new_recovery_codes'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.confirmNewBackupCodes)?_c('div',[_c('confirm',{attrs:{\"disabled\":_vm.backupCodes.inProgress},on:{\"confirm\":_vm.confirmBackupCodes,\"cancel\":_vm.cancelBackupCodes}},[_c('p',{staticClass:\"warning\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.warning_of_generate_new_codes'))+\"\\n \")])])],1):_vm._e()],1):_vm._e()],1):_vm._e(),_vm._v(\" \"),(_vm.setupInProgress)?_c('div',[_c('h3',[_vm._v(_vm._s(_vm.$t('settings.mfa.setup_otp')))]),_vm._v(\" \"),(!_vm.setupOTPInProgress)?_c('recovery-codes',{attrs:{\"backup-codes\":_vm.backupCodes}}):_vm._e(),_vm._v(\" \"),(_vm.canSetupOTP)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.cancelSetup}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.cancel'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.canSetupOTP)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.setupOTP}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.setup_otp'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.setupOTPInProgress)?[(_vm.prepareOTP)?_c('i',[_vm._v(_vm._s(_vm.$t('settings.mfa.wait_pre_setup_otp')))]):_vm._e(),_vm._v(\" \"),(_vm.confirmOTP)?_c('div',[_c('div',{staticClass:\"setup-otp\"},[_c('div',{staticClass:\"qr-code\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.mfa.scan.title')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.mfa.scan.desc')))]),_vm._v(\" \"),_c('qrcode',{attrs:{\"value\":_vm.otpSettings.provisioning_uri,\"options\":{ width: 200 }}}),_vm._v(\" \"),_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.scan.secret_code'))+\":\\n \"+_vm._s(_vm.otpSettings.key)+\"\\n \")])],1),_vm._v(\" \"),_c('div',{staticClass:\"verify\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('general.verify')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.mfa.verify.desc')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.otpConfirmToken),expression:\"otpConfirmToken\"}],attrs:{\"type\":\"text\"},domProps:{\"value\":(_vm.otpConfirmToken)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.otpConfirmToken=$event.target.value}}}),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.enter_current_password_to_confirm'))+\":\")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.currentPassword),expression:\"currentPassword\"}],attrs:{\"type\":\"password\"},domProps:{\"value\":(_vm.currentPassword)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.currentPassword=$event.target.value}}}),_vm._v(\" \"),_c('div',{staticClass:\"confirm-otp-actions\"},[_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.doConfirmOTP}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.confirm_and_enable'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.cancelSetup}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.cancel'))+\"\\n \")])]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.error)+\"\\n \")]):_vm._e()])])]):_vm._e()]:_vm._e()],2):_vm._e()])]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import ProgressButton from 'src/components/progress_button/progress_button.vue'\nimport Checkbox from 'src/components/checkbox/checkbox.vue'\nimport Mfa from './mfa.vue'\n\nconst SecurityTab = {\n data () {\n return {\n newEmail: '',\n changeEmailError: false,\n changeEmailPassword: '',\n changedEmail: false,\n deletingAccount: false,\n deleteAccountConfirmPasswordInput: '',\n deleteAccountError: false,\n changePasswordInputs: [ '', '', '' ],\n changedPassword: false,\n changePasswordError: false\n }\n },\n created () {\n this.$store.dispatch('fetchTokens')\n },\n components: {\n ProgressButton,\n Mfa,\n Checkbox\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n },\n pleromaBackend () {\n return this.$store.state.instance.pleromaBackend\n },\n oauthTokens () {\n return this.$store.state.oauthTokens.tokens.map(oauthToken => {\n return {\n id: oauthToken.id,\n appName: oauthToken.app_name,\n validUntil: new Date(oauthToken.valid_until).toLocaleDateString()\n }\n })\n }\n },\n methods: {\n confirmDelete () {\n this.deletingAccount = true\n },\n deleteAccount () {\n this.$store.state.api.backendInteractor.deleteAccount({ password: this.deleteAccountConfirmPasswordInput })\n .then((res) => {\n if (res.status === 'success') {\n this.$store.dispatch('logout')\n this.$router.push({ name: 'root' })\n } else {\n this.deleteAccountError = res.error\n }\n })\n },\n changePassword () {\n const params = {\n password: this.changePasswordInputs[0],\n newPassword: this.changePasswordInputs[1],\n newPasswordConfirmation: this.changePasswordInputs[2]\n }\n this.$store.state.api.backendInteractor.changePassword(params)\n .then((res) => {\n if (res.status === 'success') {\n this.changedPassword = true\n this.changePasswordError = false\n this.logout()\n } else {\n this.changedPassword = false\n this.changePasswordError = res.error\n }\n })\n },\n changeEmail () {\n const params = {\n email: this.newEmail,\n password: this.changeEmailPassword\n }\n this.$store.state.api.backendInteractor.changeEmail(params)\n .then((res) => {\n if (res.status === 'success') {\n this.changedEmail = true\n this.changeEmailError = false\n } else {\n this.changedEmail = false\n this.changeEmailError = res.error\n }\n })\n },\n logout () {\n this.$store.dispatch('logout')\n this.$router.replace('/')\n },\n revokeToken (id) {\n if (window.confirm(`${this.$i18n.t('settings.revoke_token')}?`)) {\n this.$store.dispatch('revokeToken', id)\n }\n }\n }\n}\n\nexport default SecurityTab\n","/* script */\nexport * from \"!!babel-loader!./security_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./security_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-c51e00de\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./security_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{attrs:{\"label\":_vm.$t('settings.security_tab')}},[_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.change_email')))]),_vm._v(\" \"),_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.new_email')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newEmail),expression:\"newEmail\"}],attrs:{\"type\":\"email\",\"autocomplete\":\"email\"},domProps:{\"value\":(_vm.newEmail)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.newEmail=$event.target.value}}})]),_vm._v(\" \"),_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.current_password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.changeEmailPassword),expression:\"changeEmailPassword\"}],attrs:{\"type\":\"password\",\"autocomplete\":\"current-password\"},domProps:{\"value\":(_vm.changeEmailPassword)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.changeEmailPassword=$event.target.value}}})]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.changeEmail}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")]),_vm._v(\" \"),(_vm.changedEmail)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.changed_email'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.changeEmailError !== false)?[_c('p',[_vm._v(_vm._s(_vm.$t('settings.change_email_error')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.changeEmailError))])]:_vm._e()],2),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.change_password')))]),_vm._v(\" \"),_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.current_password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.changePasswordInputs[0]),expression:\"changePasswordInputs[0]\"}],attrs:{\"type\":\"password\"},domProps:{\"value\":(_vm.changePasswordInputs[0])},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.changePasswordInputs, 0, $event.target.value)}}})]),_vm._v(\" \"),_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.new_password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.changePasswordInputs[1]),expression:\"changePasswordInputs[1]\"}],attrs:{\"type\":\"password\"},domProps:{\"value\":(_vm.changePasswordInputs[1])},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.changePasswordInputs, 1, $event.target.value)}}})]),_vm._v(\" \"),_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.confirm_new_password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.changePasswordInputs[2]),expression:\"changePasswordInputs[2]\"}],attrs:{\"type\":\"password\"},domProps:{\"value\":(_vm.changePasswordInputs[2])},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.changePasswordInputs, 2, $event.target.value)}}})]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.changePassword}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")]),_vm._v(\" \"),(_vm.changedPassword)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.changed_password'))+\"\\n \")]):(_vm.changePasswordError !== false)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.change_password_error'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.changePasswordError)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.changePasswordError)+\"\\n \")]):_vm._e()]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.oauth_tokens')))]),_vm._v(\" \"),_c('table',{staticClass:\"oauth-tokens\"},[_c('thead',[_c('tr',[_c('th',[_vm._v(_vm._s(_vm.$t('settings.app_name')))]),_vm._v(\" \"),_c('th',[_vm._v(_vm._s(_vm.$t('settings.valid_until')))]),_vm._v(\" \"),_c('th')])]),_vm._v(\" \"),_c('tbody',_vm._l((_vm.oauthTokens),function(oauthToken){return _c('tr',{key:oauthToken.id},[_c('td',[_vm._v(_vm._s(oauthToken.appName))]),_vm._v(\" \"),_c('td',[_vm._v(_vm._s(oauthToken.validUntil))]),_vm._v(\" \"),_c('td',{staticClass:\"actions\"},[_c('button',{staticClass:\"btn btn-default\",on:{\"click\":function($event){return _vm.revokeToken(oauthToken.id)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.revoke_token'))+\"\\n \")])])])}),0)])]),_vm._v(\" \"),_c('mfa'),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.delete_account')))]),_vm._v(\" \"),(!_vm.deletingAccount)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.delete_account_description'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.deletingAccount)?_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.delete_account_instructions')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('login.password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.deleteAccountConfirmPasswordInput),expression:\"deleteAccountConfirmPasswordInput\"}],attrs:{\"type\":\"password\"},domProps:{\"value\":(_vm.deleteAccountConfirmPasswordInput)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.deleteAccountConfirmPasswordInput=$event.target.value}}}),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.deleteAccount}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.delete_account'))+\"\\n \")])]):_vm._e(),_vm._v(\" \"),(_vm.deleteAccountError !== false)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.delete_account_error'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.deleteAccountError)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.deleteAccountError)+\"\\n \")]):_vm._e(),_vm._v(\" \"),(!_vm.deletingAccount)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.confirmDelete}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")]):_vm._e()])],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Cropper from 'cropperjs'\nimport 'cropperjs/dist/cropper.css'\n\nconst ImageCropper = {\n props: {\n trigger: {\n type: [String, window.Element],\n required: true\n },\n submitHandler: {\n type: Function,\n required: true\n },\n cropperOptions: {\n type: Object,\n default () {\n return {\n aspectRatio: 1,\n autoCropArea: 1,\n viewMode: 1,\n movable: false,\n zoomable: false,\n guides: false\n }\n }\n },\n mimes: {\n type: String,\n default: 'image/png, image/gif, image/jpeg, image/bmp, image/x-icon'\n },\n saveButtonLabel: {\n type: String\n },\n saveWithoutCroppingButtonlabel: {\n type: String\n },\n cancelButtonLabel: {\n type: String\n }\n },\n data () {\n return {\n cropper: undefined,\n dataUrl: undefined,\n filename: undefined,\n submitting: false,\n submitError: null\n }\n },\n computed: {\n saveText () {\n return this.saveButtonLabel || this.$t('image_cropper.save')\n },\n saveWithoutCroppingText () {\n return this.saveWithoutCroppingButtonlabel || this.$t('image_cropper.save_without_cropping')\n },\n cancelText () {\n return this.cancelButtonLabel || this.$t('image_cropper.cancel')\n },\n submitErrorMsg () {\n return this.submitError && this.submitError instanceof Error ? this.submitError.toString() : this.submitError\n }\n },\n methods: {\n destroy () {\n if (this.cropper) {\n this.cropper.destroy()\n }\n this.$refs.input.value = ''\n this.dataUrl = undefined\n this.$emit('close')\n },\n submit (cropping = true) {\n this.submitting = true\n this.avatarUploadError = null\n this.submitHandler(cropping && this.cropper, this.file)\n .then(() => this.destroy())\n .catch((err) => {\n this.submitError = err\n })\n .finally(() => {\n this.submitting = false\n })\n },\n pickImage () {\n this.$refs.input.click()\n },\n createCropper () {\n this.cropper = new Cropper(this.$refs.img, this.cropperOptions)\n },\n getTriggerDOM () {\n return typeof this.trigger === 'object' ? this.trigger : document.querySelector(this.trigger)\n },\n readFile () {\n const fileInput = this.$refs.input\n if (fileInput.files != null && fileInput.files[0] != null) {\n this.file = fileInput.files[0]\n let reader = new window.FileReader()\n reader.onload = (e) => {\n this.dataUrl = e.target.result\n this.$emit('open')\n }\n reader.readAsDataURL(this.file)\n this.$emit('changed', this.file, reader)\n }\n },\n clearError () {\n this.submitError = null\n }\n },\n mounted () {\n // listen for click event on trigger\n const trigger = this.getTriggerDOM()\n if (!trigger) {\n this.$emit('error', 'No image make trigger found.', 'user')\n } else {\n trigger.addEventListener('click', this.pickImage)\n }\n // listen for input file changes\n const fileInput = this.$refs.input\n fileInput.addEventListener('change', this.readFile)\n },\n beforeDestroy: function () {\n // remove the event listeners\n const trigger = this.getTriggerDOM()\n if (trigger) {\n trigger.removeEventListener('click', this.pickImage)\n }\n const fileInput = this.$refs.input\n fileInput.removeEventListener('change', this.readFile)\n }\n}\n\nexport default ImageCropper\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./image_cropper.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./image_cropper.js\"\nimport __vue_script__ from \"!!babel-loader!./image_cropper.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3babea86\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./image_cropper.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"image-cropper\"},[(_vm.dataUrl)?_c('div',[_c('div',{staticClass:\"image-cropper-image-container\"},[_c('img',{ref:\"img\",attrs:{\"src\":_vm.dataUrl,\"alt\":\"\"},on:{\"load\":function($event){$event.stopPropagation();return _vm.createCropper($event)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"image-cropper-buttons-wrapper\"},[_c('button',{staticClass:\"btn\",attrs:{\"type\":\"button\",\"disabled\":_vm.submitting},domProps:{\"textContent\":_vm._s(_vm.saveText)},on:{\"click\":function($event){return _vm.submit()}}}),_vm._v(\" \"),_c('button',{staticClass:\"btn\",attrs:{\"type\":\"button\",\"disabled\":_vm.submitting},domProps:{\"textContent\":_vm._s(_vm.cancelText)},on:{\"click\":_vm.destroy}}),_vm._v(\" \"),_c('button',{staticClass:\"btn\",attrs:{\"type\":\"button\",\"disabled\":_vm.submitting},domProps:{\"textContent\":_vm._s(_vm.saveWithoutCroppingText)},on:{\"click\":function($event){return _vm.submit(false)}}}),_vm._v(\" \"),(_vm.submitting)?_c('i',{staticClass:\"icon-spin4 animate-spin\"}):_vm._e()]),_vm._v(\" \"),(_vm.submitError)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.submitErrorMsg)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":_vm.clearError}})]):_vm._e()]):_vm._e(),_vm._v(\" \"),_c('input',{ref:\"input\",staticClass:\"image-cropper-img-input\",attrs:{\"type\":\"file\",\"accept\":_vm.mimes}})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import unescape from 'lodash/unescape'\nimport merge from 'lodash/merge'\nimport ImageCropper from 'src/components/image_cropper/image_cropper.vue'\nimport ScopeSelector from 'src/components/scope_selector/scope_selector.vue'\nimport fileSizeFormatService from 'src/components/../services/file_size_format/file_size_format.js'\nimport ProgressButton from 'src/components/progress_button/progress_button.vue'\nimport EmojiInput from 'src/components/emoji_input/emoji_input.vue'\nimport suggestor from 'src/components/emoji_input/suggestor.js'\nimport Autosuggest from 'src/components/autosuggest/autosuggest.vue'\nimport Checkbox from 'src/components/checkbox/checkbox.vue'\n\nconst ProfileTab = {\n data () {\n return {\n newName: this.$store.state.users.currentUser.name,\n newBio: unescape(this.$store.state.users.currentUser.description),\n newLocked: this.$store.state.users.currentUser.locked,\n newNoRichText: this.$store.state.users.currentUser.no_rich_text,\n newDefaultScope: this.$store.state.users.currentUser.default_scope,\n newFields: this.$store.state.users.currentUser.fields.map(field => ({ name: field.name, value: field.value })),\n hideFollows: this.$store.state.users.currentUser.hide_follows,\n hideFollowers: this.$store.state.users.currentUser.hide_followers,\n hideFollowsCount: this.$store.state.users.currentUser.hide_follows_count,\n hideFollowersCount: this.$store.state.users.currentUser.hide_followers_count,\n showRole: this.$store.state.users.currentUser.show_role,\n role: this.$store.state.users.currentUser.role,\n discoverable: this.$store.state.users.currentUser.discoverable,\n bot: this.$store.state.users.currentUser.bot,\n allowFollowingMove: this.$store.state.users.currentUser.allow_following_move,\n pickAvatarBtnVisible: true,\n bannerUploading: false,\n backgroundUploading: false,\n banner: null,\n bannerPreview: null,\n background: null,\n backgroundPreview: null,\n bannerUploadError: null,\n backgroundUploadError: null\n }\n },\n components: {\n ScopeSelector,\n ImageCropper,\n EmojiInput,\n Autosuggest,\n ProgressButton,\n Checkbox\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n },\n emojiUserSuggestor () {\n return suggestor({\n emoji: [\n ...this.$store.state.instance.emoji,\n ...this.$store.state.instance.customEmoji\n ],\n users: this.$store.state.users.users,\n updateUsersList: (query) => this.$store.dispatch('searchUsers', { query })\n })\n },\n emojiSuggestor () {\n return suggestor({ emoji: [\n ...this.$store.state.instance.emoji,\n ...this.$store.state.instance.customEmoji\n ] })\n },\n userSuggestor () {\n return suggestor({\n users: this.$store.state.users.users,\n updateUsersList: (query) => this.$store.dispatch('searchUsers', { query })\n })\n },\n fieldsLimits () {\n return this.$store.state.instance.fieldsLimits\n },\n maxFields () {\n return this.fieldsLimits ? this.fieldsLimits.maxFields : 0\n },\n defaultAvatar () {\n return this.$store.state.instance.server + this.$store.state.instance.defaultAvatar\n },\n defaultBanner () {\n return this.$store.state.instance.server + this.$store.state.instance.defaultBanner\n },\n isDefaultAvatar () {\n const baseAvatar = this.$store.state.instance.defaultAvatar\n return !(this.$store.state.users.currentUser.profile_image_url) ||\n this.$store.state.users.currentUser.profile_image_url.includes(baseAvatar)\n },\n isDefaultBanner () {\n const baseBanner = this.$store.state.instance.defaultBanner\n return !(this.$store.state.users.currentUser.cover_photo) ||\n this.$store.state.users.currentUser.cover_photo.includes(baseBanner)\n },\n isDefaultBackground () {\n return !(this.$store.state.users.currentUser.background_image)\n },\n avatarImgSrc () {\n const src = this.$store.state.users.currentUser.profile_image_url_original\n return (!src) ? this.defaultAvatar : src\n },\n bannerImgSrc () {\n const src = this.$store.state.users.currentUser.cover_photo\n return (!src) ? this.defaultBanner : src\n }\n },\n methods: {\n updateProfile () {\n this.$store.state.api.backendInteractor\n .updateProfile({\n params: {\n note: this.newBio,\n locked: this.newLocked,\n // Backend notation.\n /* eslint-disable camelcase */\n display_name: this.newName,\n fields_attributes: this.newFields.filter(el => el != null),\n default_scope: this.newDefaultScope,\n no_rich_text: this.newNoRichText,\n hide_follows: this.hideFollows,\n hide_followers: this.hideFollowers,\n discoverable: this.discoverable,\n bot: this.bot,\n allow_following_move: this.allowFollowingMove,\n hide_follows_count: this.hideFollowsCount,\n hide_followers_count: this.hideFollowersCount,\n show_role: this.showRole\n /* eslint-enable camelcase */\n } }).then((user) => {\n this.newFields.splice(user.fields.length)\n merge(this.newFields, user.fields)\n this.$store.commit('addNewUsers', [user])\n this.$store.commit('setCurrentUser', user)\n })\n },\n changeVis (visibility) {\n this.newDefaultScope = visibility\n },\n addField () {\n if (this.newFields.length < this.maxFields) {\n this.newFields.push({ name: '', value: '' })\n return true\n }\n return false\n },\n deleteField (index, event) {\n this.$delete(this.newFields, index)\n },\n uploadFile (slot, e) {\n const file = e.target.files[0]\n if (!file) { return }\n if (file.size > this.$store.state.instance[slot + 'limit']) {\n const filesize = fileSizeFormatService.fileSizeFormat(file.size)\n const allowedsize = fileSizeFormatService.fileSizeFormat(this.$store.state.instance[slot + 'limit'])\n this[slot + 'UploadError'] = [\n this.$t('upload.error.base'),\n this.$t(\n 'upload.error.file_too_big',\n {\n filesize: filesize.num,\n filesizeunit: filesize.unit,\n allowedsize: allowedsize.num,\n allowedsizeunit: allowedsize.unit\n }\n )\n ].join(' ')\n return\n }\n // eslint-disable-next-line no-undef\n const reader = new FileReader()\n reader.onload = ({ target }) => {\n const img = target.result\n this[slot + 'Preview'] = img\n this[slot] = file\n }\n reader.readAsDataURL(file)\n },\n resetAvatar () {\n const confirmed = window.confirm(this.$t('settings.reset_avatar_confirm'))\n if (confirmed) {\n this.submitAvatar(undefined, '')\n }\n },\n resetBanner () {\n const confirmed = window.confirm(this.$t('settings.reset_banner_confirm'))\n if (confirmed) {\n this.submitBanner('')\n }\n },\n resetBackground () {\n const confirmed = window.confirm(this.$t('settings.reset_background_confirm'))\n if (confirmed) {\n this.submitBackground('')\n }\n },\n submitAvatar (cropper, file) {\n const that = this\n return new Promise((resolve, reject) => {\n function updateAvatar (avatar) {\n that.$store.state.api.backendInteractor.updateProfileImages({ avatar })\n .then((user) => {\n that.$store.commit('addNewUsers', [user])\n that.$store.commit('setCurrentUser', user)\n resolve()\n })\n .catch((err) => {\n reject(new Error(that.$t('upload.error.base') + ' ' + err.message))\n })\n }\n\n if (cropper) {\n cropper.getCroppedCanvas().toBlob(updateAvatar, file.type)\n } else {\n updateAvatar(file)\n }\n })\n },\n submitBanner (banner) {\n if (!this.bannerPreview && banner !== '') { return }\n\n this.bannerUploading = true\n this.$store.state.api.backendInteractor.updateProfileImages({ banner })\n .then((user) => {\n this.$store.commit('addNewUsers', [user])\n this.$store.commit('setCurrentUser', user)\n this.bannerPreview = null\n })\n .catch((err) => {\n this.bannerUploadError = this.$t('upload.error.base') + ' ' + err.message\n })\n .then(() => { this.bannerUploading = false })\n },\n submitBackground (background) {\n if (!this.backgroundPreview && background !== '') { return }\n\n this.backgroundUploading = true\n this.$store.state.api.backendInteractor.updateProfileImages({ background }).then((data) => {\n if (!data.error) {\n this.$store.commit('addNewUsers', [data])\n this.$store.commit('setCurrentUser', data)\n this.backgroundPreview = null\n } else {\n this.backgroundUploadError = this.$t('upload.error.base') + data.error\n }\n this.backgroundUploading = false\n })\n }\n }\n}\n\nexport default ProfileTab\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./profile_tab.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./profile_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./profile_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-0d1b47da\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./profile_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"profile-tab\"},[_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.name_bio')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.name')))]),_vm._v(\" \"),_c('EmojiInput',{attrs:{\"enable-emoji-picker\":\"\",\"suggest\":_vm.emojiSuggestor},model:{value:(_vm.newName),callback:function ($$v) {_vm.newName=$$v},expression:\"newName\"}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newName),expression:\"newName\"}],attrs:{\"id\":\"username\",\"classname\":\"name-changer\"},domProps:{\"value\":(_vm.newName)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.newName=$event.target.value}}})]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.bio')))]),_vm._v(\" \"),_c('EmojiInput',{attrs:{\"enable-emoji-picker\":\"\",\"suggest\":_vm.emojiUserSuggestor},model:{value:(_vm.newBio),callback:function ($$v) {_vm.newBio=$$v},expression:\"newBio\"}},[_c('textarea',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newBio),expression:\"newBio\"}],attrs:{\"classname\":\"bio\"},domProps:{\"value\":(_vm.newBio)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.newBio=$event.target.value}}})]),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.newLocked),callback:function ($$v) {_vm.newLocked=$$v},expression:\"newLocked\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.lock_account_description'))+\"\\n \")])],1),_vm._v(\" \"),_c('div',[_c('label',{attrs:{\"for\":\"default-vis\"}},[_vm._v(_vm._s(_vm.$t('settings.default_vis')))]),_vm._v(\" \"),_c('div',{staticClass:\"visibility-tray\",attrs:{\"id\":\"default-vis\"}},[_c('scope-selector',{attrs:{\"show-all\":true,\"user-default\":_vm.newDefaultScope,\"initial-scope\":_vm.newDefaultScope,\"on-scope-change\":_vm.changeVis}})],1)]),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.newNoRichText),callback:function ($$v) {_vm.newNoRichText=$$v},expression:\"newNoRichText\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.no_rich_text_description'))+\"\\n \")])],1),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.hideFollows),callback:function ($$v) {_vm.hideFollows=$$v},expression:\"hideFollows\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_follows_description'))+\"\\n \")])],1),_vm._v(\" \"),_c('p',{staticClass:\"setting-subitem\"},[_c('Checkbox',{attrs:{\"disabled\":!_vm.hideFollows},model:{value:(_vm.hideFollowsCount),callback:function ($$v) {_vm.hideFollowsCount=$$v},expression:\"hideFollowsCount\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_follows_count_description'))+\"\\n \")])],1),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.hideFollowers),callback:function ($$v) {_vm.hideFollowers=$$v},expression:\"hideFollowers\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_followers_description'))+\"\\n \")])],1),_vm._v(\" \"),_c('p',{staticClass:\"setting-subitem\"},[_c('Checkbox',{attrs:{\"disabled\":!_vm.hideFollowers},model:{value:(_vm.hideFollowersCount),callback:function ($$v) {_vm.hideFollowersCount=$$v},expression:\"hideFollowersCount\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_followers_count_description'))+\"\\n \")])],1),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.allowFollowingMove),callback:function ($$v) {_vm.allowFollowingMove=$$v},expression:\"allowFollowingMove\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.allow_following_move'))+\"\\n \")])],1),_vm._v(\" \"),(_vm.role === 'admin' || _vm.role === 'moderator')?_c('p',[_c('Checkbox',{model:{value:(_vm.showRole),callback:function ($$v) {_vm.showRole=$$v},expression:\"showRole\"}},[(_vm.role === 'admin')?[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.show_admin_badge'))+\"\\n \")]:_vm._e(),_vm._v(\" \"),(_vm.role === 'moderator')?[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.show_moderator_badge'))+\"\\n \")]:_vm._e()],2)],1):_vm._e(),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.discoverable),callback:function ($$v) {_vm.discoverable=$$v},expression:\"discoverable\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.discoverable'))+\"\\n \")])],1),_vm._v(\" \"),(_vm.maxFields > 0)?_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.profile_fields.label')))]),_vm._v(\" \"),_vm._l((_vm.newFields),function(_,i){return _c('div',{key:i,staticClass:\"profile-fields\"},[_c('EmojiInput',{attrs:{\"enable-emoji-picker\":\"\",\"hide-emoji-button\":\"\",\"suggest\":_vm.userSuggestor},model:{value:(_vm.newFields[i].name),callback:function ($$v) {_vm.$set(_vm.newFields[i], \"name\", $$v)},expression:\"newFields[i].name\"}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newFields[i].name),expression:\"newFields[i].name\"}],attrs:{\"placeholder\":_vm.$t('settings.profile_fields.name')},domProps:{\"value\":(_vm.newFields[i].name)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.newFields[i], \"name\", $event.target.value)}}})]),_vm._v(\" \"),_c('EmojiInput',{attrs:{\"enable-emoji-picker\":\"\",\"hide-emoji-button\":\"\",\"suggest\":_vm.userSuggestor},model:{value:(_vm.newFields[i].value),callback:function ($$v) {_vm.$set(_vm.newFields[i], \"value\", $$v)},expression:\"newFields[i].value\"}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newFields[i].value),expression:\"newFields[i].value\"}],attrs:{\"placeholder\":_vm.$t('settings.profile_fields.value')},domProps:{\"value\":(_vm.newFields[i].value)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.newFields[i], \"value\", $event.target.value)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"icon-container\"},[_c('i',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.newFields.length > 1),expression:\"newFields.length > 1\"}],staticClass:\"icon-cancel\",on:{\"click\":function($event){return _vm.deleteField(i)}}})])],1)}),_vm._v(\" \"),(_vm.newFields.length < _vm.maxFields)?_c('a',{staticClass:\"add-field faint\",on:{\"click\":_vm.addField}},[_c('i',{staticClass:\"icon-plus\"}),_vm._v(\"\\n \"+_vm._s(_vm.$t(\"settings.profile_fields.add_field\"))+\"\\n \")]):_vm._e()],2):_vm._e(),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.bot),callback:function ($$v) {_vm.bot=$$v},expression:\"bot\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.bot'))+\"\\n \")])],1),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.newName && _vm.newName.length === 0},on:{\"click\":_vm.updateProfile}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")])],1),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.avatar')))]),_vm._v(\" \"),_c('p',{staticClass:\"visibility-notice\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.avatar_size_instruction'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"current-avatar-container\"},[_c('img',{staticClass:\"current-avatar\",attrs:{\"src\":_vm.user.profile_image_url_original}}),_vm._v(\" \"),(!_vm.isDefaultAvatar && _vm.pickAvatarBtnVisible)?_c('i',{staticClass:\"reset-button icon-cancel\",attrs:{\"title\":_vm.$t('settings.reset_avatar'),\"type\":\"button\"},on:{\"click\":_vm.resetAvatar}}):_vm._e()]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.set_new_avatar')))]),_vm._v(\" \"),_c('button',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.pickAvatarBtnVisible),expression:\"pickAvatarBtnVisible\"}],staticClass:\"btn\",attrs:{\"id\":\"pick-avatar\",\"type\":\"button\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.upload_a_photo'))+\"\\n \")]),_vm._v(\" \"),_c('image-cropper',{attrs:{\"trigger\":\"#pick-avatar\",\"submit-handler\":_vm.submitAvatar},on:{\"open\":function($event){_vm.pickAvatarBtnVisible=false},\"close\":function($event){_vm.pickAvatarBtnVisible=true}}})],1),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.profile_banner')))]),_vm._v(\" \"),_c('div',{staticClass:\"banner-background-preview\"},[_c('img',{attrs:{\"src\":_vm.user.cover_photo}}),_vm._v(\" \"),(!_vm.isDefaultBanner)?_c('i',{staticClass:\"reset-button icon-cancel\",attrs:{\"title\":_vm.$t('settings.reset_profile_banner'),\"type\":\"button\"},on:{\"click\":_vm.resetBanner}}):_vm._e()]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.set_new_profile_banner')))]),_vm._v(\" \"),(_vm.bannerPreview)?_c('img',{staticClass:\"banner-background-preview\",attrs:{\"src\":_vm.bannerPreview}}):_vm._e(),_vm._v(\" \"),_c('div',[_c('input',{attrs:{\"type\":\"file\"},on:{\"change\":function($event){return _vm.uploadFile('banner', $event)}}})]),_vm._v(\" \"),(_vm.bannerUploading)?_c('i',{staticClass:\" icon-spin4 animate-spin uploading\"}):(_vm.bannerPreview)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":function($event){return _vm.submitBanner(_vm.banner)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.bannerUploadError)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n Error: \"+_vm._s(_vm.bannerUploadError)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":function($event){return _vm.clearUploadError('banner')}}})]):_vm._e()]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.profile_background')))]),_vm._v(\" \"),_c('div',{staticClass:\"banner-background-preview\"},[_c('img',{attrs:{\"src\":_vm.user.background_image}}),_vm._v(\" \"),(!_vm.isDefaultBackground)?_c('i',{staticClass:\"reset-button icon-cancel\",attrs:{\"title\":_vm.$t('settings.reset_profile_background'),\"type\":\"button\"},on:{\"click\":_vm.resetBackground}}):_vm._e()]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.set_new_profile_background')))]),_vm._v(\" \"),(_vm.backgroundPreview)?_c('img',{staticClass:\"banner-background-preview\",attrs:{\"src\":_vm.backgroundPreview}}):_vm._e(),_vm._v(\" \"),_c('div',[_c('input',{attrs:{\"type\":\"file\"},on:{\"change\":function($event){return _vm.uploadFile('background', $event)}}})]),_vm._v(\" \"),(_vm.backgroundUploading)?_c('i',{staticClass:\" icon-spin4 animate-spin uploading\"}):(_vm.backgroundPreview)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":function($event){return _vm.submitBackground(_vm.background)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.backgroundUploadError)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n Error: \"+_vm._s(_vm.backgroundUploadError)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":function($event){return _vm.clearUploadError('background')}}})]):_vm._e()])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <div>\n <label for=\"interface-language-switcher\">\n {{ $t('settings.interfaceLanguage') }}\n </label>\n <label\n for=\"interface-language-switcher\"\n class=\"select\"\n >\n <select\n id=\"interface-language-switcher\"\n v-model=\"language\"\n >\n <option\n v-for=\"(langCode, i) in languageCodes\"\n :key=\"langCode\"\n :value=\"langCode\"\n >\n {{ languageNames[i] }}\n </option>\n </select>\n <i class=\"icon-down-open\" />\n </label>\n </div>\n</template>\n\n<script>\nimport languagesObject from '../../i18n/messages'\nimport ISO6391 from 'iso-639-1'\nimport _ from 'lodash'\n\nexport default {\n computed: {\n languageCodes () {\n return languagesObject.languages\n },\n\n languageNames () {\n return _.map(this.languageCodes, this.getLanguageName)\n },\n\n language: {\n get: function () { return this.$store.getters.mergedConfig.interfaceLanguage },\n set: function (val) {\n this.$store.dispatch('setOption', { name: 'interfaceLanguage', value: val })\n }\n }\n },\n\n methods: {\n getLanguageName (code) {\n const specialLanguageNames = {\n 'ja': 'Japanese (日本語)',\n 'ja_easy': 'Japanese (やさしいにほんご)',\n 'zh': 'Chinese (简体中文)'\n }\n return specialLanguageNames[code] || ISO6391.getName(code)\n }\n }\n}\n</script>\n","/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./interface_language_switcher.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./interface_language_switcher.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4033272e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./interface_language_switcher.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('label',{attrs:{\"for\":\"interface-language-switcher\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.interfaceLanguage'))+\"\\n \")]),_vm._v(\" \"),_c('label',{staticClass:\"select\",attrs:{\"for\":\"interface-language-switcher\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.language),expression:\"language\"}],attrs:{\"id\":\"interface-language-switcher\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.language=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},_vm._l((_vm.languageCodes),function(langCode,i){return _c('option',{key:langCode,domProps:{\"value\":langCode}},[_vm._v(\"\\n \"+_vm._s(_vm.languageNames[i])+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Checkbox from 'src/components/checkbox/checkbox.vue'\nimport InterfaceLanguageSwitcher from 'src/components/interface_language_switcher/interface_language_switcher.vue'\n\nimport SharedComputedObject from '../helpers/shared_computed_object.js'\n\nconst GeneralTab = {\n data () {\n return {\n loopSilentAvailable:\n // Firefox\n Object.getOwnPropertyDescriptor(HTMLVideoElement.prototype, 'mozHasAudio') ||\n // Chrome-likes\n Object.getOwnPropertyDescriptor(HTMLMediaElement.prototype, 'webkitAudioDecodedByteCount') ||\n // Future spec, still not supported in Nightly 63 as of 08/2018\n Object.getOwnPropertyDescriptor(HTMLMediaElement.prototype, 'audioTracks')\n }\n },\n components: {\n Checkbox,\n InterfaceLanguageSwitcher\n },\n computed: {\n postFormats () {\n return this.$store.state.instance.postFormats || []\n },\n instanceSpecificPanelPresent () { return this.$store.state.instance.showInstanceSpecificPanel },\n ...SharedComputedObject()\n }\n}\n\nexport default GeneralTab\n","/* script */\nexport * from \"!!babel-loader!./general_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./general_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-031d2218\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./general_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{attrs:{\"label\":_vm.$t('settings.general')}},[_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.interface')))]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('interface-language-switcher')],1),_vm._v(\" \"),(_vm.instanceSpecificPanelPresent)?_c('li',[_c('Checkbox',{model:{value:(_vm.hideISP),callback:function ($$v) {_vm.hideISP=$$v},expression:\"hideISP\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_isp'))+\"\\n \")])],1):_vm._e()])]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('nav.timeline')))]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('Checkbox',{model:{value:(_vm.hideMutedPosts),callback:function ($$v) {_vm.hideMutedPosts=$$v},expression:\"hideMutedPosts\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_muted_posts'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.hideMutedPostsLocalizedValue }))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.collapseMessageWithSubject),callback:function ($$v) {_vm.collapseMessageWithSubject=$$v},expression:\"collapseMessageWithSubject\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.collapse_subject'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.collapseMessageWithSubjectLocalizedValue }))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.streaming),callback:function ($$v) {_vm.streaming=$$v},expression:\"streaming\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.streaming'))+\"\\n \")]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list suboptions\",class:[{disabled: !_vm.streaming}]},[_c('li',[_c('Checkbox',{attrs:{\"disabled\":!_vm.streaming},model:{value:(_vm.pauseOnUnfocused),callback:function ($$v) {_vm.pauseOnUnfocused=$$v},expression:\"pauseOnUnfocused\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.pause_on_unfocused'))+\"\\n \")])],1)])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.useStreamingApi),callback:function ($$v) {_vm.useStreamingApi=$$v},expression:\"useStreamingApi\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.useStreamingApi'))+\"\\n \"),_c('br'),_vm._v(\" \"),_c('small',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.useStreamingApiWarning'))+\"\\n \")])])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.emojiReactionsOnTimeline),callback:function ($$v) {_vm.emojiReactionsOnTimeline=$$v},expression:\"emojiReactionsOnTimeline\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.emoji_reactions_on_timeline'))+\"\\n \")])],1)])]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.composing')))]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('Checkbox',{model:{value:(_vm.scopeCopy),callback:function ($$v) {_vm.scopeCopy=$$v},expression:\"scopeCopy\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.scope_copy'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.scopeCopyLocalizedValue }))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.alwaysShowSubjectInput),callback:function ($$v) {_vm.alwaysShowSubjectInput=$$v},expression:\"alwaysShowSubjectInput\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.subject_input_always_show'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.alwaysShowSubjectInputLocalizedValue }))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('div',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.subject_line_behavior'))+\"\\n \"),_c('label',{staticClass:\"select\",attrs:{\"for\":\"subjectLineBehavior\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.subjectLineBehavior),expression:\"subjectLineBehavior\"}],attrs:{\"id\":\"subjectLineBehavior\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.subjectLineBehavior=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},[_c('option',{attrs:{\"value\":\"email\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.subject_line_email'))+\"\\n \"+_vm._s(_vm.subjectLineBehaviorDefaultValue == 'email' ? _vm.$t('settings.instance_default_simple') : '')+\"\\n \")]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"masto\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.subject_line_mastodon'))+\"\\n \"+_vm._s(_vm.subjectLineBehaviorDefaultValue == 'mastodon' ? _vm.$t('settings.instance_default_simple') : '')+\"\\n \")]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"noop\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.subject_line_noop'))+\"\\n \"+_vm._s(_vm.subjectLineBehaviorDefaultValue == 'noop' ? _vm.$t('settings.instance_default_simple') : '')+\"\\n \")])]),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])])]),_vm._v(\" \"),(_vm.postFormats.length > 0)?_c('li',[_c('div',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.post_status_content_type'))+\"\\n \"),_c('label',{staticClass:\"select\",attrs:{\"for\":\"postContentType\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.postContentType),expression:\"postContentType\"}],attrs:{\"id\":\"postContentType\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.postContentType=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},_vm._l((_vm.postFormats),function(postFormat){return _c('option',{key:postFormat,domProps:{\"value\":postFormat}},[_vm._v(\"\\n \"+_vm._s(_vm.$t((\"post_status.content_type[\\\"\" + postFormat + \"\\\"]\")))+\"\\n \"+_vm._s(_vm.postContentTypeDefaultValue === postFormat ? _vm.$t('settings.instance_default_simple') : '')+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])])]):_vm._e(),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.minimalScopesMode),callback:function ($$v) {_vm.minimalScopesMode=$$v},expression:\"minimalScopesMode\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.minimal_scopes_mode'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.minimalScopesModeLocalizedValue }))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.autohideFloatingPostButton),callback:function ($$v) {_vm.autohideFloatingPostButton=$$v},expression:\"autohideFloatingPostButton\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.autohide_floating_post_button'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.padEmoji),callback:function ($$v) {_vm.padEmoji=$$v},expression:\"padEmoji\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.pad_emoji'))+\"\\n \")])],1)])]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.attachments')))]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('Checkbox',{model:{value:(_vm.hideAttachments),callback:function ($$v) {_vm.hideAttachments=$$v},expression:\"hideAttachments\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_attachments_in_tl'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.hideAttachmentsInConv),callback:function ($$v) {_vm.hideAttachmentsInConv=$$v},expression:\"hideAttachmentsInConv\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_attachments_in_convo'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('label',{attrs:{\"for\":\"maxThumbnails\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.max_thumbnails'))+\"\\n \")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model.number\",value:(_vm.maxThumbnails),expression:\"maxThumbnails\",modifiers:{\"number\":true}}],staticClass:\"number-input\",attrs:{\"id\":\"maxThumbnails\",\"type\":\"number\",\"min\":\"0\",\"step\":\"1\"},domProps:{\"value\":(_vm.maxThumbnails)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.maxThumbnails=_vm._n($event.target.value)},\"blur\":function($event){return _vm.$forceUpdate()}}})]),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.hideNsfw),callback:function ($$v) {_vm.hideNsfw=$$v},expression:\"hideNsfw\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.nsfw_clickthrough'))+\"\\n \")])],1),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list suboptions\"},[_c('li',[_c('Checkbox',{attrs:{\"disabled\":!_vm.hideNsfw},model:{value:(_vm.preloadImage),callback:function ($$v) {_vm.preloadImage=$$v},expression:\"preloadImage\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.preload_images'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{attrs:{\"disabled\":!_vm.hideNsfw},model:{value:(_vm.useOneClickNsfw),callback:function ($$v) {_vm.useOneClickNsfw=$$v},expression:\"useOneClickNsfw\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.use_one_click_nsfw'))+\"\\n \")])],1)]),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.stopGifs),callback:function ($$v) {_vm.stopGifs=$$v},expression:\"stopGifs\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.stop_gifs'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.loopVideo),callback:function ($$v) {_vm.loopVideo=$$v},expression:\"loopVideo\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.loop_video'))+\"\\n \")]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list suboptions\",class:[{disabled: !_vm.streaming}]},[_c('li',[_c('Checkbox',{attrs:{\"disabled\":!_vm.loopVideo || !_vm.loopSilentAvailable},model:{value:(_vm.loopVideoSilentOnly),callback:function ($$v) {_vm.loopVideoSilentOnly=$$v},expression:\"loopVideoSilentOnly\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.loop_video_silent_only'))+\"\\n \")]),_vm._v(\" \"),(!_vm.loopSilentAvailable)?_c('div',{staticClass:\"unavailable\"},[_c('i',{staticClass:\"icon-globe\"}),_vm._v(\"! \"+_vm._s(_vm.$t('settings.limited_availability'))+\"\\n \")]):_vm._e()],1)])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.playVideosInModal),callback:function ($$v) {_vm.playVideosInModal=$$v},expression:\"playVideosInModal\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.play_videos_in_modal'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.useContainFit),callback:function ($$v) {_vm.useContainFit=$$v},expression:\"useContainFit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.use_contain_fit'))+\"\\n \")])],1)])]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.notifications')))]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('Checkbox',{model:{value:(_vm.webPushNotifications),callback:function ($$v) {_vm.webPushNotifications=$$v},expression:\"webPushNotifications\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.enable_web_push_notifications'))+\"\\n \")])],1)])]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.fun')))]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('Checkbox',{model:{value:(_vm.greentext),callback:function ($$v) {_vm.greentext=$$v},expression:\"greentext\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.greentext'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.greentextLocalizedValue }))+\"\\n \")])],1)])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { extractCommit } from 'src/services/version/version.service'\n\nconst pleromaFeCommitUrl = 'https://git.pleroma.social/pleroma/pleroma-fe/commit/'\nconst pleromaBeCommitUrl = 'https://git.pleroma.social/pleroma/pleroma/commit/'\n\nconst VersionTab = {\n data () {\n const instance = this.$store.state.instance\n return {\n backendVersion: instance.backendVersion,\n frontendVersion: instance.frontendVersion\n }\n },\n computed: {\n frontendVersionLink () {\n return pleromaFeCommitUrl + this.frontendVersion\n },\n backendVersionLink () {\n return pleromaBeCommitUrl + extractCommit(this.backendVersion)\n }\n }\n}\n\nexport default VersionTab\n","\nexport const extractCommit = versionString => {\n const regex = /-g(\\w+)/i\n const matches = versionString.match(regex)\n return matches ? matches[1] : ''\n}\n","/* script */\nexport * from \"!!babel-loader!./version_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./version_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-ce257d26\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./version_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{attrs:{\"label\":_vm.$t('settings.version.title')}},[_c('div',{staticClass:\"setting-item\"},[_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.version.backend_version')))]),_vm._v(\" \"),_c('ul',{staticClass:\"option-list\"},[_c('li',[_c('a',{attrs:{\"href\":_vm.backendVersionLink,\"target\":\"_blank\"}},[_vm._v(_vm._s(_vm.backendVersion))])])])]),_vm._v(\" \"),_c('li',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.version.frontend_version')))]),_vm._v(\" \"),_c('ul',{staticClass:\"option-list\"},[_c('li',[_c('a',{attrs:{\"href\":_vm.frontendVersionLink,\"target\":\"_blank\"}},[_vm._v(_vm._s(_vm.frontendVersion))])])])])])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <div\n class=\"color-input style-control\"\n :class=\"{ disabled: !present || disabled }\"\n >\n <label\n :for=\"name\"\n class=\"label\"\n >\n {{ label }}\n </label>\n <Checkbox\n v-if=\"typeof fallback !== 'undefined' && showOptionalTickbox\"\n :checked=\"present\"\n :disabled=\"disabled\"\n class=\"opt\"\n @change=\"$emit('input', typeof value === 'undefined' ? fallback : undefined)\"\n />\n <div class=\"input color-input-field\">\n <input\n :id=\"name + '-t'\"\n class=\"textColor unstyled\"\n type=\"text\"\n :value=\"value || fallback\"\n :disabled=\"!present || disabled\"\n @input=\"$emit('input', $event.target.value)\"\n >\n <input\n v-if=\"validColor\"\n :id=\"name\"\n class=\"nativeColor unstyled\"\n type=\"color\"\n :value=\"value || fallback\"\n :disabled=\"!present || disabled\"\n @input=\"$emit('input', $event.target.value)\"\n >\n <div\n v-if=\"transparentColor\"\n class=\"transparentIndicator\"\n />\n <div\n v-if=\"computedColor\"\n class=\"computedIndicator\"\n :style=\"{backgroundColor: fallback}\"\n />\n </div>\n </div>\n</template>\n<style lang=\"scss\" src=\"./color_input.scss\"></style>\n<script>\nimport Checkbox from '../checkbox/checkbox.vue'\nimport { hex2rgb } from '../../services/color_convert/color_convert.js'\nexport default {\n components: {\n Checkbox\n },\n props: {\n // Name of color, used for identifying\n name: {\n required: true,\n type: String\n },\n // Readable label\n label: {\n required: true,\n type: String\n },\n // Color value, should be required but vue cannot tell the difference\n // between \"property missing\" and \"property set to undefined\"\n value: {\n required: false,\n type: String,\n default: undefined\n },\n // Color fallback to use when value is not defeind\n fallback: {\n required: false,\n type: String,\n default: undefined\n },\n // Disable the control\n disabled: {\n required: false,\n type: Boolean,\n default: false\n },\n // Show \"optional\" tickbox, for when value might become mandatory\n showOptionalTickbox: {\n required: false,\n type: Boolean,\n default: true\n }\n },\n computed: {\n present () {\n return typeof this.value !== 'undefined'\n },\n validColor () {\n return hex2rgb(this.value || this.fallback)\n },\n transparentColor () {\n return this.value === 'transparent'\n },\n computedColor () {\n return this.value && this.value.startsWith('--')\n }\n }\n}\n</script>\n\n<style lang=\"scss\">\n.color-control {\n input.text-input {\n max-width: 7em;\n flex: 1;\n }\n}\n</style>\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./color_input.scss\")\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=1!./color_input.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./color_input.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./color_input.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-77e407b6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./color_input.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"color-input style-control\",class:{ disabled: !_vm.present || _vm.disabled }},[_c('label',{staticClass:\"label\",attrs:{\"for\":_vm.name}},[_vm._v(\"\\n \"+_vm._s(_vm.label)+\"\\n \")]),_vm._v(\" \"),(typeof _vm.fallback !== 'undefined' && _vm.showOptionalTickbox)?_c('Checkbox',{staticClass:\"opt\",attrs:{\"checked\":_vm.present,\"disabled\":_vm.disabled},on:{\"change\":function($event){return _vm.$emit('input', typeof _vm.value === 'undefined' ? _vm.fallback : undefined)}}}):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"input color-input-field\"},[_c('input',{staticClass:\"textColor unstyled\",attrs:{\"id\":_vm.name + '-t',\"type\":\"text\",\"disabled\":!_vm.present || _vm.disabled},domProps:{\"value\":_vm.value || _vm.fallback},on:{\"input\":function($event){return _vm.$emit('input', $event.target.value)}}}),_vm._v(\" \"),(_vm.validColor)?_c('input',{staticClass:\"nativeColor unstyled\",attrs:{\"id\":_vm.name,\"type\":\"color\",\"disabled\":!_vm.present || _vm.disabled},domProps:{\"value\":_vm.value || _vm.fallback},on:{\"input\":function($event){return _vm.$emit('input', $event.target.value)}}}):_vm._e(),_vm._v(\" \"),(_vm.transparentColor)?_c('div',{staticClass:\"transparentIndicator\"}):_vm._e(),_vm._v(\" \"),(_vm.computedColor)?_c('div',{staticClass:\"computedIndicator\",style:({backgroundColor: _vm.fallback})}):_vm._e()])],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./range_input.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./range_input.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6a3c1a26\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./range_input.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","<template>\n <div\n class=\"range-control style-control\"\n :class=\"{ disabled: !present || disabled }\"\n >\n <label\n :for=\"name\"\n class=\"label\"\n >\n {{ label }}\n </label>\n <input\n v-if=\"typeof fallback !== 'undefined'\"\n :id=\"name + '-o'\"\n class=\"opt\"\n type=\"checkbox\"\n :checked=\"present\"\n @input=\"$emit('input', !present ? fallback : undefined)\"\n >\n <label\n v-if=\"typeof fallback !== 'undefined'\"\n class=\"opt-l\"\n :for=\"name + '-o'\"\n />\n <input\n :id=\"name\"\n class=\"input-number\"\n type=\"range\"\n :value=\"value || fallback\"\n :disabled=\"!present || disabled\"\n :max=\"max || hardMax || 100\"\n :min=\"min || hardMin || 0\"\n :step=\"step || 1\"\n @input=\"$emit('input', $event.target.value)\"\n >\n <input\n :id=\"name\"\n class=\"input-number\"\n type=\"number\"\n :value=\"value || fallback\"\n :disabled=\"!present || disabled\"\n :max=\"hardMax\"\n :min=\"hardMin\"\n :step=\"step || 1\"\n @input=\"$emit('input', $event.target.value)\"\n >\n </div>\n</template>\n\n<script>\nexport default {\n props: [\n 'name', 'value', 'fallback', 'disabled', 'label', 'max', 'min', 'step', 'hardMin', 'hardMax'\n ],\n computed: {\n present () {\n return typeof this.value !== 'undefined'\n }\n }\n}\n</script>\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"range-control style-control\",class:{ disabled: !_vm.present || _vm.disabled }},[_c('label',{staticClass:\"label\",attrs:{\"for\":_vm.name}},[_vm._v(\"\\n \"+_vm._s(_vm.label)+\"\\n \")]),_vm._v(\" \"),(typeof _vm.fallback !== 'undefined')?_c('input',{staticClass:\"opt\",attrs:{\"id\":_vm.name + '-o',\"type\":\"checkbox\"},domProps:{\"checked\":_vm.present},on:{\"input\":function($event){return _vm.$emit('input', !_vm.present ? _vm.fallback : undefined)}}}):_vm._e(),_vm._v(\" \"),(typeof _vm.fallback !== 'undefined')?_c('label',{staticClass:\"opt-l\",attrs:{\"for\":_vm.name + '-o'}}):_vm._e(),_vm._v(\" \"),_c('input',{staticClass:\"input-number\",attrs:{\"id\":_vm.name,\"type\":\"range\",\"disabled\":!_vm.present || _vm.disabled,\"max\":_vm.max || _vm.hardMax || 100,\"min\":_vm.min || _vm.hardMin || 0,\"step\":_vm.step || 1},domProps:{\"value\":_vm.value || _vm.fallback},on:{\"input\":function($event){return _vm.$emit('input', $event.target.value)}}}),_vm._v(\" \"),_c('input',{staticClass:\"input-number\",attrs:{\"id\":_vm.name,\"type\":\"number\",\"disabled\":!_vm.present || _vm.disabled,\"max\":_vm.hardMax,\"min\":_vm.hardMin,\"step\":_vm.step || 1},domProps:{\"value\":_vm.value || _vm.fallback},on:{\"input\":function($event){return _vm.$emit('input', $event.target.value)}}})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <div\n class=\"opacity-control style-control\"\n :class=\"{ disabled: !present || disabled }\"\n >\n <label\n :for=\"name\"\n class=\"label\"\n >\n {{ $t('settings.style.common.opacity') }}\n </label>\n <Checkbox\n v-if=\"typeof fallback !== 'undefined'\"\n :checked=\"present\"\n :disabled=\"disabled\"\n class=\"opt\"\n @change=\"$emit('input', !present ? fallback : undefined)\"\n />\n <input\n :id=\"name\"\n class=\"input-number\"\n type=\"number\"\n :value=\"value || fallback\"\n :disabled=\"!present || disabled\"\n max=\"1\"\n min=\"0\"\n step=\".05\"\n @input=\"$emit('input', $event.target.value)\"\n >\n </div>\n</template>\n\n<script>\nimport Checkbox from '../checkbox/checkbox.vue'\nexport default {\n components: {\n Checkbox\n },\n props: [\n 'name', 'value', 'fallback', 'disabled'\n ],\n computed: {\n present () {\n return typeof this.value !== 'undefined'\n }\n }\n}\n</script>\n","/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./opacity_input.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./opacity_input.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3b48fa39\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./opacity_input.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"opacity-control style-control\",class:{ disabled: !_vm.present || _vm.disabled }},[_c('label',{staticClass:\"label\",attrs:{\"for\":_vm.name}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.common.opacity'))+\"\\n \")]),_vm._v(\" \"),(typeof _vm.fallback !== 'undefined')?_c('Checkbox',{staticClass:\"opt\",attrs:{\"checked\":_vm.present,\"disabled\":_vm.disabled},on:{\"change\":function($event){return _vm.$emit('input', !_vm.present ? _vm.fallback : undefined)}}}):_vm._e(),_vm._v(\" \"),_c('input',{staticClass:\"input-number\",attrs:{\"id\":_vm.name,\"type\":\"number\",\"disabled\":!_vm.present || _vm.disabled,\"max\":\"1\",\"min\":\"0\",\"step\":\".05\"},domProps:{\"value\":_vm.value || _vm.fallback},on:{\"input\":function($event){return _vm.$emit('input', $event.target.value)}}})],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import ColorInput from '../color_input/color_input.vue'\nimport OpacityInput from '../opacity_input/opacity_input.vue'\nimport { getCssShadow } from '../../services/style_setter/style_setter.js'\nimport { hex2rgb } from '../../services/color_convert/color_convert.js'\n\nconst toModel = (object = {}) => ({\n x: 0,\n y: 0,\n blur: 0,\n spread: 0,\n inset: false,\n color: '#000000',\n alpha: 1,\n ...object\n})\n\nexport default {\n // 'Value' and 'Fallback' can be undefined, but if they are\n // initially vue won't detect it when they become something else\n // therefore i'm using \"ready\" which should be passed as true when\n // data becomes available\n props: [\n 'value', 'fallback', 'ready'\n ],\n data () {\n return {\n selectedId: 0,\n // TODO there are some bugs regarding display of array (it's not getting updated when deleting for some reason)\n cValue: (this.value || this.fallback || []).map(toModel)\n }\n },\n components: {\n ColorInput,\n OpacityInput\n },\n methods: {\n add () {\n this.cValue.push(toModel(this.selected))\n this.selectedId = this.cValue.length - 1\n },\n del () {\n this.cValue.splice(this.selectedId, 1)\n this.selectedId = this.cValue.length === 0 ? undefined : Math.max(this.selectedId - 1, 0)\n },\n moveUp () {\n const movable = this.cValue.splice(this.selectedId, 1)[0]\n this.cValue.splice(this.selectedId - 1, 0, movable)\n this.selectedId -= 1\n },\n moveDn () {\n const movable = this.cValue.splice(this.selectedId, 1)[0]\n this.cValue.splice(this.selectedId + 1, 0, movable)\n this.selectedId += 1\n }\n },\n beforeUpdate () {\n this.cValue = this.value || this.fallback\n },\n computed: {\n anyShadows () {\n return this.cValue.length > 0\n },\n anyShadowsFallback () {\n return this.fallback.length > 0\n },\n selected () {\n if (this.ready && this.anyShadows) {\n return this.cValue[this.selectedId]\n } else {\n return toModel({})\n }\n },\n currentFallback () {\n if (this.ready && this.anyShadowsFallback) {\n return this.fallback[this.selectedId]\n } else {\n return toModel({})\n }\n },\n moveUpValid () {\n return this.ready && this.selectedId > 0\n },\n moveDnValid () {\n return this.ready && this.selectedId < this.cValue.length - 1\n },\n present () {\n return this.ready &&\n typeof this.cValue[this.selectedId] !== 'undefined' &&\n !this.usingFallback\n },\n usingFallback () {\n return typeof this.value === 'undefined'\n },\n rgb () {\n return hex2rgb(this.selected.color)\n },\n style () {\n return this.ready ? {\n boxShadow: getCssShadow(this.fallback)\n } : {}\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./shadow_control.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./shadow_control.js\"\nimport __vue_script__ from \"!!babel-loader!./shadow_control.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-5c532734\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./shadow_control.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"shadow-control\",class:{ disabled: !_vm.present }},[_c('div',{staticClass:\"shadow-preview-container\"},[_c('div',{staticClass:\"y-shift-control\",attrs:{\"disabled\":!_vm.present}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.y),expression:\"selected.y\"}],staticClass:\"input-number\",attrs:{\"disabled\":!_vm.present,\"type\":\"number\"},domProps:{\"value\":(_vm.selected.y)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.selected, \"y\", $event.target.value)}}}),_vm._v(\" \"),_c('div',{staticClass:\"wrap\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.y),expression:\"selected.y\"}],staticClass:\"input-range\",attrs:{\"disabled\":!_vm.present,\"type\":\"range\",\"max\":\"20\",\"min\":\"-20\"},domProps:{\"value\":(_vm.selected.y)},on:{\"__r\":function($event){return _vm.$set(_vm.selected, \"y\", $event.target.value)}}})])]),_vm._v(\" \"),_c('div',{staticClass:\"preview-window\"},[_c('div',{staticClass:\"preview-block\",style:(_vm.style)})]),_vm._v(\" \"),_c('div',{staticClass:\"x-shift-control\",attrs:{\"disabled\":!_vm.present}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.x),expression:\"selected.x\"}],staticClass:\"input-number\",attrs:{\"disabled\":!_vm.present,\"type\":\"number\"},domProps:{\"value\":(_vm.selected.x)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.selected, \"x\", $event.target.value)}}}),_vm._v(\" \"),_c('div',{staticClass:\"wrap\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.x),expression:\"selected.x\"}],staticClass:\"input-range\",attrs:{\"disabled\":!_vm.present,\"type\":\"range\",\"max\":\"20\",\"min\":\"-20\"},domProps:{\"value\":(_vm.selected.x)},on:{\"__r\":function($event){return _vm.$set(_vm.selected, \"x\", $event.target.value)}}})])])]),_vm._v(\" \"),_c('div',{staticClass:\"shadow-tweak\"},[_c('div',{staticClass:\"id-control style-control\",attrs:{\"disabled\":_vm.usingFallback}},[_c('label',{staticClass:\"select\",attrs:{\"for\":\"shadow-switcher\",\"disabled\":!_vm.ready || _vm.usingFallback}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selectedId),expression:\"selectedId\"}],staticClass:\"shadow-switcher\",attrs:{\"id\":\"shadow-switcher\",\"disabled\":!_vm.ready || _vm.usingFallback},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.selectedId=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},_vm._l((_vm.cValue),function(shadow,index){return _c('option',{key:index,domProps:{\"value\":index}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.shadow_id', { value: index }))+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":!_vm.ready || !_vm.present},on:{\"click\":_vm.del}},[_c('i',{staticClass:\"icon-cancel\"})]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":!_vm.moveUpValid},on:{\"click\":_vm.moveUp}},[_c('i',{staticClass:\"icon-up-open\"})]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":!_vm.moveDnValid},on:{\"click\":_vm.moveDn}},[_c('i',{staticClass:\"icon-down-open\"})]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.usingFallback},on:{\"click\":_vm.add}},[_c('i',{staticClass:\"icon-plus\"})])]),_vm._v(\" \"),_c('div',{staticClass:\"inset-control style-control\",attrs:{\"disabled\":!_vm.present}},[_c('label',{staticClass:\"label\",attrs:{\"for\":\"inset\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.inset'))+\"\\n \")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.inset),expression:\"selected.inset\"}],staticClass:\"input-inset\",attrs:{\"id\":\"inset\",\"disabled\":!_vm.present,\"name\":\"inset\",\"type\":\"checkbox\"},domProps:{\"checked\":Array.isArray(_vm.selected.inset)?_vm._i(_vm.selected.inset,null)>-1:(_vm.selected.inset)},on:{\"change\":function($event){var $$a=_vm.selected.inset,$$el=$event.target,$$c=$$el.checked?(true):(false);if(Array.isArray($$a)){var $$v=null,$$i=_vm._i($$a,$$v);if($$el.checked){$$i<0&&(_vm.$set(_vm.selected, \"inset\", $$a.concat([$$v])))}else{$$i>-1&&(_vm.$set(_vm.selected, \"inset\", $$a.slice(0,$$i).concat($$a.slice($$i+1))))}}else{_vm.$set(_vm.selected, \"inset\", $$c)}}}}),_vm._v(\" \"),_c('label',{staticClass:\"checkbox-label\",attrs:{\"for\":\"inset\"}})]),_vm._v(\" \"),_c('div',{staticClass:\"blur-control style-control\",attrs:{\"disabled\":!_vm.present}},[_c('label',{staticClass:\"label\",attrs:{\"for\":\"spread\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.blur'))+\"\\n \")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.blur),expression:\"selected.blur\"}],staticClass:\"input-range\",attrs:{\"id\":\"blur\",\"disabled\":!_vm.present,\"name\":\"blur\",\"type\":\"range\",\"max\":\"20\",\"min\":\"0\"},domProps:{\"value\":(_vm.selected.blur)},on:{\"__r\":function($event){return _vm.$set(_vm.selected, \"blur\", $event.target.value)}}}),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.blur),expression:\"selected.blur\"}],staticClass:\"input-number\",attrs:{\"disabled\":!_vm.present,\"type\":\"number\",\"min\":\"0\"},domProps:{\"value\":(_vm.selected.blur)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.selected, \"blur\", $event.target.value)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"spread-control style-control\",attrs:{\"disabled\":!_vm.present}},[_c('label',{staticClass:\"label\",attrs:{\"for\":\"spread\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.spread'))+\"\\n \")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.spread),expression:\"selected.spread\"}],staticClass:\"input-range\",attrs:{\"id\":\"spread\",\"disabled\":!_vm.present,\"name\":\"spread\",\"type\":\"range\",\"max\":\"20\",\"min\":\"-20\"},domProps:{\"value\":(_vm.selected.spread)},on:{\"__r\":function($event){return _vm.$set(_vm.selected, \"spread\", $event.target.value)}}}),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.spread),expression:\"selected.spread\"}],staticClass:\"input-number\",attrs:{\"disabled\":!_vm.present,\"type\":\"number\"},domProps:{\"value\":(_vm.selected.spread)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.selected, \"spread\", $event.target.value)}}})]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"disabled\":!_vm.present,\"label\":_vm.$t('settings.style.common.color'),\"fallback\":_vm.currentFallback.color,\"show-optional-tickbox\":false,\"name\":\"shadow\"},model:{value:(_vm.selected.color),callback:function ($$v) {_vm.$set(_vm.selected, \"color\", $$v)},expression:\"selected.color\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"disabled\":!_vm.present},model:{value:(_vm.selected.alpha),callback:function ($$v) {_vm.$set(_vm.selected, \"alpha\", $$v)},expression:\"selected.alpha\"}}),_vm._v(\" \"),_c('i18n',{attrs:{\"path\":\"settings.style.shadows.hintV3\",\"tag\":\"p\"}},[_c('code',[_vm._v(\"--variable,mod\")])])],1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { set } from 'vue'\n\nexport default {\n props: [\n 'name', 'label', 'value', 'fallback', 'options', 'no-inherit'\n ],\n data () {\n return {\n lValue: this.value,\n availableOptions: [\n this.noInherit ? '' : 'inherit',\n 'custom',\n ...(this.options || []),\n 'serif',\n 'monospace',\n 'sans-serif'\n ].filter(_ => _)\n }\n },\n beforeUpdate () {\n this.lValue = this.value\n },\n computed: {\n present () {\n return typeof this.lValue !== 'undefined'\n },\n dValue () {\n return this.lValue || this.fallback || {}\n },\n family: {\n get () {\n return this.dValue.family\n },\n set (v) {\n set(this.lValue, 'family', v)\n this.$emit('input', this.lValue)\n }\n },\n isCustom () {\n return this.preset === 'custom'\n },\n preset: {\n get () {\n if (this.family === 'serif' ||\n this.family === 'sans-serif' ||\n this.family === 'monospace' ||\n this.family === 'inherit') {\n return this.family\n } else {\n return 'custom'\n }\n },\n set (v) {\n this.family = v === 'custom' ? '' : v\n }\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./font_control.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./font_control.js\"\nimport __vue_script__ from \"!!babel-loader!./font_control.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-0edf8dfc\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./font_control.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"font-control style-control\",class:{ custom: _vm.isCustom }},[_c('label',{staticClass:\"label\",attrs:{\"for\":_vm.preset === 'custom' ? _vm.name : _vm.name + '-font-switcher'}},[_vm._v(\"\\n \"+_vm._s(_vm.label)+\"\\n \")]),_vm._v(\" \"),(typeof _vm.fallback !== 'undefined')?_c('input',{staticClass:\"opt exlcude-disabled\",attrs:{\"id\":_vm.name + '-o',\"type\":\"checkbox\"},domProps:{\"checked\":_vm.present},on:{\"input\":function($event){return _vm.$emit('input', typeof _vm.value === 'undefined' ? _vm.fallback : undefined)}}}):_vm._e(),_vm._v(\" \"),(typeof _vm.fallback !== 'undefined')?_c('label',{staticClass:\"opt-l\",attrs:{\"for\":_vm.name + '-o'}}):_vm._e(),_vm._v(\" \"),_c('label',{staticClass:\"select\",attrs:{\"for\":_vm.name + '-font-switcher',\"disabled\":!_vm.present}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.preset),expression:\"preset\"}],staticClass:\"font-switcher\",attrs:{\"id\":_vm.name + '-font-switcher',\"disabled\":!_vm.present},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.preset=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},_vm._l((_vm.availableOptions),function(option){return _c('option',{key:option,domProps:{\"value\":option}},[_vm._v(\"\\n \"+_vm._s(option === 'custom' ? _vm.$t('settings.style.fonts.custom') : option)+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})]),_vm._v(\" \"),(_vm.isCustom)?_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.family),expression:\"family\"}],staticClass:\"custom-font\",attrs:{\"id\":_vm.name,\"type\":\"text\"},domProps:{\"value\":(_vm.family)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.family=$event.target.value}}}):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <span\n v-if=\"contrast\"\n class=\"contrast-ratio\"\n >\n <span\n :title=\"hint\"\n class=\"rating\"\n >\n <span v-if=\"contrast.aaa\">\n <i class=\"icon-thumbs-up-alt\" />\n </span>\n <span v-if=\"!contrast.aaa && contrast.aa\">\n <i class=\"icon-adjust\" />\n </span>\n <span v-if=\"!contrast.aaa && !contrast.aa\">\n <i class=\"icon-attention\" />\n </span>\n </span>\n <span\n v-if=\"contrast && large\"\n class=\"rating\"\n :title=\"hint_18pt\"\n >\n <span v-if=\"contrast.laaa\">\n <i class=\"icon-thumbs-up-alt\" />\n </span>\n <span v-if=\"!contrast.laaa && contrast.laa\">\n <i class=\"icon-adjust\" />\n </span>\n <span v-if=\"!contrast.laaa && !contrast.laa\">\n <i class=\"icon-attention\" />\n </span>\n </span>\n </span>\n</template>\n\n<script>\nexport default {\n props: {\n large: {\n required: false\n },\n // TODO: Make theme switcher compute theme initially so that contrast\n // component won't be called without contrast data\n contrast: {\n required: false,\n type: Object\n }\n },\n computed: {\n hint () {\n const levelVal = this.contrast.aaa ? 'aaa' : (this.contrast.aa ? 'aa' : 'bad')\n const level = this.$t(`settings.style.common.contrast.level.${levelVal}`)\n const context = this.$t('settings.style.common.contrast.context.text')\n const ratio = this.contrast.text\n return this.$t('settings.style.common.contrast.hint', { level, context, ratio })\n },\n hint_18pt () {\n const levelVal = this.contrast.laaa ? 'aaa' : (this.contrast.laa ? 'aa' : 'bad')\n const level = this.$t(`settings.style.common.contrast.level.${levelVal}`)\n const context = this.$t('settings.style.common.contrast.context.18pt')\n const ratio = this.contrast.text\n return this.$t('settings.style.common.contrast.hint', { level, context, ratio })\n }\n }\n}\n</script>\n\n<style lang=\"scss\">\n.contrast-ratio {\n display: flex;\n justify-content: flex-end;\n\n margin-top: -4px;\n margin-bottom: 5px;\n\n .label {\n margin-right: 1em;\n }\n\n .rating {\n display: inline-block;\n text-align: center;\n }\n}\n</style>\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./contrast_ratio.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./contrast_ratio.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./contrast_ratio.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2507acc6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./contrast_ratio.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.contrast)?_c('span',{staticClass:\"contrast-ratio\"},[_c('span',{staticClass:\"rating\",attrs:{\"title\":_vm.hint}},[(_vm.contrast.aaa)?_c('span',[_c('i',{staticClass:\"icon-thumbs-up-alt\"})]):_vm._e(),_vm._v(\" \"),(!_vm.contrast.aaa && _vm.contrast.aa)?_c('span',[_c('i',{staticClass:\"icon-adjust\"})]):_vm._e(),_vm._v(\" \"),(!_vm.contrast.aaa && !_vm.contrast.aa)?_c('span',[_c('i',{staticClass:\"icon-attention\"})]):_vm._e()]),_vm._v(\" \"),(_vm.contrast && _vm.large)?_c('span',{staticClass:\"rating\",attrs:{\"title\":_vm.hint_18pt}},[(_vm.contrast.laaa)?_c('span',[_c('i',{staticClass:\"icon-thumbs-up-alt\"})]):_vm._e(),_vm._v(\" \"),(!_vm.contrast.laaa && _vm.contrast.laa)?_c('span',[_c('i',{staticClass:\"icon-adjust\"})]):_vm._e(),_vm._v(\" \"),(!_vm.contrast.laaa && !_vm.contrast.laa)?_c('span',[_c('i',{staticClass:\"icon-attention\"})]):_vm._e()]):_vm._e()]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <div class=\"import-export-container\">\n <slot name=\"before\" />\n <button\n class=\"btn\"\n @click=\"exportData\"\n >\n {{ exportLabel }}\n </button>\n <button\n class=\"btn\"\n @click=\"importData\"\n >\n {{ importLabel }}\n </button>\n <slot name=\"afterButtons\" />\n <p\n v-if=\"importFailed\"\n class=\"alert error\"\n >\n {{ importFailedText }}\n </p>\n <slot name=\"afterError\" />\n </div>\n</template>\n\n<script>\nexport default {\n props: [\n 'exportObject',\n 'importLabel',\n 'exportLabel',\n 'importFailedText',\n 'validator',\n 'onImport',\n 'onImportFailure'\n ],\n data () {\n return {\n importFailed: false\n }\n },\n methods: {\n exportData () {\n const stringified = JSON.stringify(this.exportObject, null, 2) // Pretty-print and indent with 2 spaces\n\n // Create an invisible link with a data url and simulate a click\n const e = document.createElement('a')\n e.setAttribute('download', 'pleroma_theme.json')\n e.setAttribute('href', 'data:application/json;base64,' + window.btoa(stringified))\n e.style.display = 'none'\n\n document.body.appendChild(e)\n e.click()\n document.body.removeChild(e)\n },\n importData () {\n this.importFailed = false\n const filePicker = document.createElement('input')\n filePicker.setAttribute('type', 'file')\n filePicker.setAttribute('accept', '.json')\n\n filePicker.addEventListener('change', event => {\n if (event.target.files[0]) {\n // eslint-disable-next-line no-undef\n const reader = new FileReader()\n reader.onload = ({ target }) => {\n try {\n const parsed = JSON.parse(target.result)\n const valid = this.validator(parsed)\n if (valid) {\n this.onImport(parsed)\n } else {\n this.importFailed = true\n // this.onImportFailure(valid)\n }\n } catch (e) {\n // This will happen both if there is a JSON syntax error or the theme is missing components\n this.importFailed = true\n // this.onImportFailure(e)\n }\n }\n reader.readAsText(event.target.files[0])\n }\n })\n\n document.body.appendChild(filePicker)\n filePicker.click()\n document.body.removeChild(filePicker)\n }\n }\n}\n</script>\n\n<style lang=\"scss\">\n.import-export-container {\n display: flex;\n flex-wrap: wrap;\n align-items: baseline;\n justify-content: center;\n}\n</style>\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./export_import.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./export_import.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./export_import.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3d9b5a74\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./export_import.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"import-export-container\"},[_vm._t(\"before\"),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.exportData}},[_vm._v(\"\\n \"+_vm._s(_vm.exportLabel)+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.importData}},[_vm._v(\"\\n \"+_vm._s(_vm.importLabel)+\"\\n \")]),_vm._v(\" \"),_vm._t(\"afterButtons\"),_vm._v(\" \"),(_vm.importFailed)?_c('p',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.importFailedText)+\"\\n \")]):_vm._e(),_vm._v(\" \"),_vm._t(\"afterError\")],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./preview.vue\")\n}\n/* script */\nvar __vue_script__ = null\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1a88be74\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./preview.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"preview-container\"},[_c('div',{staticClass:\"underlay underlay-preview\"}),_vm._v(\" \"),_c('div',{staticClass:\"panel dummy\"},[_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.header'))+\"\\n \"),_c('span',{staticClass:\"badge badge-notification\"},[_vm._v(\"\\n 99\\n \")])]),_vm._v(\" \"),_c('span',{staticClass:\"faint\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.header_faint'))+\"\\n \")]),_vm._v(\" \"),_c('span',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.error'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.button'))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body theme-preview-content\"},[_c('div',{staticClass:\"post\"},[_c('div',{staticClass:\"avatar still-image\"},[_vm._v(\"\\n ( ͡° ͜ʖ ͡°)\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"content\"},[_c('h4',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.content'))+\"\\n \")]),_vm._v(\" \"),_c('i18n',{attrs:{\"path\":\"settings.style.preview.text\"}},[_c('code',{staticStyle:{\"font-family\":\"var(--postCodeFont)\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.mono'))+\"\\n \")]),_vm._v(\" \"),_c('a',{staticStyle:{\"color\":\"var(--link)\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.link'))+\"\\n \")])]),_vm._v(\" \"),_vm._m(0)],1)]),_vm._v(\" \"),_c('div',{staticClass:\"after-post\"},[_c('div',{staticClass:\"avatar-alt\"},[_vm._v(\"\\n :^)\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"content\"},[_c('i18n',{staticClass:\"faint\",attrs:{\"path\":\"settings.style.preview.fine_print\",\"tag\":\"span\"}},[_c('a',{staticStyle:{\"color\":\"var(--faintLink)\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.faint_link'))+\"\\n \")])])],1)]),_vm._v(\" \"),_c('div',{staticClass:\"separator\"}),_vm._v(\" \"),_c('span',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.error'))+\"\\n \")]),_vm._v(\" \"),_c('input',{attrs:{\"type\":\"text\"},domProps:{\"value\":_vm.$t('settings.style.preview.input')}}),_vm._v(\" \"),_c('div',{staticClass:\"actions\"},[_c('span',{staticClass:\"checkbox\"},[_c('input',{attrs:{\"id\":\"preview_checkbox\",\"checked\":\"very yes\",\"type\":\"checkbox\"}}),_vm._v(\" \"),_c('label',{attrs:{\"for\":\"preview_checkbox\"}},[_vm._v(_vm._s(_vm.$t('settings.style.preview.checkbox')))])]),_vm._v(\" \"),_c('button',{staticClass:\"btn\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.button'))+\"\\n \")])])])])])}\nvar staticRenderFns = [function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"icons\"},[_c('i',{staticClass:\"button-icon icon-reply\",staticStyle:{\"color\":\"var(--cBlue)\"}}),_vm._v(\" \"),_c('i',{staticClass:\"button-icon icon-retweet\",staticStyle:{\"color\":\"var(--cGreen)\"}}),_vm._v(\" \"),_c('i',{staticClass:\"button-icon icon-star\",staticStyle:{\"color\":\"var(--cOrange)\"}}),_vm._v(\" \"),_c('i',{staticClass:\"button-icon icon-cancel\",staticStyle:{\"color\":\"var(--cRed)\"}})])}]\nexport { render, staticRenderFns }","import { set, delete as del } from 'vue'\nimport {\n rgb2hex,\n hex2rgb,\n getContrastRatioLayers\n} from 'src/services/color_convert/color_convert.js'\nimport {\n DEFAULT_SHADOWS,\n generateColors,\n generateShadows,\n generateRadii,\n generateFonts,\n composePreset,\n getThemes,\n shadows2to3,\n colors2to3\n} from 'src/services/style_setter/style_setter.js'\nimport {\n SLOT_INHERITANCE\n} from 'src/services/theme_data/pleromafe.js'\nimport {\n CURRENT_VERSION,\n OPACITIES,\n getLayers,\n getOpacitySlot\n} from 'src/services/theme_data/theme_data.service.js'\nimport ColorInput from 'src/components/color_input/color_input.vue'\nimport RangeInput from 'src/components/range_input/range_input.vue'\nimport OpacityInput from 'src/components/opacity_input/opacity_input.vue'\nimport ShadowControl from 'src/components/shadow_control/shadow_control.vue'\nimport FontControl from 'src/components/font_control/font_control.vue'\nimport ContrastRatio from 'src/components/contrast_ratio/contrast_ratio.vue'\nimport TabSwitcher from 'src/components/tab_switcher/tab_switcher.js'\nimport ExportImport from 'src/components/export_import/export_import.vue'\nimport Checkbox from 'src/components/checkbox/checkbox.vue'\n\nimport Preview from './preview.vue'\n\n// List of color values used in v1\nconst v1OnlyNames = [\n 'bg',\n 'fg',\n 'text',\n 'link',\n 'cRed',\n 'cGreen',\n 'cBlue',\n 'cOrange'\n].map(_ => _ + 'ColorLocal')\n\nconst colorConvert = (color) => {\n if (color.startsWith('--') || color === 'transparent') {\n return color\n } else {\n return hex2rgb(color)\n }\n}\n\nexport default {\n data () {\n return {\n availableStyles: [],\n selected: this.$store.getters.mergedConfig.theme,\n themeWarning: undefined,\n tempImportFile: undefined,\n engineVersion: 0,\n\n previewShadows: {},\n previewColors: {},\n previewRadii: {},\n previewFonts: {},\n\n shadowsInvalid: true,\n colorsInvalid: true,\n radiiInvalid: true,\n\n keepColor: false,\n keepShadows: false,\n keepOpacity: false,\n keepRoundness: false,\n keepFonts: false,\n\n ...Object.keys(SLOT_INHERITANCE)\n .map(key => [key, ''])\n .reduce((acc, [key, val]) => ({ ...acc, [ key + 'ColorLocal' ]: val }), {}),\n\n ...Object.keys(OPACITIES)\n .map(key => [key, ''])\n .reduce((acc, [key, val]) => ({ ...acc, [ key + 'OpacityLocal' ]: val }), {}),\n\n shadowSelected: undefined,\n shadowsLocal: {},\n fontsLocal: {},\n\n btnRadiusLocal: '',\n inputRadiusLocal: '',\n checkboxRadiusLocal: '',\n panelRadiusLocal: '',\n avatarRadiusLocal: '',\n avatarAltRadiusLocal: '',\n attachmentRadiusLocal: '',\n tooltipRadiusLocal: '',\n chatMessageRadiusLocal: ''\n }\n },\n created () {\n const self = this\n\n getThemes()\n .then((promises) => {\n return Promise.all(\n Object.entries(promises)\n .map(([k, v]) => v.then(res => [k, res]))\n )\n })\n .then(themes => themes.reduce((acc, [k, v]) => {\n if (v) {\n return {\n ...acc,\n [k]: v\n }\n } else {\n return acc\n }\n }, {}))\n .then((themesComplete) => {\n self.availableStyles = themesComplete\n })\n },\n mounted () {\n this.loadThemeFromLocalStorage()\n if (typeof this.shadowSelected === 'undefined') {\n this.shadowSelected = this.shadowsAvailable[0]\n }\n },\n computed: {\n themeWarningHelp () {\n if (!this.themeWarning) return\n const t = this.$t\n const pre = 'settings.style.switcher.help.'\n const {\n origin,\n themeEngineVersion,\n type,\n noActionsPossible\n } = this.themeWarning\n if (origin === 'file') {\n // Loaded v2 theme from file\n if (themeEngineVersion === 2 && type === 'wrong_version') {\n return t(pre + 'v2_imported')\n }\n if (themeEngineVersion > CURRENT_VERSION) {\n return t(pre + 'future_version_imported') + ' ' +\n (\n noActionsPossible\n ? t(pre + 'snapshot_missing')\n : t(pre + 'snapshot_present')\n )\n }\n if (themeEngineVersion < CURRENT_VERSION) {\n return t(pre + 'future_version_imported') + ' ' +\n (\n noActionsPossible\n ? t(pre + 'snapshot_missing')\n : t(pre + 'snapshot_present')\n )\n }\n } else if (origin === 'localStorage') {\n if (type === 'snapshot_source_mismatch') {\n return t(pre + 'snapshot_source_mismatch')\n }\n // FE upgraded from v2\n if (themeEngineVersion === 2) {\n return t(pre + 'upgraded_from_v2')\n }\n // Admin downgraded FE\n if (themeEngineVersion > CURRENT_VERSION) {\n return t(pre + 'fe_downgraded') + ' ' +\n (\n noActionsPossible\n ? t(pre + 'migration_snapshot_ok')\n : t(pre + 'migration_snapshot_gone')\n )\n }\n // Admin upgraded FE\n if (themeEngineVersion < CURRENT_VERSION) {\n return t(pre + 'fe_upgraded') + ' ' +\n (\n noActionsPossible\n ? t(pre + 'migration_snapshot_ok')\n : t(pre + 'migration_snapshot_gone')\n )\n }\n }\n },\n selectedVersion () {\n return Array.isArray(this.selected) ? 1 : 2\n },\n currentColors () {\n return Object.keys(SLOT_INHERITANCE)\n .map(key => [key, this[key + 'ColorLocal']])\n .reduce((acc, [key, val]) => ({ ...acc, [ key ]: val }), {})\n },\n currentOpacity () {\n return Object.keys(OPACITIES)\n .map(key => [key, this[key + 'OpacityLocal']])\n .reduce((acc, [key, val]) => ({ ...acc, [ key ]: val }), {})\n },\n currentRadii () {\n return {\n btn: this.btnRadiusLocal,\n input: this.inputRadiusLocal,\n checkbox: this.checkboxRadiusLocal,\n panel: this.panelRadiusLocal,\n avatar: this.avatarRadiusLocal,\n avatarAlt: this.avatarAltRadiusLocal,\n tooltip: this.tooltipRadiusLocal,\n attachment: this.attachmentRadiusLocal,\n chatMessage: this.chatMessageRadiusLocal\n }\n },\n preview () {\n return composePreset(this.previewColors, this.previewRadii, this.previewShadows, this.previewFonts)\n },\n previewTheme () {\n if (!this.preview.theme.colors) return { colors: {}, opacity: {}, radii: {}, shadows: {}, fonts: {} }\n return this.preview.theme\n },\n // This needs optimization maybe\n previewContrast () {\n try {\n if (!this.previewTheme.colors.bg) return {}\n const colors = this.previewTheme.colors\n const opacity = this.previewTheme.opacity\n if (!colors.bg) return {}\n const hints = (ratio) => ({\n text: ratio.toPrecision(3) + ':1',\n // AA level, AAA level\n aa: ratio >= 4.5,\n aaa: ratio >= 7,\n // same but for 18pt+ texts\n laa: ratio >= 3,\n laaa: ratio >= 4.5\n })\n const colorsConverted = Object.entries(colors).reduce((acc, [key, value]) => ({ ...acc, [key]: colorConvert(value) }), {})\n\n const ratios = Object.entries(SLOT_INHERITANCE).reduce((acc, [key, value]) => {\n const slotIsBaseText = key === 'text' || key === 'link'\n const slotIsText = slotIsBaseText || (\n typeof value === 'object' && value !== null && value.textColor\n )\n if (!slotIsText) return acc\n const { layer, variant } = slotIsBaseText ? { layer: 'bg' } : value\n const background = variant || layer\n const opacitySlot = getOpacitySlot(background)\n const textColors = [\n key,\n ...(background === 'bg' ? ['cRed', 'cGreen', 'cBlue', 'cOrange'] : [])\n ]\n\n const layers = getLayers(\n layer,\n variant || layer,\n opacitySlot,\n colorsConverted,\n opacity\n )\n\n return {\n ...acc,\n ...textColors.reduce((acc, textColorKey) => {\n const newKey = slotIsBaseText\n ? 'bg' + textColorKey[0].toUpperCase() + textColorKey.slice(1)\n : textColorKey\n return {\n ...acc,\n [newKey]: getContrastRatioLayers(\n colorsConverted[textColorKey],\n layers,\n colorsConverted[textColorKey]\n )\n }\n }, {})\n }\n }, {})\n\n return Object.entries(ratios).reduce((acc, [k, v]) => { acc[k] = hints(v); return acc }, {})\n } catch (e) {\n console.warn('Failure computing contrasts', e)\n }\n },\n previewRules () {\n if (!this.preview.rules) return ''\n return [\n ...Object.values(this.preview.rules),\n 'color: var(--text)',\n 'font-family: var(--interfaceFont, sans-serif)'\n ].join(';')\n },\n shadowsAvailable () {\n return Object.keys(DEFAULT_SHADOWS).sort()\n },\n currentShadowOverriden: {\n get () {\n return !!this.currentShadow\n },\n set (val) {\n if (val) {\n set(this.shadowsLocal, this.shadowSelected, this.currentShadowFallback.map(_ => Object.assign({}, _)))\n } else {\n del(this.shadowsLocal, this.shadowSelected)\n }\n }\n },\n currentShadowFallback () {\n return (this.previewTheme.shadows || {})[this.shadowSelected]\n },\n currentShadow: {\n get () {\n return this.shadowsLocal[this.shadowSelected]\n },\n set (v) {\n set(this.shadowsLocal, this.shadowSelected, v)\n }\n },\n themeValid () {\n return !this.shadowsInvalid && !this.colorsInvalid && !this.radiiInvalid\n },\n exportedTheme () {\n const saveEverything = (\n !this.keepFonts &&\n !this.keepShadows &&\n !this.keepOpacity &&\n !this.keepRoundness &&\n !this.keepColor\n )\n\n const source = {\n themeEngineVersion: CURRENT_VERSION\n }\n\n if (this.keepFonts || saveEverything) {\n source.fonts = this.fontsLocal\n }\n if (this.keepShadows || saveEverything) {\n source.shadows = this.shadowsLocal\n }\n if (this.keepOpacity || saveEverything) {\n source.opacity = this.currentOpacity\n }\n if (this.keepColor || saveEverything) {\n source.colors = this.currentColors\n }\n if (this.keepRoundness || saveEverything) {\n source.radii = this.currentRadii\n }\n\n const theme = {\n themeEngineVersion: CURRENT_VERSION,\n ...this.previewTheme\n }\n\n return {\n // To separate from other random JSON files and possible future source formats\n _pleroma_theme_version: 2, theme, source\n }\n }\n },\n components: {\n ColorInput,\n OpacityInput,\n RangeInput,\n ContrastRatio,\n ShadowControl,\n FontControl,\n TabSwitcher,\n Preview,\n ExportImport,\n Checkbox\n },\n methods: {\n loadTheme (\n {\n theme,\n source,\n _pleroma_theme_version: fileVersion\n },\n origin,\n forceUseSource = false\n ) {\n this.dismissWarning()\n if (!source && !theme) {\n throw new Error('Can\\'t load theme: empty')\n }\n const version = (origin === 'localStorage' && !theme.colors)\n ? 'l1'\n : fileVersion\n const snapshotEngineVersion = (theme || {}).themeEngineVersion\n const themeEngineVersion = (source || {}).themeEngineVersion || 2\n const versionsMatch = themeEngineVersion === CURRENT_VERSION\n const sourceSnapshotMismatch = (\n theme !== undefined &&\n source !== undefined &&\n themeEngineVersion !== snapshotEngineVersion\n )\n // Force loading of source if user requested it or if snapshot\n // is unavailable\n const forcedSourceLoad = (source && forceUseSource) || !theme\n if (!(versionsMatch && !sourceSnapshotMismatch) &&\n !forcedSourceLoad &&\n version !== 'l1' &&\n origin !== 'defaults'\n ) {\n if (sourceSnapshotMismatch && origin === 'localStorage') {\n this.themeWarning = {\n origin,\n themeEngineVersion,\n type: 'snapshot_source_mismatch'\n }\n } else if (!theme) {\n this.themeWarning = {\n origin,\n noActionsPossible: true,\n themeEngineVersion,\n type: 'no_snapshot_old_version'\n }\n } else if (!versionsMatch) {\n this.themeWarning = {\n origin,\n noActionsPossible: !source,\n themeEngineVersion,\n type: 'wrong_version'\n }\n }\n }\n this.normalizeLocalState(theme, version, source, forcedSourceLoad)\n },\n forceLoadLocalStorage () {\n this.loadThemeFromLocalStorage(true)\n },\n dismissWarning () {\n this.themeWarning = undefined\n this.tempImportFile = undefined\n },\n forceLoad () {\n const { origin } = this.themeWarning\n switch (origin) {\n case 'localStorage':\n this.loadThemeFromLocalStorage(true)\n break\n case 'file':\n this.onImport(this.tempImportFile, true)\n break\n }\n this.dismissWarning()\n },\n forceSnapshot () {\n const { origin } = this.themeWarning\n switch (origin) {\n case 'localStorage':\n this.loadThemeFromLocalStorage(false, true)\n break\n case 'file':\n console.err('Forcing snapshout from file is not supported yet')\n break\n }\n this.dismissWarning()\n },\n loadThemeFromLocalStorage (confirmLoadSource = false, forceSnapshot = false) {\n const {\n customTheme: theme,\n customThemeSource: source\n } = this.$store.getters.mergedConfig\n if (!theme && !source) {\n // Anon user or never touched themes\n this.loadTheme(\n this.$store.state.instance.themeData,\n 'defaults',\n confirmLoadSource\n )\n } else {\n this.loadTheme(\n {\n theme,\n source: forceSnapshot ? theme : source\n },\n 'localStorage',\n confirmLoadSource\n )\n }\n },\n setCustomTheme () {\n this.$store.dispatch('setOption', {\n name: 'customTheme',\n value: {\n themeEngineVersion: CURRENT_VERSION,\n ...this.previewTheme\n }\n })\n this.$store.dispatch('setOption', {\n name: 'customThemeSource',\n value: {\n themeEngineVersion: CURRENT_VERSION,\n shadows: this.shadowsLocal,\n fonts: this.fontsLocal,\n opacity: this.currentOpacity,\n colors: this.currentColors,\n radii: this.currentRadii\n }\n })\n },\n updatePreviewColorsAndShadows () {\n this.previewColors = generateColors({\n opacity: this.currentOpacity,\n colors: this.currentColors\n })\n this.previewShadows = generateShadows(\n { shadows: this.shadowsLocal, opacity: this.previewTheme.opacity, themeEngineVersion: this.engineVersion },\n this.previewColors.theme.colors,\n this.previewColors.mod\n )\n },\n onImport (parsed, forceSource = false) {\n this.tempImportFile = parsed\n this.loadTheme(parsed, 'file', forceSource)\n },\n importValidator (parsed) {\n const version = parsed._pleroma_theme_version\n return version >= 1 || version <= 2\n },\n clearAll () {\n this.loadThemeFromLocalStorage()\n },\n\n // Clears all the extra stuff when loading V1 theme\n clearV1 () {\n Object.keys(this.$data)\n .filter(_ => _.endsWith('ColorLocal') || _.endsWith('OpacityLocal'))\n .filter(_ => !v1OnlyNames.includes(_))\n .forEach(key => {\n set(this.$data, key, undefined)\n })\n },\n\n clearRoundness () {\n Object.keys(this.$data)\n .filter(_ => _.endsWith('RadiusLocal'))\n .forEach(key => {\n set(this.$data, key, undefined)\n })\n },\n\n clearOpacity () {\n Object.keys(this.$data)\n .filter(_ => _.endsWith('OpacityLocal'))\n .forEach(key => {\n set(this.$data, key, undefined)\n })\n },\n\n clearShadows () {\n this.shadowsLocal = {}\n },\n\n clearFonts () {\n this.fontsLocal = {}\n },\n\n /**\n * This applies stored theme data onto form. Supports three versions of data:\n * v3 (version >= 3) - newest version of themes which supports snapshots for better compatiblity\n * v2 (version = 2) - newer version of themes.\n * v1 (version = 1) - older version of themes (import from file)\n * v1l (version = l1) - older version of theme (load from local storage)\n * v1 and v1l differ because of way themes were stored/exported.\n * @param {Object} theme - theme data (snapshot)\n * @param {Number} version - version of data. 0 means try to guess based on data. \"l1\" means v1, locastorage type\n * @param {Object} source - theme source - this will be used if compatible\n * @param {Boolean} source - by default source won't be used if version doesn't match since it might render differently\n * this allows importing source anyway\n */\n normalizeLocalState (theme, version = 0, source, forceSource = false) {\n let input\n if (typeof source !== 'undefined') {\n if (forceSource || source.themeEngineVersion === CURRENT_VERSION) {\n input = source\n version = source.themeEngineVersion\n } else {\n input = theme\n }\n } else {\n input = theme\n }\n\n const radii = input.radii || input\n const opacity = input.opacity\n const shadows = input.shadows || {}\n const fonts = input.fonts || {}\n const colors = !input.themeEngineVersion\n ? colors2to3(input.colors || input)\n : input.colors || input\n\n if (version === 0) {\n if (input.version) version = input.version\n // Old v1 naming: fg is text, btn is foreground\n if (typeof colors.text === 'undefined' && typeof colors.fg !== 'undefined') {\n version = 1\n }\n // New v2 naming: text is text, fg is foreground\n if (typeof colors.text !== 'undefined' && typeof colors.fg !== 'undefined') {\n version = 2\n }\n }\n\n this.engineVersion = version\n\n // Stuff that differs between V1 and V2\n if (version === 1) {\n this.fgColorLocal = rgb2hex(colors.btn)\n this.textColorLocal = rgb2hex(colors.fg)\n }\n\n if (!this.keepColor) {\n this.clearV1()\n const keys = new Set(version !== 1 ? Object.keys(SLOT_INHERITANCE) : [])\n if (version === 1 || version === 'l1') {\n keys\n .add('bg')\n .add('link')\n .add('cRed')\n .add('cBlue')\n .add('cGreen')\n .add('cOrange')\n }\n\n keys.forEach(key => {\n const color = colors[key]\n const hex = rgb2hex(colors[key])\n this[key + 'ColorLocal'] = hex === '#aN' ? color : hex\n })\n }\n\n if (opacity && !this.keepOpacity) {\n this.clearOpacity()\n Object.entries(opacity).forEach(([k, v]) => {\n if (typeof v === 'undefined' || v === null || Number.isNaN(v)) return\n this[k + 'OpacityLocal'] = v\n })\n }\n\n if (!this.keepRoundness) {\n this.clearRoundness()\n Object.entries(radii).forEach(([k, v]) => {\n // 'Radius' is kept mostly for v1->v2 localstorage transition\n const key = k.endsWith('Radius') ? k.split('Radius')[0] : k\n this[key + 'RadiusLocal'] = v\n })\n }\n\n if (!this.keepShadows) {\n this.clearShadows()\n if (version === 2) {\n this.shadowsLocal = shadows2to3(shadows, this.previewTheme.opacity)\n } else {\n this.shadowsLocal = shadows\n }\n this.shadowSelected = this.shadowsAvailable[0]\n }\n\n if (!this.keepFonts) {\n this.clearFonts()\n this.fontsLocal = fonts\n }\n }\n },\n watch: {\n currentRadii () {\n try {\n this.previewRadii = generateRadii({ radii: this.currentRadii })\n this.radiiInvalid = false\n } catch (e) {\n this.radiiInvalid = true\n console.warn(e)\n }\n },\n shadowsLocal: {\n handler () {\n if (Object.getOwnPropertyNames(this.previewColors).length === 1) return\n try {\n this.updatePreviewColorsAndShadows()\n this.shadowsInvalid = false\n } catch (e) {\n this.shadowsInvalid = true\n console.warn(e)\n }\n },\n deep: true\n },\n fontsLocal: {\n handler () {\n try {\n this.previewFonts = generateFonts({ fonts: this.fontsLocal })\n this.fontsInvalid = false\n } catch (e) {\n this.fontsInvalid = true\n console.warn(e)\n }\n },\n deep: true\n },\n currentColors () {\n try {\n this.updatePreviewColorsAndShadows()\n this.colorsInvalid = false\n this.shadowsInvalid = false\n } catch (e) {\n this.colorsInvalid = true\n this.shadowsInvalid = true\n console.warn(e)\n }\n },\n currentOpacity () {\n try {\n this.updatePreviewColorsAndShadows()\n } catch (e) {\n console.warn(e)\n }\n },\n selected () {\n this.dismissWarning()\n if (this.selectedVersion === 1) {\n if (!this.keepRoundness) {\n this.clearRoundness()\n }\n\n if (!this.keepShadows) {\n this.clearShadows()\n }\n\n if (!this.keepOpacity) {\n this.clearOpacity()\n }\n\n if (!this.keepColor) {\n this.clearV1()\n\n this.bgColorLocal = this.selected[1]\n this.fgColorLocal = this.selected[2]\n this.textColorLocal = this.selected[3]\n this.linkColorLocal = this.selected[4]\n this.cRedColorLocal = this.selected[5]\n this.cGreenColorLocal = this.selected[6]\n this.cBlueColorLocal = this.selected[7]\n this.cOrangeColorLocal = this.selected[8]\n }\n } else if (this.selectedVersion >= 2) {\n this.normalizeLocalState(this.selected.theme, 2, this.selected.source)\n }\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./theme_tab.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./theme_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./theme_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-af7d0e5c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./theme_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"theme-tab\"},[_c('div',{staticClass:\"presets-container\"},[_c('div',{staticClass:\"save-load\"},[(_vm.themeWarning)?_c('div',{staticClass:\"theme-warning\"},[_c('div',{staticClass:\"alert warning\"},[_vm._v(\"\\n \"+_vm._s(_vm.themeWarningHelp)+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"buttons\"},[(_vm.themeWarning.type === 'snapshot_source_mismatch')?[_c('button',{staticClass:\"btn\",on:{\"click\":_vm.forceLoad}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.use_source'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.forceSnapshot}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.use_snapshot'))+\"\\n \")])]:(_vm.themeWarning.noActionsPossible)?[_c('button',{staticClass:\"btn\",on:{\"click\":_vm.dismissWarning}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.dismiss'))+\"\\n \")])]:[_c('button',{staticClass:\"btn\",on:{\"click\":_vm.forceLoad}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.load_theme'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.dismissWarning}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.keep_as_is'))+\"\\n \")])]],2)]):_vm._e(),_vm._v(\" \"),_c('ExportImport',{attrs:{\"export-object\":_vm.exportedTheme,\"export-label\":_vm.$t(\"settings.export_theme\"),\"import-label\":_vm.$t(\"settings.import_theme\"),\"import-failed-text\":_vm.$t(\"settings.invalid_theme_imported\"),\"on-import\":_vm.onImport,\"validator\":_vm.importValidator}},[_c('template',{slot:\"before\"},[_c('div',{staticClass:\"presets\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.presets'))+\"\\n \"),_c('label',{staticClass:\"select\",attrs:{\"for\":\"preset-switcher\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected),expression:\"selected\"}],staticClass:\"preset-switcher\",attrs:{\"id\":\"preset-switcher\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.selected=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},_vm._l((_vm.availableStyles),function(style){return _c('option',{key:style.name,style:({\n backgroundColor: style[1] || (style.theme || style.source).colors.bg,\n color: style[3] || (style.theme || style.source).colors.text\n }),domProps:{\"value\":style}},[_vm._v(\"\\n \"+_vm._s(style[0] || style.name)+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])])])],2)],1),_vm._v(\" \"),_c('div',{staticClass:\"save-load-options\"},[_c('span',{staticClass:\"keep-option\"},[_c('Checkbox',{model:{value:(_vm.keepColor),callback:function ($$v) {_vm.keepColor=$$v},expression:\"keepColor\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.keep_color'))+\"\\n \")])],1),_vm._v(\" \"),_c('span',{staticClass:\"keep-option\"},[_c('Checkbox',{model:{value:(_vm.keepShadows),callback:function ($$v) {_vm.keepShadows=$$v},expression:\"keepShadows\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.keep_shadows'))+\"\\n \")])],1),_vm._v(\" \"),_c('span',{staticClass:\"keep-option\"},[_c('Checkbox',{model:{value:(_vm.keepOpacity),callback:function ($$v) {_vm.keepOpacity=$$v},expression:\"keepOpacity\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.keep_opacity'))+\"\\n \")])],1),_vm._v(\" \"),_c('span',{staticClass:\"keep-option\"},[_c('Checkbox',{model:{value:(_vm.keepRoundness),callback:function ($$v) {_vm.keepRoundness=$$v},expression:\"keepRoundness\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.keep_roundness'))+\"\\n \")])],1),_vm._v(\" \"),_c('span',{staticClass:\"keep-option\"},[_c('Checkbox',{model:{value:(_vm.keepFonts),callback:function ($$v) {_vm.keepFonts=$$v},expression:\"keepFonts\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.keep_fonts'))+\"\\n \")])],1),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.style.switcher.save_load_hint')))])])]),_vm._v(\" \"),_c('preview',{style:(_vm.previewRules)}),_vm._v(\" \"),_c('keep-alive',[_c('tab-switcher',{key:\"style-tweak\"},[_c('div',{staticClass:\"color-container\",attrs:{\"label\":_vm.$t('settings.style.common_colors._tab_label')}},[_c('div',{staticClass:\"tab-header\"},[_c('p',[_vm._v(_vm._s(_vm.$t('settings.theme_help')))]),_vm._v(\" \"),_c('div',{staticClass:\"tab-header-buttons\"},[_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearOpacity}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_opacity'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearV1}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_all'))+\"\\n \")])])]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.theme_help_v2_1')))]),_vm._v(\" \"),_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.common_colors.main')))]),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('ColorInput',{attrs:{\"name\":\"bgColor\",\"label\":_vm.$t('settings.background')},model:{value:(_vm.bgColorLocal),callback:function ($$v) {_vm.bgColorLocal=$$v},expression:\"bgColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"bgOpacity\",\"fallback\":_vm.previewTheme.opacity.bg},model:{value:(_vm.bgOpacityLocal),callback:function ($$v) {_vm.bgOpacityLocal=$$v},expression:\"bgOpacityLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"textColor\",\"label\":_vm.$t('settings.text')},model:{value:(_vm.textColorLocal),callback:function ($$v) {_vm.textColorLocal=$$v},expression:\"textColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.bgText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"accentColor\",\"fallback\":_vm.previewTheme.colors.link,\"label\":_vm.$t('settings.accent'),\"show-optional-tickbox\":typeof _vm.linkColorLocal !== 'undefined'},model:{value:(_vm.accentColorLocal),callback:function ($$v) {_vm.accentColorLocal=$$v},expression:\"accentColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"linkColor\",\"fallback\":_vm.previewTheme.colors.accent,\"label\":_vm.$t('settings.links'),\"show-optional-tickbox\":typeof _vm.accentColorLocal !== 'undefined'},model:{value:(_vm.linkColorLocal),callback:function ($$v) {_vm.linkColorLocal=$$v},expression:\"linkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.bgLink}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('ColorInput',{attrs:{\"name\":\"fgColor\",\"label\":_vm.$t('settings.foreground')},model:{value:(_vm.fgColorLocal),callback:function ($$v) {_vm.fgColorLocal=$$v},expression:\"fgColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"fgTextColor\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.fgText},model:{value:(_vm.fgTextColorLocal),callback:function ($$v) {_vm.fgTextColorLocal=$$v},expression:\"fgTextColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"fgLinkColor\",\"label\":_vm.$t('settings.links'),\"fallback\":_vm.previewTheme.colors.fgLink},model:{value:(_vm.fgLinkColorLocal),callback:function ($$v) {_vm.fgLinkColorLocal=$$v},expression:\"fgLinkColorLocal\"}}),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.style.common_colors.foreground_hint')))])],1),_vm._v(\" \"),_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.common_colors.rgbo')))]),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('ColorInput',{attrs:{\"name\":\"cRedColor\",\"label\":_vm.$t('settings.cRed')},model:{value:(_vm.cRedColorLocal),callback:function ($$v) {_vm.cRedColorLocal=$$v},expression:\"cRedColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.bgCRed}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"cBlueColor\",\"label\":_vm.$t('settings.cBlue')},model:{value:(_vm.cBlueColorLocal),callback:function ($$v) {_vm.cBlueColorLocal=$$v},expression:\"cBlueColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.bgCBlue}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('ColorInput',{attrs:{\"name\":\"cGreenColor\",\"label\":_vm.$t('settings.cGreen')},model:{value:(_vm.cGreenColorLocal),callback:function ($$v) {_vm.cGreenColorLocal=$$v},expression:\"cGreenColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.bgCGreen}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"cOrangeColor\",\"label\":_vm.$t('settings.cOrange')},model:{value:(_vm.cOrangeColorLocal),callback:function ($$v) {_vm.cOrangeColorLocal=$$v},expression:\"cOrangeColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.bgCOrange}})],1),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.theme_help_v2_2')))])]),_vm._v(\" \"),_c('div',{staticClass:\"color-container\",attrs:{\"label\":_vm.$t('settings.style.advanced_colors._tab_label')}},[_c('div',{staticClass:\"tab-header\"},[_c('p',[_vm._v(_vm._s(_vm.$t('settings.theme_help')))]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearOpacity}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_opacity'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearV1}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_all'))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.post')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"postLinkColor\",\"fallback\":_vm.previewTheme.colors.accent,\"label\":_vm.$t('settings.links')},model:{value:(_vm.postLinkColorLocal),callback:function ($$v) {_vm.postLinkColorLocal=$$v},expression:\"postLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.postLink}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"postGreentextColor\",\"fallback\":_vm.previewTheme.colors.cGreen,\"label\":_vm.$t('settings.greentext')},model:{value:(_vm.postGreentextColorLocal),callback:function ($$v) {_vm.postGreentextColorLocal=$$v},expression:\"postGreentextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.postGreentext}}),_vm._v(\" \"),_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.alert')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"alertError\",\"label\":_vm.$t('settings.style.advanced_colors.alert_error'),\"fallback\":_vm.previewTheme.colors.alertError},model:{value:(_vm.alertErrorColorLocal),callback:function ($$v) {_vm.alertErrorColorLocal=$$v},expression:\"alertErrorColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"alertErrorText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.alertErrorText},model:{value:(_vm.alertErrorTextColorLocal),callback:function ($$v) {_vm.alertErrorTextColorLocal=$$v},expression:\"alertErrorTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.alertErrorText,\"large\":\"true\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"alertWarning\",\"label\":_vm.$t('settings.style.advanced_colors.alert_warning'),\"fallback\":_vm.previewTheme.colors.alertWarning},model:{value:(_vm.alertWarningColorLocal),callback:function ($$v) {_vm.alertWarningColorLocal=$$v},expression:\"alertWarningColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"alertWarningText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.alertWarningText},model:{value:(_vm.alertWarningTextColorLocal),callback:function ($$v) {_vm.alertWarningTextColorLocal=$$v},expression:\"alertWarningTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.alertWarningText,\"large\":\"true\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"alertNeutral\",\"label\":_vm.$t('settings.style.advanced_colors.alert_neutral'),\"fallback\":_vm.previewTheme.colors.alertNeutral},model:{value:(_vm.alertNeutralColorLocal),callback:function ($$v) {_vm.alertNeutralColorLocal=$$v},expression:\"alertNeutralColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"alertNeutralText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.alertNeutralText},model:{value:(_vm.alertNeutralTextColorLocal),callback:function ($$v) {_vm.alertNeutralTextColorLocal=$$v},expression:\"alertNeutralTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.alertNeutralText,\"large\":\"true\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"alertOpacity\",\"fallback\":_vm.previewTheme.opacity.alert},model:{value:(_vm.alertOpacityLocal),callback:function ($$v) {_vm.alertOpacityLocal=$$v},expression:\"alertOpacityLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.badge')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"badgeNotification\",\"label\":_vm.$t('settings.style.advanced_colors.badge_notification'),\"fallback\":_vm.previewTheme.colors.badgeNotification},model:{value:(_vm.badgeNotificationColorLocal),callback:function ($$v) {_vm.badgeNotificationColorLocal=$$v},expression:\"badgeNotificationColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"badgeNotificationText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.badgeNotificationText},model:{value:(_vm.badgeNotificationTextColorLocal),callback:function ($$v) {_vm.badgeNotificationTextColorLocal=$$v},expression:\"badgeNotificationTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.badgeNotificationText,\"large\":\"true\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.panel_header')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"panelColor\",\"fallback\":_vm.previewTheme.colors.panel,\"label\":_vm.$t('settings.background')},model:{value:(_vm.panelColorLocal),callback:function ($$v) {_vm.panelColorLocal=$$v},expression:\"panelColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"panelOpacity\",\"fallback\":_vm.previewTheme.opacity.panel,\"disabled\":_vm.panelColorLocal === 'transparent'},model:{value:(_vm.panelOpacityLocal),callback:function ($$v) {_vm.panelOpacityLocal=$$v},expression:\"panelOpacityLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"panelTextColor\",\"fallback\":_vm.previewTheme.colors.panelText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.panelTextColorLocal),callback:function ($$v) {_vm.panelTextColorLocal=$$v},expression:\"panelTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.panelText,\"large\":\"true\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"panelLinkColor\",\"fallback\":_vm.previewTheme.colors.panelLink,\"label\":_vm.$t('settings.links')},model:{value:(_vm.panelLinkColorLocal),callback:function ($$v) {_vm.panelLinkColorLocal=$$v},expression:\"panelLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.panelLink,\"large\":\"true\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.top_bar')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"topBarColor\",\"fallback\":_vm.previewTheme.colors.topBar,\"label\":_vm.$t('settings.background')},model:{value:(_vm.topBarColorLocal),callback:function ($$v) {_vm.topBarColorLocal=$$v},expression:\"topBarColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"topBarTextColor\",\"fallback\":_vm.previewTheme.colors.topBarText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.topBarTextColorLocal),callback:function ($$v) {_vm.topBarTextColorLocal=$$v},expression:\"topBarTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.topBarText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"topBarLinkColor\",\"fallback\":_vm.previewTheme.colors.topBarLink,\"label\":_vm.$t('settings.links')},model:{value:(_vm.topBarLinkColorLocal),callback:function ($$v) {_vm.topBarLinkColorLocal=$$v},expression:\"topBarLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.topBarLink}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.inputs')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"inputColor\",\"fallback\":_vm.previewTheme.colors.input,\"label\":_vm.$t('settings.background')},model:{value:(_vm.inputColorLocal),callback:function ($$v) {_vm.inputColorLocal=$$v},expression:\"inputColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"inputOpacity\",\"fallback\":_vm.previewTheme.opacity.input,\"disabled\":_vm.inputColorLocal === 'transparent'},model:{value:(_vm.inputOpacityLocal),callback:function ($$v) {_vm.inputOpacityLocal=$$v},expression:\"inputOpacityLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"inputTextColor\",\"fallback\":_vm.previewTheme.colors.inputText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.inputTextColorLocal),callback:function ($$v) {_vm.inputTextColorLocal=$$v},expression:\"inputTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.inputText}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.buttons')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnColor\",\"fallback\":_vm.previewTheme.colors.btn,\"label\":_vm.$t('settings.background')},model:{value:(_vm.btnColorLocal),callback:function ($$v) {_vm.btnColorLocal=$$v},expression:\"btnColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"btnOpacity\",\"fallback\":_vm.previewTheme.opacity.btn,\"disabled\":_vm.btnColorLocal === 'transparent'},model:{value:(_vm.btnOpacityLocal),callback:function ($$v) {_vm.btnOpacityLocal=$$v},expression:\"btnOpacityLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnTextColor\",\"fallback\":_vm.previewTheme.colors.btnText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.btnTextColorLocal),callback:function ($$v) {_vm.btnTextColorLocal=$$v},expression:\"btnTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnPanelTextColor\",\"fallback\":_vm.previewTheme.colors.btnPanelText,\"label\":_vm.$t('settings.style.advanced_colors.panel_header')},model:{value:(_vm.btnPanelTextColorLocal),callback:function ($$v) {_vm.btnPanelTextColorLocal=$$v},expression:\"btnPanelTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnPanelText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnTopBarTextColor\",\"fallback\":_vm.previewTheme.colors.btnTopBarText,\"label\":_vm.$t('settings.style.advanced_colors.top_bar')},model:{value:(_vm.btnTopBarTextColorLocal),callback:function ($$v) {_vm.btnTopBarTextColorLocal=$$v},expression:\"btnTopBarTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnTopBarText}}),_vm._v(\" \"),_c('h5',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.pressed')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnPressedColor\",\"fallback\":_vm.previewTheme.colors.btnPressed,\"label\":_vm.$t('settings.background')},model:{value:(_vm.btnPressedColorLocal),callback:function ($$v) {_vm.btnPressedColorLocal=$$v},expression:\"btnPressedColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnPressedTextColor\",\"fallback\":_vm.previewTheme.colors.btnPressedText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.btnPressedTextColorLocal),callback:function ($$v) {_vm.btnPressedTextColorLocal=$$v},expression:\"btnPressedTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnPressedText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnPressedPanelTextColor\",\"fallback\":_vm.previewTheme.colors.btnPressedPanelText,\"label\":_vm.$t('settings.style.advanced_colors.panel_header')},model:{value:(_vm.btnPressedPanelTextColorLocal),callback:function ($$v) {_vm.btnPressedPanelTextColorLocal=$$v},expression:\"btnPressedPanelTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnPressedPanelText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnPressedTopBarTextColor\",\"fallback\":_vm.previewTheme.colors.btnPressedTopBarText,\"label\":_vm.$t('settings.style.advanced_colors.top_bar')},model:{value:(_vm.btnPressedTopBarTextColorLocal),callback:function ($$v) {_vm.btnPressedTopBarTextColorLocal=$$v},expression:\"btnPressedTopBarTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnPressedTopBarText}}),_vm._v(\" \"),_c('h5',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.disabled')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnDisabledColor\",\"fallback\":_vm.previewTheme.colors.btnDisabled,\"label\":_vm.$t('settings.background')},model:{value:(_vm.btnDisabledColorLocal),callback:function ($$v) {_vm.btnDisabledColorLocal=$$v},expression:\"btnDisabledColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnDisabledTextColor\",\"fallback\":_vm.previewTheme.colors.btnDisabledText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.btnDisabledTextColorLocal),callback:function ($$v) {_vm.btnDisabledTextColorLocal=$$v},expression:\"btnDisabledTextColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnDisabledPanelTextColor\",\"fallback\":_vm.previewTheme.colors.btnDisabledPanelText,\"label\":_vm.$t('settings.style.advanced_colors.panel_header')},model:{value:(_vm.btnDisabledPanelTextColorLocal),callback:function ($$v) {_vm.btnDisabledPanelTextColorLocal=$$v},expression:\"btnDisabledPanelTextColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnDisabledTopBarTextColor\",\"fallback\":_vm.previewTheme.colors.btnDisabledTopBarText,\"label\":_vm.$t('settings.style.advanced_colors.top_bar')},model:{value:(_vm.btnDisabledTopBarTextColorLocal),callback:function ($$v) {_vm.btnDisabledTopBarTextColorLocal=$$v},expression:\"btnDisabledTopBarTextColorLocal\"}}),_vm._v(\" \"),_c('h5',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.toggled')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnToggledColor\",\"fallback\":_vm.previewTheme.colors.btnToggled,\"label\":_vm.$t('settings.background')},model:{value:(_vm.btnToggledColorLocal),callback:function ($$v) {_vm.btnToggledColorLocal=$$v},expression:\"btnToggledColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnToggledTextColor\",\"fallback\":_vm.previewTheme.colors.btnToggledText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.btnToggledTextColorLocal),callback:function ($$v) {_vm.btnToggledTextColorLocal=$$v},expression:\"btnToggledTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnToggledText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnToggledPanelTextColor\",\"fallback\":_vm.previewTheme.colors.btnToggledPanelText,\"label\":_vm.$t('settings.style.advanced_colors.panel_header')},model:{value:(_vm.btnToggledPanelTextColorLocal),callback:function ($$v) {_vm.btnToggledPanelTextColorLocal=$$v},expression:\"btnToggledPanelTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnToggledPanelText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnToggledTopBarTextColor\",\"fallback\":_vm.previewTheme.colors.btnToggledTopBarText,\"label\":_vm.$t('settings.style.advanced_colors.top_bar')},model:{value:(_vm.btnToggledTopBarTextColorLocal),callback:function ($$v) {_vm.btnToggledTopBarTextColorLocal=$$v},expression:\"btnToggledTopBarTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnToggledTopBarText}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.tabs')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"tabColor\",\"fallback\":_vm.previewTheme.colors.tab,\"label\":_vm.$t('settings.background')},model:{value:(_vm.tabColorLocal),callback:function ($$v) {_vm.tabColorLocal=$$v},expression:\"tabColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"tabTextColor\",\"fallback\":_vm.previewTheme.colors.tabText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.tabTextColorLocal),callback:function ($$v) {_vm.tabTextColorLocal=$$v},expression:\"tabTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.tabText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"tabActiveTextColor\",\"fallback\":_vm.previewTheme.colors.tabActiveText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.tabActiveTextColorLocal),callback:function ($$v) {_vm.tabActiveTextColorLocal=$$v},expression:\"tabActiveTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.tabActiveText}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.borders')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"borderColor\",\"fallback\":_vm.previewTheme.colors.border,\"label\":_vm.$t('settings.style.common.color')},model:{value:(_vm.borderColorLocal),callback:function ($$v) {_vm.borderColorLocal=$$v},expression:\"borderColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"borderOpacity\",\"fallback\":_vm.previewTheme.opacity.border,\"disabled\":_vm.borderColorLocal === 'transparent'},model:{value:(_vm.borderOpacityLocal),callback:function ($$v) {_vm.borderOpacityLocal=$$v},expression:\"borderOpacityLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.faint_text')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"faintColor\",\"fallback\":_vm.previewTheme.colors.faint,\"label\":_vm.$t('settings.text')},model:{value:(_vm.faintColorLocal),callback:function ($$v) {_vm.faintColorLocal=$$v},expression:\"faintColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"faintLinkColor\",\"fallback\":_vm.previewTheme.colors.faintLink,\"label\":_vm.$t('settings.links')},model:{value:(_vm.faintLinkColorLocal),callback:function ($$v) {_vm.faintLinkColorLocal=$$v},expression:\"faintLinkColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"panelFaintColor\",\"fallback\":_vm.previewTheme.colors.panelFaint,\"label\":_vm.$t('settings.style.advanced_colors.panel_header')},model:{value:(_vm.panelFaintColorLocal),callback:function ($$v) {_vm.panelFaintColorLocal=$$v},expression:\"panelFaintColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"faintOpacity\",\"fallback\":_vm.previewTheme.opacity.faint},model:{value:(_vm.faintOpacityLocal),callback:function ($$v) {_vm.faintOpacityLocal=$$v},expression:\"faintOpacityLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.underlay')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"underlay\",\"label\":_vm.$t('settings.style.advanced_colors.underlay'),\"fallback\":_vm.previewTheme.colors.underlay},model:{value:(_vm.underlayColorLocal),callback:function ($$v) {_vm.underlayColorLocal=$$v},expression:\"underlayColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"underlayOpacity\",\"fallback\":_vm.previewTheme.opacity.underlay,\"disabled\":_vm.underlayOpacityLocal === 'transparent'},model:{value:(_vm.underlayOpacityLocal),callback:function ($$v) {_vm.underlayOpacityLocal=$$v},expression:\"underlayOpacityLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.poll')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"poll\",\"label\":_vm.$t('settings.background'),\"fallback\":_vm.previewTheme.colors.poll},model:{value:(_vm.pollColorLocal),callback:function ($$v) {_vm.pollColorLocal=$$v},expression:\"pollColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"pollText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.pollText},model:{value:(_vm.pollTextColorLocal),callback:function ($$v) {_vm.pollTextColorLocal=$$v},expression:\"pollTextColorLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.icons')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"icon\",\"label\":_vm.$t('settings.style.advanced_colors.icons'),\"fallback\":_vm.previewTheme.colors.icon},model:{value:(_vm.iconColorLocal),callback:function ($$v) {_vm.iconColorLocal=$$v},expression:\"iconColorLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.highlight')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"highlight\",\"label\":_vm.$t('settings.background'),\"fallback\":_vm.previewTheme.colors.highlight},model:{value:(_vm.highlightColorLocal),callback:function ($$v) {_vm.highlightColorLocal=$$v},expression:\"highlightColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"highlightText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.highlightText},model:{value:(_vm.highlightTextColorLocal),callback:function ($$v) {_vm.highlightTextColorLocal=$$v},expression:\"highlightTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.highlightText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"highlightLink\",\"label\":_vm.$t('settings.links'),\"fallback\":_vm.previewTheme.colors.highlightLink},model:{value:(_vm.highlightLinkColorLocal),callback:function ($$v) {_vm.highlightLinkColorLocal=$$v},expression:\"highlightLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.highlightLink}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.popover')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"popover\",\"label\":_vm.$t('settings.background'),\"fallback\":_vm.previewTheme.colors.popover},model:{value:(_vm.popoverColorLocal),callback:function ($$v) {_vm.popoverColorLocal=$$v},expression:\"popoverColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"popoverOpacity\",\"fallback\":_vm.previewTheme.opacity.popover,\"disabled\":_vm.popoverOpacityLocal === 'transparent'},model:{value:(_vm.popoverOpacityLocal),callback:function ($$v) {_vm.popoverOpacityLocal=$$v},expression:\"popoverOpacityLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"popoverText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.popoverText},model:{value:(_vm.popoverTextColorLocal),callback:function ($$v) {_vm.popoverTextColorLocal=$$v},expression:\"popoverTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.popoverText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"popoverLink\",\"label\":_vm.$t('settings.links'),\"fallback\":_vm.previewTheme.colors.popoverLink},model:{value:(_vm.popoverLinkColorLocal),callback:function ($$v) {_vm.popoverLinkColorLocal=$$v},expression:\"popoverLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.popoverLink}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.selectedPost')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"selectedPost\",\"label\":_vm.$t('settings.background'),\"fallback\":_vm.previewTheme.colors.selectedPost},model:{value:(_vm.selectedPostColorLocal),callback:function ($$v) {_vm.selectedPostColorLocal=$$v},expression:\"selectedPostColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"selectedPostText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.selectedPostText},model:{value:(_vm.selectedPostTextColorLocal),callback:function ($$v) {_vm.selectedPostTextColorLocal=$$v},expression:\"selectedPostTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.selectedPostText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"selectedPostLink\",\"label\":_vm.$t('settings.links'),\"fallback\":_vm.previewTheme.colors.selectedPostLink},model:{value:(_vm.selectedPostLinkColorLocal),callback:function ($$v) {_vm.selectedPostLinkColorLocal=$$v},expression:\"selectedPostLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.selectedPostLink}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.selectedMenu')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"selectedMenu\",\"label\":_vm.$t('settings.background'),\"fallback\":_vm.previewTheme.colors.selectedMenu},model:{value:(_vm.selectedMenuColorLocal),callback:function ($$v) {_vm.selectedMenuColorLocal=$$v},expression:\"selectedMenuColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"selectedMenuText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.selectedMenuText},model:{value:(_vm.selectedMenuTextColorLocal),callback:function ($$v) {_vm.selectedMenuTextColorLocal=$$v},expression:\"selectedMenuTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.selectedMenuText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"selectedMenuLink\",\"label\":_vm.$t('settings.links'),\"fallback\":_vm.previewTheme.colors.selectedMenuLink},model:{value:(_vm.selectedMenuLinkColorLocal),callback:function ($$v) {_vm.selectedMenuLinkColorLocal=$$v},expression:\"selectedMenuLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.selectedMenuLink}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('chats.chats')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatBgColor\",\"fallback\":_vm.previewTheme.colors.bg || 1,\"label\":_vm.$t('settings.background')},model:{value:(_vm.chatBgColorLocal),callback:function ($$v) {_vm.chatBgColorLocal=$$v},expression:\"chatBgColorLocal\"}}),_vm._v(\" \"),_c('h5',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.chat.incoming')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageIncomingBgColor\",\"fallback\":_vm.previewTheme.colors.bg || 1,\"label\":_vm.$t('settings.background')},model:{value:(_vm.chatMessageIncomingBgColorLocal),callback:function ($$v) {_vm.chatMessageIncomingBgColorLocal=$$v},expression:\"chatMessageIncomingBgColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageIncomingTextColor\",\"fallback\":_vm.previewTheme.colors.text || 1,\"label\":_vm.$t('settings.text')},model:{value:(_vm.chatMessageIncomingTextColorLocal),callback:function ($$v) {_vm.chatMessageIncomingTextColorLocal=$$v},expression:\"chatMessageIncomingTextColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageIncomingLinkColor\",\"fallback\":_vm.previewTheme.colors.link || 1,\"label\":_vm.$t('settings.links')},model:{value:(_vm.chatMessageIncomingLinkColorLocal),callback:function ($$v) {_vm.chatMessageIncomingLinkColorLocal=$$v},expression:\"chatMessageIncomingLinkColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageIncomingBorderLinkColor\",\"fallback\":_vm.previewTheme.colors.fg || 1,\"label\":_vm.$t('settings.style.advanced_colors.chat.border')},model:{value:(_vm.chatMessageIncomingBorderColorLocal),callback:function ($$v) {_vm.chatMessageIncomingBorderColorLocal=$$v},expression:\"chatMessageIncomingBorderColorLocal\"}}),_vm._v(\" \"),_c('h5',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.chat.outgoing')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageOutgoingBgColor\",\"fallback\":_vm.previewTheme.colors.bg || 1,\"label\":_vm.$t('settings.background')},model:{value:(_vm.chatMessageOutgoingBgColorLocal),callback:function ($$v) {_vm.chatMessageOutgoingBgColorLocal=$$v},expression:\"chatMessageOutgoingBgColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageOutgoingTextColor\",\"fallback\":_vm.previewTheme.colors.text || 1,\"label\":_vm.$t('settings.text')},model:{value:(_vm.chatMessageOutgoingTextColorLocal),callback:function ($$v) {_vm.chatMessageOutgoingTextColorLocal=$$v},expression:\"chatMessageOutgoingTextColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageOutgoingLinkColor\",\"fallback\":_vm.previewTheme.colors.link || 1,\"label\":_vm.$t('settings.links')},model:{value:(_vm.chatMessageOutgoingLinkColorLocal),callback:function ($$v) {_vm.chatMessageOutgoingLinkColorLocal=$$v},expression:\"chatMessageOutgoingLinkColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageOutgoingBorderLinkColor\",\"fallback\":_vm.previewTheme.colors.bg || 1,\"label\":_vm.$t('settings.style.advanced_colors.chat.border')},model:{value:(_vm.chatMessageOutgoingBorderColorLocal),callback:function ($$v) {_vm.chatMessageOutgoingBorderColorLocal=$$v},expression:\"chatMessageOutgoingBorderColorLocal\"}})],1)]),_vm._v(\" \"),_c('div',{staticClass:\"radius-container\",attrs:{\"label\":_vm.$t('settings.style.radii._tab_label')}},[_c('div',{staticClass:\"tab-header\"},[_c('p',[_vm._v(_vm._s(_vm.$t('settings.radii_help')))]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearRoundness}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_all'))+\"\\n \")])]),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"btnRadius\",\"label\":_vm.$t('settings.btnRadius'),\"fallback\":_vm.previewTheme.radii.btn,\"max\":\"16\",\"hard-min\":\"0\"},model:{value:(_vm.btnRadiusLocal),callback:function ($$v) {_vm.btnRadiusLocal=$$v},expression:\"btnRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"inputRadius\",\"label\":_vm.$t('settings.inputRadius'),\"fallback\":_vm.previewTheme.radii.input,\"max\":\"9\",\"hard-min\":\"0\"},model:{value:(_vm.inputRadiusLocal),callback:function ($$v) {_vm.inputRadiusLocal=$$v},expression:\"inputRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"checkboxRadius\",\"label\":_vm.$t('settings.checkboxRadius'),\"fallback\":_vm.previewTheme.radii.checkbox,\"max\":\"16\",\"hard-min\":\"0\"},model:{value:(_vm.checkboxRadiusLocal),callback:function ($$v) {_vm.checkboxRadiusLocal=$$v},expression:\"checkboxRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"panelRadius\",\"label\":_vm.$t('settings.panelRadius'),\"fallback\":_vm.previewTheme.radii.panel,\"max\":\"50\",\"hard-min\":\"0\"},model:{value:(_vm.panelRadiusLocal),callback:function ($$v) {_vm.panelRadiusLocal=$$v},expression:\"panelRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"avatarRadius\",\"label\":_vm.$t('settings.avatarRadius'),\"fallback\":_vm.previewTheme.radii.avatar,\"max\":\"28\",\"hard-min\":\"0\"},model:{value:(_vm.avatarRadiusLocal),callback:function ($$v) {_vm.avatarRadiusLocal=$$v},expression:\"avatarRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"avatarAltRadius\",\"label\":_vm.$t('settings.avatarAltRadius'),\"fallback\":_vm.previewTheme.radii.avatarAlt,\"max\":\"28\",\"hard-min\":\"0\"},model:{value:(_vm.avatarAltRadiusLocal),callback:function ($$v) {_vm.avatarAltRadiusLocal=$$v},expression:\"avatarAltRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"attachmentRadius\",\"label\":_vm.$t('settings.attachmentRadius'),\"fallback\":_vm.previewTheme.radii.attachment,\"max\":\"50\",\"hard-min\":\"0\"},model:{value:(_vm.attachmentRadiusLocal),callback:function ($$v) {_vm.attachmentRadiusLocal=$$v},expression:\"attachmentRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"tooltipRadius\",\"label\":_vm.$t('settings.tooltipRadius'),\"fallback\":_vm.previewTheme.radii.tooltip,\"max\":\"50\",\"hard-min\":\"0\"},model:{value:(_vm.tooltipRadiusLocal),callback:function ($$v) {_vm.tooltipRadiusLocal=$$v},expression:\"tooltipRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"chatMessageRadius\",\"label\":_vm.$t('settings.chatMessageRadius'),\"fallback\":_vm.previewTheme.radii.chatMessage || 2,\"max\":\"50\",\"hard-min\":\"0\"},model:{value:(_vm.chatMessageRadiusLocal),callback:function ($$v) {_vm.chatMessageRadiusLocal=$$v},expression:\"chatMessageRadiusLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"shadow-container\",attrs:{\"label\":_vm.$t('settings.style.shadows._tab_label')}},[_c('div',{staticClass:\"tab-header shadow-selector\"},[_c('div',{staticClass:\"select-container\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.component'))+\"\\n \"),_c('label',{staticClass:\"select\",attrs:{\"for\":\"shadow-switcher\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.shadowSelected),expression:\"shadowSelected\"}],staticClass:\"shadow-switcher\",attrs:{\"id\":\"shadow-switcher\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.shadowSelected=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},_vm._l((_vm.shadowsAvailable),function(shadow){return _c('option',{key:shadow,domProps:{\"value\":shadow}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.components.' + shadow))+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])]),_vm._v(\" \"),_c('div',{staticClass:\"override\"},[_c('label',{staticClass:\"label\",attrs:{\"for\":\"override\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.override'))+\"\\n \")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.currentShadowOverriden),expression:\"currentShadowOverriden\"}],staticClass:\"input-override\",attrs:{\"id\":\"override\",\"name\":\"override\",\"type\":\"checkbox\"},domProps:{\"checked\":Array.isArray(_vm.currentShadowOverriden)?_vm._i(_vm.currentShadowOverriden,null)>-1:(_vm.currentShadowOverriden)},on:{\"change\":function($event){var $$a=_vm.currentShadowOverriden,$$el=$event.target,$$c=$$el.checked?(true):(false);if(Array.isArray($$a)){var $$v=null,$$i=_vm._i($$a,$$v);if($$el.checked){$$i<0&&(_vm.currentShadowOverriden=$$a.concat([$$v]))}else{$$i>-1&&(_vm.currentShadowOverriden=$$a.slice(0,$$i).concat($$a.slice($$i+1)))}}else{_vm.currentShadowOverriden=$$c}}}}),_vm._v(\" \"),_c('label',{staticClass:\"checkbox-label\",attrs:{\"for\":\"override\"}})]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearShadows}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_all'))+\"\\n \")])]),_vm._v(\" \"),_c('ShadowControl',{attrs:{\"ready\":!!_vm.currentShadowFallback,\"fallback\":_vm.currentShadowFallback},model:{value:(_vm.currentShadow),callback:function ($$v) {_vm.currentShadow=$$v},expression:\"currentShadow\"}}),_vm._v(\" \"),(_vm.shadowSelected === 'avatar' || _vm.shadowSelected === 'avatarStatus')?_c('div',[_c('i18n',{attrs:{\"path\":\"settings.style.shadows.filter_hint.always_drop_shadow\",\"tag\":\"p\"}},[_c('code',[_vm._v(\"filter: drop-shadow()\")])]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.style.shadows.filter_hint.avatar_inset')))]),_vm._v(\" \"),_c('i18n',{attrs:{\"path\":\"settings.style.shadows.filter_hint.drop_shadow_syntax\",\"tag\":\"p\"}},[_c('code',[_vm._v(\"drop-shadow\")]),_vm._v(\" \"),_c('code',[_vm._v(\"spread-radius\")]),_vm._v(\" \"),_c('code',[_vm._v(\"inset\")])]),_vm._v(\" \"),_c('i18n',{attrs:{\"path\":\"settings.style.shadows.filter_hint.inset_classic\",\"tag\":\"p\"}},[_c('code',[_vm._v(\"box-shadow\")])]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.style.shadows.filter_hint.spread_zero')))])],1):_vm._e()],1),_vm._v(\" \"),_c('div',{staticClass:\"fonts-container\",attrs:{\"label\":_vm.$t('settings.style.fonts._tab_label')}},[_c('div',{staticClass:\"tab-header\"},[_c('p',[_vm._v(_vm._s(_vm.$t('settings.style.fonts.help')))]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearFonts}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_all'))+\"\\n \")])]),_vm._v(\" \"),_c('FontControl',{attrs:{\"name\":\"ui\",\"label\":_vm.$t('settings.style.fonts.components.interface'),\"fallback\":_vm.previewTheme.fonts.interface,\"no-inherit\":\"1\"},model:{value:(_vm.fontsLocal.interface),callback:function ($$v) {_vm.$set(_vm.fontsLocal, \"interface\", $$v)},expression:\"fontsLocal.interface\"}}),_vm._v(\" \"),_c('FontControl',{attrs:{\"name\":\"input\",\"label\":_vm.$t('settings.style.fonts.components.input'),\"fallback\":_vm.previewTheme.fonts.input},model:{value:(_vm.fontsLocal.input),callback:function ($$v) {_vm.$set(_vm.fontsLocal, \"input\", $$v)},expression:\"fontsLocal.input\"}}),_vm._v(\" \"),_c('FontControl',{attrs:{\"name\":\"post\",\"label\":_vm.$t('settings.style.fonts.components.post'),\"fallback\":_vm.previewTheme.fonts.post},model:{value:(_vm.fontsLocal.post),callback:function ($$v) {_vm.$set(_vm.fontsLocal, \"post\", $$v)},expression:\"fontsLocal.post\"}}),_vm._v(\" \"),_c('FontControl',{attrs:{\"name\":\"postCode\",\"label\":_vm.$t('settings.style.fonts.components.postCode'),\"fallback\":_vm.previewTheme.fonts.postCode},model:{value:(_vm.fontsLocal.postCode),callback:function ($$v) {_vm.$set(_vm.fontsLocal, \"postCode\", $$v)},expression:\"fontsLocal.postCode\"}})],1)])],1),_vm._v(\" \"),_c('div',{staticClass:\"apply-container\"},[_c('button',{staticClass:\"btn submit\",attrs:{\"disabled\":!_vm.themeValid},on:{\"click\":_vm.setCustomTheme}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.apply'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearAll}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.reset'))+\"\\n \")])])],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import TabSwitcher from 'src/components/tab_switcher/tab_switcher.js'\n\nimport DataImportExportTab from './tabs/data_import_export_tab.vue'\nimport MutesAndBlocksTab from './tabs/mutes_and_blocks_tab.vue'\nimport NotificationsTab from './tabs/notifications_tab.vue'\nimport FilteringTab from './tabs/filtering_tab.vue'\nimport SecurityTab from './tabs/security_tab/security_tab.vue'\nimport ProfileTab from './tabs/profile_tab.vue'\nimport GeneralTab from './tabs/general_tab.vue'\nimport VersionTab from './tabs/version_tab.vue'\nimport ThemeTab from './tabs/theme_tab/theme_tab.vue'\n\nconst SettingsModalContent = {\n components: {\n TabSwitcher,\n\n DataImportExportTab,\n MutesAndBlocksTab,\n NotificationsTab,\n FilteringTab,\n SecurityTab,\n ProfileTab,\n GeneralTab,\n VersionTab,\n ThemeTab\n },\n computed: {\n isLoggedIn () {\n return !!this.$store.state.users.currentUser\n },\n open () {\n return this.$store.state.interface.settingsModalState !== 'hidden'\n }\n },\n methods: {\n onOpen () {\n const targetTab = this.$store.state.interface.settingsModalTargetTab\n // We're being told to open in specific tab\n if (targetTab) {\n const tabIndex = this.$refs.tabSwitcher.$slots.default.findIndex(elm => {\n return elm.data && elm.data.attrs['data-tab-name'] === targetTab\n })\n if (tabIndex >= 0) {\n this.$refs.tabSwitcher.setTab(tabIndex)\n }\n }\n // Clear the state of target tab, so that next time settings is opened\n // it doesn't force it.\n this.$store.dispatch('clearSettingsModalTargetTab')\n }\n },\n mounted () {\n this.onOpen()\n },\n watch: {\n open: function (value) {\n if (value) this.onOpen()\n }\n }\n}\n\nexport default SettingsModalContent\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./settings_modal_content.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./settings_modal_content.js\"\nimport __vue_script__ from \"!!babel-loader!./settings_modal_content.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-da72a86e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./settings_modal_content.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('tab-switcher',{ref:\"tabSwitcher\",staticClass:\"settings_tab-switcher\",attrs:{\"side-tab-bar\":true,\"scrollable-tabs\":true}},[_c('div',{attrs:{\"label\":_vm.$t('settings.general'),\"icon\":\"wrench\",\"data-tab-name\":\"general\"}},[_c('GeneralTab')],1),_vm._v(\" \"),(_vm.isLoggedIn)?_c('div',{attrs:{\"label\":_vm.$t('settings.profile_tab'),\"icon\":\"user\",\"data-tab-name\":\"profile\"}},[_c('ProfileTab')],1):_vm._e(),_vm._v(\" \"),(_vm.isLoggedIn)?_c('div',{attrs:{\"label\":_vm.$t('settings.security_tab'),\"icon\":\"lock\",\"data-tab-name\":\"security\"}},[_c('SecurityTab')],1):_vm._e(),_vm._v(\" \"),_c('div',{attrs:{\"label\":_vm.$t('settings.filtering'),\"icon\":\"filter\",\"data-tab-name\":\"filtering\"}},[_c('FilteringTab')],1),_vm._v(\" \"),_c('div',{attrs:{\"label\":_vm.$t('settings.theme'),\"icon\":\"brush\",\"data-tab-name\":\"theme\"}},[_c('ThemeTab')],1),_vm._v(\" \"),(_vm.isLoggedIn)?_c('div',{attrs:{\"label\":_vm.$t('settings.notifications'),\"icon\":\"bell-ringing-o\",\"data-tab-name\":\"notifications\"}},[_c('NotificationsTab')],1):_vm._e(),_vm._v(\" \"),(_vm.isLoggedIn)?_c('div',{attrs:{\"label\":_vm.$t('settings.data_import_export_tab'),\"icon\":\"download\",\"data-tab-name\":\"dataImportExport\"}},[_c('DataImportExportTab')],1):_vm._e(),_vm._v(\" \"),(_vm.isLoggedIn)?_c('div',{attrs:{\"label\":_vm.$t('settings.mutes_and_blocks'),\"fullHeight\":true,\"icon\":\"eye-off\",\"data-tab-name\":\"mutesAndBlocks\"}},[_c('MutesAndBlocksTab')],1):_vm._e(),_vm._v(\" \"),_c('div',{attrs:{\"label\":_vm.$t('settings.version.title'),\"icon\":\"info-circled\",\"data-tab-name\":\"version\"}},[_c('VersionTab')],1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }"],"sourceRoot":""} -\ No newline at end of file diff --git a/priv/static/static/js/2.e852a6b4b3bba752b838.js b/priv/static/static/js/2.e852a6b4b3bba752b838.js @@ -0,0 +1,2 @@ +(window.webpackJsonp=window.webpackJsonp||[]).push([[2],{591:function(t,e,s){var a=s(592);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("a45e17ec",a,!0,{})},592:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".settings_tab-switcher{height:100%}.settings_tab-switcher .setting-item{border-bottom:2px solid var(--fg,#182230);margin:1em 1em 1.4em;padding-bottom:1.4em}.settings_tab-switcher .setting-item>div{margin-bottom:.5em}.settings_tab-switcher .setting-item>div:last-child{margin-bottom:0}.settings_tab-switcher .setting-item:last-child{border-bottom:none;padding-bottom:0;margin-bottom:1em}.settings_tab-switcher .setting-item select{min-width:10em}.settings_tab-switcher .setting-item textarea{width:100%;max-width:100%;height:100px}.settings_tab-switcher .setting-item .unavailable,.settings_tab-switcher .setting-item .unavailable i{color:var(--cRed,red);color:red}.settings_tab-switcher .setting-item .number-input{max-width:6em}",""])},593:function(t,e,s){var a=s(594);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("5bed876c",a,!0,{})},594:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".importer-uploading{font-size:1.5em;margin:.25em}",""])},595:function(t,e,s){var a=s(596);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("432fc7c6",a,!0,{})},596:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".exporter-processing{font-size:1.5em;margin:.25em}",""])},597:function(t,e,s){var a=s(598);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("33ca0d90",a,!0,{})},598:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".mutes-and-blocks-tab{height:100%}.mutes-and-blocks-tab .usersearch-wrapper{padding:1em}.mutes-and-blocks-tab .bulk-actions{text-align:right;padding:0 1em;min-height:28px}.mutes-and-blocks-tab .bulk-action-button{width:10em}.mutes-and-blocks-tab .domain-mute-form{padding:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.mutes-and-blocks-tab .domain-mute-button{-ms-flex-item-align:end;align-self:flex-end;margin-top:1em;width:10em}",""])},599:function(t,e,s){var a=s(600);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("3a9ec1bf",a,!0,{})},600:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".autosuggest{position:relative}.autosuggest-input{display:block;width:100%}.autosuggest-results{position:absolute;left:0;top:100%;right:0;max-height:400px;background-color:#121a24;background-color:var(--bg,#121a24);border-color:#222;border:1px solid var(--border,#222);border-radius:4px;border-radius:var(--inputRadius,4px);border-top-left-radius:0;border-top-right-radius:0;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);overflow-y:auto;z-index:1}",""])},601:function(t,e,s){var a=s(602);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("211aa67c",a,!0,{})},602:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".block-card-content-container{margin-top:.5em;text-align:right}.block-card-content-container button{width:10em}",""])},603:function(t,e,s){var a=s(604);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("7ea980e0",a,!0,{})},604:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".mute-card-content-container{margin-top:.5em;text-align:right}.mute-card-content-container button{width:10em}",""])},605:function(t,e,s){var a=s(606);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("39a942c3",a,!0,{})},606:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".domain-mute-card{-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-align:center;align-items:center;padding:.6em 1em .6em 0}.domain-mute-card-domain{margin-right:1em;overflow:hidden;text-overflow:ellipsis}.domain-mute-card button{width:10em}.autosuggest-results .domain-mute-card{padding-left:1em}",""])},607:function(t,e,s){var a=s(608);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("3724291e",a,!0,{})},608:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".selectable-list-item-inner{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.selectable-list-item-inner>*{min-width:0}.selectable-list-item-selected-inner{background-color:#151e2a;background-color:var(--selectedMenu,#151e2a);color:var(--selectedMenuText,#b9b9ba);--faint:var(--selectedMenuFaintText,$fallback--faint);--faintLink:var(--selectedMenuFaintLink,$fallback--faint);--lightText:var(--selectedMenuLightText,$fallback--lightText);--icon:var(--selectedMenuIcon,$fallback--icon)}.selectable-list-header{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;padding:.6em 0;border-bottom:2px solid;border-bottom-color:#222;border-bottom-color:var(--border,#222)}.selectable-list-header-actions{-ms-flex:1;flex:1}.selectable-list-checkbox-wrapper{padding:0 10px;-ms-flex:none;flex:none}",""])},609:function(t,e,s){},613:function(t,e,s){var a=s(614);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("a588473e",a,!0,{})},614:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".mfa-settings .method-item,.mfa-settings .mfa-heading{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-align:baseline;align-items:baseline}.mfa-settings .warning{color:orange;color:var(--cOrange,orange)}.mfa-settings .setup-otp{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-wrap:wrap;flex-wrap:wrap}.mfa-settings .setup-otp .qr-code{-ms-flex:1;flex:1;padding-right:10px}.mfa-settings .setup-otp .verify{-ms-flex:1;flex:1}.mfa-settings .setup-otp .error{margin:4px 0 0}.mfa-settings .setup-otp .confirm-otp-actions button{width:15em;margin-top:5px}",""])},615:function(t,e,s){var a=s(616);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("4065bf15",a,!0,{})},616:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".mfa-backup-codes .warning{color:orange;color:var(--cOrange,orange)}.mfa-backup-codes .backup-codes{font-family:var(--postCodeFont,monospace)}",""])},618:function(t,e,s){var a=s(619);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("27925ae8",a,!0,{})},619:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".profile-tab .bio{margin:0}.profile-tab .visibility-tray{padding-top:5px}.profile-tab input[type=file]{padding:5px;height:auto}.profile-tab .banner-background-preview{max-width:100%;width:300px;position:relative}.profile-tab .banner-background-preview img{width:100%}.profile-tab .uploading{font-size:1.5em;margin:.25em}.profile-tab .name-changer{width:100%}.profile-tab .current-avatar-container{position:relative;width:150px;height:150px}.profile-tab .current-avatar{display:block;width:100%;height:100%;border-radius:4px;border-radius:var(--avatarRadius,4px)}.profile-tab .reset-button{position:absolute;top:.2em;right:.2em;border-radius:5px;border-radius:var(--tooltipRadius,5px);background-color:rgba(0,0,0,.6);opacity:.7;color:#fff;width:1.5em;height:1.5em;text-align:center;line-height:1.5em;font-size:1.5em;cursor:pointer}.profile-tab .reset-button:hover{opacity:1}.profile-tab .oauth-tokens{width:100%}.profile-tab .oauth-tokens th{text-align:left}.profile-tab .oauth-tokens .actions{text-align:right}.profile-tab-usersearch-wrapper{padding:1em}.profile-tab-bulk-actions{text-align:right;padding:0 1em;min-height:28px}.profile-tab-bulk-actions button{width:10em}.profile-tab-domain-mute-form{padding:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.profile-tab-domain-mute-form button{-ms-flex-item-align:end;align-self:flex-end;margin-top:1em;width:10em}.profile-tab .setting-subitem{margin-left:1.75em}.profile-tab .profile-fields{display:-ms-flexbox;display:flex}.profile-tab .profile-fields>.emoji-input{-ms-flex:1 1 auto;flex:1 1 auto;margin:0 .2em .5em;min-width:0}.profile-tab .profile-fields>.icon-container{width:20px}.profile-tab .profile-fields>.icon-container>.icon-cancel{vertical-align:sub}",""])},620:function(t,e,s){var a=s(621);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("0dfd0b33",a,!0,{})},621:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".image-cropper-img-input{display:none}.image-cropper-image-container{position:relative}.image-cropper-image-container img{display:block;max-width:100%}.image-cropper-buttons-wrapper{margin-top:10px}.image-cropper-buttons-wrapper button{margin-top:5px}",""])},624:function(t,e,s){var a=s(625);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("4fafab12",a,!0,{})},625:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".theme-tab{padding-bottom:2em}.theme-tab .theme-warning{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;margin-bottom:.5em}.theme-tab .theme-warning .buttons .btn{margin-bottom:.5em}.theme-tab .preset-switcher{margin-right:1em}.theme-tab .style-control{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;margin-bottom:5px}.theme-tab .style-control .label{-ms-flex:1;flex:1}.theme-tab .style-control.disabled input,.theme-tab .style-control.disabled select{opacity:.5}.theme-tab .style-control .opt{margin:.5em}.theme-tab .style-control .color-input{-ms-flex:0 0 0px;flex:0 0 0}.theme-tab .style-control input,.theme-tab .style-control select{min-width:3em;margin:0;-ms-flex:0;flex:0}.theme-tab .style-control input[type=number],.theme-tab .style-control select[type=number]{min-width:5em}.theme-tab .style-control input[type=range],.theme-tab .style-control select[type=range]{-ms-flex:1;flex:1;min-width:3em;-ms-flex-item-align:start;align-self:flex-start}.theme-tab .reset-container{-ms-flex-wrap:wrap;flex-wrap:wrap}.theme-tab .apply-container,.theme-tab .color-container,.theme-tab .fonts-container,.theme-tab .radius-container,.theme-tab .reset-container{display:-ms-flexbox;display:flex}.theme-tab .fonts-container,.theme-tab .radius-container{-ms-flex-direction:column;flex-direction:column}.theme-tab .color-container{-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:justify;justify-content:space-between}.theme-tab .color-container>h4{width:99%}.theme-tab .color-container,.theme-tab .fonts-container,.theme-tab .presets-container,.theme-tab .radius-container,.theme-tab .shadow-container{margin:1em 1em 0}.theme-tab .tab-header{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-align:baseline;align-items:baseline;width:100%;min-height:30px;margin-bottom:1em}.theme-tab .tab-header p{-ms-flex:1;flex:1;margin:0;margin-right:.5em}.theme-tab .tab-header-buttons{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.theme-tab .tab-header-buttons .btn{min-width:1px;-ms-flex:0 auto;flex:0 auto;padding:0 1em;margin-bottom:.5em}.theme-tab .shadow-selector .override{-ms-flex:1;flex:1;margin-left:.5em}.theme-tab .shadow-selector .select-container{margin-top:-4px;margin-bottom:-3px}.theme-tab .save-load,.theme-tab .save-load-options{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:baseline;align-items:baseline;-ms-flex-wrap:wrap;flex-wrap:wrap}.theme-tab .save-load-options .import-export,.theme-tab .save-load-options .presets,.theme-tab .save-load .import-export,.theme-tab .save-load .presets{margin-bottom:.5em}.theme-tab .save-load-options .import-export,.theme-tab .save-load .import-export{display:-ms-flexbox;display:flex}.theme-tab .save-load-options .override,.theme-tab .save-load .override{margin-left:.5em}.theme-tab .save-load-options{-ms-flex-wrap:wrap;flex-wrap:wrap;margin-top:.5em;-ms-flex-pack:center;justify-content:center}.theme-tab .save-load-options .keep-option{margin:0 .5em .5em;min-width:25%}.theme-tab .preview-container{border-top:1px dashed;border-bottom:1px dashed;border-color:#222;border-color:var(--border,#222);margin:1em 0;padding:1em;background:var(--body-background-image);background-size:cover;background-position:50% 50%}.theme-tab .preview-container .dummy .post{font-family:var(--postFont);display:-ms-flexbox;display:flex}.theme-tab .preview-container .dummy .post .content{-ms-flex:1;flex:1}.theme-tab .preview-container .dummy .post .content h4{margin-bottom:.25em}.theme-tab .preview-container .dummy .post .content .icons{margin-top:.5em;display:-ms-flexbox;display:flex}.theme-tab .preview-container .dummy .post .content .icons i{margin-right:1em}.theme-tab .preview-container .dummy .after-post{margin-top:1em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.theme-tab .preview-container .dummy .avatar,.theme-tab .preview-container .dummy .avatar-alt{background:linear-gradient(135deg,#b8e1fc,#a9d2f3 10%,#90bae4 25%,#90bcea 37%,#90bff0 50%,#6ba8e5 51%,#a2daf5 83%,#bdf3fd);color:#000;font-family:sans-serif;text-align:center;margin-right:1em}.theme-tab .preview-container .dummy .avatar-alt{-ms-flex:0 auto;flex:0 auto;margin-left:28px;font-size:12px;min-width:20px;min-height:20px;line-height:20px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.theme-tab .preview-container .dummy .avatar{-ms-flex:0 auto;flex:0 auto;width:48px;height:48px;font-size:14px;line-height:48px}.theme-tab .preview-container .dummy .actions{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline}.theme-tab .preview-container .dummy .actions .checkbox{display:-ms-inline-flexbox;display:inline-flex;-ms-flex-align:baseline;align-items:baseline;margin-right:1em;-ms-flex:1;flex:1}.theme-tab .preview-container .dummy .separator{margin:1em;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222)}.theme-tab .preview-container .dummy .panel-heading .alert,.theme-tab .preview-container .dummy .panel-heading .badge,.theme-tab .preview-container .dummy .panel-heading .btn,.theme-tab .preview-container .dummy .panel-heading .faint{margin-left:1em;white-space:nowrap}.theme-tab .preview-container .dummy .panel-heading .faint{text-overflow:ellipsis;min-width:2em;overflow-x:hidden}.theme-tab .preview-container .dummy .panel-heading .flex-spacer{-ms-flex:1;flex:1}.theme-tab .preview-container .dummy .btn{margin-left:0;padding:0 1em;min-width:3em;min-height:30px}.theme-tab .apply-container{-ms-flex-pack:center;justify-content:center}.theme-tab .color-item,.theme-tab .radius-item{min-width:20em;margin:5px 6px 0 0;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex:1 1 0px;flex:1 1 0}.theme-tab .color-item.wide,.theme-tab .radius-item.wide{min-width:60%}.theme-tab .color-item:not(.wide):nth-child(odd),.theme-tab .radius-item:not(.wide):nth-child(odd){margin-right:7px}.theme-tab .color-item .color,.theme-tab .color-item .opacity,.theme-tab .radius-item .color,.theme-tab .radius-item .opacity{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline}.theme-tab .radius-item{-ms-flex-preferred-size:auto;flex-basis:auto}.theme-tab .theme-color-cl,.theme-tab .theme-radius-rn{border:0;box-shadow:none;background:transparent;color:var(--faint,hsla(240,1%,73%,.5));-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.theme-tab .theme-color-cl,.theme-tab .theme-color-in,.theme-tab .theme-radius-in{margin-left:4px}.theme-tab .theme-radius-in{min-width:1em;max-width:7em;-ms-flex:1;flex:1}.theme-tab .theme-radius-lb{max-width:50em}.theme-tab .theme-preview-content{padding:20px}.theme-tab .apply-container .btn{min-height:28px;min-width:10em;padding:0 2em}.theme-tab .btn{margin-left:.25em;margin-right:.25em}",""])},626:function(t,e,s){var a=s(627);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("7e57f952",a,!0,{})},627:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,'.color-input,.color-input-field.input{display:-ms-inline-flexbox;display:inline-flex}.color-input-field.input{-ms-flex:0 0 0px;flex:0 0 0;max-width:9em;-ms-flex-align:stretch;align-items:stretch;padding:.2em 8px}.color-input-field.input input{background:none;color:#b9b9ba;color:var(--inputText,#b9b9ba);border:none;padding:0;margin:0}.color-input-field.input input.textColor{-ms-flex:1 0 3em;flex:1 0 3em;min-width:3em;padding:0}.color-input-field.input .computedIndicator,.color-input-field.input .transparentIndicator,.color-input-field.input input.nativeColor{-ms-flex:0 0 2em;flex:0 0 2em;min-width:2em;-ms-flex-item-align:center;-ms-grid-row-align:center;align-self:center;height:100%}.color-input-field.input .transparentIndicator{background-color:#f0f;position:relative}.color-input-field.input .transparentIndicator:after,.color-input-field.input .transparentIndicator:before{display:block;content:"";background-color:#000;position:absolute;height:50%;width:50%}.color-input-field.input .transparentIndicator:after{top:0;left:0}.color-input-field.input .transparentIndicator:before{bottom:0;right:0}.color-input .label{-ms-flex:1 1 auto;flex:1 1 auto}',""])},628:function(t,e,s){var a=s(629);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("6c632637",a,!0,{})},629:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".color-control input.text-input{max-width:7em;-ms-flex:1;flex:1}",""])},630:function(t,e,s){var a=s(631);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("d219da80",a,!0,{})},631:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".shadow-control{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:center;justify-content:center;margin-bottom:1em}.shadow-control .shadow-preview-container,.shadow-control .shadow-tweak{margin:5px 6px 0 0}.shadow-control .shadow-preview-container{-ms-flex:0;flex:0;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.shadow-control .shadow-preview-container input[type=number]{width:5em;min-width:2em}.shadow-control .shadow-preview-container .x-shift-control,.shadow-control .shadow-preview-container .y-shift-control{display:-ms-flexbox;display:flex;-ms-flex:0;flex:0}.shadow-control .shadow-preview-container .x-shift-control[disabled=disabled] *,.shadow-control .shadow-preview-container .y-shift-control[disabled=disabled] *{opacity:.5}.shadow-control .shadow-preview-container .x-shift-control{-ms-flex-align:start;align-items:flex-start}.shadow-control .shadow-preview-container .x-shift-control .wrap,.shadow-control .shadow-preview-container input[type=range]{margin:0;width:15em;height:2em}.shadow-control .shadow-preview-container .y-shift-control{-ms-flex-direction:column;flex-direction:column;-ms-flex-align:end;align-items:flex-end}.shadow-control .shadow-preview-container .y-shift-control .wrap{width:2em;height:15em}.shadow-control .shadow-preview-container .y-shift-control input[type=range]{transform-origin:1em 1em;transform:rotate(90deg)}.shadow-control .shadow-preview-container .preview-window{-ms-flex:1;flex:1;background-color:#999;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;background-image:linear-gradient(45deg,#666 25%,transparent 0),linear-gradient(-45deg,#666 25%,transparent 0),linear-gradient(45deg,transparent 75%,#666 0),linear-gradient(-45deg,transparent 75%,#666 0);background-size:20px 20px;background-position:0 0,0 10px,10px -10px,-10px 0;border-radius:4px;border-radius:var(--inputRadius,4px)}.shadow-control .shadow-preview-container .preview-window .preview-block{width:33%;height:33%;background-color:#121a24;background-color:var(--bg,#121a24);border-radius:10px;border-radius:var(--panelRadius,10px)}.shadow-control .shadow-tweak{-ms-flex:1;flex:1;min-width:280px}.shadow-control .shadow-tweak .id-control{-ms-flex-align:stretch;align-items:stretch}.shadow-control .shadow-tweak .id-control .btn,.shadow-control .shadow-tweak .id-control .select{min-width:1px;margin-right:5px}.shadow-control .shadow-tweak .id-control .btn{padding:0 .4em;margin:0 .1em}.shadow-control .shadow-tweak .id-control .select{-ms-flex:1;flex:1}.shadow-control .shadow-tweak .id-control .select select{-ms-flex-item-align:initial;-ms-grid-row-align:initial;align-self:auto}",""])},632:function(t,e,s){var a=s(633);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("d9c0acde",a,!0,{})},633:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".font-control input.custom-font{min-width:10em}.font-control.custom .select{border-top-right-radius:0;border-bottom-right-radius:0}.font-control.custom .custom-font{border-top-left-radius:0;border-bottom-left-radius:0}",""])},634:function(t,e,s){var a=s(635);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("b94bc120",a,!0,{})},635:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".contrast-ratio{display:-ms-flexbox;display:flex;-ms-flex-pack:end;justify-content:flex-end;margin-top:-4px;margin-bottom:5px}.contrast-ratio .label{margin-right:1em}.contrast-ratio .rating{display:inline-block;text-align:center}",""])},636:function(t,e,s){var a=s(637);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("66a4eaba",a,!0,{})},637:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".import-export-container{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-align:baseline;align-items:baseline;-ms-flex-pack:center;justify-content:center}",""])},638:function(t,e,s){var a=s(639);"string"==typeof a&&(a=[[t.i,a,""]]),a.locals&&(t.exports=a.locals);(0,s(5).default)("6fe23c76",a,!0,{})},639:function(t,e,s){(t.exports=s(4)(!1)).push([t.i,".preview-container{position:relative}.underlay-preview{position:absolute;top:0;bottom:0;left:10px;right:10px}",""])},641:function(t,e,s){"use strict";s.r(e);var a=s(141),n={props:{submitHandler:{type:Function,required:!0},submitButtonLabel:{type:String,default:function(){return this.$t("importer.submit")}},successMessage:{type:String,default:function(){return this.$t("importer.success")}},errorMessage:{type:String,default:function(){return this.$t("importer.error")}}},data:function(){return{file:null,error:!1,success:!1,submitting:!1}},methods:{change:function(){this.file=this.$refs.input.files[0]},submit:function(){var t=this;this.dismiss(),this.submitting=!0,this.submitHandler(this.file).then(function(){t.success=!0}).catch(function(){t.error=!0}).finally(function(){t.submitting=!1})},dismiss:function(){this.success=!1,this.error=!1}}},o=s(0);var i=function(t){s(593)},r=Object(o.a)(n,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"importer"},[s("form",[s("input",{ref:"input",attrs:{type:"file"},on:{change:t.change}})]),t._v(" "),t.submitting?s("i",{staticClass:"icon-spin4 animate-spin importer-uploading"}):s("button",{staticClass:"btn btn-default",on:{click:t.submit}},[t._v("\n "+t._s(t.submitButtonLabel)+"\n ")]),t._v(" "),t.success?s("div",[s("i",{staticClass:"icon-cross",on:{click:t.dismiss}}),t._v(" "),s("p",[t._v(t._s(t.successMessage))])]):t.error?s("div",[s("i",{staticClass:"icon-cross",on:{click:t.dismiss}}),t._v(" "),s("p",[t._v(t._s(t.errorMessage))])]):t._e()])},[],!1,i,null,null).exports,l={props:{getContent:{type:Function,required:!0},filename:{type:String,default:"export.csv"},exportButtonLabel:{type:String,default:function(){return this.$t("exporter.export")}},processingMessage:{type:String,default:function(){return this.$t("exporter.processing")}}},data:function(){return{processing:!1}},methods:{process:function(){var t=this;this.processing=!0,this.getContent().then(function(e){var s=document.createElement("a");s.setAttribute("href","data:text/plain;charset=utf-8,"+encodeURIComponent(e)),s.setAttribute("download",t.filename),s.style.display="none",document.body.appendChild(s),s.click(),document.body.removeChild(s),setTimeout(function(){t.processing=!1},2e3)})}}};var c=function(t){s(595)},u=Object(o.a)(l,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"exporter"},[t.processing?s("div",[s("i",{staticClass:"icon-spin4 animate-spin exporter-processing"}),t._v(" "),s("span",[t._v(t._s(t.processingMessage))])]):s("button",{staticClass:"btn btn-default",on:{click:t.process}},[t._v("\n "+t._s(t.exportButtonLabel)+"\n ")])])},[],!1,c,null,null).exports,d=s(54),p={data:function(){return{activeTab:"profile",newDomainToMute:""}},created:function(){this.$store.dispatch("fetchTokens")},components:{Importer:r,Exporter:u,Checkbox:d.a},computed:{user:function(){return this.$store.state.users.currentUser}},methods:{getFollowsContent:function(){return this.$store.state.api.backendInteractor.exportFriends({id:this.$store.state.users.currentUser.id}).then(this.generateExportableUsersContent)},getBlocksContent:function(){return this.$store.state.api.backendInteractor.fetchBlocks().then(this.generateExportableUsersContent)},importFollows:function(t){return this.$store.state.api.backendInteractor.importFollows({file:t}).then(function(t){if(!t)throw new Error("failed")})},importBlocks:function(t){return this.$store.state.api.backendInteractor.importBlocks({file:t}).then(function(t){if(!t)throw new Error("failed")})},generateExportableUsersContent:function(t){return t.map(function(t){return t&&t.is_local?t.screen_name+"@"+location.hostname:t.screen_name}).join("\n")}}},m=Object(o.a)(p,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{attrs:{label:t.$t("settings.data_import_export_tab")}},[s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.follow_import")))]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.import_followers_from_a_csv_file")))]),t._v(" "),s("Importer",{attrs:{"submit-handler":t.importFollows,"success-message":t.$t("settings.follows_imported"),"error-message":t.$t("settings.follow_import_error")}})],1),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.follow_export")))]),t._v(" "),s("Exporter",{attrs:{"get-content":t.getFollowsContent,filename:"friends.csv","export-button-label":t.$t("settings.follow_export_button")}})],1),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.block_import")))]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.import_blocks_from_a_csv_file")))]),t._v(" "),s("Importer",{attrs:{"submit-handler":t.importBlocks,"success-message":t.$t("settings.blocks_imported"),"error-message":t.$t("settings.block_import_error")}})],1),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.block_export")))]),t._v(" "),s("Exporter",{attrs:{"get-content":t.getBlocksContent,filename:"blocks.csv","export-button-label":t.$t("settings.block_export_button")}})],1)])},[],!1,null,null,null).exports,v=s(12),h=s.n(v),b=s(15),f=s.n(b),g=s(189),_=s.n(g),w={props:{query:{type:Function,required:!0},filter:{type:Function},placeholder:{type:String,default:"Search..."}},data:function(){return{term:"",timeout:null,results:[],resultsVisible:!1}},computed:{filtered:function(){return this.filter?this.filter(this.results):this.results}},watch:{term:function(t){this.fetchResults(t)}},methods:{fetchResults:function(t){var e=this;clearTimeout(this.timeout),this.timeout=setTimeout(function(){e.results=[],t&&e.query(t).then(function(t){e.results=t})},500)},onInputClick:function(){this.resultsVisible=!0},onClickOutside:function(){this.resultsVisible=!1}}};var C=function(t){s(599)},x=Object(o.a)(w,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{directives:[{name:"click-outside",rawName:"v-click-outside",value:t.onClickOutside,expression:"onClickOutside"}],staticClass:"autosuggest"},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.term,expression:"term"}],staticClass:"autosuggest-input",attrs:{placeholder:t.placeholder},domProps:{value:t.term},on:{click:t.onInputClick,input:function(e){e.target.composing||(t.term=e.target.value)}}}),t._v(" "),t.resultsVisible&&t.filtered.length>0?s("div",{staticClass:"autosuggest-results"},[t._l(t.filtered,function(e){return t._t("default",null,{item:e})})],2):t._e()])},[],!1,C,null,null).exports,k=s(38),y={props:["userId"],data:function(){return{progress:!1}},computed:{user:function(){return this.$store.getters.findUser(this.userId)},relationship:function(){return this.$store.getters.relationship(this.userId)},blocked:function(){return this.relationship.blocking}},components:{BasicUserCard:k.a},methods:{unblockUser:function(){var t=this;this.progress=!0,this.$store.dispatch("unblockUser",this.user.id).then(function(){t.progress=!1})},blockUser:function(){var t=this;this.progress=!0,this.$store.dispatch("blockUser",this.user.id).then(function(){t.progress=!1})}}};var $=function(t){s(601)},L=Object(o.a)(y,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("basic-user-card",{attrs:{user:t.user}},[s("div",{staticClass:"block-card-content-container"},[t.blocked?s("button",{staticClass:"btn btn-default",attrs:{disabled:t.progress},on:{click:t.unblockUser}},[t.progress?[t._v("\n "+t._s(t.$t("user_card.unblock_progress"))+"\n ")]:[t._v("\n "+t._s(t.$t("user_card.unblock"))+"\n ")]],2):s("button",{staticClass:"btn btn-default",attrs:{disabled:t.progress},on:{click:t.blockUser}},[t.progress?[t._v("\n "+t._s(t.$t("user_card.block_progress"))+"\n ")]:[t._v("\n "+t._s(t.$t("user_card.block"))+"\n ")]],2)])])},[],!1,$,null,null).exports,T={props:["userId"],data:function(){return{progress:!1}},computed:{user:function(){return this.$store.getters.findUser(this.userId)},relationship:function(){return this.$store.getters.relationship(this.userId)},muted:function(){return this.relationship.muting}},components:{BasicUserCard:k.a},methods:{unmuteUser:function(){var t=this;this.progress=!0,this.$store.dispatch("unmuteUser",this.userId).then(function(){t.progress=!1})},muteUser:function(){var t=this;this.progress=!0,this.$store.dispatch("muteUser",this.userId).then(function(){t.progress=!1})}}};var O=function(t){s(603)},P=Object(o.a)(T,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("basic-user-card",{attrs:{user:t.user}},[s("div",{staticClass:"mute-card-content-container"},[t.muted?s("button",{staticClass:"btn btn-default",attrs:{disabled:t.progress},on:{click:t.unmuteUser}},[t.progress?[t._v("\n "+t._s(t.$t("user_card.unmute_progress"))+"\n ")]:[t._v("\n "+t._s(t.$t("user_card.unmute"))+"\n ")]],2):s("button",{staticClass:"btn btn-default",attrs:{disabled:t.progress},on:{click:t.muteUser}},[t.progress?[t._v("\n "+t._s(t.$t("user_card.mute_progress"))+"\n ")]:[t._v("\n "+t._s(t.$t("user_card.mute"))+"\n ")]],2)])])},[],!1,O,null,null).exports,S=s(78),I={props:["domain"],components:{ProgressButton:S.a},computed:{user:function(){return this.$store.state.users.currentUser},muted:function(){return this.user.domainMutes.includes(this.domain)}},methods:{unmuteDomain:function(){return this.$store.dispatch("unmuteDomain",this.domain)},muteDomain:function(){return this.$store.dispatch("muteDomain",this.domain)}}};var j=function(t){s(605)},E=Object(o.a)(I,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"domain-mute-card"},[s("div",{staticClass:"domain-mute-card-domain"},[t._v("\n "+t._s(t.domain)+"\n ")]),t._v(" "),t.muted?s("ProgressButton",{staticClass:"btn btn-default",attrs:{click:t.unmuteDomain}},[t._v("\n "+t._s(t.$t("domain_mute_card.unmute"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("domain_mute_card.unmute_progress"))+"\n ")])],2):s("ProgressButton",{staticClass:"btn btn-default",attrs:{click:t.muteDomain}},[t._v("\n "+t._s(t.$t("domain_mute_card.mute"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("domain_mute_card.mute_progress"))+"\n ")])],2)],1)},[],!1,j,null,null).exports,R={components:{List:s(52).a,Checkbox:d.a},props:{items:{type:Array,default:function(){return[]}},getKey:{type:Function,default:function(t){return t.id}}},data:function(){return{selected:[]}},computed:{allKeys:function(){return this.items.map(this.getKey)},filteredSelected:function(){var t=this;return this.allKeys.filter(function(e){return-1!==t.selected.indexOf(e)})},allSelected:function(){return this.filteredSelected.length===this.items.length},noneSelected:function(){return 0===this.filteredSelected.length},someSelected:function(){return!this.allSelected&&!this.noneSelected}},methods:{isSelected:function(t){return-1!==this.filteredSelected.indexOf(this.getKey(t))},toggle:function(t,e){var s=this.getKey(e);t!==this.isSelected(s)&&(t?this.selected.push(s):this.selected.splice(this.selected.indexOf(s),1))},toggleAll:function(t){this.selected=t?this.allKeys.slice(0):[]}}};var B=function(t){s(607)},F=Object(o.a)(R,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"selectable-list"},[t.items.length>0?s("div",{staticClass:"selectable-list-header"},[s("div",{staticClass:"selectable-list-checkbox-wrapper"},[s("Checkbox",{attrs:{checked:t.allSelected,indeterminate:t.someSelected},on:{change:t.toggleAll}},[t._v("\n "+t._s(t.$t("selectable_list.select_all"))+"\n ")])],1),t._v(" "),s("div",{staticClass:"selectable-list-header-actions"},[t._t("header",null,{selected:t.filteredSelected})],2)]):t._e(),t._v(" "),s("List",{attrs:{items:t.items,"get-key":t.getKey},scopedSlots:t._u([{key:"item",fn:function(e){var a=e.item;return[s("div",{staticClass:"selectable-list-item-inner",class:{"selectable-list-item-selected-inner":t.isSelected(a)}},[s("div",{staticClass:"selectable-list-checkbox-wrapper"},[s("Checkbox",{attrs:{checked:t.isSelected(a)},on:{change:function(e){return t.toggle(e,a)}}})],1),t._v(" "),t._t("item",null,{item:a})],2)]}}],null,!0)},[t._v(" "),s("template",{slot:"empty"},[t._t("empty")],2)],2)],1)},[],!1,B,null,null).exports,M=s(190),U=s.n(M),V=s(7),A=s.n(V),D=s(1),N=s.n(D),W=s(10),z=s.n(W),q=s(6),G=s.n(q),H=s(191),K=s.n(H),J=s(192);s(609);function Q(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}function X(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?Q(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):Q(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}var Y=function(t){var e=t.fetch,s=t.select,a=t.childPropName,n=void 0===a?"content":a,o=t.additionalPropNames,i=void 0===o?[]:o;return function(t){var a=Object.keys(Object(J.a)(t)).filter(function(t){return t!==n}).concat(i);return G.a.component("withSubscription",{props:[].concat(z()(a),["refresh"]),data:function(){return{loading:!1,error:!1}},computed:{fetchedData:function(){return s(this.$props,this.$store)}},created:function(){(this.refresh||K()(this.fetchedData))&&this.fetchData()},methods:{fetchData:function(){var t=this;this.loading||(this.loading=!0,this.error=!1,e(this.$props,this.$store).then(function(){t.loading=!1}).catch(function(){t.error=!0,t.loading=!1}))}},render:function(e){if(this.error||this.loading)return e("div",{class:"with-subscription-loading"},[this.error?e("a",{on:{click:this.fetchData},class:"alert error"},[this.$t("general.generic_error")]):e("i",{class:"icon-spin3 animate-spin"})]);var s={props:X({},this.$props,N()({},n,this.fetchedData)),on:this.$listeners,scopedSlots:this.$scopedSlots},a=Object.entries(this.$slots).map(function(t){var s=A()(t,2),a=s[0],n=s[1];return e("template",{slot:a},n)});return e("div",{class:"with-subscription"},[e(t,U()([{},s]),[a])])}})}},Z=Y({fetch:function(t,e){return e.dispatch("fetchBlocks")},select:function(t,e){return h()(e.state.users.currentUser,"blockIds",[])},childPropName:"items"})(F),tt=Y({fetch:function(t,e){return e.dispatch("fetchMutes")},select:function(t,e){return h()(e.state.users.currentUser,"muteIds",[])},childPropName:"items"})(F),et=Y({fetch:function(t,e){return e.dispatch("fetchDomainMutes")},select:function(t,e){return h()(e.state.users.currentUser,"domainMutes",[])},childPropName:"items"})(F),st={data:function(){return{activeTab:"profile"}},created:function(){this.$store.dispatch("fetchTokens"),this.$store.dispatch("getKnownDomains")},components:{TabSwitcher:a.a,BlockList:Z,MuteList:tt,DomainMuteList:et,BlockCard:L,MuteCard:P,DomainMuteCard:E,ProgressButton:S.a,Autosuggest:x,Checkbox:d.a},computed:{knownDomains:function(){return this.$store.state.instance.knownDomains},user:function(){return this.$store.state.users.currentUser}},methods:{importFollows:function(t){return this.$store.state.api.backendInteractor.importFollows({file:t}).then(function(t){if(!t)throw new Error("failed")})},importBlocks:function(t){return this.$store.state.api.backendInteractor.importBlocks({file:t}).then(function(t){if(!t)throw new Error("failed")})},generateExportableUsersContent:function(t){return t.map(function(t){return t&&t.is_local?t.screen_name+"@"+location.hostname:t.screen_name}).join("\n")},activateTab:function(t){this.activeTab=t},filterUnblockedUsers:function(t){var e=this;return _()(t,function(t){return e.$store.getters.relationship(e.userId).blocking||t===e.user.id})},filterUnMutedUsers:function(t){var e=this;return _()(t,function(t){return e.$store.getters.relationship(e.userId).muting||t===e.user.id})},queryUserIds:function(t){return this.$store.dispatch("searchUsers",{query:t}).then(function(t){return f()(t,"id")})},blockUsers:function(t){return this.$store.dispatch("blockUsers",t)},unblockUsers:function(t){return this.$store.dispatch("unblockUsers",t)},muteUsers:function(t){return this.$store.dispatch("muteUsers",t)},unmuteUsers:function(t){return this.$store.dispatch("unmuteUsers",t)},filterUnMutedDomains:function(t){var e=this;return t.filter(function(t){return!e.user.domainMutes.includes(t)})},queryKnownDomains:function(t){var e=this;return new Promise(function(s,a){s(e.knownDomains.filter(function(e){return e.toLowerCase().includes(t)}))})},unmuteDomains:function(t){return this.$store.dispatch("unmuteDomains",t)}}};var at=function(t){s(597)},nt=Object(o.a)(st,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("tab-switcher",{staticClass:"mutes-and-blocks-tab",attrs:{"scrollable-tabs":!0}},[s("div",{attrs:{label:t.$t("settings.blocks_tab")}},[s("div",{staticClass:"usersearch-wrapper"},[s("Autosuggest",{attrs:{filter:t.filterUnblockedUsers,query:t.queryUserIds,placeholder:t.$t("settings.search_user_to_block")},scopedSlots:t._u([{key:"default",fn:function(t){return s("BlockCard",{attrs:{"user-id":t.item}})}}])})],1),t._v(" "),s("BlockList",{attrs:{refresh:!0,"get-key":function(t){return t}},scopedSlots:t._u([{key:"header",fn:function(e){var a=e.selected;return[s("div",{staticClass:"bulk-actions"},[a.length>0?s("ProgressButton",{staticClass:"btn btn-default bulk-action-button",attrs:{click:function(){return t.blockUsers(a)}}},[t._v("\n "+t._s(t.$t("user_card.block"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("user_card.block_progress"))+"\n ")])],2):t._e(),t._v(" "),a.length>0?s("ProgressButton",{staticClass:"btn btn-default",attrs:{click:function(){return t.unblockUsers(a)}}},[t._v("\n "+t._s(t.$t("user_card.unblock"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("user_card.unblock_progress"))+"\n ")])],2):t._e()],1)]}},{key:"item",fn:function(t){var e=t.item;return[s("BlockCard",{attrs:{"user-id":e}})]}}])},[t._v(" "),t._v(" "),s("template",{slot:"empty"},[t._v("\n "+t._s(t.$t("settings.no_blocks"))+"\n ")])],2)],1),t._v(" "),s("div",{attrs:{label:t.$t("settings.mutes_tab")}},[s("tab-switcher",[s("div",{attrs:{label:"Users"}},[s("div",{staticClass:"usersearch-wrapper"},[s("Autosuggest",{attrs:{filter:t.filterUnMutedUsers,query:t.queryUserIds,placeholder:t.$t("settings.search_user_to_mute")},scopedSlots:t._u([{key:"default",fn:function(t){return s("MuteCard",{attrs:{"user-id":t.item}})}}])})],1),t._v(" "),s("MuteList",{attrs:{refresh:!0,"get-key":function(t){return t}},scopedSlots:t._u([{key:"header",fn:function(e){var a=e.selected;return[s("div",{staticClass:"bulk-actions"},[a.length>0?s("ProgressButton",{staticClass:"btn btn-default",attrs:{click:function(){return t.muteUsers(a)}}},[t._v("\n "+t._s(t.$t("user_card.mute"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("user_card.mute_progress"))+"\n ")])],2):t._e(),t._v(" "),a.length>0?s("ProgressButton",{staticClass:"btn btn-default",attrs:{click:function(){return t.unmuteUsers(a)}}},[t._v("\n "+t._s(t.$t("user_card.unmute"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("user_card.unmute_progress"))+"\n ")])],2):t._e()],1)]}},{key:"item",fn:function(t){var e=t.item;return[s("MuteCard",{attrs:{"user-id":e}})]}}])},[t._v(" "),t._v(" "),s("template",{slot:"empty"},[t._v("\n "+t._s(t.$t("settings.no_mutes"))+"\n ")])],2)],1),t._v(" "),s("div",{attrs:{label:t.$t("settings.domain_mutes")}},[s("div",{staticClass:"domain-mute-form"},[s("Autosuggest",{attrs:{filter:t.filterUnMutedDomains,query:t.queryKnownDomains,placeholder:t.$t("settings.type_domains_to_mute")},scopedSlots:t._u([{key:"default",fn:function(t){return s("DomainMuteCard",{attrs:{domain:t.item}})}}])})],1),t._v(" "),s("DomainMuteList",{attrs:{refresh:!0,"get-key":function(t){return t}},scopedSlots:t._u([{key:"header",fn:function(e){var a=e.selected;return[s("div",{staticClass:"bulk-actions"},[a.length>0?s("ProgressButton",{staticClass:"btn btn-default",attrs:{click:function(){return t.unmuteDomains(a)}}},[t._v("\n "+t._s(t.$t("domain_mute_card.unmute"))+"\n "),s("template",{slot:"progress"},[t._v("\n "+t._s(t.$t("domain_mute_card.unmute_progress"))+"\n ")])],2):t._e()],1)]}},{key:"item",fn:function(t){var e=t.item;return[s("DomainMuteCard",{attrs:{domain:e}})]}}])},[t._v(" "),t._v(" "),s("template",{slot:"empty"},[t._v("\n "+t._s(t.$t("settings.no_mutes"))+"\n ")])],2)],1)])],1)])},[],!1,at,null,null).exports,ot={data:function(){return{activeTab:"profile",notificationSettings:this.$store.state.users.currentUser.notification_settings,newDomainToMute:""}},components:{Checkbox:d.a},computed:{user:function(){return this.$store.state.users.currentUser}},methods:{updateNotificationSettings:function(){this.$store.state.api.backendInteractor.updateNotificationSettings({settings:this.notificationSettings})}}},it=Object(o.a)(ot,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{attrs:{label:t.$t("settings.notifications")}},[s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.notification_setting_filters")))]),t._v(" "),s("p",[s("Checkbox",{model:{value:t.notificationSettings.block_from_strangers,callback:function(e){t.$set(t.notificationSettings,"block_from_strangers",e)},expression:"notificationSettings.block_from_strangers"}},[t._v("\n "+t._s(t.$t("settings.notification_setting_block_from_strangers"))+"\n ")])],1)]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.notification_setting_privacy")))]),t._v(" "),s("p",[s("Checkbox",{model:{value:t.notificationSettings.hide_notification_contents,callback:function(e){t.$set(t.notificationSettings,"hide_notification_contents",e)},expression:"notificationSettings.hide_notification_contents"}},[t._v("\n "+t._s(t.$t("settings.notification_setting_hide_notification_contents"))+"\n ")])],1)]),t._v(" "),s("div",{staticClass:"setting-item"},[s("p",[t._v(t._s(t.$t("settings.notification_mutes")))]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.notification_blocks")))]),t._v(" "),s("button",{staticClass:"btn btn-default",on:{click:t.updateNotificationSettings}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")])])])},[],!1,null,null,null).exports,rt=s(610),lt=s.n(rt),ct=s(37),ut=s.n(ct),dt=s(95);function pt(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}function mt(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?pt(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):pt(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}var vt=function(){return mt({user:function(){return this.$store.state.users.currentUser}},dt.c.filter(function(t){return dt.d.includes(t)}).map(function(t){return[t+"DefaultValue",function(){return this.$store.getters.instanceDefaultConfig[t]}]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return mt({},t,N()({},a,n))},{}),{},dt.c.filter(function(t){return!dt.d.includes(t)}).map(function(t){return[t+"LocalizedValue",function(){return this.$t("settings.values."+this.$store.getters.instanceDefaultConfig[t])}]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return mt({},t,N()({},a,n))},{}),{},Object.keys(dt.b).map(function(t){return[t,{get:function(){return this.$store.getters.mergedConfig[t]},set:function(e){this.$store.dispatch("setOption",{name:t,value:e})}}]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return mt({},t,N()({},a,n))},{}),{useStreamingApi:{get:function(){return this.$store.getters.mergedConfig.useStreamingApi},set:function(t){var e=this;(t?this.$store.dispatch("enableMastoSockets"):this.$store.dispatch("disableMastoSockets")).then(function(){e.$store.dispatch("setOption",{name:"useStreamingApi",value:t})}).catch(function(t){console.error("Failed starting MastoAPI Streaming socket",t),e.$store.dispatch("disableMastoSockets"),e.$store.dispatch("setOption",{name:"useStreamingApi",value:!1})})}}})};function ht(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}var bt={data:function(){return{muteWordsStringLocal:this.$store.getters.mergedConfig.muteWords.join("\n")}},components:{Checkbox:d.a},computed:function(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?ht(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):ht(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}({},vt(),{muteWordsString:{get:function(){return this.muteWordsStringLocal},set:function(t){this.muteWordsStringLocal=t,this.$store.dispatch("setOption",{name:"muteWords",value:ut()(t.split("\n"),function(t){return lt()(t).length>0})})}}}),watch:{notificationVisibility:{handler:function(t){this.$store.dispatch("setOption",{name:"notificationVisibility",value:this.$store.getters.mergedConfig.notificationVisibility})},deep:!0},replyVisibility:function(){this.$store.dispatch("queueFlushAll")}}},ft=Object(o.a)(bt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{attrs:{label:t.$t("settings.filtering")}},[s("div",{staticClass:"setting-item"},[s("div",{staticClass:"select-multiple"},[s("span",{staticClass:"label"},[t._v(t._s(t.$t("settings.notification_visibility")))]),t._v(" "),s("ul",{staticClass:"option-list"},[s("li",[s("Checkbox",{model:{value:t.notificationVisibility.likes,callback:function(e){t.$set(t.notificationVisibility,"likes",e)},expression:"notificationVisibility.likes"}},[t._v("\n "+t._s(t.$t("settings.notification_visibility_likes"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.notificationVisibility.repeats,callback:function(e){t.$set(t.notificationVisibility,"repeats",e)},expression:"notificationVisibility.repeats"}},[t._v("\n "+t._s(t.$t("settings.notification_visibility_repeats"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.notificationVisibility.follows,callback:function(e){t.$set(t.notificationVisibility,"follows",e)},expression:"notificationVisibility.follows"}},[t._v("\n "+t._s(t.$t("settings.notification_visibility_follows"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.notificationVisibility.mentions,callback:function(e){t.$set(t.notificationVisibility,"mentions",e)},expression:"notificationVisibility.mentions"}},[t._v("\n "+t._s(t.$t("settings.notification_visibility_mentions"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.notificationVisibility.moves,callback:function(e){t.$set(t.notificationVisibility,"moves",e)},expression:"notificationVisibility.moves"}},[t._v("\n "+t._s(t.$t("settings.notification_visibility_moves"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.notificationVisibility.emojiReactions,callback:function(e){t.$set(t.notificationVisibility,"emojiReactions",e)},expression:"notificationVisibility.emojiReactions"}},[t._v("\n "+t._s(t.$t("settings.notification_visibility_emoji_reactions"))+"\n ")])],1)])]),t._v(" "),s("div",[t._v("\n "+t._s(t.$t("settings.replies_in_timeline"))+"\n "),s("label",{staticClass:"select",attrs:{for:"replyVisibility"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.replyVisibility,expression:"replyVisibility"}],attrs:{id:"replyVisibility"},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.replyVisibility=e.target.multiple?s:s[0]}}},[s("option",{attrs:{value:"all",selected:""}},[t._v(t._s(t.$t("settings.reply_visibility_all")))]),t._v(" "),s("option",{attrs:{value:"following"}},[t._v(t._s(t.$t("settings.reply_visibility_following")))]),t._v(" "),s("option",{attrs:{value:"self"}},[t._v(t._s(t.$t("settings.reply_visibility_self")))])]),t._v(" "),s("i",{staticClass:"icon-down-open"})])]),t._v(" "),s("div",[s("Checkbox",{model:{value:t.hidePostStats,callback:function(e){t.hidePostStats=e},expression:"hidePostStats"}},[t._v("\n "+t._s(t.$t("settings.hide_post_stats"))+" "+t._s(t.$t("settings.instance_default",{value:t.hidePostStatsLocalizedValue}))+"\n ")])],1),t._v(" "),s("div",[s("Checkbox",{model:{value:t.hideUserStats,callback:function(e){t.hideUserStats=e},expression:"hideUserStats"}},[t._v("\n "+t._s(t.$t("settings.hide_user_stats"))+" "+t._s(t.$t("settings.instance_default",{value:t.hideUserStatsLocalizedValue}))+"\n ")])],1)]),t._v(" "),s("div",{staticClass:"setting-item"},[s("div",[s("p",[t._v(t._s(t.$t("settings.filtering_explanation")))]),t._v(" "),s("textarea",{directives:[{name:"model",rawName:"v-model",value:t.muteWordsString,expression:"muteWordsString"}],attrs:{id:"muteWords"},domProps:{value:t.muteWordsString},on:{input:function(e){e.target.composing||(t.muteWordsString=e.target.value)}}})]),t._v(" "),s("div",[s("Checkbox",{model:{value:t.hideFilteredStatuses,callback:function(e){t.hideFilteredStatuses=e},expression:"hideFilteredStatuses"}},[t._v("\n "+t._s(t.$t("settings.hide_filtered_statuses"))+" "+t._s(t.$t("settings.instance_default",{value:t.hideFilteredStatusesLocalizedValue}))+"\n ")])],1)])])},[],!1,null,null,null).exports,gt=s(3),_t=s.n(gt),wt={props:{backupCodes:{type:Object,default:function(){return{inProgress:!1,codes:[]}}}},data:function(){return{}},computed:{inProgress:function(){return this.backupCodes.inProgress},ready:function(){return this.backupCodes.codes.length>0},displayTitle:function(){return this.inProgress||this.ready}}};var Ct=function(t){s(615)},xt=Object(o.a)(wt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"mfa-backup-codes"},[t.displayTitle?s("h4",[t._v("\n "+t._s(t.$t("settings.mfa.recovery_codes"))+"\n ")]):t._e(),t._v(" "),t.inProgress?s("i",[t._v(t._s(t.$t("settings.mfa.waiting_a_recovery_codes")))]):t._e(),t._v(" "),t.ready?[s("p",{staticClass:"alert warning"},[t._v("\n "+t._s(t.$t("settings.mfa.recovery_codes_warning"))+"\n ")]),t._v(" "),s("ul",{staticClass:"backup-codes"},t._l(t.backupCodes.codes,function(e){return s("li",{key:e},[t._v("\n "+t._s(e)+"\n ")])}),0)]:t._e()],2)},[],!1,Ct,null,null).exports,kt={props:["disabled"],data:function(){return{}},methods:{confirm:function(){this.$emit("confirm")},cancel:function(){this.$emit("cancel")}}},yt=Object(o.a)(kt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",[t._t("default"),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:t.disabled},on:{click:t.confirm}},[t._v("\n "+t._s(t.$t("general.confirm"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:t.disabled},on:{click:t.cancel}},[t._v("\n "+t._s(t.$t("general.cancel"))+"\n ")])],2)},[],!1,null,null,null).exports,$t=s(2);function Lt(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}var Tt={props:["settings"],data:function(){return{error:!1,currentPassword:"",deactivate:!1,inProgress:!1}},components:{confirm:yt},computed:function(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?Lt(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):Lt(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}({isActivated:function(){return this.settings.totp}},Object($t.e)({backendInteractor:function(t){return t.api.backendInteractor}})),methods:{doActivate:function(){this.$emit("activate")},cancelDeactivate:function(){this.deactivate=!1},doDeactivate:function(){this.error=null,this.deactivate=!0},confirmDeactivate:function(){var t=this;this.error=null,this.inProgress=!0,this.backendInteractor.mfaDisableOTP({password:this.currentPassword}).then(function(e){t.inProgress=!1,e.error?t.error=e.error:(t.deactivate=!1,t.$emit("deactivate"))})}}};function Ot(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}var Pt={data:function(){return{settings:{available:!1,enabled:!1,totp:!1},setupState:{state:"",setupOTPState:""},backupCodes:{getNewCodes:!1,inProgress:!1,codes:[]},otpSettings:{provisioning_uri:"",key:""},currentPassword:null,otpConfirmToken:null,error:null,readyInit:!1}},components:{"recovery-codes":xt,"totp-item":Object(o.a)(Tt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",[s("div",{staticClass:"method-item"},[s("strong",[t._v(t._s(t.$t("settings.mfa.otp")))]),t._v(" "),t.isActivated?t._e():s("button",{staticClass:"btn btn-default",on:{click:t.doActivate}},[t._v("\n "+t._s(t.$t("general.enable"))+"\n ")]),t._v(" "),t.isActivated?s("button",{staticClass:"btn btn-default",attrs:{disabled:t.deactivate},on:{click:t.doDeactivate}},[t._v("\n "+t._s(t.$t("general.disable"))+"\n ")]):t._e()]),t._v(" "),t.deactivate?s("confirm",{attrs:{disabled:t.inProgress},on:{confirm:t.confirmDeactivate,cancel:t.cancelDeactivate}},[t._v("\n "+t._s(t.$t("settings.enter_current_password_to_confirm"))+":\n "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.currentPassword,expression:"currentPassword"}],attrs:{type:"password"},domProps:{value:t.currentPassword},on:{input:function(e){e.target.composing||(t.currentPassword=e.target.value)}}})]):t._e(),t._v(" "),t.error?s("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.error)+"\n ")]):t._e()],1)},[],!1,null,null,null).exports,qrcode:s(617).a,confirm:yt},computed:function(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?Ot(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):Ot(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}({canSetupOTP:function(){return(this.setupInProgress&&this.backupCodesPrepared||this.settings.enabled)&&!this.settings.totp&&!this.setupOTPInProgress},setupInProgress:function(){return""!==this.setupState.state&&"complete"!==this.setupState.state},setupOTPInProgress:function(){return"setupOTP"===this.setupState.state&&!this.completedOTP},prepareOTP:function(){return"prepare"===this.setupState.setupOTPState},confirmOTP:function(){return"confirm"===this.setupState.setupOTPState},completedOTP:function(){return"completed"===this.setupState.setupOTPState},backupCodesPrepared:function(){return!this.backupCodes.inProgress&&this.backupCodes.codes.length>0},confirmNewBackupCodes:function(){return this.backupCodes.getNewCodes}},Object($t.e)({backendInteractor:function(t){return t.api.backendInteractor}})),methods:{activateOTP:function(){this.settings.enabled||(this.setupState.state="getBackupcodes",this.fetchBackupCodes())},fetchBackupCodes:function(){var t=this;return this.backupCodes.inProgress=!0,this.backupCodes.codes=[],this.backendInteractor.generateMfaBackupCodes().then(function(e){t.backupCodes.codes=e.codes,t.backupCodes.inProgress=!1})},getBackupCodes:function(){this.backupCodes.getNewCodes=!0},confirmBackupCodes:function(){var t=this;this.fetchBackupCodes().then(function(e){t.backupCodes.getNewCodes=!1})},cancelBackupCodes:function(){this.backupCodes.getNewCodes=!1},setupOTP:function(){var t=this;this.setupState.state="setupOTP",this.setupState.setupOTPState="prepare",this.backendInteractor.mfaSetupOTP().then(function(e){t.otpSettings=e,t.setupState.setupOTPState="confirm"})},doConfirmOTP:function(){var t=this;this.error=null,this.backendInteractor.mfaConfirmOTP({token:this.otpConfirmToken,password:this.currentPassword}).then(function(e){e.error?t.error=e.error:t.completeSetup()})},completeSetup:function(){this.setupState.setupOTPState="complete",this.setupState.state="complete",this.currentPassword=null,this.error=null,this.fetchSettings()},cancelSetup:function(){this.setupState.setupOTPState="",this.setupState.state="",this.currentPassword=null,this.error=null},fetchSettings:function(){var t;return _t.a.async(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,_t.a.awrap(this.backendInteractor.settingsMFA());case 2:if(!(t=e.sent).error){e.next=5;break}return e.abrupt("return");case 5:return this.settings=t.settings,this.settings.available=!0,e.abrupt("return",t);case 8:case"end":return e.stop()}},null,this)}},mounted:function(){var t=this;this.fetchSettings().then(function(){t.readyInit=!0})}};var St=function(t){s(613)},It=Object(o.a)(Pt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return t.readyInit&&t.settings.available?s("div",{staticClass:"setting-item mfa-settings"},[s("div",{staticClass:"mfa-heading"},[s("h2",[t._v(t._s(t.$t("settings.mfa.title")))])]),t._v(" "),s("div",[t.setupInProgress?t._e():s("div",{staticClass:"setting-item"},[s("h3",[t._v(t._s(t.$t("settings.mfa.authentication_methods")))]),t._v(" "),s("totp-item",{attrs:{settings:t.settings},on:{deactivate:t.fetchSettings,activate:t.activateOTP}}),t._v(" "),s("br"),t._v(" "),t.settings.enabled?s("div",[t.confirmNewBackupCodes?t._e():s("recovery-codes",{attrs:{"backup-codes":t.backupCodes}}),t._v(" "),t.confirmNewBackupCodes?t._e():s("button",{staticClass:"btn btn-default",on:{click:t.getBackupCodes}},[t._v("\n "+t._s(t.$t("settings.mfa.generate_new_recovery_codes"))+"\n ")]),t._v(" "),t.confirmNewBackupCodes?s("div",[s("confirm",{attrs:{disabled:t.backupCodes.inProgress},on:{confirm:t.confirmBackupCodes,cancel:t.cancelBackupCodes}},[s("p",{staticClass:"warning"},[t._v("\n "+t._s(t.$t("settings.mfa.warning_of_generate_new_codes"))+"\n ")])])],1):t._e()],1):t._e()],1),t._v(" "),t.setupInProgress?s("div",[s("h3",[t._v(t._s(t.$t("settings.mfa.setup_otp")))]),t._v(" "),t.setupOTPInProgress?t._e():s("recovery-codes",{attrs:{"backup-codes":t.backupCodes}}),t._v(" "),t.canSetupOTP?s("button",{staticClass:"btn btn-default",on:{click:t.cancelSetup}},[t._v("\n "+t._s(t.$t("general.cancel"))+"\n ")]):t._e(),t._v(" "),t.canSetupOTP?s("button",{staticClass:"btn btn-default",on:{click:t.setupOTP}},[t._v("\n "+t._s(t.$t("settings.mfa.setup_otp"))+"\n ")]):t._e(),t._v(" "),t.setupOTPInProgress?[t.prepareOTP?s("i",[t._v(t._s(t.$t("settings.mfa.wait_pre_setup_otp")))]):t._e(),t._v(" "),t.confirmOTP?s("div",[s("div",{staticClass:"setup-otp"},[s("div",{staticClass:"qr-code"},[s("h4",[t._v(t._s(t.$t("settings.mfa.scan.title")))]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.mfa.scan.desc")))]),t._v(" "),s("qrcode",{attrs:{value:t.otpSettings.provisioning_uri,options:{width:200}}}),t._v(" "),s("p",[t._v("\n "+t._s(t.$t("settings.mfa.scan.secret_code"))+":\n "+t._s(t.otpSettings.key)+"\n ")])],1),t._v(" "),s("div",{staticClass:"verify"},[s("h4",[t._v(t._s(t.$t("general.verify")))]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.mfa.verify.desc")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.otpConfirmToken,expression:"otpConfirmToken"}],attrs:{type:"text"},domProps:{value:t.otpConfirmToken},on:{input:function(e){e.target.composing||(t.otpConfirmToken=e.target.value)}}}),t._v(" "),s("p",[t._v(t._s(t.$t("settings.enter_current_password_to_confirm"))+":")]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.currentPassword,expression:"currentPassword"}],attrs:{type:"password"},domProps:{value:t.currentPassword},on:{input:function(e){e.target.composing||(t.currentPassword=e.target.value)}}}),t._v(" "),s("div",{staticClass:"confirm-otp-actions"},[s("button",{staticClass:"btn btn-default",on:{click:t.doConfirmOTP}},[t._v("\n "+t._s(t.$t("settings.mfa.confirm_and_enable"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn btn-default",on:{click:t.cancelSetup}},[t._v("\n "+t._s(t.$t("general.cancel"))+"\n ")])]),t._v(" "),t.error?s("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.error)+"\n ")]):t._e()])])]):t._e()]:t._e()],2):t._e()])]):t._e()},[],!1,St,null,null).exports,jt={data:function(){return{newEmail:"",changeEmailError:!1,changeEmailPassword:"",changedEmail:!1,deletingAccount:!1,deleteAccountConfirmPasswordInput:"",deleteAccountError:!1,changePasswordInputs:["","",""],changedPassword:!1,changePasswordError:!1}},created:function(){this.$store.dispatch("fetchTokens")},components:{ProgressButton:S.a,Mfa:It,Checkbox:d.a},computed:{user:function(){return this.$store.state.users.currentUser},pleromaBackend:function(){return this.$store.state.instance.pleromaBackend},oauthTokens:function(){return this.$store.state.oauthTokens.tokens.map(function(t){return{id:t.id,appName:t.app_name,validUntil:new Date(t.valid_until).toLocaleDateString()}})}},methods:{confirmDelete:function(){this.deletingAccount=!0},deleteAccount:function(){var t=this;this.$store.state.api.backendInteractor.deleteAccount({password:this.deleteAccountConfirmPasswordInput}).then(function(e){"success"===e.status?(t.$store.dispatch("logout"),t.$router.push({name:"root"})):t.deleteAccountError=e.error})},changePassword:function(){var t=this,e={password:this.changePasswordInputs[0],newPassword:this.changePasswordInputs[1],newPasswordConfirmation:this.changePasswordInputs[2]};this.$store.state.api.backendInteractor.changePassword(e).then(function(e){"success"===e.status?(t.changedPassword=!0,t.changePasswordError=!1,t.logout()):(t.changedPassword=!1,t.changePasswordError=e.error)})},changeEmail:function(){var t=this,e={email:this.newEmail,password:this.changeEmailPassword};this.$store.state.api.backendInteractor.changeEmail(e).then(function(e){"success"===e.status?(t.changedEmail=!0,t.changeEmailError=!1):(t.changedEmail=!1,t.changeEmailError=e.error)})},logout:function(){this.$store.dispatch("logout"),this.$router.replace("/")},revokeToken:function(t){window.confirm("".concat(this.$i18n.t("settings.revoke_token"),"?"))&&this.$store.dispatch("revokeToken",t)}}},Et=Object(o.a)(jt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{attrs:{label:t.$t("settings.security_tab")}},[s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.change_email")))]),t._v(" "),s("div",[s("p",[t._v(t._s(t.$t("settings.new_email")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.newEmail,expression:"newEmail"}],attrs:{type:"email",autocomplete:"email"},domProps:{value:t.newEmail},on:{input:function(e){e.target.composing||(t.newEmail=e.target.value)}}})]),t._v(" "),s("div",[s("p",[t._v(t._s(t.$t("settings.current_password")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.changeEmailPassword,expression:"changeEmailPassword"}],attrs:{type:"password",autocomplete:"current-password"},domProps:{value:t.changeEmailPassword},on:{input:function(e){e.target.composing||(t.changeEmailPassword=e.target.value)}}})]),t._v(" "),s("button",{staticClass:"btn btn-default",on:{click:t.changeEmail}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")]),t._v(" "),t.changedEmail?s("p",[t._v("\n "+t._s(t.$t("settings.changed_email"))+"\n ")]):t._e(),t._v(" "),!1!==t.changeEmailError?[s("p",[t._v(t._s(t.$t("settings.change_email_error")))]),t._v(" "),s("p",[t._v(t._s(t.changeEmailError))])]:t._e()],2),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.change_password")))]),t._v(" "),s("div",[s("p",[t._v(t._s(t.$t("settings.current_password")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.changePasswordInputs[0],expression:"changePasswordInputs[0]"}],attrs:{type:"password"},domProps:{value:t.changePasswordInputs[0]},on:{input:function(e){e.target.composing||t.$set(t.changePasswordInputs,0,e.target.value)}}})]),t._v(" "),s("div",[s("p",[t._v(t._s(t.$t("settings.new_password")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.changePasswordInputs[1],expression:"changePasswordInputs[1]"}],attrs:{type:"password"},domProps:{value:t.changePasswordInputs[1]},on:{input:function(e){e.target.composing||t.$set(t.changePasswordInputs,1,e.target.value)}}})]),t._v(" "),s("div",[s("p",[t._v(t._s(t.$t("settings.confirm_new_password")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.changePasswordInputs[2],expression:"changePasswordInputs[2]"}],attrs:{type:"password"},domProps:{value:t.changePasswordInputs[2]},on:{input:function(e){e.target.composing||t.$set(t.changePasswordInputs,2,e.target.value)}}})]),t._v(" "),s("button",{staticClass:"btn btn-default",on:{click:t.changePassword}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")]),t._v(" "),t.changedPassword?s("p",[t._v("\n "+t._s(t.$t("settings.changed_password"))+"\n ")]):!1!==t.changePasswordError?s("p",[t._v("\n "+t._s(t.$t("settings.change_password_error"))+"\n ")]):t._e(),t._v(" "),t.changePasswordError?s("p",[t._v("\n "+t._s(t.changePasswordError)+"\n ")]):t._e()]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.oauth_tokens")))]),t._v(" "),s("table",{staticClass:"oauth-tokens"},[s("thead",[s("tr",[s("th",[t._v(t._s(t.$t("settings.app_name")))]),t._v(" "),s("th",[t._v(t._s(t.$t("settings.valid_until")))]),t._v(" "),s("th")])]),t._v(" "),s("tbody",t._l(t.oauthTokens,function(e){return s("tr",{key:e.id},[s("td",[t._v(t._s(e.appName))]),t._v(" "),s("td",[t._v(t._s(e.validUntil))]),t._v(" "),s("td",{staticClass:"actions"},[s("button",{staticClass:"btn btn-default",on:{click:function(s){return t.revokeToken(e.id)}}},[t._v("\n "+t._s(t.$t("settings.revoke_token"))+"\n ")])])])}),0)])]),t._v(" "),s("mfa"),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.delete_account")))]),t._v(" "),t.deletingAccount?t._e():s("p",[t._v("\n "+t._s(t.$t("settings.delete_account_description"))+"\n ")]),t._v(" "),t.deletingAccount?s("div",[s("p",[t._v(t._s(t.$t("settings.delete_account_instructions")))]),t._v(" "),s("p",[t._v(t._s(t.$t("login.password")))]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.deleteAccountConfirmPasswordInput,expression:"deleteAccountConfirmPasswordInput"}],attrs:{type:"password"},domProps:{value:t.deleteAccountConfirmPasswordInput},on:{input:function(e){e.target.composing||(t.deleteAccountConfirmPasswordInput=e.target.value)}}}),t._v(" "),s("button",{staticClass:"btn btn-default",on:{click:t.deleteAccount}},[t._v("\n "+t._s(t.$t("settings.delete_account"))+"\n ")])]):t._e(),t._v(" "),!1!==t.deleteAccountError?s("p",[t._v("\n "+t._s(t.$t("settings.delete_account_error"))+"\n ")]):t._e(),t._v(" "),t.deleteAccountError?s("p",[t._v("\n "+t._s(t.deleteAccountError)+"\n ")]):t._e(),t._v(" "),t.deletingAccount?t._e():s("button",{staticClass:"btn btn-default",on:{click:t.confirmDelete}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")])])],1)},[],!1,null,null,null).exports,Rt=s(188),Bt=s.n(Rt),Ft=s(96),Mt=s.n(Ft),Ut=s(27),Vt=s.n(Ut),At=s(622),Dt=(s(623),{props:{trigger:{type:[String,window.Element],required:!0},submitHandler:{type:Function,required:!0},cropperOptions:{type:Object,default:function(){return{aspectRatio:1,autoCropArea:1,viewMode:1,movable:!1,zoomable:!1,guides:!1}}},mimes:{type:String,default:"image/png, image/gif, image/jpeg, image/bmp, image/x-icon"},saveButtonLabel:{type:String},saveWithoutCroppingButtonlabel:{type:String},cancelButtonLabel:{type:String}},data:function(){return{cropper:void 0,dataUrl:void 0,filename:void 0,submitting:!1,submitError:null}},computed:{saveText:function(){return this.saveButtonLabel||this.$t("image_cropper.save")},saveWithoutCroppingText:function(){return this.saveWithoutCroppingButtonlabel||this.$t("image_cropper.save_without_cropping")},cancelText:function(){return this.cancelButtonLabel||this.$t("image_cropper.cancel")},submitErrorMsg:function(){return this.submitError&&this.submitError instanceof Error?this.submitError.toString():this.submitError}},methods:{destroy:function(){this.cropper&&this.cropper.destroy(),this.$refs.input.value="",this.dataUrl=void 0,this.$emit("close")},submit:function(){var t=this,e=!(arguments.length>0&&void 0!==arguments[0])||arguments[0];this.submitting=!0,this.avatarUploadError=null,this.submitHandler(e&&this.cropper,this.file).then(function(){return t.destroy()}).catch(function(e){t.submitError=e}).finally(function(){t.submitting=!1})},pickImage:function(){this.$refs.input.click()},createCropper:function(){this.cropper=new At.a(this.$refs.img,this.cropperOptions)},getTriggerDOM:function(){return"object"===Vt()(this.trigger)?this.trigger:document.querySelector(this.trigger)},readFile:function(){var t=this,e=this.$refs.input;if(null!=e.files&&null!=e.files[0]){this.file=e.files[0];var s=new window.FileReader;s.onload=function(e){t.dataUrl=e.target.result,t.$emit("open")},s.readAsDataURL(this.file),this.$emit("changed",this.file,s)}},clearError:function(){this.submitError=null}},mounted:function(){var t=this.getTriggerDOM();t?t.addEventListener("click",this.pickImage):this.$emit("error","No image make trigger found.","user"),this.$refs.input.addEventListener("change",this.readFile)},beforeDestroy:function(){var t=this.getTriggerDOM();t&&t.removeEventListener("click",this.pickImage),this.$refs.input.removeEventListener("change",this.readFile)}});var Nt=function(t){s(620)},Wt=Object(o.a)(Dt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"image-cropper"},[t.dataUrl?s("div",[s("div",{staticClass:"image-cropper-image-container"},[s("img",{ref:"img",attrs:{src:t.dataUrl,alt:""},on:{load:function(e){return e.stopPropagation(),t.createCropper(e)}}})]),t._v(" "),s("div",{staticClass:"image-cropper-buttons-wrapper"},[s("button",{staticClass:"btn",attrs:{type:"button",disabled:t.submitting},domProps:{textContent:t._s(t.saveText)},on:{click:function(e){return t.submit()}}}),t._v(" "),s("button",{staticClass:"btn",attrs:{type:"button",disabled:t.submitting},domProps:{textContent:t._s(t.cancelText)},on:{click:t.destroy}}),t._v(" "),s("button",{staticClass:"btn",attrs:{type:"button",disabled:t.submitting},domProps:{textContent:t._s(t.saveWithoutCroppingText)},on:{click:function(e){return t.submit(!1)}}}),t._v(" "),t.submitting?s("i",{staticClass:"icon-spin4 animate-spin"}):t._e()]),t._v(" "),t.submitError?s("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.submitErrorMsg)+"\n "),s("i",{staticClass:"button-icon icon-cancel",on:{click:t.clearError}})]):t._e()]):t._e(),t._v(" "),s("input",{ref:"input",staticClass:"image-cropper-img-input",attrs:{type:"file",accept:t.mimes}})])},[],!1,Nt,null,null).exports,zt=s(196),qt=s(134),Gt=s(195),Ht=s(135),Kt={data:function(){return{newName:this.$store.state.users.currentUser.name,newBio:Bt()(this.$store.state.users.currentUser.description),newLocked:this.$store.state.users.currentUser.locked,newNoRichText:this.$store.state.users.currentUser.no_rich_text,newDefaultScope:this.$store.state.users.currentUser.default_scope,newFields:this.$store.state.users.currentUser.fields.map(function(t){return{name:t.name,value:t.value}}),hideFollows:this.$store.state.users.currentUser.hide_follows,hideFollowers:this.$store.state.users.currentUser.hide_followers,hideFollowsCount:this.$store.state.users.currentUser.hide_follows_count,hideFollowersCount:this.$store.state.users.currentUser.hide_followers_count,showRole:this.$store.state.users.currentUser.show_role,role:this.$store.state.users.currentUser.role,discoverable:this.$store.state.users.currentUser.discoverable,bot:this.$store.state.users.currentUser.bot,allowFollowingMove:this.$store.state.users.currentUser.allow_following_move,pickAvatarBtnVisible:!0,bannerUploading:!1,backgroundUploading:!1,banner:null,bannerPreview:null,background:null,backgroundPreview:null,bannerUploadError:null,backgroundUploadError:null}},components:{ScopeSelector:zt.a,ImageCropper:Wt,EmojiInput:Gt.a,Autosuggest:x,ProgressButton:S.a,Checkbox:d.a},computed:{user:function(){return this.$store.state.users.currentUser},emojiUserSuggestor:function(){var t=this;return Object(Ht.a)({emoji:[].concat(z()(this.$store.state.instance.emoji),z()(this.$store.state.instance.customEmoji)),users:this.$store.state.users.users,updateUsersList:function(e){return t.$store.dispatch("searchUsers",{query:e})}})},emojiSuggestor:function(){return Object(Ht.a)({emoji:[].concat(z()(this.$store.state.instance.emoji),z()(this.$store.state.instance.customEmoji))})},userSuggestor:function(){var t=this;return Object(Ht.a)({users:this.$store.state.users.users,updateUsersList:function(e){return t.$store.dispatch("searchUsers",{query:e})}})},fieldsLimits:function(){return this.$store.state.instance.fieldsLimits},maxFields:function(){return this.fieldsLimits?this.fieldsLimits.maxFields:0},defaultAvatar:function(){return this.$store.state.instance.server+this.$store.state.instance.defaultAvatar},defaultBanner:function(){return this.$store.state.instance.server+this.$store.state.instance.defaultBanner},isDefaultAvatar:function(){var t=this.$store.state.instance.defaultAvatar;return!this.$store.state.users.currentUser.profile_image_url||this.$store.state.users.currentUser.profile_image_url.includes(t)},isDefaultBanner:function(){var t=this.$store.state.instance.defaultBanner;return!this.$store.state.users.currentUser.cover_photo||this.$store.state.users.currentUser.cover_photo.includes(t)},isDefaultBackground:function(){return!this.$store.state.users.currentUser.background_image},avatarImgSrc:function(){var t=this.$store.state.users.currentUser.profile_image_url_original;return t||this.defaultAvatar},bannerImgSrc:function(){var t=this.$store.state.users.currentUser.cover_photo;return t||this.defaultBanner}},methods:{updateProfile:function(){var t=this;this.$store.state.api.backendInteractor.updateProfile({params:{note:this.newBio,locked:this.newLocked,display_name:this.newName,fields_attributes:this.newFields.filter(function(t){return null!=t}),default_scope:this.newDefaultScope,no_rich_text:this.newNoRichText,hide_follows:this.hideFollows,hide_followers:this.hideFollowers,discoverable:this.discoverable,bot:this.bot,allow_following_move:this.allowFollowingMove,hide_follows_count:this.hideFollowsCount,hide_followers_count:this.hideFollowersCount,show_role:this.showRole}}).then(function(e){t.newFields.splice(e.fields.length),Mt()(t.newFields,e.fields),t.$store.commit("addNewUsers",[e]),t.$store.commit("setCurrentUser",e)})},changeVis:function(t){this.newDefaultScope=t},addField:function(){return this.newFields.length<this.maxFields&&(this.newFields.push({name:"",value:""}),!0)},deleteField:function(t,e){this.$delete(this.newFields,t)},uploadFile:function(t,e){var s=this,a=e.target.files[0];if(a)if(a.size>this.$store.state.instance[t+"limit"]){var n=qt.a.fileSizeFormat(a.size),o=qt.a.fileSizeFormat(this.$store.state.instance[t+"limit"]);this[t+"UploadError"]=[this.$t("upload.error.base"),this.$t("upload.error.file_too_big",{filesize:n.num,filesizeunit:n.unit,allowedsize:o.num,allowedsizeunit:o.unit})].join(" ")}else{var i=new FileReader;i.onload=function(e){var n=e.target.result;s[t+"Preview"]=n,s[t]=a},i.readAsDataURL(a)}},resetAvatar:function(){window.confirm(this.$t("settings.reset_avatar_confirm"))&&this.submitAvatar(void 0,"")},resetBanner:function(){window.confirm(this.$t("settings.reset_banner_confirm"))&&this.submitBanner("")},resetBackground:function(){window.confirm(this.$t("settings.reset_background_confirm"))&&this.submitBackground("")},submitAvatar:function(t,e){var s=this;return new Promise(function(a,n){function o(t){s.$store.state.api.backendInteractor.updateProfileImages({avatar:t}).then(function(t){s.$store.commit("addNewUsers",[t]),s.$store.commit("setCurrentUser",t),a()}).catch(function(t){n(new Error(s.$t("upload.error.base")+" "+t.message))})}t?t.getCroppedCanvas().toBlob(o,e.type):o(e)})},submitBanner:function(t){var e=this;(this.bannerPreview||""===t)&&(this.bannerUploading=!0,this.$store.state.api.backendInteractor.updateProfileImages({banner:t}).then(function(t){e.$store.commit("addNewUsers",[t]),e.$store.commit("setCurrentUser",t),e.bannerPreview=null}).catch(function(t){e.bannerUploadError=e.$t("upload.error.base")+" "+t.message}).then(function(){e.bannerUploading=!1}))},submitBackground:function(t){var e=this;(this.backgroundPreview||""===t)&&(this.backgroundUploading=!0,this.$store.state.api.backendInteractor.updateProfileImages({background:t}).then(function(t){t.error?e.backgroundUploadError=e.$t("upload.error.base")+t.error:(e.$store.commit("addNewUsers",[t]),e.$store.commit("setCurrentUser",t),e.backgroundPreview=null),e.backgroundUploading=!1}))}}};var Jt=function(t){s(618)},Qt=Object(o.a)(Kt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"profile-tab"},[s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.name_bio")))]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.name")))]),t._v(" "),s("EmojiInput",{attrs:{"enable-emoji-picker":"",suggest:t.emojiSuggestor},model:{value:t.newName,callback:function(e){t.newName=e},expression:"newName"}},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.newName,expression:"newName"}],attrs:{id:"username",classname:"name-changer"},domProps:{value:t.newName},on:{input:function(e){e.target.composing||(t.newName=e.target.value)}}})]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.bio")))]),t._v(" "),s("EmojiInput",{attrs:{"enable-emoji-picker":"",suggest:t.emojiUserSuggestor},model:{value:t.newBio,callback:function(e){t.newBio=e},expression:"newBio"}},[s("textarea",{directives:[{name:"model",rawName:"v-model",value:t.newBio,expression:"newBio"}],attrs:{classname:"bio"},domProps:{value:t.newBio},on:{input:function(e){e.target.composing||(t.newBio=e.target.value)}}})]),t._v(" "),s("p",[s("Checkbox",{model:{value:t.newLocked,callback:function(e){t.newLocked=e},expression:"newLocked"}},[t._v("\n "+t._s(t.$t("settings.lock_account_description"))+"\n ")])],1),t._v(" "),s("div",[s("label",{attrs:{for:"default-vis"}},[t._v(t._s(t.$t("settings.default_vis")))]),t._v(" "),s("div",{staticClass:"visibility-tray",attrs:{id:"default-vis"}},[s("scope-selector",{attrs:{"show-all":!0,"user-default":t.newDefaultScope,"initial-scope":t.newDefaultScope,"on-scope-change":t.changeVis}})],1)]),t._v(" "),s("p",[s("Checkbox",{model:{value:t.newNoRichText,callback:function(e){t.newNoRichText=e},expression:"newNoRichText"}},[t._v("\n "+t._s(t.$t("settings.no_rich_text_description"))+"\n ")])],1),t._v(" "),s("p",[s("Checkbox",{model:{value:t.hideFollows,callback:function(e){t.hideFollows=e},expression:"hideFollows"}},[t._v("\n "+t._s(t.$t("settings.hide_follows_description"))+"\n ")])],1),t._v(" "),s("p",{staticClass:"setting-subitem"},[s("Checkbox",{attrs:{disabled:!t.hideFollows},model:{value:t.hideFollowsCount,callback:function(e){t.hideFollowsCount=e},expression:"hideFollowsCount"}},[t._v("\n "+t._s(t.$t("settings.hide_follows_count_description"))+"\n ")])],1),t._v(" "),s("p",[s("Checkbox",{model:{value:t.hideFollowers,callback:function(e){t.hideFollowers=e},expression:"hideFollowers"}},[t._v("\n "+t._s(t.$t("settings.hide_followers_description"))+"\n ")])],1),t._v(" "),s("p",{staticClass:"setting-subitem"},[s("Checkbox",{attrs:{disabled:!t.hideFollowers},model:{value:t.hideFollowersCount,callback:function(e){t.hideFollowersCount=e},expression:"hideFollowersCount"}},[t._v("\n "+t._s(t.$t("settings.hide_followers_count_description"))+"\n ")])],1),t._v(" "),s("p",[s("Checkbox",{model:{value:t.allowFollowingMove,callback:function(e){t.allowFollowingMove=e},expression:"allowFollowingMove"}},[t._v("\n "+t._s(t.$t("settings.allow_following_move"))+"\n ")])],1),t._v(" "),"admin"===t.role||"moderator"===t.role?s("p",[s("Checkbox",{model:{value:t.showRole,callback:function(e){t.showRole=e},expression:"showRole"}},["admin"===t.role?[t._v("\n "+t._s(t.$t("settings.show_admin_badge"))+"\n ")]:t._e(),t._v(" "),"moderator"===t.role?[t._v("\n "+t._s(t.$t("settings.show_moderator_badge"))+"\n ")]:t._e()],2)],1):t._e(),t._v(" "),s("p",[s("Checkbox",{model:{value:t.discoverable,callback:function(e){t.discoverable=e},expression:"discoverable"}},[t._v("\n "+t._s(t.$t("settings.discoverable"))+"\n ")])],1),t._v(" "),t.maxFields>0?s("div",[s("p",[t._v(t._s(t.$t("settings.profile_fields.label")))]),t._v(" "),t._l(t.newFields,function(e,a){return s("div",{key:a,staticClass:"profile-fields"},[s("EmojiInput",{attrs:{"enable-emoji-picker":"","hide-emoji-button":"",suggest:t.userSuggestor},model:{value:t.newFields[a].name,callback:function(e){t.$set(t.newFields[a],"name",e)},expression:"newFields[i].name"}},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.newFields[a].name,expression:"newFields[i].name"}],attrs:{placeholder:t.$t("settings.profile_fields.name")},domProps:{value:t.newFields[a].name},on:{input:function(e){e.target.composing||t.$set(t.newFields[a],"name",e.target.value)}}})]),t._v(" "),s("EmojiInput",{attrs:{"enable-emoji-picker":"","hide-emoji-button":"",suggest:t.userSuggestor},model:{value:t.newFields[a].value,callback:function(e){t.$set(t.newFields[a],"value",e)},expression:"newFields[i].value"}},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.newFields[a].value,expression:"newFields[i].value"}],attrs:{placeholder:t.$t("settings.profile_fields.value")},domProps:{value:t.newFields[a].value},on:{input:function(e){e.target.composing||t.$set(t.newFields[a],"value",e.target.value)}}})]),t._v(" "),s("div",{staticClass:"icon-container"},[s("i",{directives:[{name:"show",rawName:"v-show",value:t.newFields.length>1,expression:"newFields.length > 1"}],staticClass:"icon-cancel",on:{click:function(e){return t.deleteField(a)}}})])],1)}),t._v(" "),t.newFields.length<t.maxFields?s("a",{staticClass:"add-field faint",on:{click:t.addField}},[s("i",{staticClass:"icon-plus"}),t._v("\n "+t._s(t.$t("settings.profile_fields.add_field"))+"\n ")]):t._e()],2):t._e(),t._v(" "),s("p",[s("Checkbox",{model:{value:t.bot,callback:function(e){t.bot=e},expression:"bot"}},[t._v("\n "+t._s(t.$t("settings.bot"))+"\n ")])],1),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:t.newName&&0===t.newName.length},on:{click:t.updateProfile}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")])],1),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.avatar")))]),t._v(" "),s("p",{staticClass:"visibility-notice"},[t._v("\n "+t._s(t.$t("settings.avatar_size_instruction"))+"\n ")]),t._v(" "),s("div",{staticClass:"current-avatar-container"},[s("img",{staticClass:"current-avatar",attrs:{src:t.user.profile_image_url_original}}),t._v(" "),!t.isDefaultAvatar&&t.pickAvatarBtnVisible?s("i",{staticClass:"reset-button icon-cancel",attrs:{title:t.$t("settings.reset_avatar"),type:"button"},on:{click:t.resetAvatar}}):t._e()]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.set_new_avatar")))]),t._v(" "),s("button",{directives:[{name:"show",rawName:"v-show",value:t.pickAvatarBtnVisible,expression:"pickAvatarBtnVisible"}],staticClass:"btn",attrs:{id:"pick-avatar",type:"button"}},[t._v("\n "+t._s(t.$t("settings.upload_a_photo"))+"\n ")]),t._v(" "),s("image-cropper",{attrs:{trigger:"#pick-avatar","submit-handler":t.submitAvatar},on:{open:function(e){t.pickAvatarBtnVisible=!1},close:function(e){t.pickAvatarBtnVisible=!0}}})],1),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.profile_banner")))]),t._v(" "),s("div",{staticClass:"banner-background-preview"},[s("img",{attrs:{src:t.user.cover_photo}}),t._v(" "),t.isDefaultBanner?t._e():s("i",{staticClass:"reset-button icon-cancel",attrs:{title:t.$t("settings.reset_profile_banner"),type:"button"},on:{click:t.resetBanner}})]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.set_new_profile_banner")))]),t._v(" "),t.bannerPreview?s("img",{staticClass:"banner-background-preview",attrs:{src:t.bannerPreview}}):t._e(),t._v(" "),s("div",[s("input",{attrs:{type:"file"},on:{change:function(e){return t.uploadFile("banner",e)}}})]),t._v(" "),t.bannerUploading?s("i",{staticClass:" icon-spin4 animate-spin uploading"}):t.bannerPreview?s("button",{staticClass:"btn btn-default",on:{click:function(e){return t.submitBanner(t.banner)}}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")]):t._e(),t._v(" "),t.bannerUploadError?s("div",{staticClass:"alert error"},[t._v("\n Error: "+t._s(t.bannerUploadError)+"\n "),s("i",{staticClass:"button-icon icon-cancel",on:{click:function(e){return t.clearUploadError("banner")}}})]):t._e()]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.profile_background")))]),t._v(" "),s("div",{staticClass:"banner-background-preview"},[s("img",{attrs:{src:t.user.background_image}}),t._v(" "),t.isDefaultBackground?t._e():s("i",{staticClass:"reset-button icon-cancel",attrs:{title:t.$t("settings.reset_profile_background"),type:"button"},on:{click:t.resetBackground}})]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.set_new_profile_background")))]),t._v(" "),t.backgroundPreview?s("img",{staticClass:"banner-background-preview",attrs:{src:t.backgroundPreview}}):t._e(),t._v(" "),s("div",[s("input",{attrs:{type:"file"},on:{change:function(e){return t.uploadFile("background",e)}}})]),t._v(" "),t.backgroundUploading?s("i",{staticClass:" icon-spin4 animate-spin uploading"}):t.backgroundPreview?s("button",{staticClass:"btn btn-default",on:{click:function(e){return t.submitBackground(t.background)}}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")]):t._e(),t._v(" "),t.backgroundUploadError?s("div",{staticClass:"alert error"},[t._v("\n Error: "+t._s(t.backgroundUploadError)+"\n "),s("i",{staticClass:"button-icon icon-cancel",on:{click:function(e){return t.clearUploadError("background")}}})]):t._e()])])},[],!1,Jt,null,null).exports,Xt=s(74),Yt=s(640),Zt={computed:{languageCodes:function(){return Xt.a.languages},languageNames:function(){return f()(this.languageCodes,this.getLanguageName)},language:{get:function(){return this.$store.getters.mergedConfig.interfaceLanguage},set:function(t){this.$store.dispatch("setOption",{name:"interfaceLanguage",value:t})}}},methods:{getLanguageName:function(t){return{ja:"Japanese (日本語)",ja_easy:"Japanese (やさしいにほんご)",zh:"Chinese (简体中文)"}[t]||Yt.a.getName(t)}}},te=Object(o.a)(Zt,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",[s("label",{attrs:{for:"interface-language-switcher"}},[t._v("\n "+t._s(t.$t("settings.interfaceLanguage"))+"\n ")]),t._v(" "),s("label",{staticClass:"select",attrs:{for:"interface-language-switcher"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.language,expression:"language"}],attrs:{id:"interface-language-switcher"},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.language=e.target.multiple?s:s[0]}}},t._l(t.languageCodes,function(e,a){return s("option",{key:e,domProps:{value:e}},[t._v("\n "+t._s(t.languageNames[a])+"\n ")])}),0),t._v(" "),s("i",{staticClass:"icon-down-open"})])])},[],!1,null,null,null).exports;function ee(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}var se={data:function(){return{loopSilentAvailable:Object.getOwnPropertyDescriptor(HTMLVideoElement.prototype,"mozHasAudio")||Object.getOwnPropertyDescriptor(HTMLMediaElement.prototype,"webkitAudioDecodedByteCount")||Object.getOwnPropertyDescriptor(HTMLMediaElement.prototype,"audioTracks")}},components:{Checkbox:d.a,InterfaceLanguageSwitcher:te},computed:function(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?ee(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):ee(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}({postFormats:function(){return this.$store.state.instance.postFormats||[]},instanceSpecificPanelPresent:function(){return this.$store.state.instance.showInstanceSpecificPanel}},vt())},ae=Object(o.a)(se,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{attrs:{label:t.$t("settings.general")}},[s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.interface")))]),t._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("interface-language-switcher")],1),t._v(" "),t.instanceSpecificPanelPresent?s("li",[s("Checkbox",{model:{value:t.hideISP,callback:function(e){t.hideISP=e},expression:"hideISP"}},[t._v("\n "+t._s(t.$t("settings.hide_isp"))+"\n ")])],1):t._e()])]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("nav.timeline")))]),t._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("Checkbox",{model:{value:t.hideMutedPosts,callback:function(e){t.hideMutedPosts=e},expression:"hideMutedPosts"}},[t._v("\n "+t._s(t.$t("settings.hide_muted_posts"))+" "+t._s(t.$t("settings.instance_default",{value:t.hideMutedPostsLocalizedValue}))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.collapseMessageWithSubject,callback:function(e){t.collapseMessageWithSubject=e},expression:"collapseMessageWithSubject"}},[t._v("\n "+t._s(t.$t("settings.collapse_subject"))+" "+t._s(t.$t("settings.instance_default",{value:t.collapseMessageWithSubjectLocalizedValue}))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.streaming,callback:function(e){t.streaming=e},expression:"streaming"}},[t._v("\n "+t._s(t.$t("settings.streaming"))+"\n ")]),t._v(" "),s("ul",{staticClass:"setting-list suboptions",class:[{disabled:!t.streaming}]},[s("li",[s("Checkbox",{attrs:{disabled:!t.streaming},model:{value:t.pauseOnUnfocused,callback:function(e){t.pauseOnUnfocused=e},expression:"pauseOnUnfocused"}},[t._v("\n "+t._s(t.$t("settings.pause_on_unfocused"))+"\n ")])],1)])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.useStreamingApi,callback:function(e){t.useStreamingApi=e},expression:"useStreamingApi"}},[t._v("\n "+t._s(t.$t("settings.useStreamingApi"))+"\n "),s("br"),t._v(" "),s("small",[t._v("\n "+t._s(t.$t("settings.useStreamingApiWarning"))+"\n ")])])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.emojiReactionsOnTimeline,callback:function(e){t.emojiReactionsOnTimeline=e},expression:"emojiReactionsOnTimeline"}},[t._v("\n "+t._s(t.$t("settings.emoji_reactions_on_timeline"))+"\n ")])],1)])]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.composing")))]),t._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("Checkbox",{model:{value:t.scopeCopy,callback:function(e){t.scopeCopy=e},expression:"scopeCopy"}},[t._v("\n "+t._s(t.$t("settings.scope_copy"))+" "+t._s(t.$t("settings.instance_default",{value:t.scopeCopyLocalizedValue}))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.alwaysShowSubjectInput,callback:function(e){t.alwaysShowSubjectInput=e},expression:"alwaysShowSubjectInput"}},[t._v("\n "+t._s(t.$t("settings.subject_input_always_show"))+" "+t._s(t.$t("settings.instance_default",{value:t.alwaysShowSubjectInputLocalizedValue}))+"\n ")])],1),t._v(" "),s("li",[s("div",[t._v("\n "+t._s(t.$t("settings.subject_line_behavior"))+"\n "),s("label",{staticClass:"select",attrs:{for:"subjectLineBehavior"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.subjectLineBehavior,expression:"subjectLineBehavior"}],attrs:{id:"subjectLineBehavior"},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.subjectLineBehavior=e.target.multiple?s:s[0]}}},[s("option",{attrs:{value:"email"}},[t._v("\n "+t._s(t.$t("settings.subject_line_email"))+"\n "+t._s("email"==t.subjectLineBehaviorDefaultValue?t.$t("settings.instance_default_simple"):"")+"\n ")]),t._v(" "),s("option",{attrs:{value:"masto"}},[t._v("\n "+t._s(t.$t("settings.subject_line_mastodon"))+"\n "+t._s("mastodon"==t.subjectLineBehaviorDefaultValue?t.$t("settings.instance_default_simple"):"")+"\n ")]),t._v(" "),s("option",{attrs:{value:"noop"}},[t._v("\n "+t._s(t.$t("settings.subject_line_noop"))+"\n "+t._s("noop"==t.subjectLineBehaviorDefaultValue?t.$t("settings.instance_default_simple"):"")+"\n ")])]),t._v(" "),s("i",{staticClass:"icon-down-open"})])])]),t._v(" "),t.postFormats.length>0?s("li",[s("div",[t._v("\n "+t._s(t.$t("settings.post_status_content_type"))+"\n "),s("label",{staticClass:"select",attrs:{for:"postContentType"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.postContentType,expression:"postContentType"}],attrs:{id:"postContentType"},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.postContentType=e.target.multiple?s:s[0]}}},t._l(t.postFormats,function(e){return s("option",{key:e,domProps:{value:e}},[t._v("\n "+t._s(t.$t('post_status.content_type["'+e+'"]'))+"\n "+t._s(t.postContentTypeDefaultValue===e?t.$t("settings.instance_default_simple"):"")+"\n ")])}),0),t._v(" "),s("i",{staticClass:"icon-down-open"})])])]):t._e(),t._v(" "),s("li",[s("Checkbox",{model:{value:t.minimalScopesMode,callback:function(e){t.minimalScopesMode=e},expression:"minimalScopesMode"}},[t._v("\n "+t._s(t.$t("settings.minimal_scopes_mode"))+" "+t._s(t.$t("settings.instance_default",{value:t.minimalScopesModeLocalizedValue}))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.autohideFloatingPostButton,callback:function(e){t.autohideFloatingPostButton=e},expression:"autohideFloatingPostButton"}},[t._v("\n "+t._s(t.$t("settings.autohide_floating_post_button"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.padEmoji,callback:function(e){t.padEmoji=e},expression:"padEmoji"}},[t._v("\n "+t._s(t.$t("settings.pad_emoji"))+"\n ")])],1)])]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.attachments")))]),t._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("Checkbox",{model:{value:t.hideAttachments,callback:function(e){t.hideAttachments=e},expression:"hideAttachments"}},[t._v("\n "+t._s(t.$t("settings.hide_attachments_in_tl"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.hideAttachmentsInConv,callback:function(e){t.hideAttachmentsInConv=e},expression:"hideAttachmentsInConv"}},[t._v("\n "+t._s(t.$t("settings.hide_attachments_in_convo"))+"\n ")])],1),t._v(" "),s("li",[s("label",{attrs:{for:"maxThumbnails"}},[t._v("\n "+t._s(t.$t("settings.max_thumbnails"))+"\n ")]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model.number",value:t.maxThumbnails,expression:"maxThumbnails",modifiers:{number:!0}}],staticClass:"number-input",attrs:{id:"maxThumbnails",type:"number",min:"0",step:"1"},domProps:{value:t.maxThumbnails},on:{input:function(e){e.target.composing||(t.maxThumbnails=t._n(e.target.value))},blur:function(e){return t.$forceUpdate()}}})]),t._v(" "),s("li",[s("Checkbox",{model:{value:t.hideNsfw,callback:function(e){t.hideNsfw=e},expression:"hideNsfw"}},[t._v("\n "+t._s(t.$t("settings.nsfw_clickthrough"))+"\n ")])],1),t._v(" "),s("ul",{staticClass:"setting-list suboptions"},[s("li",[s("Checkbox",{attrs:{disabled:!t.hideNsfw},model:{value:t.preloadImage,callback:function(e){t.preloadImage=e},expression:"preloadImage"}},[t._v("\n "+t._s(t.$t("settings.preload_images"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{attrs:{disabled:!t.hideNsfw},model:{value:t.useOneClickNsfw,callback:function(e){t.useOneClickNsfw=e},expression:"useOneClickNsfw"}},[t._v("\n "+t._s(t.$t("settings.use_one_click_nsfw"))+"\n ")])],1)]),t._v(" "),s("li",[s("Checkbox",{model:{value:t.stopGifs,callback:function(e){t.stopGifs=e},expression:"stopGifs"}},[t._v("\n "+t._s(t.$t("settings.stop_gifs"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.loopVideo,callback:function(e){t.loopVideo=e},expression:"loopVideo"}},[t._v("\n "+t._s(t.$t("settings.loop_video"))+"\n ")]),t._v(" "),s("ul",{staticClass:"setting-list suboptions",class:[{disabled:!t.streaming}]},[s("li",[s("Checkbox",{attrs:{disabled:!t.loopVideo||!t.loopSilentAvailable},model:{value:t.loopVideoSilentOnly,callback:function(e){t.loopVideoSilentOnly=e},expression:"loopVideoSilentOnly"}},[t._v("\n "+t._s(t.$t("settings.loop_video_silent_only"))+"\n ")]),t._v(" "),t.loopSilentAvailable?t._e():s("div",{staticClass:"unavailable"},[s("i",{staticClass:"icon-globe"}),t._v("! "+t._s(t.$t("settings.limited_availability"))+"\n ")])],1)])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.playVideosInModal,callback:function(e){t.playVideosInModal=e},expression:"playVideosInModal"}},[t._v("\n "+t._s(t.$t("settings.play_videos_in_modal"))+"\n ")])],1),t._v(" "),s("li",[s("Checkbox",{model:{value:t.useContainFit,callback:function(e){t.useContainFit=e},expression:"useContainFit"}},[t._v("\n "+t._s(t.$t("settings.use_contain_fit"))+"\n ")])],1)])]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.notifications")))]),t._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("Checkbox",{model:{value:t.webPushNotifications,callback:function(e){t.webPushNotifications=e},expression:"webPushNotifications"}},[t._v("\n "+t._s(t.$t("settings.enable_web_push_notifications"))+"\n ")])],1)])]),t._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[t._v(t._s(t.$t("settings.fun")))]),t._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("Checkbox",{model:{value:t.greentext,callback:function(e){t.greentext=e},expression:"greentext"}},[t._v("\n "+t._s(t.$t("settings.greentext"))+" "+t._s(t.$t("settings.instance_default",{value:t.greentextLocalizedValue}))+"\n ")])],1)])])])},[],!1,null,null,null).exports,ne={data:function(){var t=this.$store.state.instance;return{backendVersion:t.backendVersion,frontendVersion:t.frontendVersion}},computed:{frontendVersionLink:function(){return"https://git.pleroma.social/pleroma/pleroma-fe/commit/"+this.frontendVersion},backendVersionLink:function(){return"https://git.pleroma.social/pleroma/pleroma/commit/"+(t=this.backendVersion,(e=t.match(/-g(\w+)/i))?e[1]:"");var t,e}}},oe=Object(o.a)(ne,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{attrs:{label:t.$t("settings.version.title")}},[s("div",{staticClass:"setting-item"},[s("ul",{staticClass:"setting-list"},[s("li",[s("p",[t._v(t._s(t.$t("settings.version.backend_version")))]),t._v(" "),s("ul",{staticClass:"option-list"},[s("li",[s("a",{attrs:{href:t.backendVersionLink,target:"_blank"}},[t._v(t._s(t.backendVersion))])])])]),t._v(" "),s("li",[s("p",[t._v(t._s(t.$t("settings.version.frontend_version")))]),t._v(" "),s("ul",{staticClass:"option-list"},[s("li",[s("a",{attrs:{href:t.frontendVersionLink,target:"_blank"}},[t._v(t._s(t.frontendVersion))])])])])])])])},[],!1,null,null,null).exports,ie=s(9),re=s(32),le=s(29),ce=s(39),ue={components:{Checkbox:d.a},props:{name:{required:!0,type:String},label:{required:!0,type:String},value:{required:!1,type:String,default:void 0},fallback:{required:!1,type:String,default:void 0},disabled:{required:!1,type:Boolean,default:!1},showOptionalTickbox:{required:!1,type:Boolean,default:!0}},computed:{present:function(){return void 0!==this.value},validColor:function(){return Object(ie.f)(this.value||this.fallback)},transparentColor:function(){return"transparent"===this.value},computedColor:function(){return this.value&&this.value.startsWith("--")}}};var de=function(t){s(626),s(628)},pe=Object(o.a)(ue,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"color-input style-control",class:{disabled:!t.present||t.disabled}},[s("label",{staticClass:"label",attrs:{for:t.name}},[t._v("\n "+t._s(t.label)+"\n ")]),t._v(" "),void 0!==t.fallback&&t.showOptionalTickbox?s("Checkbox",{staticClass:"opt",attrs:{checked:t.present,disabled:t.disabled},on:{change:function(e){return t.$emit("input",void 0===t.value?t.fallback:void 0)}}}):t._e(),t._v(" "),s("div",{staticClass:"input color-input-field"},[s("input",{staticClass:"textColor unstyled",attrs:{id:t.name+"-t",type:"text",disabled:!t.present||t.disabled},domProps:{value:t.value||t.fallback},on:{input:function(e){return t.$emit("input",e.target.value)}}}),t._v(" "),t.validColor?s("input",{staticClass:"nativeColor unstyled",attrs:{id:t.name,type:"color",disabled:!t.present||t.disabled},domProps:{value:t.value||t.fallback},on:{input:function(e){return t.$emit("input",e.target.value)}}}):t._e(),t._v(" "),t.transparentColor?s("div",{staticClass:"transparentIndicator"}):t._e(),t._v(" "),t.computedColor?s("div",{staticClass:"computedIndicator",style:{backgroundColor:t.fallback}}):t._e()])],1)},[],!1,de,null,null).exports,me=Object(o.a)({props:["name","value","fallback","disabled","label","max","min","step","hardMin","hardMax"],computed:{present:function(){return void 0!==this.value}}},function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"range-control style-control",class:{disabled:!t.present||t.disabled}},[s("label",{staticClass:"label",attrs:{for:t.name}},[t._v("\n "+t._s(t.label)+"\n ")]),t._v(" "),void 0!==t.fallback?s("input",{staticClass:"opt",attrs:{id:t.name+"-o",type:"checkbox"},domProps:{checked:t.present},on:{input:function(e){return t.$emit("input",t.present?void 0:t.fallback)}}}):t._e(),t._v(" "),void 0!==t.fallback?s("label",{staticClass:"opt-l",attrs:{for:t.name+"-o"}}):t._e(),t._v(" "),s("input",{staticClass:"input-number",attrs:{id:t.name,type:"range",disabled:!t.present||t.disabled,max:t.max||t.hardMax||100,min:t.min||t.hardMin||0,step:t.step||1},domProps:{value:t.value||t.fallback},on:{input:function(e){return t.$emit("input",e.target.value)}}}),t._v(" "),s("input",{staticClass:"input-number",attrs:{id:t.name,type:"number",disabled:!t.present||t.disabled,max:t.hardMax,min:t.hardMin,step:t.step||1},domProps:{value:t.value||t.fallback},on:{input:function(e){return t.$emit("input",e.target.value)}}})])},[],!1,null,null,null).exports,ve={components:{Checkbox:d.a},props:["name","value","fallback","disabled"],computed:{present:function(){return void 0!==this.value}}},he=Object(o.a)(ve,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"opacity-control style-control",class:{disabled:!t.present||t.disabled}},[s("label",{staticClass:"label",attrs:{for:t.name}},[t._v("\n "+t._s(t.$t("settings.style.common.opacity"))+"\n ")]),t._v(" "),void 0!==t.fallback?s("Checkbox",{staticClass:"opt",attrs:{checked:t.present,disabled:t.disabled},on:{change:function(e){return t.$emit("input",t.present?void 0:t.fallback)}}}):t._e(),t._v(" "),s("input",{staticClass:"input-number",attrs:{id:t.name,type:"number",disabled:!t.present||t.disabled,max:"1",min:"0",step:".05"},domProps:{value:t.value||t.fallback},on:{input:function(e){return t.$emit("input",e.target.value)}}})],1)},[],!1,null,null,null).exports;function be(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}var fe=function(){return function(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?be(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):be(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}({x:0,y:0,blur:0,spread:0,inset:!1,color:"#000000",alpha:1},arguments.length>0&&void 0!==arguments[0]?arguments[0]:{})},ge={props:["value","fallback","ready"],data:function(){return{selectedId:0,cValue:(this.value||this.fallback||[]).map(fe)}},components:{ColorInput:pe,OpacityInput:he},methods:{add:function(){this.cValue.push(fe(this.selected)),this.selectedId=this.cValue.length-1},del:function(){this.cValue.splice(this.selectedId,1),this.selectedId=0===this.cValue.length?void 0:Math.max(this.selectedId-1,0)},moveUp:function(){var t=this.cValue.splice(this.selectedId,1)[0];this.cValue.splice(this.selectedId-1,0,t),this.selectedId-=1},moveDn:function(){var t=this.cValue.splice(this.selectedId,1)[0];this.cValue.splice(this.selectedId+1,0,t),this.selectedId+=1}},beforeUpdate:function(){this.cValue=this.value||this.fallback},computed:{anyShadows:function(){return this.cValue.length>0},anyShadowsFallback:function(){return this.fallback.length>0},selected:function(){return this.ready&&this.anyShadows?this.cValue[this.selectedId]:fe({})},currentFallback:function(){return this.ready&&this.anyShadowsFallback?this.fallback[this.selectedId]:fe({})},moveUpValid:function(){return this.ready&&this.selectedId>0},moveDnValid:function(){return this.ready&&this.selectedId<this.cValue.length-1},present:function(){return this.ready&&void 0!==this.cValue[this.selectedId]&&!this.usingFallback},usingFallback:function(){return void 0===this.value},rgb:function(){return Object(ie.f)(this.selected.color)},style:function(){return this.ready?{boxShadow:Object(re.i)(this.fallback)}:{}}}};var _e=function(t){s(630)},we=Object(o.a)(ge,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"shadow-control",class:{disabled:!t.present}},[s("div",{staticClass:"shadow-preview-container"},[s("div",{staticClass:"y-shift-control",attrs:{disabled:!t.present}},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.y,expression:"selected.y"}],staticClass:"input-number",attrs:{disabled:!t.present,type:"number"},domProps:{value:t.selected.y},on:{input:function(e){e.target.composing||t.$set(t.selected,"y",e.target.value)}}}),t._v(" "),s("div",{staticClass:"wrap"},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.y,expression:"selected.y"}],staticClass:"input-range",attrs:{disabled:!t.present,type:"range",max:"20",min:"-20"},domProps:{value:t.selected.y},on:{__r:function(e){return t.$set(t.selected,"y",e.target.value)}}})])]),t._v(" "),s("div",{staticClass:"preview-window"},[s("div",{staticClass:"preview-block",style:t.style})]),t._v(" "),s("div",{staticClass:"x-shift-control",attrs:{disabled:!t.present}},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.x,expression:"selected.x"}],staticClass:"input-number",attrs:{disabled:!t.present,type:"number"},domProps:{value:t.selected.x},on:{input:function(e){e.target.composing||t.$set(t.selected,"x",e.target.value)}}}),t._v(" "),s("div",{staticClass:"wrap"},[s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.x,expression:"selected.x"}],staticClass:"input-range",attrs:{disabled:!t.present,type:"range",max:"20",min:"-20"},domProps:{value:t.selected.x},on:{__r:function(e){return t.$set(t.selected,"x",e.target.value)}}})])])]),t._v(" "),s("div",{staticClass:"shadow-tweak"},[s("div",{staticClass:"id-control style-control",attrs:{disabled:t.usingFallback}},[s("label",{staticClass:"select",attrs:{for:"shadow-switcher",disabled:!t.ready||t.usingFallback}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.selectedId,expression:"selectedId"}],staticClass:"shadow-switcher",attrs:{id:"shadow-switcher",disabled:!t.ready||t.usingFallback},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.selectedId=e.target.multiple?s:s[0]}}},t._l(t.cValue,function(e,a){return s("option",{key:a,domProps:{value:a}},[t._v("\n "+t._s(t.$t("settings.style.shadows.shadow_id",{value:a}))+"\n ")])}),0),t._v(" "),s("i",{staticClass:"icon-down-open"})]),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:!t.ready||!t.present},on:{click:t.del}},[s("i",{staticClass:"icon-cancel"})]),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:!t.moveUpValid},on:{click:t.moveUp}},[s("i",{staticClass:"icon-up-open"})]),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:!t.moveDnValid},on:{click:t.moveDn}},[s("i",{staticClass:"icon-down-open"})]),t._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:t.usingFallback},on:{click:t.add}},[s("i",{staticClass:"icon-plus"})])]),t._v(" "),s("div",{staticClass:"inset-control style-control",attrs:{disabled:!t.present}},[s("label",{staticClass:"label",attrs:{for:"inset"}},[t._v("\n "+t._s(t.$t("settings.style.shadows.inset"))+"\n ")]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.inset,expression:"selected.inset"}],staticClass:"input-inset",attrs:{id:"inset",disabled:!t.present,name:"inset",type:"checkbox"},domProps:{checked:Array.isArray(t.selected.inset)?t._i(t.selected.inset,null)>-1:t.selected.inset},on:{change:function(e){var s=t.selected.inset,a=e.target,n=!!a.checked;if(Array.isArray(s)){var o=t._i(s,null);a.checked?o<0&&t.$set(t.selected,"inset",s.concat([null])):o>-1&&t.$set(t.selected,"inset",s.slice(0,o).concat(s.slice(o+1)))}else t.$set(t.selected,"inset",n)}}}),t._v(" "),s("label",{staticClass:"checkbox-label",attrs:{for:"inset"}})]),t._v(" "),s("div",{staticClass:"blur-control style-control",attrs:{disabled:!t.present}},[s("label",{staticClass:"label",attrs:{for:"spread"}},[t._v("\n "+t._s(t.$t("settings.style.shadows.blur"))+"\n ")]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.blur,expression:"selected.blur"}],staticClass:"input-range",attrs:{id:"blur",disabled:!t.present,name:"blur",type:"range",max:"20",min:"0"},domProps:{value:t.selected.blur},on:{__r:function(e){return t.$set(t.selected,"blur",e.target.value)}}}),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.blur,expression:"selected.blur"}],staticClass:"input-number",attrs:{disabled:!t.present,type:"number",min:"0"},domProps:{value:t.selected.blur},on:{input:function(e){e.target.composing||t.$set(t.selected,"blur",e.target.value)}}})]),t._v(" "),s("div",{staticClass:"spread-control style-control",attrs:{disabled:!t.present}},[s("label",{staticClass:"label",attrs:{for:"spread"}},[t._v("\n "+t._s(t.$t("settings.style.shadows.spread"))+"\n ")]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.spread,expression:"selected.spread"}],staticClass:"input-range",attrs:{id:"spread",disabled:!t.present,name:"spread",type:"range",max:"20",min:"-20"},domProps:{value:t.selected.spread},on:{__r:function(e){return t.$set(t.selected,"spread",e.target.value)}}}),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.selected.spread,expression:"selected.spread"}],staticClass:"input-number",attrs:{disabled:!t.present,type:"number"},domProps:{value:t.selected.spread},on:{input:function(e){e.target.composing||t.$set(t.selected,"spread",e.target.value)}}})]),t._v(" "),s("ColorInput",{attrs:{disabled:!t.present,label:t.$t("settings.style.common.color"),fallback:t.currentFallback.color,"show-optional-tickbox":!1,name:"shadow"},model:{value:t.selected.color,callback:function(e){t.$set(t.selected,"color",e)},expression:"selected.color"}}),t._v(" "),s("OpacityInput",{attrs:{disabled:!t.present},model:{value:t.selected.alpha,callback:function(e){t.$set(t.selected,"alpha",e)},expression:"selected.alpha"}}),t._v(" "),s("i18n",{attrs:{path:"settings.style.shadows.hintV3",tag:"p"}},[s("code",[t._v("--variable,mod")])])],1)])},[],!1,_e,null,null).exports,Ce={props:["name","label","value","fallback","options","no-inherit"],data:function(){return{lValue:this.value,availableOptions:[this.noInherit?"":"inherit","custom"].concat(z()(this.options||[]),["serif","monospace","sans-serif"]).filter(function(t){return t})}},beforeUpdate:function(){this.lValue=this.value},computed:{present:function(){return void 0!==this.lValue},dValue:function(){return this.lValue||this.fallback||{}},family:{get:function(){return this.dValue.family},set:function(t){Object(q.set)(this.lValue,"family",t),this.$emit("input",this.lValue)}},isCustom:function(){return"custom"===this.preset},preset:{get:function(){return"serif"===this.family||"sans-serif"===this.family||"monospace"===this.family||"inherit"===this.family?this.family:"custom"},set:function(t){this.family="custom"===t?"":t}}}};var xe=function(t){s(632)},ke=Object(o.a)(Ce,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"font-control style-control",class:{custom:t.isCustom}},[s("label",{staticClass:"label",attrs:{for:"custom"===t.preset?t.name:t.name+"-font-switcher"}},[t._v("\n "+t._s(t.label)+"\n ")]),t._v(" "),void 0!==t.fallback?s("input",{staticClass:"opt exlcude-disabled",attrs:{id:t.name+"-o",type:"checkbox"},domProps:{checked:t.present},on:{input:function(e){return t.$emit("input",void 0===t.value?t.fallback:void 0)}}}):t._e(),t._v(" "),void 0!==t.fallback?s("label",{staticClass:"opt-l",attrs:{for:t.name+"-o"}}):t._e(),t._v(" "),s("label",{staticClass:"select",attrs:{for:t.name+"-font-switcher",disabled:!t.present}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.preset,expression:"preset"}],staticClass:"font-switcher",attrs:{id:t.name+"-font-switcher",disabled:!t.present},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.preset=e.target.multiple?s:s[0]}}},t._l(t.availableOptions,function(e){return s("option",{key:e,domProps:{value:e}},[t._v("\n "+t._s("custom"===e?t.$t("settings.style.fonts.custom"):e)+"\n ")])}),0),t._v(" "),s("i",{staticClass:"icon-down-open"})]),t._v(" "),t.isCustom?s("input",{directives:[{name:"model",rawName:"v-model",value:t.family,expression:"family"}],staticClass:"custom-font",attrs:{id:t.name,type:"text"},domProps:{value:t.family},on:{input:function(e){e.target.composing||(t.family=e.target.value)}}}):t._e()])},[],!1,xe,null,null).exports,ye={props:{large:{required:!1,type:Boolean,default:!1},contrast:{required:!1,type:Object,default:function(){return{}}}},computed:{hint:function(){var t=this.contrast.aaa?"aaa":this.contrast.aa?"aa":"bad",e=this.$t("settings.style.common.contrast.level.".concat(t)),s=this.$t("settings.style.common.contrast.context.text"),a=this.contrast.text;return this.$t("settings.style.common.contrast.hint",{level:e,context:s,ratio:a})},hint_18pt:function(){var t=this.contrast.laaa?"aaa":this.contrast.laa?"aa":"bad",e=this.$t("settings.style.common.contrast.level.".concat(t)),s=this.$t("settings.style.common.contrast.context.18pt"),a=this.contrast.text;return this.$t("settings.style.common.contrast.hint",{level:e,context:s,ratio:a})}}};var $e=function(t){s(634)},Le=Object(o.a)(ye,function(){var t=this,e=t.$createElement,s=t._self._c||e;return t.contrast?s("span",{staticClass:"contrast-ratio"},[s("span",{staticClass:"rating",attrs:{title:t.hint}},[t.contrast.aaa?s("span",[s("i",{staticClass:"icon-thumbs-up-alt"})]):t._e(),t._v(" "),!t.contrast.aaa&&t.contrast.aa?s("span",[s("i",{staticClass:"icon-adjust"})]):t._e(),t._v(" "),t.contrast.aaa||t.contrast.aa?t._e():s("span",[s("i",{staticClass:"icon-attention"})])]),t._v(" "),t.contrast&&t.large?s("span",{staticClass:"rating",attrs:{title:t.hint_18pt}},[t.contrast.laaa?s("span",[s("i",{staticClass:"icon-thumbs-up-alt"})]):t._e(),t._v(" "),!t.contrast.laaa&&t.contrast.laa?s("span",[s("i",{staticClass:"icon-adjust"})]):t._e(),t._v(" "),t.contrast.laaa||t.contrast.laa?t._e():s("span",[s("i",{staticClass:"icon-attention"})])]):t._e()]):t._e()},[],!1,$e,null,null).exports,Te={props:["exportObject","importLabel","exportLabel","importFailedText","validator","onImport","onImportFailure"],data:function(){return{importFailed:!1}},methods:{exportData:function(){var t=JSON.stringify(this.exportObject,null,2),e=document.createElement("a");e.setAttribute("download","pleroma_theme.json"),e.setAttribute("href","data:application/json;base64,"+window.btoa(t)),e.style.display="none",document.body.appendChild(e),e.click(),document.body.removeChild(e)},importData:function(){var t=this;this.importFailed=!1;var e=document.createElement("input");e.setAttribute("type","file"),e.setAttribute("accept",".json"),e.addEventListener("change",function(e){if(e.target.files[0]){var s=new FileReader;s.onload=function(e){var s=e.target;try{var a=JSON.parse(s.result);t.validator(a)?t.onImport(a):t.importFailed=!0}catch(e){t.importFailed=!0}},s.readAsText(e.target.files[0])}}),document.body.appendChild(e),e.click(),document.body.removeChild(e)}}};var Oe=function(t){s(636)},Pe=Object(o.a)(Te,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"import-export-container"},[t._t("before"),t._v(" "),s("button",{staticClass:"btn",on:{click:t.exportData}},[t._v("\n "+t._s(t.exportLabel)+"\n ")]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.importData}},[t._v("\n "+t._s(t.importLabel)+"\n ")]),t._v(" "),t._t("afterButtons"),t._v(" "),t.importFailed?s("p",{staticClass:"alert error"},[t._v("\n "+t._s(t.importFailedText)+"\n ")]):t._e(),t._v(" "),t._t("afterError")],2)},[],!1,Oe,null,null).exports;var Se=function(t){s(638)},Ie=Object(o.a)(null,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"preview-container"},[s("div",{staticClass:"underlay underlay-preview"}),t._v(" "),s("div",{staticClass:"panel dummy"},[s("div",{staticClass:"panel-heading"},[s("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("settings.style.preview.header"))+"\n "),s("span",{staticClass:"badge badge-notification"},[t._v("\n 99\n ")])]),t._v(" "),s("span",{staticClass:"faint"},[t._v("\n "+t._s(t.$t("settings.style.preview.header_faint"))+"\n ")]),t._v(" "),s("span",{staticClass:"alert error"},[t._v("\n "+t._s(t.$t("settings.style.preview.error"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn"},[t._v("\n "+t._s(t.$t("settings.style.preview.button"))+"\n ")])]),t._v(" "),s("div",{staticClass:"panel-body theme-preview-content"},[s("div",{staticClass:"post"},[s("div",{staticClass:"avatar still-image"},[t._v("\n ( ͡° ͜ʖ ͡°)\n ")]),t._v(" "),s("div",{staticClass:"content"},[s("h4",[t._v("\n "+t._s(t.$t("settings.style.preview.content"))+"\n ")]),t._v(" "),s("i18n",{attrs:{path:"settings.style.preview.text"}},[s("code",{staticStyle:{"font-family":"var(--postCodeFont)"}},[t._v("\n "+t._s(t.$t("settings.style.preview.mono"))+"\n ")]),t._v(" "),s("a",{staticStyle:{color:"var(--link)"}},[t._v("\n "+t._s(t.$t("settings.style.preview.link"))+"\n ")])]),t._v(" "),t._m(0)],1)]),t._v(" "),s("div",{staticClass:"after-post"},[s("div",{staticClass:"avatar-alt"},[t._v("\n :^)\n ")]),t._v(" "),s("div",{staticClass:"content"},[s("i18n",{staticClass:"faint",attrs:{path:"settings.style.preview.fine_print",tag:"span"}},[s("a",{staticStyle:{color:"var(--faintLink)"}},[t._v("\n "+t._s(t.$t("settings.style.preview.faint_link"))+"\n ")])])],1)]),t._v(" "),s("div",{staticClass:"separator"}),t._v(" "),s("span",{staticClass:"alert error"},[t._v("\n "+t._s(t.$t("settings.style.preview.error"))+"\n ")]),t._v(" "),s("input",{attrs:{type:"text"},domProps:{value:t.$t("settings.style.preview.input")}}),t._v(" "),s("div",{staticClass:"actions"},[s("span",{staticClass:"checkbox"},[s("input",{attrs:{id:"preview_checkbox",checked:"very yes",type:"checkbox"}}),t._v(" "),s("label",{attrs:{for:"preview_checkbox"}},[t._v(t._s(t.$t("settings.style.preview.checkbox")))])]),t._v(" "),s("button",{staticClass:"btn"},[t._v("\n "+t._s(t.$t("settings.style.preview.button"))+"\n ")])])])])])},[function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"icons"},[e("i",{staticClass:"button-icon icon-reply",staticStyle:{color:"var(--cBlue)"}}),this._v(" "),e("i",{staticClass:"button-icon icon-retweet",staticStyle:{color:"var(--cGreen)"}}),this._v(" "),e("i",{staticClass:"button-icon icon-star",staticStyle:{color:"var(--cOrange)"}}),this._v(" "),e("i",{staticClass:"button-icon icon-cancel",staticStyle:{color:"var(--cRed)"}})])}],!1,Se,null,null).exports;function je(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(t);e&&(a=a.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),s.push.apply(s,a)}return s}function Ee(t){for(var e=1;e<arguments.length;e++){var s=null!=arguments[e]?arguments[e]:{};e%2?je(Object(s),!0).forEach(function(e){N()(t,e,s[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(s)):je(Object(s)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(s,e))})}return t}var Re=["bg","fg","text","link","cRed","cGreen","cBlue","cOrange"].map(function(t){return t+"ColorLocal"}),Be={data:function(){return Ee({availableStyles:[],selected:this.$store.getters.mergedConfig.theme,themeWarning:void 0,tempImportFile:void 0,engineVersion:0,previewShadows:{},previewColors:{},previewRadii:{},previewFonts:{},shadowsInvalid:!0,colorsInvalid:!0,radiiInvalid:!0,keepColor:!1,keepShadows:!1,keepOpacity:!1,keepRoundness:!1,keepFonts:!1},Object.keys(le.c).map(function(t){return[t,""]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return Ee({},t,N()({},a+"ColorLocal",n))},{}),{},Object.keys(ce.b).map(function(t){return[t,""]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return Ee({},t,N()({},a+"OpacityLocal",n))},{}),{shadowSelected:void 0,shadowsLocal:{},fontsLocal:{},btnRadiusLocal:"",inputRadiusLocal:"",checkboxRadiusLocal:"",panelRadiusLocal:"",avatarRadiusLocal:"",avatarAltRadiusLocal:"",attachmentRadiusLocal:"",tooltipRadiusLocal:"",chatMessageRadiusLocal:""})},created:function(){var t=this;Object(re.k)().then(function(t){return Promise.all(Object.entries(t).map(function(t){var e=A()(t,2),s=e[0];return e[1].then(function(t){return[s,t]})}))}).then(function(t){return t.reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return n?Ee({},t,N()({},a,n)):t},{})}).then(function(e){t.availableStyles=e})},mounted:function(){this.loadThemeFromLocalStorage(),void 0===this.shadowSelected&&(this.shadowSelected=this.shadowsAvailable[0])},computed:{themeWarningHelp:function(){if(this.themeWarning){var t=this.$t,e="settings.style.switcher.help.",s=this.themeWarning,a=s.origin,n=s.themeEngineVersion,o=s.type,i=s.noActionsPossible;if("file"===a){if(2===n&&"wrong_version"===o)return t(e+"v2_imported");if(n>ce.a)return t(e+"future_version_imported")+" "+t(i?e+"snapshot_missing":e+"snapshot_present");if(n<ce.a)return t(e+"future_version_imported")+" "+t(i?e+"snapshot_missing":e+"snapshot_present")}else if("localStorage"===a){if("snapshot_source_mismatch"===o)return t(e+"snapshot_source_mismatch");if(2===n)return t(e+"upgraded_from_v2");if(n>ce.a)return t(e+"fe_downgraded")+" "+t(i?e+"migration_snapshot_ok":e+"migration_snapshot_gone");if(n<ce.a)return t(e+"fe_upgraded")+" "+t(i?e+"migration_snapshot_ok":e+"migration_snapshot_gone")}}},selectedVersion:function(){return Array.isArray(this.selected)?1:2},currentColors:function(){var t=this;return Object.keys(le.c).map(function(e){return[e,t[e+"ColorLocal"]]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return Ee({},t,N()({},a,n))},{})},currentOpacity:function(){var t=this;return Object.keys(ce.b).map(function(e){return[e,t[e+"OpacityLocal"]]}).reduce(function(t,e){var s=A()(e,2),a=s[0],n=s[1];return Ee({},t,N()({},a,n))},{})},currentRadii:function(){return{btn:this.btnRadiusLocal,input:this.inputRadiusLocal,checkbox:this.checkboxRadiusLocal,panel:this.panelRadiusLocal,avatar:this.avatarRadiusLocal,avatarAlt:this.avatarAltRadiusLocal,tooltip:this.tooltipRadiusLocal,attachment:this.attachmentRadiusLocal,chatMessage:this.chatMessageRadiusLocal}},preview:function(){return Object(re.d)(this.previewColors,this.previewRadii,this.previewShadows,this.previewFonts)},previewTheme:function(){return this.preview.theme.colors?this.preview.theme:{colors:{},opacity:{},radii:{},shadows:{},fonts:{}}},previewContrast:function(){try{if(!this.previewTheme.colors.bg)return{};var t=this.previewTheme.colors,e=this.previewTheme.opacity;if(!t.bg)return{};var s=Object.entries(t).reduce(function(t,e){var s,a=A()(e,2),n=a[0],o=a[1];return Ee({},t,N()({},n,(s=o).startsWith("--")||"transparent"===s?s:Object(ie.f)(s)))},{}),a=Object.entries(le.c).reduce(function(t,a){var n=A()(a,2),o=n[0],i=n[1],r="text"===o||"link"===o;if(!(r||"object"===Vt()(i)&&null!==i&&i.textColor))return t;var l=r?{layer:"bg"}:i,c=l.layer,u=l.variant,d=u||c,p=Object(ce.f)(d),m=[o].concat(z()("bg"===d?["cRed","cGreen","cBlue","cOrange"]:[])),v=Object(ce.e)(c,u||c,p,s,e);return Ee({},t,{},m.reduce(function(t,e){var a=r?"bg"+e[0].toUpperCase()+e.slice(1):e;return Ee({},t,N()({},a,Object(ie.c)(s[e],v,s[e])))},{}))},{});return Object.entries(a).reduce(function(t,e){var s,a=A()(e,2),n=a[0],o=a[1];return t[n]={text:(s=o).toPrecision(3)+":1",aa:s>=4.5,aaa:s>=7,laa:s>=3,laaa:s>=4.5},t},{})}catch(t){console.warn("Failure computing contrasts",t)}},previewRules:function(){return this.preview.rules?[].concat(z()(Object.values(this.preview.rules)),["color: var(--text)","font-family: var(--interfaceFont, sans-serif)"]).join(";"):""},shadowsAvailable:function(){return Object.keys(re.a).sort()},currentShadowOverriden:{get:function(){return!!this.currentShadow},set:function(t){t?Object(q.set)(this.shadowsLocal,this.shadowSelected,this.currentShadowFallback.map(function(t){return Object.assign({},t)})):Object(q.delete)(this.shadowsLocal,this.shadowSelected)}},currentShadowFallback:function(){return(this.previewTheme.shadows||{})[this.shadowSelected]},currentShadow:{get:function(){return this.shadowsLocal[this.shadowSelected]},set:function(t){Object(q.set)(this.shadowsLocal,this.shadowSelected,t)}},themeValid:function(){return!this.shadowsInvalid&&!this.colorsInvalid&&!this.radiiInvalid},exportedTheme:function(){var t=!(this.keepFonts||this.keepShadows||this.keepOpacity||this.keepRoundness||this.keepColor),e={themeEngineVersion:ce.a};return(this.keepFonts||t)&&(e.fonts=this.fontsLocal),(this.keepShadows||t)&&(e.shadows=this.shadowsLocal),(this.keepOpacity||t)&&(e.opacity=this.currentOpacity),(this.keepColor||t)&&(e.colors=this.currentColors),(this.keepRoundness||t)&&(e.radii=this.currentRadii),{_pleroma_theme_version:2,theme:Ee({themeEngineVersion:ce.a},this.previewTheme),source:e}}},components:{ColorInput:pe,OpacityInput:he,RangeInput:me,ContrastRatio:Le,ShadowControl:we,FontControl:ke,TabSwitcher:a.a,Preview:Ie,ExportImport:Pe,Checkbox:d.a},methods:{loadTheme:function(t,e){var s=t.theme,a=t.source,n=t._pleroma_theme_version,o=arguments.length>2&&void 0!==arguments[2]&&arguments[2];if(this.dismissWarning(),!a&&!s)throw new Error("Can't load theme: empty");var i="localStorage"!==e||s.colors?n:"l1",r=(s||{}).themeEngineVersion,l=(a||{}).themeEngineVersion||2,c=l===ce.a,u=void 0!==s&&void 0!==a&&l!==r,d=a&&o||!s;c&&!u||d||"l1"===i||"defaults"===e||(u&&"localStorage"===e?this.themeWarning={origin:e,themeEngineVersion:l,type:"snapshot_source_mismatch"}:s?c||(this.themeWarning={origin:e,noActionsPossible:!a,themeEngineVersion:l,type:"wrong_version"}):this.themeWarning={origin:e,noActionsPossible:!0,themeEngineVersion:l,type:"no_snapshot_old_version"}),this.normalizeLocalState(s,i,a,d)},forceLoadLocalStorage:function(){this.loadThemeFromLocalStorage(!0)},dismissWarning:function(){this.themeWarning=void 0,this.tempImportFile=void 0},forceLoad:function(){switch(this.themeWarning.origin){case"localStorage":this.loadThemeFromLocalStorage(!0);break;case"file":this.onImport(this.tempImportFile,!0)}this.dismissWarning()},forceSnapshot:function(){switch(this.themeWarning.origin){case"localStorage":this.loadThemeFromLocalStorage(!1,!0);break;case"file":console.err("Forcing snapshout from file is not supported yet")}this.dismissWarning()},loadThemeFromLocalStorage:function(){var t=arguments.length>0&&void 0!==arguments[0]&&arguments[0],e=arguments.length>1&&void 0!==arguments[1]&&arguments[1],s=this.$store.getters.mergedConfig,a=s.customTheme,n=s.customThemeSource;a||n?this.loadTheme({theme:a,source:e?a:n},"localStorage",t):this.loadTheme(this.$store.state.instance.themeData,"defaults",t)},setCustomTheme:function(){this.$store.dispatch("setOption",{name:"customTheme",value:Ee({themeEngineVersion:ce.a},this.previewTheme)}),this.$store.dispatch("setOption",{name:"customThemeSource",value:{themeEngineVersion:ce.a,shadows:this.shadowsLocal,fonts:this.fontsLocal,opacity:this.currentOpacity,colors:this.currentColors,radii:this.currentRadii}})},updatePreviewColorsAndShadows:function(){this.previewColors=Object(re.e)({opacity:this.currentOpacity,colors:this.currentColors}),this.previewShadows=Object(re.h)({shadows:this.shadowsLocal,opacity:this.previewTheme.opacity,themeEngineVersion:this.engineVersion},this.previewColors.theme.colors,this.previewColors.mod)},onImport:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];this.tempImportFile=t,this.loadTheme(t,"file",e)},importValidator:function(t){var e=t._pleroma_theme_version;return e>=1||e<=2},clearAll:function(){this.loadThemeFromLocalStorage()},clearV1:function(){var t=this;Object.keys(this.$data).filter(function(t){return t.endsWith("ColorLocal")||t.endsWith("OpacityLocal")}).filter(function(t){return!Re.includes(t)}).forEach(function(e){Object(q.set)(t.$data,e,void 0)})},clearRoundness:function(){var t=this;Object.keys(this.$data).filter(function(t){return t.endsWith("RadiusLocal")}).forEach(function(e){Object(q.set)(t.$data,e,void 0)})},clearOpacity:function(){var t=this;Object.keys(this.$data).filter(function(t){return t.endsWith("OpacityLocal")}).forEach(function(e){Object(q.set)(t.$data,e,void 0)})},clearShadows:function(){this.shadowsLocal={}},clearFonts:function(){this.fontsLocal={}},normalizeLocalState:function(t){var e,s=this,a=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=arguments.length>2?arguments[2]:void 0,o=arguments.length>3&&void 0!==arguments[3]&&arguments[3];void 0!==n&&(o||n.themeEngineVersion===ce.a)?(e=n,a=n.themeEngineVersion):e=t;var i=e.radii||e,r=e.opacity,l=e.shadows||{},c=e.fonts||{},u=e.themeEngineVersion?e.colors||e:Object(re.c)(e.colors||e);if(0===a&&(e.version&&(a=e.version),void 0===u.text&&void 0!==u.fg&&(a=1),void 0!==u.text&&void 0!==u.fg&&(a=2)),this.engineVersion=a,1===a&&(this.fgColorLocal=Object(ie.i)(u.btn),this.textColorLocal=Object(ie.i)(u.fg)),!this.keepColor){this.clearV1();var d=new Set(1!==a?Object.keys(le.c):[]);1!==a&&"l1"!==a||d.add("bg").add("link").add("cRed").add("cBlue").add("cGreen").add("cOrange"),d.forEach(function(t){var e=u[t],a=Object(ie.i)(u[t]);s[t+"ColorLocal"]="#aN"===a?e:a})}r&&!this.keepOpacity&&(this.clearOpacity(),Object.entries(r).forEach(function(t){var e=A()(t,2),a=e[0],n=e[1];null==n||Number.isNaN(n)||(s[a+"OpacityLocal"]=n)})),this.keepRoundness||(this.clearRoundness(),Object.entries(i).forEach(function(t){var e=A()(t,2),a=e[0],n=e[1],o=a.endsWith("Radius")?a.split("Radius")[0]:a;s[o+"RadiusLocal"]=n})),this.keepShadows||(this.clearShadows(),this.shadowsLocal=2===a?Object(re.m)(l,this.previewTheme.opacity):l,this.shadowSelected=this.shadowsAvailable[0]),this.keepFonts||(this.clearFonts(),this.fontsLocal=c)}},watch:{currentRadii:function(){try{this.previewRadii=Object(re.g)({radii:this.currentRadii}),this.radiiInvalid=!1}catch(t){this.radiiInvalid=!0,console.warn(t)}},shadowsLocal:{handler:function(){if(1!==Object.getOwnPropertyNames(this.previewColors).length)try{this.updatePreviewColorsAndShadows(),this.shadowsInvalid=!1}catch(t){this.shadowsInvalid=!0,console.warn(t)}},deep:!0},fontsLocal:{handler:function(){try{this.previewFonts=Object(re.f)({fonts:this.fontsLocal}),this.fontsInvalid=!1}catch(t){this.fontsInvalid=!0,console.warn(t)}},deep:!0},currentColors:function(){try{this.updatePreviewColorsAndShadows(),this.colorsInvalid=!1,this.shadowsInvalid=!1}catch(t){this.colorsInvalid=!0,this.shadowsInvalid=!0,console.warn(t)}},currentOpacity:function(){try{this.updatePreviewColorsAndShadows()}catch(t){console.warn(t)}},selected:function(){this.dismissWarning(),1===this.selectedVersion?(this.keepRoundness||this.clearRoundness(),this.keepShadows||this.clearShadows(),this.keepOpacity||this.clearOpacity(),this.keepColor||(this.clearV1(),this.bgColorLocal=this.selected[1],this.fgColorLocal=this.selected[2],this.textColorLocal=this.selected[3],this.linkColorLocal=this.selected[4],this.cRedColorLocal=this.selected[5],this.cGreenColorLocal=this.selected[6],this.cBlueColorLocal=this.selected[7],this.cOrangeColorLocal=this.selected[8])):this.selectedVersion>=2&&this.normalizeLocalState(this.selected.theme,2,this.selected.source)}}};var Fe=function(t){s(624)},Me=Object(o.a)(Be,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("div",{staticClass:"theme-tab"},[s("div",{staticClass:"presets-container"},[s("div",{staticClass:"save-load"},[t.themeWarning?s("div",{staticClass:"theme-warning"},[s("div",{staticClass:"alert warning"},[t._v("\n "+t._s(t.themeWarningHelp)+"\n ")]),t._v(" "),s("div",{staticClass:"buttons"},["snapshot_source_mismatch"===t.themeWarning.type?[s("button",{staticClass:"btn",on:{click:t.forceLoad}},[t._v("\n "+t._s(t.$t("settings.style.switcher.use_source"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.forceSnapshot}},[t._v("\n "+t._s(t.$t("settings.style.switcher.use_snapshot"))+"\n ")])]:t.themeWarning.noActionsPossible?[s("button",{staticClass:"btn",on:{click:t.dismissWarning}},[t._v("\n "+t._s(t.$t("general.dismiss"))+"\n ")])]:[s("button",{staticClass:"btn",on:{click:t.forceLoad}},[t._v("\n "+t._s(t.$t("settings.style.switcher.load_theme"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.dismissWarning}},[t._v("\n "+t._s(t.$t("settings.style.switcher.keep_as_is"))+"\n ")])]],2)]):t._e(),t._v(" "),s("ExportImport",{attrs:{"export-object":t.exportedTheme,"export-label":t.$t("settings.export_theme"),"import-label":t.$t("settings.import_theme"),"import-failed-text":t.$t("settings.invalid_theme_imported"),"on-import":t.onImport,validator:t.importValidator}},[s("template",{slot:"before"},[s("div",{staticClass:"presets"},[t._v("\n "+t._s(t.$t("settings.presets"))+"\n "),s("label",{staticClass:"select",attrs:{for:"preset-switcher"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.selected,expression:"selected"}],staticClass:"preset-switcher",attrs:{id:"preset-switcher"},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.selected=e.target.multiple?s:s[0]}}},t._l(t.availableStyles,function(e){return s("option",{key:e.name,style:{backgroundColor:e[1]||(e.theme||e.source).colors.bg,color:e[3]||(e.theme||e.source).colors.text},domProps:{value:e}},[t._v("\n "+t._s(e[0]||e.name)+"\n ")])}),0),t._v(" "),s("i",{staticClass:"icon-down-open"})])])])],2)],1),t._v(" "),s("div",{staticClass:"save-load-options"},[s("span",{staticClass:"keep-option"},[s("Checkbox",{model:{value:t.keepColor,callback:function(e){t.keepColor=e},expression:"keepColor"}},[t._v("\n "+t._s(t.$t("settings.style.switcher.keep_color"))+"\n ")])],1),t._v(" "),s("span",{staticClass:"keep-option"},[s("Checkbox",{model:{value:t.keepShadows,callback:function(e){t.keepShadows=e},expression:"keepShadows"}},[t._v("\n "+t._s(t.$t("settings.style.switcher.keep_shadows"))+"\n ")])],1),t._v(" "),s("span",{staticClass:"keep-option"},[s("Checkbox",{model:{value:t.keepOpacity,callback:function(e){t.keepOpacity=e},expression:"keepOpacity"}},[t._v("\n "+t._s(t.$t("settings.style.switcher.keep_opacity"))+"\n ")])],1),t._v(" "),s("span",{staticClass:"keep-option"},[s("Checkbox",{model:{value:t.keepRoundness,callback:function(e){t.keepRoundness=e},expression:"keepRoundness"}},[t._v("\n "+t._s(t.$t("settings.style.switcher.keep_roundness"))+"\n ")])],1),t._v(" "),s("span",{staticClass:"keep-option"},[s("Checkbox",{model:{value:t.keepFonts,callback:function(e){t.keepFonts=e},expression:"keepFonts"}},[t._v("\n "+t._s(t.$t("settings.style.switcher.keep_fonts"))+"\n ")])],1),t._v(" "),s("p",[t._v(t._s(t.$t("settings.style.switcher.save_load_hint")))])])]),t._v(" "),s("preview",{style:t.previewRules}),t._v(" "),s("keep-alive",[s("tab-switcher",{key:"style-tweak"},[s("div",{staticClass:"color-container",attrs:{label:t.$t("settings.style.common_colors._tab_label")}},[s("div",{staticClass:"tab-header"},[s("p",[t._v(t._s(t.$t("settings.theme_help")))]),t._v(" "),s("div",{staticClass:"tab-header-buttons"},[s("button",{staticClass:"btn",on:{click:t.clearOpacity}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_opacity"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearV1}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_all"))+"\n ")])])]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.theme_help_v2_1")))]),t._v(" "),s("h4",[t._v(t._s(t.$t("settings.style.common_colors.main")))]),t._v(" "),s("div",{staticClass:"color-item"},[s("ColorInput",{attrs:{name:"bgColor",label:t.$t("settings.background")},model:{value:t.bgColorLocal,callback:function(e){t.bgColorLocal=e},expression:"bgColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"bgOpacity",fallback:t.previewTheme.opacity.bg},model:{value:t.bgOpacityLocal,callback:function(e){t.bgOpacityLocal=e},expression:"bgOpacityLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"textColor",label:t.$t("settings.text")},model:{value:t.textColorLocal,callback:function(e){t.textColorLocal=e},expression:"textColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.bgText}}),t._v(" "),s("ColorInput",{attrs:{name:"accentColor",fallback:t.previewTheme.colors.link,label:t.$t("settings.accent"),"show-optional-tickbox":void 0!==t.linkColorLocal},model:{value:t.accentColorLocal,callback:function(e){t.accentColorLocal=e},expression:"accentColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"linkColor",fallback:t.previewTheme.colors.accent,label:t.$t("settings.links"),"show-optional-tickbox":void 0!==t.accentColorLocal},model:{value:t.linkColorLocal,callback:function(e){t.linkColorLocal=e},expression:"linkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.bgLink}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("ColorInput",{attrs:{name:"fgColor",label:t.$t("settings.foreground")},model:{value:t.fgColorLocal,callback:function(e){t.fgColorLocal=e},expression:"fgColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"fgTextColor",label:t.$t("settings.text"),fallback:t.previewTheme.colors.fgText},model:{value:t.fgTextColorLocal,callback:function(e){t.fgTextColorLocal=e},expression:"fgTextColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"fgLinkColor",label:t.$t("settings.links"),fallback:t.previewTheme.colors.fgLink},model:{value:t.fgLinkColorLocal,callback:function(e){t.fgLinkColorLocal=e},expression:"fgLinkColorLocal"}}),t._v(" "),s("p",[t._v(t._s(t.$t("settings.style.common_colors.foreground_hint")))])],1),t._v(" "),s("h4",[t._v(t._s(t.$t("settings.style.common_colors.rgbo")))]),t._v(" "),s("div",{staticClass:"color-item"},[s("ColorInput",{attrs:{name:"cRedColor",label:t.$t("settings.cRed")},model:{value:t.cRedColorLocal,callback:function(e){t.cRedColorLocal=e},expression:"cRedColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.bgCRed}}),t._v(" "),s("ColorInput",{attrs:{name:"cBlueColor",label:t.$t("settings.cBlue")},model:{value:t.cBlueColorLocal,callback:function(e){t.cBlueColorLocal=e},expression:"cBlueColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.bgCBlue}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("ColorInput",{attrs:{name:"cGreenColor",label:t.$t("settings.cGreen")},model:{value:t.cGreenColorLocal,callback:function(e){t.cGreenColorLocal=e},expression:"cGreenColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.bgCGreen}}),t._v(" "),s("ColorInput",{attrs:{name:"cOrangeColor",label:t.$t("settings.cOrange")},model:{value:t.cOrangeColorLocal,callback:function(e){t.cOrangeColorLocal=e},expression:"cOrangeColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.bgCOrange}})],1),t._v(" "),s("p",[t._v(t._s(t.$t("settings.theme_help_v2_2")))])]),t._v(" "),s("div",{staticClass:"color-container",attrs:{label:t.$t("settings.style.advanced_colors._tab_label")}},[s("div",{staticClass:"tab-header"},[s("p",[t._v(t._s(t.$t("settings.theme_help")))]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearOpacity}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_opacity"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearV1}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_all"))+"\n ")])]),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.post")))]),t._v(" "),s("ColorInput",{attrs:{name:"postLinkColor",fallback:t.previewTheme.colors.accent,label:t.$t("settings.links")},model:{value:t.postLinkColorLocal,callback:function(e){t.postLinkColorLocal=e},expression:"postLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.postLink}}),t._v(" "),s("ColorInput",{attrs:{name:"postGreentextColor",fallback:t.previewTheme.colors.cGreen,label:t.$t("settings.greentext")},model:{value:t.postGreentextColorLocal,callback:function(e){t.postGreentextColorLocal=e},expression:"postGreentextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.postGreentext}}),t._v(" "),s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.alert")))]),t._v(" "),s("ColorInput",{attrs:{name:"alertError",label:t.$t("settings.style.advanced_colors.alert_error"),fallback:t.previewTheme.colors.alertError},model:{value:t.alertErrorColorLocal,callback:function(e){t.alertErrorColorLocal=e},expression:"alertErrorColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"alertErrorText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.alertErrorText},model:{value:t.alertErrorTextColorLocal,callback:function(e){t.alertErrorTextColorLocal=e},expression:"alertErrorTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.alertErrorText,large:""}}),t._v(" "),s("ColorInput",{attrs:{name:"alertWarning",label:t.$t("settings.style.advanced_colors.alert_warning"),fallback:t.previewTheme.colors.alertWarning},model:{value:t.alertWarningColorLocal,callback:function(e){t.alertWarningColorLocal=e},expression:"alertWarningColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"alertWarningText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.alertWarningText},model:{value:t.alertWarningTextColorLocal,callback:function(e){t.alertWarningTextColorLocal=e},expression:"alertWarningTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.alertWarningText,large:""}}),t._v(" "),s("ColorInput",{attrs:{name:"alertNeutral",label:t.$t("settings.style.advanced_colors.alert_neutral"),fallback:t.previewTheme.colors.alertNeutral},model:{value:t.alertNeutralColorLocal,callback:function(e){t.alertNeutralColorLocal=e},expression:"alertNeutralColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"alertNeutralText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.alertNeutralText},model:{value:t.alertNeutralTextColorLocal,callback:function(e){t.alertNeutralTextColorLocal=e},expression:"alertNeutralTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.alertNeutralText,large:""}}),t._v(" "),s("OpacityInput",{attrs:{name:"alertOpacity",fallback:t.previewTheme.opacity.alert},model:{value:t.alertOpacityLocal,callback:function(e){t.alertOpacityLocal=e},expression:"alertOpacityLocal"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.badge")))]),t._v(" "),s("ColorInput",{attrs:{name:"badgeNotification",label:t.$t("settings.style.advanced_colors.badge_notification"),fallback:t.previewTheme.colors.badgeNotification},model:{value:t.badgeNotificationColorLocal,callback:function(e){t.badgeNotificationColorLocal=e},expression:"badgeNotificationColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"badgeNotificationText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.badgeNotificationText},model:{value:t.badgeNotificationTextColorLocal,callback:function(e){t.badgeNotificationTextColorLocal=e},expression:"badgeNotificationTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.badgeNotificationText,large:""}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.panel_header")))]),t._v(" "),s("ColorInput",{attrs:{name:"panelColor",fallback:t.previewTheme.colors.panel,label:t.$t("settings.background")},model:{value:t.panelColorLocal,callback:function(e){t.panelColorLocal=e},expression:"panelColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"panelOpacity",fallback:t.previewTheme.opacity.panel,disabled:"transparent"===t.panelColorLocal},model:{value:t.panelOpacityLocal,callback:function(e){t.panelOpacityLocal=e},expression:"panelOpacityLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"panelTextColor",fallback:t.previewTheme.colors.panelText,label:t.$t("settings.text")},model:{value:t.panelTextColorLocal,callback:function(e){t.panelTextColorLocal=e},expression:"panelTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.panelText,large:""}}),t._v(" "),s("ColorInput",{attrs:{name:"panelLinkColor",fallback:t.previewTheme.colors.panelLink,label:t.$t("settings.links")},model:{value:t.panelLinkColorLocal,callback:function(e){t.panelLinkColorLocal=e},expression:"panelLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.panelLink,large:""}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.top_bar")))]),t._v(" "),s("ColorInput",{attrs:{name:"topBarColor",fallback:t.previewTheme.colors.topBar,label:t.$t("settings.background")},model:{value:t.topBarColorLocal,callback:function(e){t.topBarColorLocal=e},expression:"topBarColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"topBarTextColor",fallback:t.previewTheme.colors.topBarText,label:t.$t("settings.text")},model:{value:t.topBarTextColorLocal,callback:function(e){t.topBarTextColorLocal=e},expression:"topBarTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.topBarText}}),t._v(" "),s("ColorInput",{attrs:{name:"topBarLinkColor",fallback:t.previewTheme.colors.topBarLink,label:t.$t("settings.links")},model:{value:t.topBarLinkColorLocal,callback:function(e){t.topBarLinkColorLocal=e},expression:"topBarLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.topBarLink}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.inputs")))]),t._v(" "),s("ColorInput",{attrs:{name:"inputColor",fallback:t.previewTheme.colors.input,label:t.$t("settings.background")},model:{value:t.inputColorLocal,callback:function(e){t.inputColorLocal=e},expression:"inputColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"inputOpacity",fallback:t.previewTheme.opacity.input,disabled:"transparent"===t.inputColorLocal},model:{value:t.inputOpacityLocal,callback:function(e){t.inputOpacityLocal=e},expression:"inputOpacityLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"inputTextColor",fallback:t.previewTheme.colors.inputText,label:t.$t("settings.text")},model:{value:t.inputTextColorLocal,callback:function(e){t.inputTextColorLocal=e},expression:"inputTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.inputText}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.buttons")))]),t._v(" "),s("ColorInput",{attrs:{name:"btnColor",fallback:t.previewTheme.colors.btn,label:t.$t("settings.background")},model:{value:t.btnColorLocal,callback:function(e){t.btnColorLocal=e},expression:"btnColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"btnOpacity",fallback:t.previewTheme.opacity.btn,disabled:"transparent"===t.btnColorLocal},model:{value:t.btnOpacityLocal,callback:function(e){t.btnOpacityLocal=e},expression:"btnOpacityLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"btnTextColor",fallback:t.previewTheme.colors.btnText,label:t.$t("settings.text")},model:{value:t.btnTextColorLocal,callback:function(e){t.btnTextColorLocal=e},expression:"btnTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnText}}),t._v(" "),s("ColorInput",{attrs:{name:"btnPanelTextColor",fallback:t.previewTheme.colors.btnPanelText,label:t.$t("settings.style.advanced_colors.panel_header")},model:{value:t.btnPanelTextColorLocal,callback:function(e){t.btnPanelTextColorLocal=e},expression:"btnPanelTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnPanelText}}),t._v(" "),s("ColorInput",{attrs:{name:"btnTopBarTextColor",fallback:t.previewTheme.colors.btnTopBarText,label:t.$t("settings.style.advanced_colors.top_bar")},model:{value:t.btnTopBarTextColorLocal,callback:function(e){t.btnTopBarTextColorLocal=e},expression:"btnTopBarTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnTopBarText}}),t._v(" "),s("h5",[t._v(t._s(t.$t("settings.style.advanced_colors.pressed")))]),t._v(" "),s("ColorInput",{attrs:{name:"btnPressedColor",fallback:t.previewTheme.colors.btnPressed,label:t.$t("settings.background")},model:{value:t.btnPressedColorLocal,callback:function(e){t.btnPressedColorLocal=e},expression:"btnPressedColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"btnPressedTextColor",fallback:t.previewTheme.colors.btnPressedText,label:t.$t("settings.text")},model:{value:t.btnPressedTextColorLocal,callback:function(e){t.btnPressedTextColorLocal=e},expression:"btnPressedTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnPressedText}}),t._v(" "),s("ColorInput",{attrs:{name:"btnPressedPanelTextColor",fallback:t.previewTheme.colors.btnPressedPanelText,label:t.$t("settings.style.advanced_colors.panel_header")},model:{value:t.btnPressedPanelTextColorLocal,callback:function(e){t.btnPressedPanelTextColorLocal=e},expression:"btnPressedPanelTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnPressedPanelText}}),t._v(" "),s("ColorInput",{attrs:{name:"btnPressedTopBarTextColor",fallback:t.previewTheme.colors.btnPressedTopBarText,label:t.$t("settings.style.advanced_colors.top_bar")},model:{value:t.btnPressedTopBarTextColorLocal,callback:function(e){t.btnPressedTopBarTextColorLocal=e},expression:"btnPressedTopBarTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnPressedTopBarText}}),t._v(" "),s("h5",[t._v(t._s(t.$t("settings.style.advanced_colors.disabled")))]),t._v(" "),s("ColorInput",{attrs:{name:"btnDisabledColor",fallback:t.previewTheme.colors.btnDisabled,label:t.$t("settings.background")},model:{value:t.btnDisabledColorLocal,callback:function(e){t.btnDisabledColorLocal=e},expression:"btnDisabledColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"btnDisabledTextColor",fallback:t.previewTheme.colors.btnDisabledText,label:t.$t("settings.text")},model:{value:t.btnDisabledTextColorLocal,callback:function(e){t.btnDisabledTextColorLocal=e},expression:"btnDisabledTextColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"btnDisabledPanelTextColor",fallback:t.previewTheme.colors.btnDisabledPanelText,label:t.$t("settings.style.advanced_colors.panel_header")},model:{value:t.btnDisabledPanelTextColorLocal,callback:function(e){t.btnDisabledPanelTextColorLocal=e},expression:"btnDisabledPanelTextColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"btnDisabledTopBarTextColor",fallback:t.previewTheme.colors.btnDisabledTopBarText,label:t.$t("settings.style.advanced_colors.top_bar")},model:{value:t.btnDisabledTopBarTextColorLocal,callback:function(e){t.btnDisabledTopBarTextColorLocal=e},expression:"btnDisabledTopBarTextColorLocal"}}),t._v(" "),s("h5",[t._v(t._s(t.$t("settings.style.advanced_colors.toggled")))]),t._v(" "),s("ColorInput",{attrs:{name:"btnToggledColor",fallback:t.previewTheme.colors.btnToggled,label:t.$t("settings.background")},model:{value:t.btnToggledColorLocal,callback:function(e){t.btnToggledColorLocal=e},expression:"btnToggledColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"btnToggledTextColor",fallback:t.previewTheme.colors.btnToggledText,label:t.$t("settings.text")},model:{value:t.btnToggledTextColorLocal,callback:function(e){t.btnToggledTextColorLocal=e},expression:"btnToggledTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnToggledText}}),t._v(" "),s("ColorInput",{attrs:{name:"btnToggledPanelTextColor",fallback:t.previewTheme.colors.btnToggledPanelText,label:t.$t("settings.style.advanced_colors.panel_header")},model:{value:t.btnToggledPanelTextColorLocal,callback:function(e){t.btnToggledPanelTextColorLocal=e},expression:"btnToggledPanelTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnToggledPanelText}}),t._v(" "),s("ColorInput",{attrs:{name:"btnToggledTopBarTextColor",fallback:t.previewTheme.colors.btnToggledTopBarText,label:t.$t("settings.style.advanced_colors.top_bar")},model:{value:t.btnToggledTopBarTextColorLocal,callback:function(e){t.btnToggledTopBarTextColorLocal=e},expression:"btnToggledTopBarTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.btnToggledTopBarText}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.tabs")))]),t._v(" "),s("ColorInput",{attrs:{name:"tabColor",fallback:t.previewTheme.colors.tab,label:t.$t("settings.background")},model:{value:t.tabColorLocal,callback:function(e){t.tabColorLocal=e},expression:"tabColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"tabTextColor",fallback:t.previewTheme.colors.tabText,label:t.$t("settings.text")},model:{value:t.tabTextColorLocal,callback:function(e){t.tabTextColorLocal=e},expression:"tabTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.tabText}}),t._v(" "),s("ColorInput",{attrs:{name:"tabActiveTextColor",fallback:t.previewTheme.colors.tabActiveText,label:t.$t("settings.text")},model:{value:t.tabActiveTextColorLocal,callback:function(e){t.tabActiveTextColorLocal=e},expression:"tabActiveTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.tabActiveText}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.borders")))]),t._v(" "),s("ColorInput",{attrs:{name:"borderColor",fallback:t.previewTheme.colors.border,label:t.$t("settings.style.common.color")},model:{value:t.borderColorLocal,callback:function(e){t.borderColorLocal=e},expression:"borderColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"borderOpacity",fallback:t.previewTheme.opacity.border,disabled:"transparent"===t.borderColorLocal},model:{value:t.borderOpacityLocal,callback:function(e){t.borderOpacityLocal=e},expression:"borderOpacityLocal"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.faint_text")))]),t._v(" "),s("ColorInput",{attrs:{name:"faintColor",fallback:t.previewTheme.colors.faint,label:t.$t("settings.text")},model:{value:t.faintColorLocal,callback:function(e){t.faintColorLocal=e},expression:"faintColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"faintLinkColor",fallback:t.previewTheme.colors.faintLink,label:t.$t("settings.links")},model:{value:t.faintLinkColorLocal,callback:function(e){t.faintLinkColorLocal=e},expression:"faintLinkColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"panelFaintColor",fallback:t.previewTheme.colors.panelFaint,label:t.$t("settings.style.advanced_colors.panel_header")},model:{value:t.panelFaintColorLocal,callback:function(e){t.panelFaintColorLocal=e},expression:"panelFaintColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"faintOpacity",fallback:t.previewTheme.opacity.faint},model:{value:t.faintOpacityLocal,callback:function(e){t.faintOpacityLocal=e},expression:"faintOpacityLocal"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.underlay")))]),t._v(" "),s("ColorInput",{attrs:{name:"underlay",label:t.$t("settings.style.advanced_colors.underlay"),fallback:t.previewTheme.colors.underlay},model:{value:t.underlayColorLocal,callback:function(e){t.underlayColorLocal=e},expression:"underlayColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"underlayOpacity",fallback:t.previewTheme.opacity.underlay,disabled:"transparent"===t.underlayOpacityLocal},model:{value:t.underlayOpacityLocal,callback:function(e){t.underlayOpacityLocal=e},expression:"underlayOpacityLocal"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.poll")))]),t._v(" "),s("ColorInput",{attrs:{name:"poll",label:t.$t("settings.background"),fallback:t.previewTheme.colors.poll},model:{value:t.pollColorLocal,callback:function(e){t.pollColorLocal=e},expression:"pollColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"pollText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.pollText},model:{value:t.pollTextColorLocal,callback:function(e){t.pollTextColorLocal=e},expression:"pollTextColorLocal"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.icons")))]),t._v(" "),s("ColorInput",{attrs:{name:"icon",label:t.$t("settings.style.advanced_colors.icons"),fallback:t.previewTheme.colors.icon},model:{value:t.iconColorLocal,callback:function(e){t.iconColorLocal=e},expression:"iconColorLocal"}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.highlight")))]),t._v(" "),s("ColorInput",{attrs:{name:"highlight",label:t.$t("settings.background"),fallback:t.previewTheme.colors.highlight},model:{value:t.highlightColorLocal,callback:function(e){t.highlightColorLocal=e},expression:"highlightColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"highlightText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.highlightText},model:{value:t.highlightTextColorLocal,callback:function(e){t.highlightTextColorLocal=e},expression:"highlightTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.highlightText}}),t._v(" "),s("ColorInput",{attrs:{name:"highlightLink",label:t.$t("settings.links"),fallback:t.previewTheme.colors.highlightLink},model:{value:t.highlightLinkColorLocal,callback:function(e){t.highlightLinkColorLocal=e},expression:"highlightLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.highlightLink}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.popover")))]),t._v(" "),s("ColorInput",{attrs:{name:"popover",label:t.$t("settings.background"),fallback:t.previewTheme.colors.popover},model:{value:t.popoverColorLocal,callback:function(e){t.popoverColorLocal=e},expression:"popoverColorLocal"}}),t._v(" "),s("OpacityInput",{attrs:{name:"popoverOpacity",fallback:t.previewTheme.opacity.popover,disabled:"transparent"===t.popoverOpacityLocal},model:{value:t.popoverOpacityLocal,callback:function(e){t.popoverOpacityLocal=e},expression:"popoverOpacityLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"popoverText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.popoverText},model:{value:t.popoverTextColorLocal,callback:function(e){t.popoverTextColorLocal=e},expression:"popoverTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.popoverText}}),t._v(" "),s("ColorInput",{attrs:{name:"popoverLink",label:t.$t("settings.links"),fallback:t.previewTheme.colors.popoverLink},model:{value:t.popoverLinkColorLocal,callback:function(e){t.popoverLinkColorLocal=e},expression:"popoverLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.popoverLink}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.selectedPost")))]),t._v(" "),s("ColorInput",{attrs:{name:"selectedPost",label:t.$t("settings.background"),fallback:t.previewTheme.colors.selectedPost},model:{value:t.selectedPostColorLocal,callback:function(e){t.selectedPostColorLocal=e},expression:"selectedPostColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"selectedPostText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.selectedPostText},model:{value:t.selectedPostTextColorLocal,callback:function(e){t.selectedPostTextColorLocal=e},expression:"selectedPostTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.selectedPostText}}),t._v(" "),s("ColorInput",{attrs:{name:"selectedPostLink",label:t.$t("settings.links"),fallback:t.previewTheme.colors.selectedPostLink},model:{value:t.selectedPostLinkColorLocal,callback:function(e){t.selectedPostLinkColorLocal=e},expression:"selectedPostLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.selectedPostLink}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("settings.style.advanced_colors.selectedMenu")))]),t._v(" "),s("ColorInput",{attrs:{name:"selectedMenu",label:t.$t("settings.background"),fallback:t.previewTheme.colors.selectedMenu},model:{value:t.selectedMenuColorLocal,callback:function(e){t.selectedMenuColorLocal=e},expression:"selectedMenuColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"selectedMenuText",label:t.$t("settings.text"),fallback:t.previewTheme.colors.selectedMenuText},model:{value:t.selectedMenuTextColorLocal,callback:function(e){t.selectedMenuTextColorLocal=e},expression:"selectedMenuTextColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.selectedMenuText}}),t._v(" "),s("ColorInput",{attrs:{name:"selectedMenuLink",label:t.$t("settings.links"),fallback:t.previewTheme.colors.selectedMenuLink},model:{value:t.selectedMenuLinkColorLocal,callback:function(e){t.selectedMenuLinkColorLocal=e},expression:"selectedMenuLinkColorLocal"}}),t._v(" "),s("ContrastRatio",{attrs:{contrast:t.previewContrast.selectedMenuLink}})],1),t._v(" "),s("div",{staticClass:"color-item"},[s("h4",[t._v(t._s(t.$t("chats.chats")))]),t._v(" "),s("ColorInput",{attrs:{name:"chatBgColor",fallback:t.previewTheme.colors.bg,label:t.$t("settings.background")},model:{value:t.chatBgColorLocal,callback:function(e){t.chatBgColorLocal=e},expression:"chatBgColorLocal"}}),t._v(" "),s("h5",[t._v(t._s(t.$t("settings.style.advanced_colors.chat.incoming")))]),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageIncomingBgColor",fallback:t.previewTheme.colors.bg,label:t.$t("settings.background")},model:{value:t.chatMessageIncomingBgColorLocal,callback:function(e){t.chatMessageIncomingBgColorLocal=e},expression:"chatMessageIncomingBgColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageIncomingTextColor",fallback:t.previewTheme.colors.text,label:t.$t("settings.text")},model:{value:t.chatMessageIncomingTextColorLocal,callback:function(e){t.chatMessageIncomingTextColorLocal=e},expression:"chatMessageIncomingTextColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageIncomingLinkColor",fallback:t.previewTheme.colors.link,label:t.$t("settings.links")},model:{value:t.chatMessageIncomingLinkColorLocal,callback:function(e){t.chatMessageIncomingLinkColorLocal=e},expression:"chatMessageIncomingLinkColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageIncomingBorderLinkColor",fallback:t.previewTheme.colors.fg,label:t.$t("settings.style.advanced_colors.chat.border")},model:{value:t.chatMessageIncomingBorderColorLocal,callback:function(e){t.chatMessageIncomingBorderColorLocal=e},expression:"chatMessageIncomingBorderColorLocal"}}),t._v(" "),s("h5",[t._v(t._s(t.$t("settings.style.advanced_colors.chat.outgoing")))]),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageOutgoingBgColor",fallback:t.previewTheme.colors.bg,label:t.$t("settings.background")},model:{value:t.chatMessageOutgoingBgColorLocal,callback:function(e){t.chatMessageOutgoingBgColorLocal=e},expression:"chatMessageOutgoingBgColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageOutgoingTextColor",fallback:t.previewTheme.colors.text,label:t.$t("settings.text")},model:{value:t.chatMessageOutgoingTextColorLocal,callback:function(e){t.chatMessageOutgoingTextColorLocal=e},expression:"chatMessageOutgoingTextColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageOutgoingLinkColor",fallback:t.previewTheme.colors.link,label:t.$t("settings.links")},model:{value:t.chatMessageOutgoingLinkColorLocal,callback:function(e){t.chatMessageOutgoingLinkColorLocal=e},expression:"chatMessageOutgoingLinkColorLocal"}}),t._v(" "),s("ColorInput",{attrs:{name:"chatMessageOutgoingBorderLinkColor",fallback:t.previewTheme.colors.bg,label:t.$t("settings.style.advanced_colors.chat.border")},model:{value:t.chatMessageOutgoingBorderColorLocal,callback:function(e){t.chatMessageOutgoingBorderColorLocal=e},expression:"chatMessageOutgoingBorderColorLocal"}})],1)]),t._v(" "),s("div",{staticClass:"radius-container",attrs:{label:t.$t("settings.style.radii._tab_label")}},[s("div",{staticClass:"tab-header"},[s("p",[t._v(t._s(t.$t("settings.radii_help")))]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearRoundness}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_all"))+"\n ")])]),t._v(" "),s("RangeInput",{attrs:{name:"btnRadius",label:t.$t("settings.btnRadius"),fallback:t.previewTheme.radii.btn,max:"16","hard-min":"0"},model:{value:t.btnRadiusLocal,callback:function(e){t.btnRadiusLocal=e},expression:"btnRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"inputRadius",label:t.$t("settings.inputRadius"),fallback:t.previewTheme.radii.input,max:"9","hard-min":"0"},model:{value:t.inputRadiusLocal,callback:function(e){t.inputRadiusLocal=e},expression:"inputRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"checkboxRadius",label:t.$t("settings.checkboxRadius"),fallback:t.previewTheme.radii.checkbox,max:"16","hard-min":"0"},model:{value:t.checkboxRadiusLocal,callback:function(e){t.checkboxRadiusLocal=e},expression:"checkboxRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"panelRadius",label:t.$t("settings.panelRadius"),fallback:t.previewTheme.radii.panel,max:"50","hard-min":"0"},model:{value:t.panelRadiusLocal,callback:function(e){t.panelRadiusLocal=e},expression:"panelRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"avatarRadius",label:t.$t("settings.avatarRadius"),fallback:t.previewTheme.radii.avatar,max:"28","hard-min":"0"},model:{value:t.avatarRadiusLocal,callback:function(e){t.avatarRadiusLocal=e},expression:"avatarRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"avatarAltRadius",label:t.$t("settings.avatarAltRadius"),fallback:t.previewTheme.radii.avatarAlt,max:"28","hard-min":"0"},model:{value:t.avatarAltRadiusLocal,callback:function(e){t.avatarAltRadiusLocal=e},expression:"avatarAltRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"attachmentRadius",label:t.$t("settings.attachmentRadius"),fallback:t.previewTheme.radii.attachment,max:"50","hard-min":"0"},model:{value:t.attachmentRadiusLocal,callback:function(e){t.attachmentRadiusLocal=e},expression:"attachmentRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"tooltipRadius",label:t.$t("settings.tooltipRadius"),fallback:t.previewTheme.radii.tooltip,max:"50","hard-min":"0"},model:{value:t.tooltipRadiusLocal,callback:function(e){t.tooltipRadiusLocal=e},expression:"tooltipRadiusLocal"}}),t._v(" "),s("RangeInput",{attrs:{name:"chatMessageRadius",label:t.$t("settings.chatMessageRadius"),fallback:t.previewTheme.radii.chatMessage||2,max:"50","hard-min":"0"},model:{value:t.chatMessageRadiusLocal,callback:function(e){t.chatMessageRadiusLocal=e},expression:"chatMessageRadiusLocal"}})],1),t._v(" "),s("div",{staticClass:"shadow-container",attrs:{label:t.$t("settings.style.shadows._tab_label")}},[s("div",{staticClass:"tab-header shadow-selector"},[s("div",{staticClass:"select-container"},[t._v("\n "+t._s(t.$t("settings.style.shadows.component"))+"\n "),s("label",{staticClass:"select",attrs:{for:"shadow-switcher"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:t.shadowSelected,expression:"shadowSelected"}],staticClass:"shadow-switcher",attrs:{id:"shadow-switcher"},on:{change:function(e){var s=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.shadowSelected=e.target.multiple?s:s[0]}}},t._l(t.shadowsAvailable,function(e){return s("option",{key:e,domProps:{value:e}},[t._v("\n "+t._s(t.$t("settings.style.shadows.components."+e))+"\n ")])}),0),t._v(" "),s("i",{staticClass:"icon-down-open"})])]),t._v(" "),s("div",{staticClass:"override"},[s("label",{staticClass:"label",attrs:{for:"override"}},[t._v("\n "+t._s(t.$t("settings.style.shadows.override"))+"\n ")]),t._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:t.currentShadowOverriden,expression:"currentShadowOverriden"}],staticClass:"input-override",attrs:{id:"override",name:"override",type:"checkbox"},domProps:{checked:Array.isArray(t.currentShadowOverriden)?t._i(t.currentShadowOverriden,null)>-1:t.currentShadowOverriden},on:{change:function(e){var s=t.currentShadowOverriden,a=e.target,n=!!a.checked;if(Array.isArray(s)){var o=t._i(s,null);a.checked?o<0&&(t.currentShadowOverriden=s.concat([null])):o>-1&&(t.currentShadowOverriden=s.slice(0,o).concat(s.slice(o+1)))}else t.currentShadowOverriden=n}}}),t._v(" "),s("label",{staticClass:"checkbox-label",attrs:{for:"override"}})]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearShadows}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_all"))+"\n ")])]),t._v(" "),s("ShadowControl",{attrs:{ready:!!t.currentShadowFallback,fallback:t.currentShadowFallback},model:{value:t.currentShadow,callback:function(e){t.currentShadow=e},expression:"currentShadow"}}),t._v(" "),"avatar"===t.shadowSelected||"avatarStatus"===t.shadowSelected?s("div",[s("i18n",{attrs:{path:"settings.style.shadows.filter_hint.always_drop_shadow",tag:"p"}},[s("code",[t._v("filter: drop-shadow()")])]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.style.shadows.filter_hint.avatar_inset")))]),t._v(" "),s("i18n",{attrs:{path:"settings.style.shadows.filter_hint.drop_shadow_syntax",tag:"p"}},[s("code",[t._v("drop-shadow")]),t._v(" "),s("code",[t._v("spread-radius")]),t._v(" "),s("code",[t._v("inset")])]),t._v(" "),s("i18n",{attrs:{path:"settings.style.shadows.filter_hint.inset_classic",tag:"p"}},[s("code",[t._v("box-shadow")])]),t._v(" "),s("p",[t._v(t._s(t.$t("settings.style.shadows.filter_hint.spread_zero")))])],1):t._e()],1),t._v(" "),s("div",{staticClass:"fonts-container",attrs:{label:t.$t("settings.style.fonts._tab_label")}},[s("div",{staticClass:"tab-header"},[s("p",[t._v(t._s(t.$t("settings.style.fonts.help")))]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearFonts}},[t._v("\n "+t._s(t.$t("settings.style.switcher.clear_all"))+"\n ")])]),t._v(" "),s("FontControl",{attrs:{name:"ui",label:t.$t("settings.style.fonts.components.interface"),fallback:t.previewTheme.fonts.interface,"no-inherit":"1"},model:{value:t.fontsLocal.interface,callback:function(e){t.$set(t.fontsLocal,"interface",e)},expression:"fontsLocal.interface"}}),t._v(" "),s("FontControl",{attrs:{name:"input",label:t.$t("settings.style.fonts.components.input"),fallback:t.previewTheme.fonts.input},model:{value:t.fontsLocal.input,callback:function(e){t.$set(t.fontsLocal,"input",e)},expression:"fontsLocal.input"}}),t._v(" "),s("FontControl",{attrs:{name:"post",label:t.$t("settings.style.fonts.components.post"),fallback:t.previewTheme.fonts.post},model:{value:t.fontsLocal.post,callback:function(e){t.$set(t.fontsLocal,"post",e)},expression:"fontsLocal.post"}}),t._v(" "),s("FontControl",{attrs:{name:"postCode",label:t.$t("settings.style.fonts.components.postCode"),fallback:t.previewTheme.fonts.postCode},model:{value:t.fontsLocal.postCode,callback:function(e){t.$set(t.fontsLocal,"postCode",e)},expression:"fontsLocal.postCode"}})],1)])],1),t._v(" "),s("div",{staticClass:"apply-container"},[s("button",{staticClass:"btn submit",attrs:{disabled:!t.themeValid},on:{click:t.setCustomTheme}},[t._v("\n "+t._s(t.$t("general.apply"))+"\n ")]),t._v(" "),s("button",{staticClass:"btn",on:{click:t.clearAll}},[t._v("\n "+t._s(t.$t("settings.style.switcher.reset"))+"\n ")])])],1)},[],!1,Fe,null,null).exports,Ue={components:{TabSwitcher:a.a,DataImportExportTab:m,MutesAndBlocksTab:nt,NotificationsTab:it,FilteringTab:ft,SecurityTab:Et,ProfileTab:Qt,GeneralTab:ae,VersionTab:oe,ThemeTab:Me},computed:{isLoggedIn:function(){return!!this.$store.state.users.currentUser},open:function(){return"hidden"!==this.$store.state.interface.settingsModalState}},methods:{onOpen:function(){var t=this.$store.state.interface.settingsModalTargetTab;if(t){var e=this.$refs.tabSwitcher.$slots.default.findIndex(function(e){return e.data&&e.data.attrs["data-tab-name"]===t});e>=0&&this.$refs.tabSwitcher.setTab(e)}this.$store.dispatch("clearSettingsModalTargetTab")}},mounted:function(){this.onOpen()},watch:{open:function(t){t&&this.onOpen()}}};var Ve=function(t){s(591)},Ae=Object(o.a)(Ue,function(){var t=this,e=t.$createElement,s=t._self._c||e;return s("tab-switcher",{ref:"tabSwitcher",staticClass:"settings_tab-switcher",attrs:{"side-tab-bar":!0,"scrollable-tabs":!0}},[s("div",{attrs:{label:t.$t("settings.general"),icon:"wrench","data-tab-name":"general"}},[s("GeneralTab")],1),t._v(" "),t.isLoggedIn?s("div",{attrs:{label:t.$t("settings.profile_tab"),icon:"user","data-tab-name":"profile"}},[s("ProfileTab")],1):t._e(),t._v(" "),t.isLoggedIn?s("div",{attrs:{label:t.$t("settings.security_tab"),icon:"lock","data-tab-name":"security"}},[s("SecurityTab")],1):t._e(),t._v(" "),s("div",{attrs:{label:t.$t("settings.filtering"),icon:"filter","data-tab-name":"filtering"}},[s("FilteringTab")],1),t._v(" "),s("div",{attrs:{label:t.$t("settings.theme"),icon:"brush","data-tab-name":"theme"}},[s("ThemeTab")],1),t._v(" "),t.isLoggedIn?s("div",{attrs:{label:t.$t("settings.notifications"),icon:"bell-ringing-o","data-tab-name":"notifications"}},[s("NotificationsTab")],1):t._e(),t._v(" "),t.isLoggedIn?s("div",{attrs:{label:t.$t("settings.data_import_export_tab"),icon:"download","data-tab-name":"dataImportExport"}},[s("DataImportExportTab")],1):t._e(),t._v(" "),t.isLoggedIn?s("div",{attrs:{label:t.$t("settings.mutes_and_blocks"),fullHeight:!0,icon:"eye-off","data-tab-name":"mutesAndBlocks"}},[s("MutesAndBlocksTab")],1):t._e(),t._v(" "),s("div",{attrs:{label:t.$t("settings.version.title"),icon:"info-circled","data-tab-name":"version"}},[s("VersionTab")],1)])},[],!1,Ve,null,null);e.default=Ae.exports}}]); +//# sourceMappingURL=2.e852a6b4b3bba752b838.js.map +\ No newline at end of file diff --git a/priv/static/static/js/2.e852a6b4b3bba752b838.js.map b/priv/static/static/js/2.e852a6b4b3bba752b838.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["webpack:///./src/components/settings_modal/settings_modal_content.scss?d424","webpack:///./src/components/settings_modal/settings_modal_content.scss","webpack:///./src/components/importer/importer.vue?7798","webpack:///./src/components/importer/importer.vue?6af6","webpack:///./src/components/exporter/exporter.vue?dea3","webpack:///./src/components/exporter/exporter.vue?cc2b","webpack:///./src/components/settings_modal/tabs/mutes_and_blocks_tab.scss?4d0c","webpack:///./src/components/settings_modal/tabs/mutes_and_blocks_tab.scss","webpack:///./src/components/autosuggest/autosuggest.vue?9908","webpack:///./src/components/autosuggest/autosuggest.vue?9383","webpack:///./src/components/block_card/block_card.vue?7ad7","webpack:///./src/components/block_card/block_card.vue?ddc8","webpack:///./src/components/mute_card/mute_card.vue?c72f","webpack:///./src/components/mute_card/mute_card.vue?1268","webpack:///./src/components/domain_mute_card/domain_mute_card.vue?a613","webpack:///./src/components/domain_mute_card/domain_mute_card.vue?c85e","webpack:///./src/components/selectable_list/selectable_list.vue?a6e3","webpack:///./src/components/selectable_list/selectable_list.vue?c2f8","webpack:///./src/components/settings_modal/tabs/security_tab/mfa.vue?540b","webpack:///./src/components/settings_modal/tabs/security_tab/mfa.vue?cd9f","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_backup_codes.vue?da3d","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_backup_codes.vue?57b8","webpack:///./src/components/settings_modal/tabs/profile_tab.scss?588b","webpack:///./src/components/settings_modal/tabs/profile_tab.scss","webpack:///./src/components/image_cropper/image_cropper.vue?f169","webpack:///./src/components/image_cropper/image_cropper.vue?6235","webpack:///./src/components/settings_modal/tabs/theme_tab/theme_tab.scss?080d","webpack:///./src/components/settings_modal/tabs/theme_tab/theme_tab.scss","webpack:///./src/components/color_input/color_input.scss?c457","webpack:///./src/components/color_input/color_input.scss","webpack:///./src/components/color_input/color_input.vue?6a4c","webpack:///./src/components/color_input/color_input.vue?bb22","webpack:///./src/components/shadow_control/shadow_control.vue?bfd4","webpack:///./src/components/shadow_control/shadow_control.vue?78ef","webpack:///./src/components/font_control/font_control.vue?5f33","webpack:///./src/components/font_control/font_control.vue?bef4","webpack:///./src/components/contrast_ratio/contrast_ratio.vue?a340","webpack:///./src/components/contrast_ratio/contrast_ratio.vue?32fa","webpack:///./src/components/export_import/export_import.vue?5952","webpack:///./src/components/export_import/export_import.vue?aed6","webpack:///./src/components/settings_modal/tabs/theme_tab/preview.vue?1ae8","webpack:///./src/components/settings_modal/tabs/theme_tab/preview.vue?ab81","webpack:///./src/components/importer/importer.js","webpack:///./src/components/importer/importer.vue","webpack:///./src/components/importer/importer.vue?320c","webpack:///./src/components/exporter/exporter.js","webpack:///./src/components/exporter/exporter.vue","webpack:///./src/components/exporter/exporter.vue?7e42","webpack:///./src/components/settings_modal/tabs/data_import_export_tab.js","webpack:///./src/components/settings_modal/tabs/data_import_export_tab.vue","webpack:///./src/components/settings_modal/tabs/data_import_export_tab.vue?40b4","webpack:///./src/components/autosuggest/autosuggest.js","webpack:///./src/components/autosuggest/autosuggest.vue","webpack:///./src/components/autosuggest/autosuggest.vue?b400","webpack:///./src/components/block_card/block_card.js","webpack:///./src/components/block_card/block_card.vue","webpack:///./src/components/block_card/block_card.vue?7b44","webpack:///./src/components/mute_card/mute_card.js","webpack:///./src/components/mute_card/mute_card.vue","webpack:///./src/components/mute_card/mute_card.vue?6bc9","webpack:///./src/components/domain_mute_card/domain_mute_card.js","webpack:///./src/components/domain_mute_card/domain_mute_card.vue","webpack:///./src/components/domain_mute_card/domain_mute_card.vue?7cf0","webpack:///./src/components/selectable_list/selectable_list.js","webpack:///./src/components/selectable_list/selectable_list.vue","webpack:///./src/components/selectable_list/selectable_list.vue?5686","webpack:///./src/hocs/with_subscription/with_subscription.js","webpack:///./src/components/settings_modal/tabs/mutes_and_blocks_tab.js","webpack:///./src/components/settings_modal/tabs/mutes_and_blocks_tab.vue","webpack:///./src/components/settings_modal/tabs/mutes_and_blocks_tab.vue?0687","webpack:///./src/components/settings_modal/tabs/notifications_tab.js","webpack:///./src/components/settings_modal/tabs/notifications_tab.vue","webpack:///./src/components/settings_modal/tabs/notifications_tab.vue?6dcc","webpack:///./src/components/settings_modal/helpers/shared_computed_object.js","webpack:///./src/components/settings_modal/tabs/filtering_tab.js","webpack:///./src/components/settings_modal/tabs/filtering_tab.vue","webpack:///./src/components/settings_modal/tabs/filtering_tab.vue?3af7","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_backup_codes.js","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_backup_codes.vue","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_backup_codes.vue?198f","webpack:///./src/components/settings_modal/tabs/security_tab/confirm.js","webpack:///./src/components/settings_modal/tabs/security_tab/confirm.vue","webpack:///./src/components/settings_modal/tabs/security_tab/confirm.vue?da03","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_totp.js","webpack:///./src/components/settings_modal/tabs/security_tab/mfa.js","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_totp.vue","webpack:///./src/components/settings_modal/tabs/security_tab/mfa_totp.vue?cdbe","webpack:///./src/components/settings_modal/tabs/security_tab/mfa.vue","webpack:///./src/components/settings_modal/tabs/security_tab/mfa.vue?8795","webpack:///./src/components/settings_modal/tabs/security_tab/security_tab.js","webpack:///./src/components/settings_modal/tabs/security_tab/security_tab.vue","webpack:///./src/components/settings_modal/tabs/security_tab/security_tab.vue?0d38","webpack:///./src/components/image_cropper/image_cropper.js","webpack:///./src/components/image_cropper/image_cropper.vue","webpack:///./src/components/image_cropper/image_cropper.vue?017e","webpack:///./src/components/settings_modal/tabs/profile_tab.js","webpack:///./src/components/settings_modal/tabs/profile_tab.vue","webpack:///./src/components/settings_modal/tabs/profile_tab.vue?4eea","webpack:///src/components/interface_language_switcher/interface_language_switcher.vue","webpack:///./src/components/interface_language_switcher/interface_language_switcher.vue","webpack:///./src/components/interface_language_switcher/interface_language_switcher.vue?d9d4","webpack:///./src/components/settings_modal/tabs/general_tab.js","webpack:///./src/components/settings_modal/tabs/general_tab.vue","webpack:///./src/components/settings_modal/tabs/general_tab.vue?2e10","webpack:///./src/components/settings_modal/tabs/version_tab.js","webpack:///./src/services/version/version.service.js","webpack:///./src/components/settings_modal/tabs/version_tab.vue","webpack:///./src/components/settings_modal/tabs/version_tab.vue?7cbe","webpack:///src/components/color_input/color_input.vue","webpack:///./src/components/color_input/color_input.vue","webpack:///./src/components/color_input/color_input.vue?3d5b","webpack:///./src/components/range_input/range_input.vue","webpack:///src/components/range_input/range_input.vue","webpack:///./src/components/range_input/range_input.vue?202a","webpack:///src/components/opacity_input/opacity_input.vue","webpack:///./src/components/opacity_input/opacity_input.vue","webpack:///./src/components/opacity_input/opacity_input.vue?0078","webpack:///./src/components/shadow_control/shadow_control.js","webpack:///./src/components/shadow_control/shadow_control.vue","webpack:///./src/components/shadow_control/shadow_control.vue?c9d6","webpack:///./src/components/font_control/font_control.js","webpack:///./src/components/font_control/font_control.vue","webpack:///./src/components/font_control/font_control.vue?184b","webpack:///src/components/contrast_ratio/contrast_ratio.vue","webpack:///./src/components/contrast_ratio/contrast_ratio.vue","webpack:///./src/components/contrast_ratio/contrast_ratio.vue?efc3","webpack:///src/components/export_import/export_import.vue","webpack:///./src/components/export_import/export_import.vue","webpack:///./src/components/export_import/export_import.vue?9130","webpack:///./src/components/settings_modal/tabs/theme_tab/preview.vue","webpack:///./src/components/settings_modal/tabs/theme_tab/preview.vue?4c36","webpack:///./src/components/settings_modal/tabs/theme_tab/theme_tab.js","webpack:///./src/components/settings_modal/tabs/theme_tab/theme_tab.vue","webpack:///./src/components/settings_modal/tabs/theme_tab/theme_tab.vue?1515","webpack:///./src/components/settings_modal/settings_modal_content.js","webpack:///./src/components/settings_modal/settings_modal_content.vue","webpack:///./src/components/settings_modal/settings_modal_content.vue?458b"],"names":["content","__webpack_require__","module","i","locals","exports","add","default","push","Importer","props","submitHandler","type","Function","required","submitButtonLabel","String","this","$t","successMessage","errorMessage","data","file","error","success","submitting","methods","change","$refs","input","files","submit","_this","dismiss","then","__vue_styles__","context","importer_importer","Object","component_normalizer","importer","_vm","_h","$createElement","_c","_self","staticClass","ref","attrs","on","_v","click","_s","_e","Exporter","getContent","filename","exportButtonLabel","processingMessage","processing","process","fileToDownload","document","createElement","setAttribute","encodeURIComponent","style","display","body","appendChild","removeChild","setTimeout","exporter_vue_styles_","exporter_exporter","exporter","DataImportExportTab","activeTab","newDomainToMute","created","$store","dispatch","components","Checkbox","computed","user","state","users","currentUser","getFollowsContent","api","backendInteractor","exportFriends","id","generateExportableUsersContent","getBlocksContent","fetchBlocks","importFollows","status","Error","importBlocks","map","is_local","screen_name","location","hostname","join","tabs_data_import_export_tab","data_import_export_tab","label","submit-handler","success-message","error-message","get-content","export-button-label","autosuggest","query","filter","placeholder","term","timeout","results","resultsVisible","filtered","watch","val","fetchResults","clearTimeout","onInputClick","onClickOutside","autosuggest_vue_styles_","autosuggest_autosuggest","directives","name","rawName","value","expression","domProps","$event","target","composing","length","_l","item","_t","BlockCard","progress","getters","findUser","userId","relationship","blocked","blocking","BasicUserCard","unblockUser","blockUser","_this2","block_card_vue_styles_","block_card_block_card","block_card","disabled","MuteCard","muted","muting","unmuteUser","muteUser","mute_card_vue_styles_","mute_card_mute_card","mute_card","DomainMuteCard","ProgressButton","domainMutes","includes","domain","unmuteDomain","muteDomain","domain_mute_card_vue_styles_","domain_mute_card_domain_mute_card","domain_mute_card","slot","SelectableList","List","items","Array","getKey","selected","allKeys","filteredSelected","key","indexOf","allSelected","noneSelected","someSelected","isSelected","toggle","checked","splice","toggleAll","slice","selectable_list_vue_styles_","selectable_list_selectable_list","selectable_list","indeterminate","get-key","scopedSlots","_u","fn","class","selectable-list-item-selected-inner","withSubscription","_ref","fetch","select","_ref$childPropName","childPropName","_ref$additionalPropNa","additionalPropNames","WrappedComponent","keys","getComponentProps","v","concat","Vue","component","toConsumableArray_default","loading","fetchedData","$props","refresh","isEmpty","fetchData","render","h","_objectSpread","defineProperty_default","$listeners","$scopedSlots","children","entries","$slots","_ref2","_ref3","slicedToArray_default","helper_default","BlockList","get","MuteList","DomainMuteList","MutesAndBlocks","TabSwitcher","Autosuggest","knownDomains","instance","activateTab","tabName","filterUnblockedUsers","userIds","reject","filterUnMutedUsers","queryUserIds","blockUsers","ids","unblockUsers","muteUsers","unmuteUsers","filterUnMutedDomains","urls","_this3","url","queryKnownDomains","_this4","Promise","resolve","toLowerCase","unmuteDomains","domains","mutes_and_blocks_tab_vue_styles_","tabs_mutes_and_blocks_tab","mutes_and_blocks_tab","scrollable-tabs","row","user-id","NotificationsTab","notificationSettings","notification_settings","updateNotificationSettings","settings","tabs_notifications_tab","notifications_tab","model","callback","$$v","$set","SharedComputedObject","shared_computed_object_objectSpread","instanceDefaultProperties","multiChoiceProperties","instanceDefaultConfig","reduce","acc","_ref4","configDefaultState","mergedConfig","set","_ref5","_ref6","useStreamingApi","e","console","FilteringTab","muteWordsStringLocal","muteWords","filtering_tab_objectSpread","muteWordsString","filter_default","split","word","trim_default","notificationVisibility","handler","deep","replyVisibility","tabs_filtering_tab","filtering_tab","for","$$selectedVal","prototype","call","options","o","_value","multiple","hidePostStats","hidePostStatsLocalizedValue","hideUserStats","hideUserStatsLocalizedValue","hideFilteredStatuses","hideFilteredStatusesLocalizedValue","mfa_backup_codes","backupCodes","inProgress","codes","ready","displayTitle","mfa_backup_codes_vue_styles_","security_tab_mfa_backup_codes","code","Confirm","confirm","$emit","cancel","tabs_security_tab_confirm","security_tab_confirm","mfa_totp","currentPassword","deactivate","mfa_totp_objectSpread","isActivated","totp","mapState","doActivate","cancelDeactivate","doDeactivate","confirmDeactivate","mfaDisableOTP","password","res","Mfa","available","enabled","setupState","setupOTPState","getNewCodes","otpSettings","provisioning_uri","otpConfirmToken","readyInit","recovery-codes","RecoveryCodes","totp-item","qrcode","VueQrcode","mfa_objectSpread","canSetupOTP","setupInProgress","backupCodesPrepared","setupOTPInProgress","completedOTP","prepareOTP","confirmOTP","confirmNewBackupCodes","activateOTP","fetchBackupCodes","generateMfaBackupCodes","getBackupCodes","confirmBackupCodes","cancelBackupCodes","setupOTP","mfaSetupOTP","doConfirmOTP","mfaConfirmOTP","token","completeSetup","fetchSettings","cancelSetup","result","regenerator_default","a","async","_context","prev","next","awrap","settingsMFA","sent","abrupt","stop","mounted","_this5","mfa_vue_styles_","security_tab_mfa","mfa","activate","backup-codes","width","SecurityTab","newEmail","changeEmailError","changeEmailPassword","changedEmail","deletingAccount","deleteAccountConfirmPasswordInput","deleteAccountError","changePasswordInputs","changedPassword","changePasswordError","pleromaBackend","oauthTokens","tokens","oauthToken","appName","app_name","validUntil","Date","valid_until","toLocaleDateString","confirmDelete","deleteAccount","$router","changePassword","params","newPassword","newPasswordConfirmation","logout","changeEmail","email","replace","revokeToken","window","$i18n","t","security_tab_security_tab","security_tab","autocomplete","ImageCropper","trigger","Element","cropperOptions","aspectRatio","autoCropArea","viewMode","movable","zoomable","guides","mimes","saveButtonLabel","saveWithoutCroppingButtonlabel","cancelButtonLabel","cropper","undefined","dataUrl","submitError","saveText","saveWithoutCroppingText","cancelText","submitErrorMsg","toString","destroy","cropping","arguments","avatarUploadError","err","pickImage","createCropper","Cropper","img","getTriggerDOM","typeof_default","querySelector","readFile","fileInput","reader","FileReader","onload","readAsDataURL","clearError","addEventListener","beforeDestroy","removeEventListener","image_cropper_vue_styles_","image_cropper_image_cropper","image_cropper","src","alt","load","stopPropagation","textContent","accept","ProfileTab","newName","newBio","unescape","description","newLocked","locked","newNoRichText","no_rich_text","newDefaultScope","default_scope","newFields","fields","field","hideFollows","hide_follows","hideFollowers","hide_followers","hideFollowsCount","hide_follows_count","hideFollowersCount","hide_followers_count","showRole","show_role","role","discoverable","bot","allowFollowingMove","allow_following_move","pickAvatarBtnVisible","bannerUploading","backgroundUploading","banner","bannerPreview","background","backgroundPreview","bannerUploadError","backgroundUploadError","ScopeSelector","EmojiInput","emojiUserSuggestor","suggestor","emoji","customEmoji","updateUsersList","emojiSuggestor","userSuggestor","fieldsLimits","maxFields","defaultAvatar","server","defaultBanner","isDefaultAvatar","baseAvatar","profile_image_url","isDefaultBanner","baseBanner","cover_photo","isDefaultBackground","background_image","avatarImgSrc","profile_image_url_original","bannerImgSrc","updateProfile","note","display_name","fields_attributes","el","merge","commit","changeVis","visibility","addField","deleteField","index","event","$delete","uploadFile","size","filesize","fileSizeFormatService","fileSizeFormat","allowedsize","num","filesizeunit","unit","allowedsizeunit","resetAvatar","submitAvatar","resetBanner","submitBanner","resetBackground","submitBackground","that","updateAvatar","avatar","updateProfileImages","message","getCroppedCanvas","toBlob","_this6","profile_tab_vue_styles_","tabs_profile_tab","profile_tab","enable-emoji-picker","suggest","classname","show-all","user-default","initial-scope","on-scope-change","_","hide-emoji-button","title","open","close","clearUploadError","interface_language_switcher","languageCodes","messages","languages","languageNames","map_default","getLanguageName","language","interfaceLanguage","ja","ja_easy","zh","getName","interface_language_switcher_interface_language_switcher","langCode","GeneralTab","loopSilentAvailable","getOwnPropertyDescriptor","HTMLVideoElement","HTMLMediaElement","InterfaceLanguageSwitcher","general_tab_objectSpread","postFormats","instanceSpecificPanelPresent","showInstanceSpecificPanel","tabs_general_tab","general_tab","hideISP","hideMutedPosts","hideMutedPostsLocalizedValue","collapseMessageWithSubject","collapseMessageWithSubjectLocalizedValue","streaming","pauseOnUnfocused","emojiReactionsOnTimeline","scopeCopy","scopeCopyLocalizedValue","alwaysShowSubjectInput","alwaysShowSubjectInputLocalizedValue","subjectLineBehavior","subjectLineBehaviorDefaultValue","postContentType","postFormat","postContentTypeDefaultValue","minimalScopesMode","minimalScopesModeLocalizedValue","autohideFloatingPostButton","padEmoji","hideAttachments","hideAttachmentsInConv","modifiers","number","min","step","maxThumbnails","_n","blur","$forceUpdate","hideNsfw","preloadImage","useOneClickNsfw","stopGifs","loopVideo","loopVideoSilentOnly","playVideosInModal","useContainFit","webPushNotifications","greentext","greentextLocalizedValue","VersionTab","backendVersion","frontendVersion","frontendVersionLink","backendVersionLink","versionString","matches","match","tabs_version_tab","version_tab","href","color_input","checkbox_checkbox","fallback","Boolean","showOptionalTickbox","present","validColor","color_convert","transparentColor","computedColor","startsWith","color_input_vue_styles_","color_input_color_input","backgroundColor","range_input_range_input","max","hardMax","hardMin","opacity_input","opacity_input_opacity_input","toModel","shadow_control_objectSpread","x","y","spread","inset","color","alpha","shadow_control","selectedId","cValue","ColorInput","OpacityInput","del","Math","moveUp","moveDn","beforeUpdate","anyShadows","anyShadowsFallback","currentFallback","moveUpValid","moveDnValid","usingFallback","rgb","hex2rgb","boxShadow","getCssShadow","shadow_control_vue_styles_","shadow_control_shadow_control","__r","shadow","isArray","_i","$$a","$$el","$$c","$$i","show-optional-tickbox","path","tag","font_control","lValue","availableOptions","noInherit","dValue","family","isCustom","preset","font_control_vue_styles_","font_control_font_control","custom","option","contrast_ratio","large","contrast","hint","levelVal","aaa","aa","level","ratio","text","hint_18pt","laaa","laa","contrast_ratio_vue_styles_","contrast_ratio_contrast_ratio","export_import","importFailed","exportData","stringified","JSON","stringify","exportObject","btoa","importData","filePicker","parsed","parse","validator","onImport","readAsText","export_import_vue_styles_","export_import_export_import","exportLabel","importLabel","importFailedText","preview_vue_styles_","theme_tab_preview","staticStyle","font-family","_m","v1OnlyNames","theme_tab","theme_tab_objectSpread","availableStyles","theme","themeWarning","tempImportFile","engineVersion","previewShadows","previewColors","previewRadii","previewFonts","shadowsInvalid","colorsInvalid","radiiInvalid","keepColor","keepShadows","keepOpacity","keepRoundness","keepFonts","SLOT_INHERITANCE","OPACITIES","shadowSelected","shadowsLocal","fontsLocal","btnRadiusLocal","inputRadiusLocal","checkboxRadiusLocal","panelRadiusLocal","avatarRadiusLocal","avatarAltRadiusLocal","attachmentRadiusLocal","tooltipRadiusLocal","chatMessageRadiusLocal","self","getThemes","promises","all","k","themes","_ref7","_ref8","themesComplete","loadThemeFromLocalStorage","shadowsAvailable","themeWarningHelp","pre","_this$themeWarning","origin","themeEngineVersion","noActionsPossible","CURRENT_VERSION","selectedVersion","currentColors","_ref9","_ref10","currentOpacity","_ref11","_ref12","currentRadii","btn","checkbox","panel","avatarAlt","tooltip","attachment","chatMessage","preview","composePreset","previewTheme","colors","opacity","radii","shadows","fonts","previewContrast","bg","colorsConverted","_ref13","_ref14","ratios","_ref15","_ref16","slotIsBaseText","textColor","_ref17","layer","variant","opacitySlot","getOpacitySlot","textColors","layers","getLayers","textColorKey","newKey","toUpperCase","getContrastRatioLayers","_ref18","_ref19","toPrecision","warn","previewRules","rules","values","DEFAULT_SHADOWS","sort","currentShadowOverriden","currentShadow","currentShadowFallback","assign","themeValid","exportedTheme","saveEverything","source","_pleroma_theme_version","RangeInput","ContrastRatio","ShadowControl","FontControl","Preview","ExportImport","loadTheme","_ref20","fileVersion","forceUseSource","dismissWarning","version","snapshotEngineVersion","versionsMatch","sourceSnapshotMismatch","forcedSourceLoad","normalizeLocalState","forceLoadLocalStorage","forceLoad","forceSnapshot","confirmLoadSource","_this$$store$getters$","customTheme","customThemeSource","themeData","setCustomTheme","updatePreviewColorsAndShadows","generateColors","generateShadows","mod","forceSource","importValidator","clearAll","clearV1","$data","endsWith","forEach","clearRoundness","clearOpacity","clearShadows","clearFonts","colors2to3","fg","fgColorLocal","rgb2hex","textColorLocal","Set","hex","_ref21","_ref22","Number","isNaN","_ref23","_ref24","shadows2to3","generateRadii","getOwnPropertyNames","generateFonts","fontsInvalid","bgColorLocal","linkColorLocal","cRedColorLocal","cGreenColorLocal","cBlueColorLocal","cOrangeColorLocal","theme_tab_vue_styles_","theme_tab_theme_tab","export-object","export-label","import-label","import-failed-text","on-import","bgOpacityLocal","bgText","link","accentColorLocal","accent","bgLink","fgText","fgTextColorLocal","fgLink","fgLinkColorLocal","bgCRed","bgCBlue","bgCGreen","bgCOrange","postLinkColorLocal","postLink","cGreen","postGreentextColorLocal","postGreentext","alertError","alertErrorColorLocal","alertErrorText","alertErrorTextColorLocal","alertWarning","alertWarningColorLocal","alertWarningText","alertWarningTextColorLocal","alertNeutral","alertNeutralColorLocal","alertNeutralText","alertNeutralTextColorLocal","alert","alertOpacityLocal","badgeNotification","badgeNotificationColorLocal","badgeNotificationText","badgeNotificationTextColorLocal","panelColorLocal","panelOpacityLocal","panelText","panelTextColorLocal","panelLink","panelLinkColorLocal","topBar","topBarColorLocal","topBarText","topBarTextColorLocal","topBarLink","topBarLinkColorLocal","inputColorLocal","inputOpacityLocal","inputText","inputTextColorLocal","btnColorLocal","btnOpacityLocal","btnText","btnTextColorLocal","btnPanelText","btnPanelTextColorLocal","btnTopBarText","btnTopBarTextColorLocal","btnPressed","btnPressedColorLocal","btnPressedText","btnPressedTextColorLocal","btnPressedPanelText","btnPressedPanelTextColorLocal","btnPressedTopBarText","btnPressedTopBarTextColorLocal","btnDisabled","btnDisabledColorLocal","btnDisabledText","btnDisabledTextColorLocal","btnDisabledPanelText","btnDisabledPanelTextColorLocal","btnDisabledTopBarText","btnDisabledTopBarTextColorLocal","btnToggled","btnToggledColorLocal","btnToggledText","btnToggledTextColorLocal","btnToggledPanelText","btnToggledPanelTextColorLocal","btnToggledTopBarText","btnToggledTopBarTextColorLocal","tab","tabColorLocal","tabText","tabTextColorLocal","tabActiveText","tabActiveTextColorLocal","border","borderColorLocal","borderOpacityLocal","faint","faintColorLocal","faintLink","faintLinkColorLocal","panelFaint","panelFaintColorLocal","faintOpacityLocal","underlay","underlayColorLocal","underlayOpacityLocal","poll","pollColorLocal","pollText","pollTextColorLocal","icon","iconColorLocal","highlight","highlightColorLocal","highlightText","highlightTextColorLocal","highlightLink","highlightLinkColorLocal","popover","popoverColorLocal","popoverOpacityLocal","popoverText","popoverTextColorLocal","popoverLink","popoverLinkColorLocal","selectedPost","selectedPostColorLocal","selectedPostText","selectedPostTextColorLocal","selectedPostLink","selectedPostLinkColorLocal","selectedMenu","selectedMenuColorLocal","selectedMenuText","selectedMenuTextColorLocal","selectedMenuLink","selectedMenuLinkColorLocal","chatBgColorLocal","chatMessageIncomingBgColorLocal","chatMessageIncomingTextColorLocal","chatMessageIncomingLinkColorLocal","chatMessageIncomingBorderColorLocal","chatMessageOutgoingBgColorLocal","chatMessageOutgoingTextColorLocal","chatMessageOutgoingLinkColorLocal","chatMessageOutgoingBorderColorLocal","hard-min","interface","no-inherit","post","postCode","SettingsModalContent","MutesAndBlocksTab","ThemeTab","isLoggedIn","settingsModalState","onOpen","targetTab","settingsModalTargetTab","tabIndex","tabSwitcher","findIndex","elm","setTab","settings_modal_content_vue_styles_","settings_modal_content_Component","settings_modal_content","side-tab-bar","data-tab-name","fullHeight","__webpack_exports__"],"mappings":"6EAGA,IAAAA,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,4tBAA4tB,0BCFnvB,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,oDAAoD,0BCF3E,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,qDAAqD,0BCF5E,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAmEM,SACrF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA6D,IAKxFO,KAAA,CAAcN,EAAAC,EAAS,wdAAwd,0BCF/e,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,wdAAwd,0BCF/e,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,kHAAkH,0BCFzI,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,gHAAgH,0BCFvI,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,8WAA8W,0BCFrY,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,q0BAAq0B,gDCF51B,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAsEM,SACxF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAAgE,IAK3FO,KAAA,CAAcN,EAAAC,EAAS,6pBAA6pB,0BCFprB,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAsEM,SACxF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAAgE,IAK3FO,KAAA,CAAcN,EAAAC,EAAS,iJAAiJ,0BCFxK,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAmEM,SACrF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA6D,IAKxFO,KAAA,CAAcN,EAAAC,EAAS,ytDAAytD,0BCFhvD,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,8PAA8P,0BCFrR,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAsEM,SACxF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAAgE,IAK3FO,KAAA,CAAcN,EAAAC,EAAS,suNAAsuN,0BCF7vN,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,2oCAA6oC,0BCFpqC,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,mEAAmE,0BCF1F,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,gqFAAgqF,0BCFvrF,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,6NAA6N,0BCFpP,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,wOAAwO,0BCF/P,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAgEM,SAClF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAA0D,IAKrFO,KAAA,CAAcN,EAAAC,EAAS,wLAAwL,0BCF/M,IAAAH,EAAcC,EAAQ,KACtB,iBAAAD,MAAA,EAA4CE,EAAAC,EAASH,EAAA,MACrDA,EAAAI,SAAAF,EAAAG,QAAAL,EAAAI,SAGAE,EADUL,EAAQ,GAAsEM,SACxF,WAAAP,GAAA,4BCRAE,EAAAG,QAA2BJ,EAAQ,EAARA,EAAgE,IAK3FO,KAAA,CAAcN,EAAAC,EAAS,gHAAgH,2DC+CxHM,EApDE,CACfC,MAAO,CACLC,cAAe,CACbC,KAAMC,SACNC,UAAU,GAEZC,kBAAmB,CACjBH,KAAMI,OADWT,QAAA,WAGf,OAAOU,KAAKC,GAAG,qBAGnBC,eAAgB,CACdP,KAAMI,OADQT,QAAA,WAGZ,OAAOU,KAAKC,GAAG,sBAGnBE,aAAc,CACZR,KAAMI,OADMT,QAAA,WAGV,OAAOU,KAAKC,GAAG,qBAIrBG,KAzBe,WA0Bb,MAAO,CACLC,KAAM,KACNC,OAAO,EACPC,SAAS,EACTC,YAAY,IAGhBC,QAAS,CACPC,OADO,WAELV,KAAKK,KAAOL,KAAKW,MAAMC,MAAMC,MAAM,IAErCC,OAJO,WAIG,IAAAC,EAAAf,KACRA,KAAKgB,UACLhB,KAAKQ,YAAa,EAClBR,KAAKN,cAAcM,KAAKK,MACrBY,KAAK,WAAQF,EAAKR,SAAU,IAD/B,MAES,WAAQQ,EAAKT,OAAQ,IAF9B,QAGW,WAAQS,EAAKP,YAAa,KAEvCQ,QAZO,WAaLhB,KAAKO,SAAU,EACfP,KAAKM,OAAQ,YCvCnB,IAEAY,EAVA,SAAAC,GACEnC,EAAQ,MAyBKoC,EAVCC,OAAAC,EAAA,EAAAD,CACdE,ECjBQ,WAAgB,IAAAC,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,YAAuB,CAAAF,EAAA,QAAAA,EAAA,SAAyBG,IAAA,QAAAC,MAAA,CAAmBpC,KAAA,QAAcqC,GAAA,CAAKtB,OAAAc,EAAAd,YAAqBc,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,KAAyCE,YAAA,+CAAyDF,EAAA,UAAeE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAV,SAAoB,CAAAU,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAA1B,mBAAA,UAAA0B,EAAAS,GAAA,KAAAT,EAAA,QAAAG,EAAA,OAAAA,EAAA,KAAsGE,YAAA,aAAAG,GAAA,CAA6BE,MAAAV,EAAAR,WAAqBQ,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAtB,qBAAAsB,EAAA,MAAAG,EAAA,OAAAA,EAAA,KAA2FE,YAAA,aAAAG,GAAA,CAA6BE,MAAAV,EAAAR,WAAqBQ,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAArB,mBAAAqB,EAAAY,QACjqB,IDOA,EAaAlB,EATA,KAEA,MAYgC,QEqBjBmB,EA/CE,CACf5C,MAAO,CACL6C,WAAY,CACV3C,KAAMC,SACNC,UAAU,GAEZ0C,SAAU,CACR5C,KAAMI,OACNT,QAAS,cAEXkD,kBAAmB,CACjB7C,KAAMI,OADWT,QAAA,WAGf,OAAOU,KAAKC,GAAG,qBAGnBwC,kBAAmB,CACjB9C,KAAMI,OADWT,QAAA,WAGf,OAAOU,KAAKC,GAAG,0BAIrBG,KAvBe,WAwBb,MAAO,CACLsC,YAAY,IAGhBjC,QAAS,CACPkC,QADO,WACI,IAAA5B,EAAAf,KACTA,KAAK0C,YAAa,EAClB1C,KAAKsC,aACFrB,KAAK,SAAClC,GACL,IAAM6D,EAAiBC,SAASC,cAAc,KAC9CF,EAAeG,aAAa,OAAQ,iCAAmCC,mBAAmBjE,IAC1F6D,EAAeG,aAAa,WAAYhC,EAAKwB,UAC7CK,EAAeK,MAAMC,QAAU,OAC/BL,SAASM,KAAKC,YAAYR,GAC1BA,EAAeV,QACfW,SAASM,KAAKE,YAAYT,GAE1BU,WAAW,WAAQvC,EAAK2B,YAAa,GAAS,UCjCxD,IAEIa,EAVJ,SAAoBpC,GAClBnC,EAAQ,MAyBKwE,EAVCnC,OAAAC,EAAA,EAAAD,CACdoC,ECjBQ,WAAgB,IAAAjC,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,YAAuB,CAAAL,EAAA,WAAAG,EAAA,OAAAA,EAAA,KAAqCE,YAAA,gDAA0DL,EAAAS,GAAA,KAAAN,EAAA,QAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAiB,wBAAAd,EAAA,UAAgFE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAmB,UAAqB,CAAAnB,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAgB,mBAAA,aACpV,IDOY,EAa7Be,EATiB,KAEU,MAYG,gBEsCjBG,EA5Da,CAC1BtD,KAD0B,WAExB,MAAO,CACLuD,UAAW,UACXC,gBAAiB,KAGrBC,QAP0B,WAQxB7D,KAAK8D,OAAOC,SAAS,gBAEvBC,WAAY,CACVxE,WACA6C,WACA4B,cAEFC,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,cAGnC7D,QAAS,CACP8D,kBADO,WAEL,OAAOvE,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBC,cAAc,CAAEC,GAAI3E,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYK,KACpG1D,KAAKjB,KAAK4E,iCAEfC,iBALO,WAML,OAAO7E,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBK,cAC5C7D,KAAKjB,KAAK4E,iCAEfG,cATO,SASQ1E,GACb,OAAOL,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBM,cAAc,CAAE1E,SAC5DY,KAAK,SAAC+D,GACL,IAAKA,EACH,MAAM,IAAIC,MAAM,aAIxBC,aAjBO,SAiBO7E,GACZ,OAAOL,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBS,aAAa,CAAE7E,SAC3DY,KAAK,SAAC+D,GACL,IAAKA,EACH,MAAM,IAAIC,MAAM,aAIxBL,+BAzBO,SAyByBP,GAE9B,OAAOA,EAAMc,IAAI,SAAChB,GAEhB,OAAIA,GAAQA,EAAKiB,SAGRjB,EAAKkB,YAAc,IAAMC,SAASC,SAEpCpB,EAAKkB,cACXG,KAAK,SCpCCC,EAVCpE,OAAAC,EAAA,EAAAD,CACdqE,ECdQ,WAAgB,IAAAlE,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,qCAAmD,CAAA0B,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iDAAAuB,EAAAS,GAAA,KAAAN,EAAA,YAAmLI,MAAA,CAAO6D,iBAAApE,EAAAuD,cAAAc,kBAAArE,EAAAvB,GAAA,6BAAA6F,gBAAAtE,EAAAvB,GAAA,oCAAiJ,GAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAN,EAAA,YAAyFI,MAAA,CAAOgE,cAAAvE,EAAA+C,kBAAAhC,SAAA,cAAAyD,sBAAAxE,EAAAvB,GAAA,qCAA4H,GAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6BAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,YAA+KI,MAAA,CAAO6D,iBAAApE,EAAA0D,aAAAW,kBAAArE,EAAAvB,GAAA,4BAAA6F,gBAAAtE,EAAAvB,GAAA,mCAA8I,GAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6BAAAuB,EAAAS,GAAA,KAAAN,EAAA,YAAwFI,MAAA,CAAOgE,cAAAvE,EAAAqD,iBAAAtC,SAAA,aAAAyD,sBAAAxE,EAAAvB,GAAA,oCAAyH,MACh6C,IDIY,EAEb,KAEC,KAEU,MAYG,4DErBjBgG,EAAA,CACbxG,MAAO,CACLyG,MAAO,CACLvG,KAAMC,SACNC,UAAU,GAEZsG,OAAQ,CACNxG,KAAMC,UAERwG,YAAa,CACXzG,KAAMI,OACNT,QAAS,cAGbc,KAda,WAeX,MAAO,CACLiG,KAAM,GACNC,QAAS,KACTC,QAAS,GACTC,gBAAgB,IAGpBtC,SAAU,CACRuC,SADQ,WAEN,OAAOzG,KAAKmG,OAASnG,KAAKmG,OAAOnG,KAAKuG,SAAWvG,KAAKuG,UAG1DG,MAAO,CACLL,KADK,SACCM,GACJ3G,KAAK4G,aAAaD,KAGtBlG,QAAS,CACPmG,aADO,SACOP,GAAM,IAAAtF,EAAAf,KAClB6G,aAAa7G,KAAKsG,SAClBtG,KAAKsG,QAAUhD,WAAW,WACxBvC,EAAKwF,QAAU,GACXF,GACFtF,EAAKmF,MAAMG,GAAMpF,KAAK,SAACsF,GAAcxF,EAAKwF,QAAUA,KAxCjC,MA4CzBO,aAVO,WAWL9G,KAAKwG,gBAAiB,GAExBO,eAbO,WAcL/G,KAAKwG,gBAAiB,KCxC5B,IAEIQ,EAVJ,SAAoB7F,GAClBnC,EAAQ,MAyBKiI,EAVC5F,OAAAC,EAAA,EAAAD,CACd4E,ECjBQ,WAAgB,IAAAzE,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBuF,WAAA,EAAaC,KAAA,gBAAAC,QAAA,kBAAAC,MAAA7F,EAAA,eAAA8F,WAAA,mBAAsGzF,YAAA,eAA4B,CAAAF,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,KAAA8F,WAAA,SAAkEzF,YAAA,oBAAAE,MAAA,CAAyCqE,YAAA5E,EAAA4E,aAA8BmB,SAAA,CAAWF,MAAA7F,EAAA,MAAmBQ,GAAA,CAAKE,MAAAV,EAAAsF,aAAAlG,MAAA,SAAA4G,GAAkDA,EAAAC,OAAAC,YAAsClG,EAAA6E,KAAAmB,EAAAC,OAAAJ,WAA+B7F,EAAAS,GAAA,KAAAT,EAAAgF,gBAAAhF,EAAAiF,SAAAkB,OAAA,EAAAhG,EAAA,OAAwEE,YAAA,uBAAkC,CAAAL,EAAAoG,GAAApG,EAAA,kBAAAqG,GAAuC,OAAArG,EAAAsG,GAAA,gBAA8BD,YAAc,GAAArG,EAAAY,QACjuB,IDOY,EAa7B4E,EATiB,KAEU,MAYG,gBEajBe,EArCG,CAChBtI,MAAO,CAAC,UACRW,KAFgB,WAGd,MAAO,CACL4H,UAAU,IAGd9D,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOmE,QAAQC,SAASlI,KAAKmI,SAE3CC,aAJQ,WAKN,OAAOpI,KAAK8D,OAAOmE,QAAQG,aAAapI,KAAKmI,SAE/CE,QAPQ,WAQN,OAAOrI,KAAKoI,aAAaE,WAG7BtE,WAAY,CACVuE,mBAEF9H,QAAS,CACP+H,YADO,WACQ,IAAAzH,EAAAf,KACbA,KAAKgI,UAAW,EAChBhI,KAAK8D,OAAOC,SAAS,cAAe/D,KAAKmE,KAAKQ,IAAI1D,KAAK,WACrDF,EAAKiH,UAAW,KAGpBS,UAPO,WAOM,IAAAC,EAAA1I,KACXA,KAAKgI,UAAW,EAChBhI,KAAK8D,OAAOC,SAAS,YAAa/D,KAAKmE,KAAKQ,IAAI1D,KAAK,WACnDyH,EAAKV,UAAW,OCzBxB,IAEIW,EAVJ,SAAoBxH,GAClBnC,EAAQ,MAyBK4J,EAVCvH,OAAAC,EAAA,EAAAD,CACdwH,ECjBQ,WAAgB,IAAArH,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,mBAA6BI,MAAA,CAAOoC,KAAA3C,EAAA2C,OAAiB,CAAAxC,EAAA,OAAYE,YAAA,gCAA2C,CAAAL,EAAA,QAAAG,EAAA,UAA6BE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAwG,UAAwBhG,GAAA,CAAKE,MAAAV,EAAAgH,cAAyB,CAAAhH,EAAA,UAAAA,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uCAAA0B,EAAA,UAAuLE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAwG,UAAwBhG,GAAA,CAAKE,MAAAV,EAAAiH,YAAuB,CAAAjH,EAAA,UAAAA,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0CAC1jB,IDOY,EAa7B0I,EATiB,KAEU,MAYG,QEajBI,EArCE,CACftJ,MAAO,CAAC,UACRW,KAFe,WAGb,MAAO,CACL4H,UAAU,IAGd9D,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOmE,QAAQC,SAASlI,KAAKmI,SAE3CC,aAJQ,WAKN,OAAOpI,KAAK8D,OAAOmE,QAAQG,aAAapI,KAAKmI,SAE/Ca,MAPQ,WAQN,OAAOhJ,KAAKoI,aAAaa,SAG7BjF,WAAY,CACVuE,mBAEF9H,QAAS,CACPyI,WADO,WACO,IAAAnI,EAAAf,KACZA,KAAKgI,UAAW,EAChBhI,KAAK8D,OAAOC,SAAS,aAAc/D,KAAKmI,QAAQlH,KAAK,WACnDF,EAAKiH,UAAW,KAGpBmB,SAPO,WAOK,IAAAT,EAAA1I,KACVA,KAAKgI,UAAW,EAChBhI,KAAK8D,OAAOC,SAAS,WAAY/D,KAAKmI,QAAQlH,KAAK,WACjDyH,EAAKV,UAAW,OCzBxB,IAEIoB,EAVJ,SAAoBjI,GAClBnC,EAAQ,MAyBKqK,EAVChI,OAAAC,EAAA,EAAAD,CACdiI,ECjBQ,WAAgB,IAAA9H,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,mBAA6BI,MAAA,CAAOoC,KAAA3C,EAAA2C,OAAiB,CAAAxC,EAAA,OAAYE,YAAA,+BAA0C,CAAAL,EAAA,MAAAG,EAAA,UAA2BE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAwG,UAAwBhG,GAAA,CAAKE,MAAAV,EAAA0H,aAAwB,CAAA1H,EAAA,UAAAA,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sCAAA0B,EAAA,UAAqLE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAwG,UAAwBhG,GAAA,CAAKE,MAAAV,EAAA2H,WAAsB,CAAA3H,EAAA,UAAAA,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0CAAAuB,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCACnjB,IDOY,EAa7BmJ,EATiB,KAEU,MAYG,gBEDjBG,EAvBQ,CACrB9J,MAAO,CAAC,UACRuE,WAAY,CACVwF,oBAEFtF,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,aAEjC0E,MAJQ,WAKN,OAAOhJ,KAAKmE,KAAKsF,YAAYC,SAAS1J,KAAK2J,UAG/ClJ,QAAS,CACPmJ,aADO,WAEL,OAAO5J,KAAK8D,OAAOC,SAAS,eAAgB/D,KAAK2J,SAEnDE,WAJO,WAKL,OAAO7J,KAAK8D,OAAOC,SAAS,aAAc/D,KAAK2J,WCZrD,IAEIG,EAVJ,SAAoB3I,GAClBnC,EAAQ,MAyBK+K,EAVC1I,OAAAC,EAAA,EAAAD,CACd2I,ECjBQ,WAAgB,IAAAxI,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,oBAA+B,CAAAF,EAAA,OAAYE,YAAA,2BAAsC,CAAAL,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAmI,QAAA,UAAAnI,EAAAS,GAAA,KAAAT,EAAA,MAAAG,EAAA,kBAA4FE,YAAA,kBAAAE,MAAA,CAAqCG,MAAAV,EAAAoI,eAA0B,CAAApI,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sCAAA0B,EAAA,YAAqFsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qDAAA0B,EAAA,kBAA4GE,YAAA,kBAAAE,MAAA,CAAqCG,MAAAV,EAAAqI,aAAwB,CAAArI,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oCAAA0B,EAAA,YAAmFsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDACprB,IDOY,EAa7B6J,EATiB,KAEU,MAYG,QEuCjBI,EA9DQ,CACrBlG,WAAY,CACVmG,aACAlG,cAEFxE,MAAO,CACL2K,MAAO,CACLzK,KAAM0K,MACN/K,QAAS,iBAAM,KAEjBgL,OAAQ,CACN3K,KAAMC,SACNN,QAAS,SAAAuI,GAAI,OAAIA,EAAKlD,MAG1BvE,KAfqB,WAgBnB,MAAO,CACLmK,SAAU,KAGdrG,SAAU,CACRsG,QADQ,WAEN,OAAOxK,KAAKoK,MAAMjF,IAAInF,KAAKsK,SAE7BG,iBAJQ,WAIY,IAAA1J,EAAAf,KAClB,OAAOA,KAAKwK,QAAQrE,OAAO,SAAAuE,GAAG,OAAoC,IAAhC3J,EAAKwJ,SAASI,QAAQD,MAE1DE,YAPQ,WAQN,OAAO5K,KAAKyK,iBAAiB9C,SAAW3H,KAAKoK,MAAMzC,QAErDkD,aAVQ,WAWN,OAAwC,IAAjC7K,KAAKyK,iBAAiB9C,QAE/BmD,aAbQ,WAcN,OAAQ9K,KAAK4K,cAAgB5K,KAAK6K,eAGtCpK,QAAS,CACPsK,WADO,SACKlD,GACV,OAA6D,IAAtD7H,KAAKyK,iBAAiBE,QAAQ3K,KAAKsK,OAAOzC,KAEnDmD,OAJO,SAICC,EAASpD,GACf,IAAM6C,EAAM1K,KAAKsK,OAAOzC,GAEpBoD,IADejL,KAAK+K,WAAWL,KAE7BO,EACFjL,KAAKuK,SAAShL,KAAKmL,GAEnB1K,KAAKuK,SAASW,OAAOlL,KAAKuK,SAASI,QAAQD,GAAM,KAIvDS,UAfO,SAeI9D,GAEPrH,KAAKuK,SADHlD,EACcrH,KAAKwK,QAAQY,MAAM,GAEnB,MCnDxB,IAEIC,EAVJ,SAAoBlK,GAClBnC,EAAQ,MAyBKsM,EAVCjK,OAAAC,EAAA,EAAAD,CACdkK,ECjBQ,WAAgB,IAAA/J,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,mBAA8B,CAAAL,EAAA4I,MAAAzC,OAAA,EAAAhG,EAAA,OAAmCE,YAAA,0BAAqC,CAAAF,EAAA,OAAYE,YAAA,oCAA+C,CAAAF,EAAA,YAAiBI,MAAA,CAAOkJ,QAAAzJ,EAAAoJ,YAAAY,cAAAhK,EAAAsJ,cAA2D9I,GAAA,CAAKtB,OAAAc,EAAA2J,YAAwB,CAAA3J,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iDAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA2GE,YAAA,kCAA6C,CAAAL,EAAAsG,GAAA,eAAwByC,SAAA/I,EAAAiJ,oBAAgC,KAAAjJ,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,QAAwCI,MAAA,CAAOqI,MAAA5I,EAAA4I,MAAAqB,UAAAjK,EAAA8I,QAAuCoB,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,OAAAkB,GAAA,SAAA9J,GACvrB,IAAA+F,EAAA/F,EAAA+F,KACA,OAAAlG,EAAA,OAAkBE,YAAA,6BAAAgK,MAAA,CAAgDC,sCAAAtK,EAAAuJ,WAAAlD,KAA+D,CAAAlG,EAAA,OAAYE,YAAA,oCAA+C,CAAAF,EAAA,YAAiBI,MAAA,CAAOkJ,QAAAzJ,EAAAuJ,WAAAlD,IAA+B7F,GAAA,CAAKtB,OAAA,SAAAuK,GAA6B,OAAAzJ,EAAAwJ,OAAAC,EAAApD,QAAsC,GAAArG,EAAAS,GAAA,KAAAT,EAAAsG,GAAA,aAAsCD,UAAY,OAAQ,UAAa,CAAArG,EAAAS,GAAA,KAAAN,EAAA,YAA6BsI,KAAA,SAAa,CAAAzI,EAAAsG,GAAA,sBACzZ,IDKY,EAa7BuD,EATiB,KAEU,MAYG,wrBErBhC,IA8EeU,EA9EU,SAAAC,GAAA,IACvBC,EADuBD,EACvBC,MACAC,EAFuBF,EAEvBE,OAFuBC,EAAAH,EAGvBI,qBAHuB,IAAAD,EAGP,UAHOA,EAAAE,EAAAL,EAIvBM,2BAJuB,IAAAD,EAID,GAJCA,EAAA,OAKnB,SAACE,GACL,IACM9M,EADgB4B,OAAOmL,KAAKC,YAAkBF,IACxBpG,OAAO,SAAAuG,GAAC,OAAIA,IAAMN,IAAeO,OAAOL,GAEpE,OAAOM,IAAIC,UAAU,mBAAoB,CACvCpN,MAAK,GAAAkN,OAAAG,IACArN,GADA,CAEH,YAEFW,KALuC,WAMrC,MAAO,CACL2M,SAAS,EACTzM,OAAO,IAGX4D,SAAU,CACR8I,YADQ,WAEN,OAAOd,EAAOlM,KAAKiN,OAAQjN,KAAK8D,UAGpCD,QAhBuC,YAiBjC7D,KAAKkN,SAAWC,IAAQnN,KAAKgN,eAC/BhN,KAAKoN,aAGT3M,QAAS,CACP2M,UADO,WACM,IAAArM,EAAAf,KACNA,KAAK+M,UACR/M,KAAK+M,SAAU,EACf/M,KAAKM,OAAQ,EACb2L,EAAMjM,KAAKiN,OAAQjN,KAAK8D,QACrB7C,KAAK,WACJF,EAAKgM,SAAU,IAFnB,MAIS,WACLhM,EAAKT,OAAQ,EACbS,EAAKgM,SAAU,OAKzBM,OArCuC,SAqC/BC,GACN,GAAKtN,KAAKM,OAAUN,KAAK+M,QAkBvB,OAAAO,EAAA,OAAAzB,MACa,6BADb,CAEK7L,KAAKM,MAALgN,EAAA,KAAAtL,GAAA,CAAAE,MACelC,KAAKoN,WADpBvB,MACqC,eADrC,CACoD7L,KAAKC,GAAG,2BAD5DqN,EAAA,KAAAzB,MAEY,8BArBjB,IAAMpM,EAAQ,CACZA,MAAK8N,EAAA,GACAvN,KAAKiN,OADLO,IAAA,GAEFpB,EAAgBpM,KAAKgN,cAExBhL,GAAIhC,KAAKyN,WACT/B,YAAa1L,KAAK0N,cAEdC,EAAWtM,OAAOuM,QAAQ5N,KAAK6N,QAAQ1I,IAAI,SAAA2I,GAAA,IAAAC,EAAAC,IAAAF,EAAA,GAAEpD,EAAFqD,EAAA,GAAO1G,EAAP0G,EAAA,UAAkBT,EAAE,WAAY,CAAErD,KAAMS,GAAOrD,KAChG,OAAAiG,EAAA,OAAAzB,MACa,qBADb,CAAAyB,EAAAf,EAAA0B,IAAA,IAE0BxO,IAF1B,CAGOkO,WCpDTO,EAAYnC,EAAiB,CACjCE,MAAO,SAACxM,EAAOqE,GAAR,OAAmBA,EAAOC,SAAS,gBAC1CmI,OAAQ,SAACzM,EAAOqE,GAAR,OAAmBqK,IAAIrK,EAAOM,MAAMC,MAAMC,YAAa,WAAY,KAC3E8H,cAAe,SAHCL,CAIf7B,GAEGkE,GAAWrC,EAAiB,CAChCE,MAAO,SAACxM,EAAOqE,GAAR,OAAmBA,EAAOC,SAAS,eAC1CmI,OAAQ,SAACzM,EAAOqE,GAAR,OAAmBqK,IAAIrK,EAAOM,MAAMC,MAAMC,YAAa,UAAW,KAC1E8H,cAAe,SAHAL,CAId7B,GAEGmE,GAAiBtC,EAAiB,CACtCE,MAAO,SAACxM,EAAOqE,GAAR,OAAmBA,EAAOC,SAAS,qBAC1CmI,OAAQ,SAACzM,EAAOqE,GAAR,OAAmBqK,IAAIrK,EAAOM,MAAMC,MAAMC,YAAa,cAAe,KAC9E8H,cAAe,SAHML,CAIpB7B,GA0GYoE,GAxGQ,CACrBlO,KADqB,WAEnB,MAAO,CACLuD,UAAW,YAGfE,QANqB,WAOnB7D,KAAK8D,OAAOC,SAAS,eACrB/D,KAAK8D,OAAOC,SAAS,oBAEvBC,WAAY,CACVuK,gBACAL,YACAE,YACAC,kBACAtG,YACAgB,WACAQ,iBACAC,mBACAgF,cACAvK,cAEFC,SAAU,CACRuK,aADQ,WAEN,OAAOzO,KAAK8D,OAAOM,MAAMsK,SAASD,cAEpCtK,KAJQ,WAKN,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,cAGnC7D,QAAS,CACPsE,cADO,SACQ1E,GACb,OAAOL,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBM,cAAc,CAAE1E,SAC5DY,KAAK,SAAC+D,GACL,IAAKA,EACH,MAAM,IAAIC,MAAM,aAIxBC,aATO,SASO7E,GACZ,OAAOL,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBS,aAAa,CAAE7E,SAC3DY,KAAK,SAAC+D,GACL,IAAKA,EACH,MAAM,IAAIC,MAAM,aAIxBL,+BAjBO,SAiByBP,GAE9B,OAAOA,EAAMc,IAAI,SAAChB,GAEhB,OAAIA,GAAQA,EAAKiB,SAGRjB,EAAKkB,YAAc,IAAMC,SAASC,SAEpCpB,EAAKkB,cACXG,KAAK,OAEVmJ,YA7BO,SA6BMC,GACX5O,KAAK2D,UAAYiL,GAEnBC,qBAhCO,SAgCeC,GAAS,IAAA/N,EAAAf,KAC7B,OAAO+O,IAAOD,EAAS,SAAC3G,GAEtB,OADqBpH,EAAK+C,OAAOmE,QAAQG,aAAarH,EAAKoH,QACvCG,UAAYH,IAAWpH,EAAKoD,KAAKQ,MAGzDqK,mBAtCO,SAsCaF,GAAS,IAAApG,EAAA1I,KAC3B,OAAO+O,IAAOD,EAAS,SAAC3G,GAEtB,OADqBO,EAAK5E,OAAOmE,QAAQG,aAAaM,EAAKP,QACvCc,QAAUd,IAAWO,EAAKvE,KAAKQ,MAGvDsK,aA5CO,SA4CO/I,GACZ,OAAOlG,KAAK8D,OAAOC,SAAS,cAAe,CAAEmC,UAC1CjF,KAAK,SAACoD,GAAD,OAAWc,IAAId,EAAO,SAEhC6K,WAhDO,SAgDKC,GACV,OAAOnP,KAAK8D,OAAOC,SAAS,aAAcoL,IAE5CC,aAnDO,SAmDOD,GACZ,OAAOnP,KAAK8D,OAAOC,SAAS,eAAgBoL,IAE9CE,UAtDO,SAsDIF,GACT,OAAOnP,KAAK8D,OAAOC,SAAS,YAAaoL,IAE3CG,YAzDO,SAyDMH,GACX,OAAOnP,KAAK8D,OAAOC,SAAS,cAAeoL,IAE7CI,qBA5DO,SA4DeC,GAAM,IAAAC,EAAAzP,KAC1B,OAAOwP,EAAKrJ,OAAO,SAAAuJ,GAAG,OAAKD,EAAKtL,KAAKsF,YAAYC,SAASgG,MAE5DC,kBA/DO,SA+DYzJ,GAAO,IAAA0J,EAAA5P,KACxB,OAAO,IAAI6P,QAAQ,SAACC,EAASf,GAC3Be,EAAQF,EAAKnB,aAAatI,OAAO,SAAAuJ,GAAG,OAAIA,EAAIK,cAAcrG,SAASxD,SAGvE8J,cApEO,SAoEQC,GACb,OAAOjQ,KAAK8D,OAAOC,SAAS,gBAAiBkM,MC1HnD,IAEIC,GAVJ,SAAoB/O,GAClBnC,EAAQ,MAyBKmR,GAVC9O,OAAAC,EAAA,EAAAD,CACd+O,GCjBQ,WAAgB,IAAA5O,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,gBAA0BE,YAAA,uBAAAE,MAAA,CAA0CsO,mBAAA,IAAwB,CAAA1O,EAAA,OAAYI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,yBAAuC,CAAA0B,EAAA,OAAYE,YAAA,sBAAiC,CAAAF,EAAA,eAAoBI,MAAA,CAAOoE,OAAA3E,EAAAqN,qBAAA3I,MAAA1E,EAAAyN,aAAA7I,YAAA5E,EAAAvB,GAAA,kCAAiHyL,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,UAAAkB,GAAA,SAAA0E,GAA+B,OAAA3O,EAAA,aAAuBI,MAAA,CAAOwO,UAAAD,EAAAzI,eAA0B,GAAArG,EAAAS,GAAA,KAAAN,EAAA,aAAkCI,MAAA,CAAOmL,SAAA,EAAAzB,UAAA,SAAAvM,GAAuC,OAAAA,IAAawM,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,SAAAkB,GAAA,SAAA9J,GACxoB,IAAAyI,EAAAzI,EAAAyI,SACA,OAAA5I,EAAA,OAAkBE,YAAA,gBAA2B,CAAA0I,EAAA5C,OAAA,EAAAhG,EAAA,kBAA6CE,YAAA,qCAAAE,MAAA,CAAwDG,MAAA,WAAqB,OAAAV,EAAA0N,WAAA3E,MAAqC,CAAA/I,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sCAAA0B,EAAA,YAA6FsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qDAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAsI,EAAA5C,OAAA,EAAAhG,EAAA,kBAA+JE,YAAA,kBAAAE,MAAA,CAAqCG,MAAA,WAAqB,OAAAV,EAAA4N,aAAA7E,MAAuC,CAAA/I,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAA0B,EAAA,YAA+FsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uDAAAuB,EAAAY,MAAA,MAAgH,CAAEsI,IAAA,OAAAkB,GAAA,SAAA9J,GAC1xB,IAAA+F,EAAA/F,EAAA+F,KACA,OAAAlG,EAAA,aAAwBI,MAAA,CAAOwO,UAAA1I,WAAuB,CAAArG,EAAAS,GAAA,KAAAT,EAAAS,GAAA,KAAAN,EAAA,YAAyCsI,KAAA,SAAa,CAAAzI,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAuGI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,wBAAsC,CAAA0B,EAAA,gBAAAA,EAAA,OAA+BI,MAAA,CAAO4D,MAAA,UAAiB,CAAAhE,EAAA,OAAYE,YAAA,sBAAiC,CAAAF,EAAA,eAAoBI,MAAA,CAAOoE,OAAA3E,EAAAwN,mBAAA9I,MAAA1E,EAAAyN,aAAA7I,YAAA5E,EAAAvB,GAAA,iCAA8GyL,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,UAAAkB,GAAA,SAAA0E,GAA+B,OAAA3O,EAAA,YAAsBI,MAAA,CAAOwO,UAAAD,EAAAzI,eAA0B,GAAArG,EAAAS,GAAA,KAAAN,EAAA,YAAiCI,MAAA,CAAOmL,SAAA,EAAAzB,UAAA,SAAAvM,GAAuC,OAAAA,IAAawM,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,SAAAkB,GAAA,SAAA9J,GAC3sB,IAAAyI,EAAAzI,EAAAyI,SACA,OAAA5I,EAAA,OAAkBE,YAAA,gBAA2B,CAAA0I,EAAA5C,OAAA,EAAAhG,EAAA,kBAA6CE,YAAA,kBAAAE,MAAA,CAAqCG,MAAA,WAAqB,OAAAV,EAAA6N,UAAA9E,MAAoC,CAAA/I,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAA0B,EAAA,YAAoGsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,uBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAsI,EAAA5C,OAAA,EAAAhG,EAAA,kBAAsKE,YAAA,kBAAAE,MAAA,CAAqCG,MAAA,WAAqB,OAAAV,EAAA8N,YAAA/E,MAAsC,CAAA/I,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAA0B,EAAA,YAAsGsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,uBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAY,MAAA,MAAuH,CAAEsI,IAAA,OAAAkB,GAAA,SAAA9J,GACjyB,IAAA+F,EAAA/F,EAAA+F,KACA,OAAAlG,EAAA,YAAuBI,MAAA,CAAOwO,UAAA1I,WAAuB,CAAArG,EAAAS,GAAA,KAAAT,EAAAS,GAAA,KAAAN,EAAA,YAAyCsI,KAAA,SAAa,CAAAzI,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gDAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA8GI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,2BAAyC,CAAA0B,EAAA,OAAYE,YAAA,oBAA+B,CAAAF,EAAA,eAAoBI,MAAA,CAAOoE,OAAA3E,EAAA+N,qBAAArJ,MAAA1E,EAAAmO,kBAAAvJ,YAAA5E,EAAAvB,GAAA,kCAAsHyL,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,UAAAkB,GAAA,SAAA0E,GAA+B,OAAA3O,EAAA,kBAA4BI,MAAA,CAAO4H,OAAA2G,EAAAzI,eAAyB,GAAArG,EAAAS,GAAA,KAAAN,EAAA,kBAAuCI,MAAA,CAAOmL,SAAA,EAAAzB,UAAA,SAAAvM,GAAuC,OAAAA,IAAawM,YAAAlK,EAAAmK,GAAA,EAAsBjB,IAAA,SAAAkB,GAAA,SAAA9J,GAC9qB,IAAAyI,EAAAzI,EAAAyI,SACA,OAAA5I,EAAA,OAAkBE,YAAA,gBAA2B,CAAA0I,EAAA5C,OAAA,EAAAhG,EAAA,kBAA6CE,YAAA,kBAAAE,MAAA,CAAqCG,MAAA,WAAqB,OAAAV,EAAAwO,cAAAzF,MAAwC,CAAA/I,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kDAAA0B,EAAA,YAA6GsI,KAAA,YAAgB,CAAAzI,EAAAS,GAAA,uBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iEAAAuB,EAAAY,MAAA,MAA8H,CAAEsI,IAAA,OAAAkB,GAAA,SAAA9J,GACzb,IAAA+F,EAAA/F,EAAA+F,KACA,OAAAlG,EAAA,kBAA6BI,MAAA,CAAO4H,OAAA9B,WAAsB,CAAArG,EAAAS,GAAA,KAAAT,EAAAS,GAAA,KAAAN,EAAA,YAAyCsI,KAAA,SAAa,CAAAzI,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yDAC7F,IDLY,EAa7BiQ,GATiB,KAEU,MAYG,QEAjBM,GAxBU,CACvBpQ,KADuB,WAErB,MAAO,CACLuD,UAAW,UACX8M,qBAAsBzQ,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYoM,sBAC1D9M,gBAAiB,KAGrBI,WAAY,CACVC,cAEFC,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,cAGnC7D,QAAS,CACPkQ,2BADO,WAEL3Q,KAAK8D,OAAOM,MAAMI,IAAIC,kBACnBkM,2BAA2B,CAAEC,SAAU5Q,KAAKyQ,0BCEtCI,GAVCxP,OAAAC,EAAA,EAAAD,CACdyP,GCdQ,WAAgB,IAAAtP,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,4BAA0C,CAAA0B,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAAgHoP,MAAA,CAAO1J,MAAA7F,EAAAiP,qBAAA,qBAAAO,SAAA,SAAAC,GAA+EzP,EAAA0P,KAAA1P,EAAAiP,qBAAA,uBAAAQ,IAAgE3J,WAAA,8CAAyD,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2EAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAqIE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAAgHoP,MAAA,CAAO1J,MAAA7F,EAAAiP,qBAAA,2BAAAO,SAAA,SAAAC,GAAqFzP,EAAA0P,KAAA1P,EAAAiP,qBAAA,6BAAAQ,IAAsE3J,WAAA,oDAA+D,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iFAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA2IE,YAAA,gBAA2B,CAAAF,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mCAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oCAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAwKE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAmP,6BAAwC,CAAAnP,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oCACv3C,IDIY,EAEb,KAEC,KAEU,MAYG,ynBEjBhC,IAmDekR,GAnDc,kBAAAC,GAAA,CAC3BjN,KAD2B,WAEzB,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,cAG9B+M,KACAlL,OAAO,SAAAuE,GAAG,OAAI4G,KAAsB5H,SAASgB,KAC7CvF,IAAI,SAAAuF,GAAG,MAAI,CACVA,EAAM,eACN,WACE,OAAO1K,KAAK8D,OAAOmE,QAAQsJ,sBAAsB7G,OAGpD8G,OAAO,SAACC,EAADzF,GAAA,IAAA8B,EAAAE,IAAAhC,EAAA,GAAOtB,EAAPoD,EAAA,GAAYzG,EAAZyG,EAAA,UAAAsD,GAAA,GAA6BK,EAA7BjE,IAAA,GAAmC9C,EAAMrD,KAAU,IAblC,GAcxBgK,KACAlL,OAAO,SAAAuE,GAAG,OAAK4G,KAAsB5H,SAASgB,KAC9CvF,IAAI,SAAAuF,GAAG,MAAI,CACVA,EAAM,iBACN,WACE,OAAO1K,KAAKC,GAAG,mBAAqBD,KAAK8D,OAAOmE,QAAQsJ,sBAAsB7G,QAGjF8G,OAAO,SAACC,EAAD1D,GAAA,IAAA2D,EAAA1D,IAAAD,EAAA,GAAOrD,EAAPgH,EAAA,GAAYrK,EAAZqK,EAAA,UAAAN,GAAA,GAA6BK,EAA7BjE,IAAA,GAAmC9C,EAAMrD,KAAU,IAtBlC,GAwBxBhG,OAAOmL,KAAKmF,MACZxM,IAAI,SAAAuF,GAAG,MAAI,CAACA,EAAK,CAChByD,IADgB,WACP,OAAOnO,KAAK8D,OAAOmE,QAAQ2J,aAAalH,IACjDmH,IAFgB,SAEXxK,GACHrH,KAAK8D,OAAOC,SAAS,YAAa,CAAEoD,KAAMuD,EAAKrD,eAGlDmK,OAAO,SAACC,EAADK,GAAA,IAAAC,EAAA/D,IAAA8D,EAAA,GAAOpH,EAAPqH,EAAA,GAAY1K,EAAZ0K,EAAA,UAAAX,GAAA,GAA6BK,EAA7BjE,IAAA,GAAmC9C,EAAMrD,KAAU,IA/BlC,CAiC3B2K,gBAAiB,CACf7D,IADe,WACN,OAAOnO,KAAK8D,OAAOmE,QAAQ2J,aAAaI,iBACjDH,IAFe,SAEVxK,GAAO,IAAAtG,EAAAf,MACMqH,EACZrH,KAAK8D,OAAOC,SAAS,sBACrB/D,KAAK8D,OAAOC,SAAS,wBAEjB9C,KAAK,WACXF,EAAK+C,OAAOC,SAAS,YAAa,CAAEoD,KAAM,kBAAmBE,YAD/D,MAES,SAAC4K,GACRC,QAAQ5R,MAAM,4CAA6C2R,GAC3DlR,EAAK+C,OAAOC,SAAS,uBACrBhD,EAAK+C,OAAOC,SAAS,YAAa,CAAEoD,KAAM,kBAAmBE,OAAO,wOC9C5E,IAyCe8K,GAzCM,CACnB/R,KADmB,WAEjB,MAAO,CACLgS,qBAAsBpS,KAAK8D,OAAOmE,QAAQ2J,aAAaS,UAAU7M,KAAK,QAG1ExB,WAAY,CACVC,cAEFC,wWAAUoO,CAAA,GACLnB,KADG,CAENoB,gBAAiB,CACfpE,IADe,WAEb,OAAOnO,KAAKoS,sBAEdP,IAJe,SAIVxK,GACHrH,KAAKoS,qBAAuB/K,EAC5BrH,KAAK8D,OAAOC,SAAS,YAAa,CAChCoD,KAAM,YACNE,MAAOmL,KAAOnL,EAAMoL,MAAM,MAAO,SAACC,GAAD,OAAUC,KAAKD,GAAM/K,OAAS,UAMvEjB,MAAO,CACLkM,uBAAwB,CACtBC,QADsB,SACbxL,GACPrH,KAAK8D,OAAOC,SAAS,YAAa,CAChCoD,KAAM,yBACNE,MAAOrH,KAAK8D,OAAOmE,QAAQ2J,aAAagB,0BAG5CE,MAAM,GAERC,gBAVK,WAWH/S,KAAK8D,OAAOC,SAAS,oBClBZiP,GAVC3R,OAAAC,EAAA,EAAAD,CACd4R,GCdQ,WAAgB,IAAAzR,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,wBAAsC,CAAA0B,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,OAAYE,YAAA,mBAA8B,CAAAF,EAAA,QAAaE,YAAA,SAAoB,CAAAL,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAoFE,YAAA,eAA0B,CAAAF,EAAA,MAAAA,EAAA,YAA0BoP,MAAA,CAAO1J,MAAA7F,EAAAoR,uBAAA,MAAA5B,SAAA,SAAAC,GAAkEzP,EAAA0P,KAAA1P,EAAAoR,uBAAA,QAAA3B,IAAmD3J,WAAA,iCAA4C,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iEAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA6IoP,MAAA,CAAO1J,MAAA7F,EAAAoR,uBAAA,QAAA5B,SAAA,SAAAC,GAAoEzP,EAAA0P,KAAA1P,EAAAoR,uBAAA,UAAA3B,IAAqD3J,WAAA,mCAA8C,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mEAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA+IoP,MAAA,CAAO1J,MAAA7F,EAAAoR,uBAAA,QAAA5B,SAAA,SAAAC,GAAoEzP,EAAA0P,KAAA1P,EAAAoR,uBAAA,UAAA3B,IAAqD3J,WAAA,mCAA8C,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mEAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA+IoP,MAAA,CAAO1J,MAAA7F,EAAAoR,uBAAA,SAAA5B,SAAA,SAAAC,GAAqEzP,EAAA0P,KAAA1P,EAAAoR,uBAAA,WAAA3B,IAAsD3J,WAAA,oCAA+C,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oEAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAgJoP,MAAA,CAAO1J,MAAA7F,EAAAoR,uBAAA,MAAA5B,SAAA,SAAAC,GAAkEzP,EAAA0P,KAAA1P,EAAAoR,uBAAA,QAAA3B,IAAmD3J,WAAA,iCAA4C,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iEAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA6IoP,MAAA,CAAO1J,MAAA7F,EAAAoR,uBAAA,eAAA5B,SAAA,SAAAC,GAA2EzP,EAAA0P,KAAA1P,EAAAoR,uBAAA,iBAAA3B,IAA4D3J,WAAA,0CAAqD,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+EAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAA0B,EAAA,SAAsOE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,oBAAyB,CAAAvR,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,gBAAA8F,WAAA,oBAAwFvF,MAAA,CAAS4C,GAAA,mBAAuB3C,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAAuR,gBAAAvL,EAAAC,OAAAgM,SAAAN,IAAA,MAAiF,CAAAxR,EAAA,UAAeI,MAAA,CAAOsF,MAAA,MAAAkD,SAAA,KAA6B,CAAA/I,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qCAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAqFI,MAAA,CAAOsF,MAAA,cAAqB,CAAA7F,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA2FI,MAAA,CAAOsF,MAAA,SAAgB,CAAA7F,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAmFE,YAAA,uBAA6BL,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,YAA2CoP,MAAA,CAAO1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAkS,cAAAzC,GAAsB3J,WAAA,kBAA6B,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iCAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAAiHoH,MAAA7F,EAAAmS,+BAAyC,kBAAAnS,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,YAA0DoP,MAAA,CAAO1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAoS,cAAA3C,GAAsB3J,WAAA,kBAA6B,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iCAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAAiHoH,MAAA7F,EAAAqS,+BAAyC,oBAAArS,EAAAS,GAAA,KAAAN,EAAA,OAA6CE,YAAA,gBAA2B,CAAAF,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sCAAAuB,EAAAS,GAAA,KAAAN,EAAA,YAA0GuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,gBAAA8F,WAAA,oBAAwFvF,MAAA,CAAS4C,GAAA,aAAiB4C,SAAA,CAAWF,MAAA7F,EAAA,iBAA8BQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAA+Q,gBAAA/K,EAAAC,OAAAJ,aAA0C7F,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,YAAyCoP,MAAA,CAAO1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAAsS,qBAAA7C,GAA6B3J,WAAA,yBAAoC,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAAwHoH,MAAA7F,EAAAuS,sCAAgD,uBACzkJ,IDIY,EAEb,KAEC,KAEU,MAYG,2BEvBjBC,GAAA,CACbvU,MAAO,CACLwU,YAAa,CACXtU,KAAM0B,OACN/B,QAAS,iBAAO,CACd4U,YAAY,EACZC,MAAO,OAIb/T,KAAM,iBAAO,IACb8D,SAAU,CACRgQ,WADQ,WACQ,OAAOlU,KAAKiU,YAAYC,YACxCE,MAFQ,WAEG,OAAOpU,KAAKiU,YAAYE,MAAMxM,OAAS,GAClD0M,aAHQ,WAGU,OAAOrU,KAAKkU,YAAclU,KAAKoU,SCNrD,IAEIE,GAVJ,SAAoBnT,GAClBnC,EAAQ,MAyBKuV,GAVClT,OAAAC,EAAA,EAAAD,CACd2S,GCjBQ,WAAgB,IAAAxS,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,oBAA+B,CAAAL,EAAA,aAAAG,EAAA,MAAAH,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0CAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,OAAAG,EAAA,KAAgQE,YAAA,iBAA4B,CAAAL,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAA2GE,YAAA,gBAA2BL,EAAAoG,GAAApG,EAAAyS,YAAA,eAAAO,GAA+C,OAAA7S,EAAA,MAAgB+I,IAAA8J,GAAS,CAAAhT,EAAAS,GAAA,aAAAT,EAAAW,GAAAqS,GAAA,gBAAiD,IAAAhT,EAAAY,MAAA,IACjpB,IDOY,EAa7BkS,GATiB,KAEU,MAYG,QElBjBG,GARC,CACdhV,MAAO,CAAC,YACRW,KAAM,iBAAO,IACbK,QAAS,CACPiU,QADO,WACM1U,KAAK2U,MAAM,YACxBC,OAFO,WAEK5U,KAAK2U,MAAM,aCkBZE,GAVCxT,OAAAC,EAAA,EAAAD,CACdyT,GCdQ,WAAgB,IAAAtT,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAAH,EAAAsG,GAAA,WAAAtG,EAAAS,GAAA,KAAAN,EAAA,UAA4DE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAsH,UAAwB9G,GAAA,CAAKE,MAAAV,EAAAkT,UAAqB,CAAAlT,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAuFE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAsH,UAAwB9G,GAAA,CAAKE,MAAAV,EAAAoT,SAAoB,CAAApT,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kCACtY,IDIY,EAEb,KAEC,KAEU,MAYG,6OEpBjB,IAAA8U,GAAA,CACbtV,MAAO,CAAC,YACRW,KAAM,iBAAO,CACXE,OAAO,EACP0U,gBAAiB,GACjBC,YAAY,EACZf,YAAY,IAEdlQ,WAAY,CACV0Q,QAAWD,IAEbvQ,wWAAUgR,CAAA,CACRC,YADM,WAEJ,OAAOnV,KAAK4Q,SAASwE,OAEpBC,aAAS,CACV5Q,kBAAmB,SAACL,GAAD,OAAWA,EAAMI,IAAIC,sBAG5ChE,QAAS,CACP6U,WADO,WAELtV,KAAK2U,MAAM,aAEbY,iBAJO,WAIevV,KAAKiV,YAAa,GACxCO,aALO,WAMLxV,KAAKM,MAAQ,KACbN,KAAKiV,YAAa,GAEpBQ,kBATO,WASc,IAAA1U,EAAAf,KACnBA,KAAKM,MAAQ,KACbN,KAAKkU,YAAa,EAClBlU,KAAKyE,kBAAkBiR,cAAc,CACnCC,SAAU3V,KAAKgV,kBAEd/T,KAAK,SAAC2U,GACL7U,EAAKmT,YAAa,EACd0B,EAAItV,MACNS,EAAKT,MAAQsV,EAAItV,OAGnBS,EAAKkU,YAAa,EAClBlU,EAAK4T,MAAM,iPCtCrB,IAoJekB,GApJH,CACVzV,KAAM,iBAAO,CACXwQ,SAAU,CACRkF,WAAW,EACXC,SAAS,EACTX,MAAM,GAERY,WAAY,CACV5R,MAAO,GACP6R,cAAe,IAEjBhC,YAAa,CACXiC,aAAa,EACbhC,YAAY,EACZC,MAAO,IAETgC,YAAa,CACXC,iBAAkB,GAClB1L,IAAK,IAEPsK,gBAAiB,KACjBqB,gBAAiB,KACjB/V,MAAO,KACPgW,WAAW,IAEbtS,WAAY,CACVuS,iBAAkBC,GAClBC,YCpBYpV,OAAAC,EAAA,EAAAD,CACd0T,GCdQ,WAAgB,IAAAvT,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAAA,EAAA,OAA2BE,YAAA,eAA0B,CAAAF,EAAA,UAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wBAAAuB,EAAAS,GAAA,KAAAT,EAAA2T,YAAkK3T,EAAAY,KAAlKT,EAAA,UAAwGE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAA8T,aAAwB,CAAA9T,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAT,EAAA,YAAAG,EAAA,UAAqHE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAAyT,YAA0BjT,GAAA,CAAKE,MAAAV,EAAAgU,eAA0B,CAAAhU,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gCAAAuB,EAAAY,OAAAZ,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,WAAwHI,MAAA,CAAO+G,SAAAtH,EAAA0S,YAA0BlS,GAAA,CAAK0S,QAAAlT,EAAAiU,kBAAAb,OAAApT,EAAA+T,mBAA+D,CAAA/T,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAA0B,EAAA,SAAsGuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,gBAAA8F,WAAA,oBAAwFvF,MAAA,CAASpC,KAAA,YAAkB4H,SAAA,CAAWF,MAAA7F,EAAA,iBAA8BQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAwT,gBAAAxN,EAAAC,OAAAJ,aAA0C7F,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,MAAAG,EAAA,OAA+CE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAlB,OAAA,UAAAkB,EAAAY,MAAA,IACnpC,IDIY,EAEb,KAEC,KAEU,MAYG,QDW5BsU,cAAUC,EACVjC,QAAWD,IAEbvQ,wWAAU0S,CAAA,CACRC,YADM,WAEJ,OACG7W,KAAK8W,iBAAmB9W,KAAK+W,qBAC5B/W,KAAK4Q,SAASmF,WACZ/V,KAAK4Q,SAASwE,OAASpV,KAAKgX,oBAEpCF,gBAPM,WAQJ,MAAiC,KAA1B9W,KAAKgW,WAAW5R,OAA0C,aAA1BpE,KAAKgW,WAAW5R,OAEzD4S,mBAVM,WAWJ,MAAiC,aAA1BhX,KAAKgW,WAAW5R,QAAyBpE,KAAKiX,cAEvDC,WAbM,WAcJ,MAAyC,YAAlClX,KAAKgW,WAAWC,eAEzBkB,WAhBM,WAiBJ,MAAyC,YAAlCnX,KAAKgW,WAAWC,eAEzBgB,aAnBM,WAoBJ,MAAyC,cAAlCjX,KAAKgW,WAAWC,eAEzBc,oBAtBM,WAuBJ,OAAQ/W,KAAKiU,YAAYC,YAAclU,KAAKiU,YAAYE,MAAMxM,OAAS,GAEzEyP,sBAzBM,WA0BJ,OAAOpX,KAAKiU,YAAYiC,cAEvBb,aAAS,CACV5Q,kBAAmB,SAACL,GAAD,OAAWA,EAAMI,IAAIC,sBAI5ChE,QAAS,CACP4W,YADO,WAEArX,KAAK4Q,SAASmF,UACjB/V,KAAKgW,WAAW5R,MAAQ,iBACxBpE,KAAKsX,qBAGTA,iBAPO,WAOa,IAAAvW,EAAAf,KAIlB,OAHAA,KAAKiU,YAAYC,YAAa,EAC9BlU,KAAKiU,YAAYE,MAAQ,GAElBnU,KAAKyE,kBAAkB8S,yBAC3BtW,KAAK,SAAC2U,GACL7U,EAAKkT,YAAYE,MAAQyB,EAAIzB,MAC7BpT,EAAKkT,YAAYC,YAAa,KAGpCsD,eAjBO,WAkBLxX,KAAKiU,YAAYiC,aAAc,GAEjCuB,mBApBO,WAoBe,IAAA/O,EAAA1I,KACpBA,KAAKsX,mBAAmBrW,KAAK,SAAC2U,GAC5BlN,EAAKuL,YAAYiC,aAAc,KAGnCwB,kBAzBO,WA0BL1X,KAAKiU,YAAYiC,aAAc,GAIjCyB,SA9BO,WA8BK,IAAAlI,EAAAzP,KACVA,KAAKgW,WAAW5R,MAAQ,WACxBpE,KAAKgW,WAAWC,cAAgB,UAChCjW,KAAKyE,kBAAkBmT,cACpB3W,KAAK,SAAC2U,GACLnG,EAAK0G,YAAcP,EACnBnG,EAAKuG,WAAWC,cAAgB,aAGtC4B,aAvCO,WAuCS,IAAAjI,EAAA5P,KACdA,KAAKM,MAAQ,KACbN,KAAKyE,kBAAkBqT,cAAc,CACnCC,MAAO/X,KAAKqW,gBACZV,SAAU3V,KAAKgV,kBAEd/T,KAAK,SAAC2U,GACDA,EAAItV,MACNsP,EAAKtP,MAAQsV,EAAItV,MAGnBsP,EAAKoI,mBAIXA,cAtDO,WAuDLhY,KAAKgW,WAAWC,cAAgB,WAChCjW,KAAKgW,WAAW5R,MAAQ,WACxBpE,KAAKgV,gBAAkB,KACvBhV,KAAKM,MAAQ,KACbN,KAAKiY,iBAEPC,YA7DO,WA8DLlY,KAAKgW,WAAWC,cAAgB,GAChCjW,KAAKgW,WAAW5R,MAAQ,GACxBpE,KAAKgV,gBAAkB,KACvBhV,KAAKM,MAAQ,MAKT2X,cAtEC,eAAAE,EAAA,OAAAC,GAAAC,EAAAC,MAAA,SAAAC,GAAA,cAAAA,EAAAC,KAAAD,EAAAE,MAAA,cAAAF,EAAAE,KAAA,EAAAL,GAAAC,EAAAK,MAuEc1Y,KAAKyE,kBAAkBkU,eAvErC,YAuEDR,EAvECI,EAAAK,MAwEMtY,MAxEN,CAAAiY,EAAAE,KAAA,eAAAF,EAAAM,OAAA,wBAyEL7Y,KAAK4Q,SAAWuH,EAAOvH,SACvB5Q,KAAK4Q,SAASkF,WAAY,EA1ErByC,EAAAM,OAAA,SA2EEV,GA3EF,wBAAAI,EAAAO,SAAA,KAAA9Y,QA8ET+Y,QA9IU,WA8IC,IAAAC,EAAAhZ,KACTA,KAAKiY,gBAAgBhX,KAAK,WACxB+X,EAAK1C,WAAY,MG9IvB,IAEI2C,GAVJ,SAAoB9X,GAClBnC,EAAQ,MAyBKka,GAVC7X,OAAAC,EAAA,EAAAD,CACd8X,GCjBQ,WAAgB,IAAA3X,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAD,EAAA8U,WAAA9U,EAAAoP,SAAAkF,UAAAnU,EAAA,OAA2DE,YAAA,6BAAwC,CAAAF,EAAA,OAAYE,YAAA,eAA0B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4BAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAAH,EAAAsV,gBAA+6BtV,EAAAY,KAA/6BT,EAAA,OAAmHE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAN,EAAA,aAAuGI,MAAA,CAAO6O,SAAApP,EAAAoP,UAAwB5O,GAAA,CAAKiT,WAAAzT,EAAAyW,cAAAmB,SAAA5X,EAAA6V,eAA2D7V,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAA,KAAAT,EAAAoP,SAAA,QAAAjP,EAAA,OAAAH,EAAA4V,sBAA6J5V,EAAAY,KAA7JT,EAAA,kBAAsHI,MAAA,CAAOsX,eAAA7X,EAAAyS,eAAgCzS,EAAAS,GAAA,KAAAT,EAAA4V,sBAA+H5V,EAAAY,KAA/HT,EAAA,UAAiEE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAgW,iBAA4B,CAAAhW,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6DAAAuB,EAAAS,GAAA,KAAAT,EAAA,sBAAAG,EAAA,OAAAA,EAAA,WAA4KI,MAAA,CAAO+G,SAAAtH,EAAAyS,YAAAC,YAAsClS,GAAA,CAAK0S,QAAAlT,EAAAiW,mBAAA7C,OAAApT,EAAAkW,oBAAiE,CAAA/V,EAAA,KAAUE,YAAA,WAAsB,CAAAL,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yEAAAuB,EAAAY,MAAA,GAAAZ,EAAAY,MAAA,GAAAZ,EAAAS,GAAA,KAAAT,EAAA,gBAAAG,EAAA,OAAAA,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAT,EAAAwV,mBAAgWxV,EAAAY,KAAhWT,EAAA,kBAAyTI,MAAA,CAAOsX,eAAA7X,EAAAyS,eAAgCzS,EAAAS,GAAA,KAAAT,EAAA,YAAAG,EAAA,UAAsDE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAA0W,cAAyB,CAAA1W,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iCAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,YAAAG,EAAA,UAAyHE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAmW,WAAsB,CAAAnW,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,oBAAAA,EAAA,WAAAG,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uCAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,OAAAA,EAAA,OAA2QE,YAAA,aAAwB,CAAAF,EAAA,OAAYE,YAAA,WAAsB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA+JI,MAAA,CAAOsF,MAAA7F,EAAA2U,YAAAC,iBAAA9C,QAAA,CAAoDgG,MAAA,QAAe9X,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAW,GAAAX,EAAA2U,YAAAzL,KAAA,0BAAAlJ,EAAAS,GAAA,KAAAN,EAAA,OAAoME,YAAA,UAAqB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sBAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gCAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAuJuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,gBAAA8F,WAAA,oBAAwFvF,MAAA,CAASpC,KAAA,QAAc4H,SAAA,CAAWF,MAAA7F,EAAA,iBAA8BQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAA6U,gBAAA7O,EAAAC,OAAAJ,WAA0C7F,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sDAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAyHuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,gBAAA8F,WAAA,oBAAwFvF,MAAA,CAASpC,KAAA,YAAkB4H,SAAA,CAAWF,MAAA7F,EAAA,iBAA8BQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAwT,gBAAAxN,EAAAC,OAAAJ,WAA0C7F,EAAAS,GAAA,KAAAN,EAAA,OAAwBE,YAAA,uBAAkC,CAAAF,EAAA,UAAeE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAqW,eAA0B,CAAArW,EAAAS,GAAA,uBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAmIE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAA0W,cAAyB,CAAA1W,EAAAS,GAAA,uBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAS,GAAA,KAAAT,EAAA,MAAAG,EAAA,OAA6HE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAlB,OAAA,sBAAAkB,EAAAY,WAAAZ,EAAAY,MAAAZ,EAAAY,MAAA,GAAAZ,EAAAY,SAAAZ,EAAAY,MAC3xH,IDOY,EAa7B6W,GATiB,KAEU,MAYG,QE+EjBM,GArGK,CAClBnZ,KADkB,WAEhB,MAAO,CACLoZ,SAAU,GACVC,kBAAkB,EAClBC,oBAAqB,GACrBC,cAAc,EACdC,iBAAiB,EACjBC,kCAAmC,GACnCC,oBAAoB,EACpBC,qBAAsB,CAAE,GAAI,GAAI,IAChCC,iBAAiB,EACjBC,qBAAqB,IAGzBpW,QAfkB,WAgBhB7D,KAAK8D,OAAOC,SAAS,gBAEvBC,WAAY,CACVwF,mBACAqM,OACA5R,cAEFC,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,aAEjC4V,eAJQ,WAKN,OAAOla,KAAK8D,OAAOM,MAAMsK,SAASwL,gBAEpCC,YAPQ,WAQN,OAAOna,KAAK8D,OAAOM,MAAM+V,YAAYC,OAAOjV,IAAI,SAAAkV,GAC9C,MAAO,CACL1V,GAAI0V,EAAW1V,GACf2V,QAASD,EAAWE,SACpBC,WAAY,IAAIC,KAAKJ,EAAWK,aAAaC,0BAKrDla,QAAS,CACPma,cADO,WAEL5a,KAAK4Z,iBAAkB,GAEzBiB,cAJO,WAIU,IAAA9Z,EAAAf,KACfA,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBoW,cAAc,CAAElF,SAAU3V,KAAK6Z,oCACpE5Y,KAAK,SAAC2U,GACc,YAAfA,EAAI5Q,QACNjE,EAAK+C,OAAOC,SAAS,UACrBhD,EAAK+Z,QAAQvb,KAAK,CAAE4H,KAAM,UAE1BpG,EAAK+Y,mBAAqBlE,EAAItV,SAItCya,eAfO,WAeW,IAAArS,EAAA1I,KACVgb,EAAS,CACbrF,SAAU3V,KAAK+Z,qBAAqB,GACpCkB,YAAajb,KAAK+Z,qBAAqB,GACvCmB,wBAAyBlb,KAAK+Z,qBAAqB,IAErD/Z,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkBsW,eAAeC,GACpD/Z,KAAK,SAAC2U,GACc,YAAfA,EAAI5Q,QACN0D,EAAKsR,iBAAkB,EACvBtR,EAAKuR,qBAAsB,EAC3BvR,EAAKyS,WAELzS,EAAKsR,iBAAkB,EACvBtR,EAAKuR,oBAAsBrE,EAAItV,UAIvC8a,YAjCO,WAiCQ,IAAA3L,EAAAzP,KACPgb,EAAS,CACbK,MAAOrb,KAAKwZ,SACZ7D,SAAU3V,KAAK0Z,qBAEjB1Z,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkB2W,YAAYJ,GACjD/Z,KAAK,SAAC2U,GACc,YAAfA,EAAI5Q,QACNyK,EAAKkK,cAAe,EACpBlK,EAAKgK,kBAAmB,IAExBhK,EAAKkK,cAAe,EACpBlK,EAAKgK,iBAAmB7D,EAAItV,UAIpC6a,OAjDO,WAkDLnb,KAAK8D,OAAOC,SAAS,UACrB/D,KAAK8a,QAAQQ,QAAQ,MAEvBC,YArDO,SAqDM5W,GACP6W,OAAO9G,QAAP,GAAA/H,OAAkB3M,KAAKyb,MAAMC,EAAE,yBAA/B,OACF1b,KAAK8D,OAAOC,SAAS,cAAeY,MC5E7BgX,GAVCta,OAAAC,EAAA,EAAAD,CACdua,GCdQ,WAAgB,IAAApa,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,2BAAyC,CAAA0B,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6BAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0BAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAkKuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,SAAA8F,WAAA,aAA0EvF,MAAA,CAASpC,KAAA,QAAAkc,aAAA,SAAsCtU,SAAA,CAAWF,MAAA7F,EAAA,UAAuBQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAgY,SAAAhS,EAAAC,OAAAJ,aAAmC7F,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iCAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAgHuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,oBAAA8F,WAAA,wBAAgGvF,MAAA,CAASpC,KAAA,WAAAkc,aAAA,oBAAoDtU,SAAA,CAAWF,MAAA7F,EAAA,qBAAkCQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAkY,oBAAAlS,EAAAC,OAAAJ,aAA8C7F,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAA4Z,cAAyB,CAAA5Z,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAT,EAAA,aAAAG,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uCAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,UAAAT,EAAAiY,iBAAA,CAAA9X,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mCAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAiY,sBAAAjY,EAAAY,MAAA,GAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAqYE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gCAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iCAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA4KuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAAuY,qBAAA,GAAAzS,WAAA,4BAAwGvF,MAAA,CAASpC,KAAA,YAAkB4H,SAAA,CAAWF,MAAA7F,EAAAuY,qBAAA,IAAsC/X,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAAuY,qBAAA,EAAAvS,EAAAC,OAAAJ,aAA6D7F,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6BAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA4GuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAAuY,qBAAA,GAAAzS,WAAA,4BAAwGvF,MAAA,CAASpC,KAAA,YAAkB4H,SAAA,CAAWF,MAAA7F,EAAAuY,qBAAA,IAAsC/X,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAAuY,qBAAA,EAAAvS,EAAAC,OAAAJ,aAA6D7F,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qCAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAoHuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAAuY,qBAAA,GAAAzS,WAAA,4BAAwGvF,MAAA,CAASpC,KAAA,YAAkB4H,SAAA,CAAWF,MAAA7F,EAAAuY,qBAAA,IAAsC/X,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAAuY,qBAAA,EAAAvS,EAAAC,OAAAJ,aAA6D7F,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAuZ,iBAA4B,CAAAvZ,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAT,EAAA,gBAAAG,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAyY,oBAAAtY,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,oBAAAG,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAyY,qBAAA,YAAAzY,EAAAY,OAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAscE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6BAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAqFE,YAAA,gBAA2B,CAAAF,EAAA,SAAAA,EAAA,MAAAA,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yBAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAAH,EAAAS,GAAA,KAAAN,EAAA,QAAAH,EAAAoG,GAAApG,EAAA,qBAAA6Y,GAAkP,OAAA1Y,EAAA,MAAgB+I,IAAA2P,EAAA1V,IAAkB,CAAAhD,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAkY,EAAAC,YAAA9Y,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAkY,EAAAG,eAAAhZ,EAAAS,GAAA,KAAAN,EAAA,MAAkIE,YAAA,WAAsB,CAAAF,EAAA,UAAeE,YAAA,kBAAAG,GAAA,CAAkCE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAA+Z,YAAAlB,EAAA1V,OAAwC,CAAAnD,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAA4F,OAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAAH,EAAAS,GAAA,KAAAN,EAAA,OAAqDE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAT,EAAAoY,gBAAApY,EAAAY,KAAAT,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAS,GAAA,KAAAT,EAAA,gBAAAG,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sBAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAmZuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,kCAAA8F,WAAA,sCAA4HvF,MAAA,CAASpC,KAAA,YAAkB4H,SAAA,CAAWF,MAAA7F,EAAA,mCAAgDQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAqY,kCAAArS,EAAAC,OAAAJ,WAA4D7F,EAAAS,GAAA,KAAAN,EAAA,UAA2BE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAqZ,gBAA2B,CAAArZ,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,UAAAT,EAAAsY,mBAAAnY,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,mBAAAG,EAAA,KAAAH,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAsY,oBAAA,YAAAtY,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAAoY,gBAAucpY,EAAAY,KAAvcT,EAAA,UAA0YE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAoZ,gBAA2B,CAAApZ,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sCACz+K,IDIY,EAEb,KAEC,KAEU,MAYG,+EE8GjB6b,WAlIM,CACnBrc,MAAO,CACLsc,QAAS,CACPpc,KAAM,CAACI,OAAQyb,OAAOQ,SACtBnc,UAAU,GAEZH,cAAe,CACbC,KAAMC,SACNC,UAAU,GAEZoc,eAAgB,CACdtc,KAAM0B,OADQ/B,QAAA,WAGZ,MAAO,CACL4c,YAAa,EACbC,aAAc,EACdC,SAAU,EACVC,SAAS,EACTC,UAAU,EACVC,QAAQ,KAIdC,MAAO,CACL7c,KAAMI,OACNT,QAAS,6DAEXmd,gBAAiB,CACf9c,KAAMI,QAER2c,+BAAgC,CAC9B/c,KAAMI,QAER4c,kBAAmB,CACjBhd,KAAMI,SAGVK,KArCmB,WAsCjB,MAAO,CACLwc,aAASC,EACTC,aAASD,EACTta,cAAUsa,EACVrc,YAAY,EACZuc,YAAa,OAGjB7Y,SAAU,CACR8Y,SADQ,WAEN,OAAOhd,KAAKyc,iBAAmBzc,KAAKC,GAAG,uBAEzCgd,wBAJQ,WAKN,OAAOjd,KAAK0c,gCAAkC1c,KAAKC,GAAG,wCAExDid,WAPQ,WAQN,OAAOld,KAAK2c,mBAAqB3c,KAAKC,GAAG,yBAE3Ckd,eAVQ,WAWN,OAAOnd,KAAK+c,aAAe/c,KAAK+c,uBAAuB9X,MAAQjF,KAAK+c,YAAYK,WAAapd,KAAK+c,cAGtGtc,QAAS,CACP4c,QADO,WAEDrd,KAAK4c,SACP5c,KAAK4c,QAAQS,UAEfrd,KAAKW,MAAMC,MAAMyG,MAAQ,GACzBrH,KAAK8c,aAAUD,EACf7c,KAAK2U,MAAM,UAEb7T,OATO,WASkB,IAAAC,EAAAf,KAAjBsd,IAAiBC,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,KAAAA,UAAA,GACvBvd,KAAKQ,YAAa,EAClBR,KAAKwd,kBAAoB,KACzBxd,KAAKN,cAAc4d,GAAYtd,KAAK4c,QAAS5c,KAAKK,MAC/CY,KAAK,kBAAMF,EAAKsc,YADnB,MAES,SAACI,GACN1c,EAAKgc,YAAcU,IAHvB,QAKW,WACP1c,EAAKP,YAAa,KAGxBkd,UArBO,WAsBL1d,KAAKW,MAAMC,MAAMsB,SAEnByb,cAxBO,WAyBL3d,KAAK4c,QAAU,IAAIgB,KAAQ5d,KAAKW,MAAMkd,IAAK7d,KAAKic,iBAElD6B,cA3BO,WA4BL,MAA+B,WAAxBC,KAAO/d,KAAK+b,SAAuB/b,KAAK+b,QAAUlZ,SAASmb,cAAche,KAAK+b,UAEvFkC,SA9BO,WA8BK,IAAAvV,EAAA1I,KACJke,EAAYle,KAAKW,MAAMC,MAC7B,GAAuB,MAAnBsd,EAAUrd,OAAuC,MAAtBqd,EAAUrd,MAAM,GAAY,CACzDb,KAAKK,KAAO6d,EAAUrd,MAAM,GAC5B,IAAIsd,EAAS,IAAI3C,OAAO4C,WACxBD,EAAOE,OAAS,SAACpM,GACfvJ,EAAKoU,QAAU7K,EAAExK,OAAO0Q,OACxBzP,EAAKiM,MAAM,SAEbwJ,EAAOG,cAActe,KAAKK,MAC1BL,KAAK2U,MAAM,UAAW3U,KAAKK,KAAM8d,KAGrCI,WA3CO,WA4CLve,KAAK+c,YAAc,OAGvBhE,QA3GmB,WA6GjB,IAAMgD,EAAU/b,KAAK8d,gBAChB/B,EAGHA,EAAQyC,iBAAiB,QAASxe,KAAK0d,WAFvC1d,KAAK2U,MAAM,QAAS,+BAAgC,QAKpC3U,KAAKW,MAAMC,MACnB4d,iBAAiB,SAAUxe,KAAKie,WAE5CQ,cAAe,WAEb,IAAM1C,EAAU/b,KAAK8d,gBACjB/B,GACFA,EAAQ2C,oBAAoB,QAAS1e,KAAK0d,WAE1B1d,KAAKW,MAAMC,MACnB8d,oBAAoB,SAAU1e,KAAKie,aCzHjD,IAEIU,GAVJ,SAAoBxd,GAClBnC,EAAQ,MAyBK4f,GAVCvd,OAAAC,EAAA,EAAAD,CACdwd,GCjBQ,WAAgB,IAAArd,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,iBAA4B,CAAAL,EAAA,QAAAG,EAAA,OAAAA,EAAA,OAAoCE,YAAA,iCAA4C,CAAAF,EAAA,OAAYG,IAAA,MAAAC,MAAA,CAAiB+c,IAAAtd,EAAAsb,QAAAiC,IAAA,IAA2B/c,GAAA,CAAKgd,KAAA,SAAAxX,GAAiD,OAAzBA,EAAAyX,kBAAyBzd,EAAAmc,cAAAnW,SAAmChG,EAAAS,GAAA,KAAAN,EAAA,OAA0BE,YAAA,iCAA4C,CAAAF,EAAA,UAAeE,YAAA,MAAAE,MAAA,CAAyBpC,KAAA,SAAAmJ,SAAAtH,EAAAhB,YAA0C+G,SAAA,CAAW2X,YAAA1d,EAAAW,GAAAX,EAAAwb,WAAmChb,GAAA,CAAKE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAV,aAAsBU,EAAAS,GAAA,KAAAN,EAAA,UAA2BE,YAAA,MAAAE,MAAA,CAAyBpC,KAAA,SAAAmJ,SAAAtH,EAAAhB,YAA0C+G,SAAA,CAAW2X,YAAA1d,EAAAW,GAAAX,EAAA0b,aAAqClb,GAAA,CAAKE,MAAAV,EAAA6b,WAAqB7b,EAAAS,GAAA,KAAAN,EAAA,UAA2BE,YAAA,MAAAE,MAAA,CAAyBpC,KAAA,SAAAmJ,SAAAtH,EAAAhB,YAA0C+G,SAAA,CAAW2X,YAAA1d,EAAAW,GAAAX,EAAAyb,0BAAkDjb,GAAA,CAAKE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAV,QAAA,OAA2BU,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,KAAuCE,YAAA,4BAAsCL,EAAAY,OAAAZ,EAAAS,GAAA,KAAAT,EAAA,YAAAG,EAAA,OAAqDE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAA2b,gBAAA,YAAAxb,EAAA,KAAmEE,YAAA,0BAAAG,GAAA,CAA0CE,MAAAV,EAAA+c,gBAAwB/c,EAAAY,OAAAZ,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,SAAgDG,IAAA,QAAAD,YAAA,0BAAAE,MAAA,CAAyDpC,KAAA,OAAAwf,OAAA3d,EAAAgb,YACp1C,IDOY,EAa7BmC,GATiB,KAEU,MAYG,gDEkOjBS,GAjPI,CACjBhf,KADiB,WAEf,MAAO,CACLif,QAASrf,KAAK8D,OAAOM,MAAMC,MAAMC,YAAY6C,KAC7CmY,OAAQC,KAASvf,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYkb,aACrDC,UAAWzf,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYob,OAC/CC,cAAe3f,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYsb,aACnDC,gBAAiB7f,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYwb,cACrDC,UAAW/f,KAAK8D,OAAOM,MAAMC,MAAMC,YAAY0b,OAAO7a,IAAI,SAAA8a,GAAK,MAAK,CAAE9Y,KAAM8Y,EAAM9Y,KAAME,MAAO4Y,EAAM5Y,SACrG6Y,YAAalgB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAY6b,aACjDC,cAAepgB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAY+b,eACnDC,iBAAkBtgB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYic,mBACtDC,mBAAoBxgB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYmc,qBACxDC,SAAU1gB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYqc,UAC9CC,KAAM5gB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYsc,KAC1CC,aAAc7gB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYuc,aAClDC,IAAK9gB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYwc,IACzCC,mBAAoB/gB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAY0c,qBACxDC,sBAAsB,EACtBC,iBAAiB,EACjBC,qBAAqB,EACrBC,OAAQ,KACRC,cAAe,KACfC,WAAY,KACZC,kBAAmB,KACnBC,kBAAmB,KACnBC,sBAAuB,OAG3Bzd,WAAY,CACV0d,mBACA5F,gBACA6F,gBACAnT,cACAhF,mBACAvF,cAEFC,SAAU,CACRC,KADQ,WAEN,OAAOnE,KAAK8D,OAAOM,MAAMC,MAAMC,aAEjCsd,mBAJQ,WAIc,IAAA7gB,EAAAf,KACpB,OAAO6hB,aAAU,CACfC,MAAK,GAAAnV,OAAAG,IACA9M,KAAK8D,OAAOM,MAAMsK,SAASoT,OAD3BhV,IAEA9M,KAAK8D,OAAOM,MAAMsK,SAASqT,cAEhC1d,MAAOrE,KAAK8D,OAAOM,MAAMC,MAAMA,MAC/B2d,gBAAiB,SAAC9b,GAAD,OAAWnF,EAAK+C,OAAOC,SAAS,cAAe,CAAEmC,cAGtE+b,eAdQ,WAeN,OAAOJ,aAAU,CAAEC,MAAK,GAAAnV,OAAAG,IACnB9M,KAAK8D,OAAOM,MAAMsK,SAASoT,OADRhV,IAEnB9M,KAAK8D,OAAOM,MAAMsK,SAASqT,iBAGlCG,cApBQ,WAoBS,IAAAxZ,EAAA1I,KACf,OAAO6hB,aAAU,CACfxd,MAAOrE,KAAK8D,OAAOM,MAAMC,MAAMA,MAC/B2d,gBAAiB,SAAC9b,GAAD,OAAWwC,EAAK5E,OAAOC,SAAS,cAAe,CAAEmC,cAGtEic,aA1BQ,WA2BN,OAAOniB,KAAK8D,OAAOM,MAAMsK,SAASyT,cAEpCC,UA7BQ,WA8BN,OAAOpiB,KAAKmiB,aAAeniB,KAAKmiB,aAAaC,UAAY,GAE3DC,cAhCQ,WAiCN,OAAOriB,KAAK8D,OAAOM,MAAMsK,SAAS4T,OAAStiB,KAAK8D,OAAOM,MAAMsK,SAAS2T,eAExEE,cAnCQ,WAoCN,OAAOviB,KAAK8D,OAAOM,MAAMsK,SAAS4T,OAAStiB,KAAK8D,OAAOM,MAAMsK,SAAS6T,eAExEC,gBAtCQ,WAuCN,IAAMC,EAAaziB,KAAK8D,OAAOM,MAAMsK,SAAS2T,cAC9C,OAASriB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYoe,mBAC7C1iB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYoe,kBAAkBhZ,SAAS+Y,IAEjEE,gBA3CQ,WA4CN,IAAMC,EAAa5iB,KAAK8D,OAAOM,MAAMsK,SAAS6T,cAC9C,OAASviB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYue,aAC7C7iB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYue,YAAYnZ,SAASkZ,IAE3DE,oBAhDQ,WAiDN,OAAS9iB,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYye,kBAE/CC,aAnDQ,WAoDN,IAAMlE,EAAM9e,KAAK8D,OAAOM,MAAMC,MAAMC,YAAY2e,2BAChD,OAASnE,GAAO9e,KAAKqiB,eAEvBa,aAvDQ,WAwDN,IAAMpE,EAAM9e,KAAK8D,OAAOM,MAAMC,MAAMC,YAAYue,YAChD,OAAS/D,GAAO9e,KAAKuiB,gBAGzB9hB,QAAS,CACP0iB,cADO,WACU,IAAA1T,EAAAzP,KACfA,KAAK8D,OAAOM,MAAMI,IAAIC,kBACnB0e,cAAc,CACbnI,OAAQ,CACNoI,KAAMpjB,KAAKsf,OACXI,OAAQ1f,KAAKyf,UAGb4D,aAAcrjB,KAAKqf,QACnBiE,kBAAmBtjB,KAAK+f,UAAU5Z,OAAO,SAAAod,GAAE,OAAU,MAANA,IAC/CzD,cAAe9f,KAAK6f,gBACpBD,aAAc5f,KAAK2f,cACnBQ,aAAcngB,KAAKkgB,YACnBG,eAAgBrgB,KAAKogB,cACrBS,aAAc7gB,KAAK6gB,aACnBC,IAAK9gB,KAAK8gB,IACVE,qBAAsBhhB,KAAK+gB,mBAC3BR,mBAAoBvgB,KAAKsgB,iBACzBG,qBAAsBzgB,KAAKwgB,mBAC3BG,UAAW3gB,KAAK0gB,YAEbzf,KAAK,SAACkD,GACXsL,EAAKsQ,UAAU7U,OAAO/G,EAAK6b,OAAOrY,QAClC6b,KAAM/T,EAAKsQ,UAAW5b,EAAK6b,QAC3BvQ,EAAK3L,OAAO2f,OAAO,cAAe,CAACtf,IACnCsL,EAAK3L,OAAO2f,OAAO,iBAAkBtf,MAG3Cuf,UA7BO,SA6BIC,GACT3jB,KAAK6f,gBAAkB8D,GAEzBC,SAhCO,WAiCL,OAAI5jB,KAAK+f,UAAUpY,OAAS3H,KAAKoiB,YAC/BpiB,KAAK+f,UAAUxgB,KAAK,CAAE4H,KAAM,GAAIE,MAAO,MAChC,IAIXwc,YAvCO,SAuCMC,EAAOC,GAClB/jB,KAAKgkB,QAAQhkB,KAAK+f,UAAW+D,IAE/BG,WA1CO,SA0CKha,EAAMgI,GAAG,IAAArC,EAAA5P,KACbK,EAAO4R,EAAExK,OAAO5G,MAAM,GAC5B,GAAKR,EACL,GAAIA,EAAK6jB,KAAOlkB,KAAK8D,OAAOM,MAAMsK,SAASzE,EAAO,SAAlD,CACE,IAAMka,EAAWC,KAAsBC,eAAehkB,EAAK6jB,MACrDI,EAAcF,KAAsBC,eAAerkB,KAAK8D,OAAOM,MAAMsK,SAASzE,EAAO,UAC3FjK,KAAKiK,EAAO,eAAiB,CAC3BjK,KAAKC,GAAG,qBACRD,KAAKC,GACH,4BACA,CACEkkB,SAAUA,EAASI,IACnBC,aAAcL,EAASM,KACvBH,YAAaA,EAAYC,IACzBG,gBAAiBJ,EAAYG,QAGjCjf,KAAK,SAdT,CAkBA,IAAM2Y,EAAS,IAAIC,WACnBD,EAAOE,OAAS,SAAArS,GAAgB,IACxB6R,EADwB7R,EAAbvE,OACE0Q,OACnBvI,EAAK3F,EAAO,WAAa4T,EACzBjO,EAAK3F,GAAQ5J,GAEf8d,EAAOG,cAAcje,KAEvBskB,YAvEO,WAwEanJ,OAAO9G,QAAQ1U,KAAKC,GAAG,mCAEvCD,KAAK4kB,kBAAa/H,EAAW,KAGjCgI,YA7EO,WA8EarJ,OAAO9G,QAAQ1U,KAAKC,GAAG,mCAEvCD,KAAK8kB,aAAa,KAGtBC,gBAnFO,WAoFavJ,OAAO9G,QAAQ1U,KAAKC,GAAG,uCAEvCD,KAAKglB,iBAAiB,KAG1BJ,aAzFO,SAyFOhI,EAASvc,GACrB,IAAM4kB,EAAOjlB,KACb,OAAO,IAAI6P,QAAQ,SAACC,EAASf,GAC3B,SAASmW,EAAcC,GACrBF,EAAKnhB,OAAOM,MAAMI,IAAIC,kBAAkB2gB,oBAAoB,CAAED,WAC3DlkB,KAAK,SAACkD,GACL8gB,EAAKnhB,OAAO2f,OAAO,cAAe,CAACtf,IACnC8gB,EAAKnhB,OAAO2f,OAAO,iBAAkBtf,GACrC2L,MAJJ,MAMS,SAAC2N,GACN1O,EAAO,IAAI9J,MAAMggB,EAAKhlB,GAAG,qBAAuB,IAAMwd,EAAI4H,YAI5DzI,EACFA,EAAQ0I,mBAAmBC,OAAOL,EAAc7kB,EAAKV,MAErDulB,EAAa7kB,MAInBykB,aA/GO,SA+GO1D,GAAQ,IAAApI,EAAAhZ,MACfA,KAAKqhB,eAA4B,KAAXD,KAE3BphB,KAAKkhB,iBAAkB,EACvBlhB,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkB2gB,oBAAoB,CAAEhE,WAC3DngB,KAAK,SAACkD,GACL6U,EAAKlV,OAAO2f,OAAO,cAAe,CAACtf,IACnC6U,EAAKlV,OAAO2f,OAAO,iBAAkBtf,GACrC6U,EAAKqI,cAAgB,OAJzB,MAMS,SAAC5D,GACNzE,EAAKwI,kBAAoBxI,EAAK/Y,GAAG,qBAAuB,IAAMwd,EAAI4H,UAEnEpkB,KAAK,WAAQ+X,EAAKkI,iBAAkB,MAEzC8D,iBA9HO,SA8HW1D,GAAY,IAAAkE,EAAAxlB,MACvBA,KAAKuhB,mBAAoC,KAAfD,KAE/BthB,KAAKmhB,qBAAsB,EAC3BnhB,KAAK8D,OAAOM,MAAMI,IAAIC,kBAAkB2gB,oBAAoB,CAAE9D,eAAcrgB,KAAK,SAACb,GAC3EA,EAAKE,MAKRklB,EAAK/D,sBAAwB+D,EAAKvlB,GAAG,qBAAuBG,EAAKE,OAJjEklB,EAAK1hB,OAAO2f,OAAO,cAAe,CAACrjB,IACnColB,EAAK1hB,OAAO2f,OAAO,iBAAkBrjB,GACrColB,EAAKjE,kBAAoB,MAI3BiE,EAAKrE,qBAAsB,QC9OnC,IAEIsE,GAVJ,SAAoBtkB,GAClBnC,EAAQ,MAyBK0mB,GAVCrkB,OAAAC,EAAA,EAAAD,CACdskB,GCjBQ,WAAgB,IAAAnkB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,eAA0B,CAAAF,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yBAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qBAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAoJI,MAAA,CAAO6jB,sBAAA,GAAAC,QAAArkB,EAAAygB,gBAAsDlR,MAAA,CAAQ1J,MAAA7F,EAAA,QAAAwP,SAAA,SAAAC,GAA6CzP,EAAA6d,QAAApO,GAAgB3J,WAAA,YAAuB,CAAA3F,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,QAAA8F,WAAA,YAAwEvF,MAAA,CAAS4C,GAAA,WAAAmhB,UAAA,gBAA2Cve,SAAA,CAAWF,MAAA7F,EAAA,SAAsBQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAA6d,QAAA7X,EAAAC,OAAAJ,aAAkC7F,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oBAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA8FI,MAAA,CAAO6jB,sBAAA,GAAAC,QAAArkB,EAAAogB,oBAA0D7Q,MAAA,CAAQ1J,MAAA7F,EAAA,OAAAwP,SAAA,SAAAC,GAA4CzP,EAAA8d,OAAArO,GAAe3J,WAAA,WAAsB,CAAA3F,EAAA,YAAiBuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,OAAA8F,WAAA,WAAsEvF,MAAA,CAAS+jB,UAAA,OAAkBve,SAAA,CAAWF,MAAA7F,EAAA,QAAqBQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAA8d,OAAA9X,EAAAC,OAAAJ,aAAiC7F,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAAuCoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAAie,UAAAxO,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,SAA8HI,MAAA,CAAOmR,IAAA,gBAAqB,CAAA1R,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4BAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAyEE,YAAA,kBAAAE,MAAA,CAAqC4C,GAAA,gBAAoB,CAAAhD,EAAA,kBAAuBI,MAAA,CAAOgkB,YAAA,EAAAC,eAAAxkB,EAAAqe,gBAAAoG,gBAAAzkB,EAAAqe,gBAAAqG,kBAAA1kB,EAAAkiB,cAAwH,KAAAliB,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAA2CoP,MAAA,CAAO1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAme,cAAA1O,GAAsB3J,WAAA,kBAA6B,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAA+HoP,MAAA,CAAO1J,MAAA7F,EAAA,YAAAwP,SAAA,SAAAC,GAAiDzP,EAAA0e,YAAAjP,GAAoB3J,WAAA,gBAA2B,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAgHE,YAAA,mBAA8B,CAAAF,EAAA,YAAiBI,MAAA,CAAO+G,UAAAtH,EAAA0e,aAA4BnP,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAA8e,iBAAArP,GAAyB3J,WAAA,qBAAgC,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8DAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAAqIoP,MAAA,CAAO1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAA4e,cAAAnP,GAAsB3J,WAAA,kBAA6B,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAkHE,YAAA,mBAA8B,CAAAF,EAAA,YAAiBI,MAAA,CAAO+G,UAAAtH,EAAA4e,eAA8BrP,MAAA,CAAQ1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAAgf,mBAAAvP,GAA2B3J,WAAA,uBAAkC,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gEAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAAuIoP,MAAA,CAAO1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAAuf,mBAAA9P,GAA2B3J,WAAA,uBAAkC,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAS,GAAA,eAAAT,EAAAof,MAAA,cAAApf,EAAAof,KAAAjf,EAAA,KAAAA,EAAA,YAA8KoP,MAAA,CAAO1J,MAAA7F,EAAA,SAAAwP,SAAA,SAAAC,GAA8CzP,EAAAkf,SAAAzP,GAAiB3J,WAAA,aAAwB,WAAA9F,EAAAof,KAAA,CAAApf,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,mBAAAT,EAAAof,KAAA,CAAApf,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iDAAAuB,EAAAY,MAAA,OAAAZ,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAA8SoP,MAAA,CAAO1J,MAAA7F,EAAA,aAAAwP,SAAA,SAAAC,GAAkDzP,EAAAqf,aAAA5P,GAAqB3J,WAAA,iBAA4B,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,KAAAT,EAAA4gB,UAAA,EAAAzgB,EAAA,OAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qCAAAuB,EAAAS,GAAA,KAAAT,EAAAoG,GAAApG,EAAA,mBAAA2kB,EAAAjnB,GAA6O,OAAAyC,EAAA,OAAiB+I,IAAAxL,EAAA2C,YAAA,kBAAmC,CAAAF,EAAA,cAAmBI,MAAA,CAAO6jB,sBAAA,GAAAQ,oBAAA,GAAAP,QAAArkB,EAAA0gB,eAA4EnR,MAAA,CAAQ1J,MAAA7F,EAAAue,UAAA7gB,GAAA,KAAA8R,SAAA,SAAAC,GAAuDzP,EAAA0P,KAAA1P,EAAAue,UAAA7gB,GAAA,OAAA+R,IAAwC3J,WAAA,sBAAiC,CAAA3F,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAAue,UAAA7gB,GAAA,KAAAoI,WAAA,sBAA4FvF,MAAA,CAASqE,YAAA5E,EAAAvB,GAAA,iCAAqDsH,SAAA,CAAWF,MAAA7F,EAAAue,UAAA7gB,GAAA,MAAgC8C,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAAue,UAAA7gB,GAAA,OAAAsI,EAAAC,OAAAJ,aAA0D7F,EAAAS,GAAA,KAAAN,EAAA,cAAiCI,MAAA,CAAO6jB,sBAAA,GAAAQ,oBAAA,GAAAP,QAAArkB,EAAA0gB,eAA4EnR,MAAA,CAAQ1J,MAAA7F,EAAAue,UAAA7gB,GAAA,MAAA8R,SAAA,SAAAC,GAAwDzP,EAAA0P,KAAA1P,EAAAue,UAAA7gB,GAAA,QAAA+R,IAAyC3J,WAAA,uBAAkC,CAAA3F,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAAue,UAAA7gB,GAAA,MAAAoI,WAAA,uBAA8FvF,MAAA,CAASqE,YAAA5E,EAAAvB,GAAA,kCAAsDsH,SAAA,CAAWF,MAAA7F,EAAAue,UAAA7gB,GAAA,OAAiC8C,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAAue,UAAA7gB,GAAA,QAAAsI,EAAAC,OAAAJ,aAA2D7F,EAAAS,GAAA,KAAAN,EAAA,OAA0BE,YAAA,kBAA6B,CAAAF,EAAA,KAAUuF,WAAA,EAAaC,KAAA,OAAAC,QAAA,SAAAC,MAAA7F,EAAAue,UAAApY,OAAA,EAAAL,WAAA,yBAAgGzF,YAAA,cAAAG,GAAA,CAAgCE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAqiB,YAAA3kB,UAA4B,KAAQsC,EAAAS,GAAA,KAAAT,EAAAue,UAAApY,OAAAnG,EAAA4gB,UAAAzgB,EAAA,KAA6DE,YAAA,kBAAAG,GAAA,CAAkCE,MAAAV,EAAAoiB,WAAsB,CAAAjiB,EAAA,KAAUE,YAAA,cAAwBL,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAY,MAAA,GAAAZ,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,KAAAA,EAAA,YAAiJoP,MAAA,CAAO1J,MAAA7F,EAAA,IAAAwP,SAAA,SAAAC,GAAyCzP,EAAAsf,IAAA7P,GAAY3J,WAAA,QAAmB,CAAA9F,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mCAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAgGE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAA6d,SAAA,IAAA7d,EAAA6d,QAAA1X,QAAmD3F,GAAA,CAAKE,MAAAV,EAAA2hB,gBAA2B,CAAA3hB,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mCAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA2FE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uBAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAA2EE,YAAA,qBAAgC,CAAAL,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iDAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAyGE,YAAA,4BAAuC,CAAAF,EAAA,OAAYE,YAAA,iBAAAE,MAAA,CAAoC+c,IAAAtd,EAAA2C,KAAA8e,8BAA2CzhB,EAAAS,GAAA,MAAAT,EAAAghB,iBAAAhhB,EAAAyf,qBAAAtf,EAAA,KAAyEE,YAAA,2BAAAE,MAAA,CAA8CskB,MAAA7kB,EAAAvB,GAAA,yBAAAN,KAAA,UAAwDqC,GAAA,CAAKE,MAAAV,EAAAmjB,eAAyBnjB,EAAAY,OAAAZ,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA8GuF,WAAA,EAAaC,KAAA,OAAAC,QAAA,SAAAC,MAAA7F,EAAA,qBAAA8F,WAAA,yBAAgGzF,YAAA,MAAAE,MAAA,CAA2B4C,GAAA,cAAAhF,KAAA,WAAoC,CAAA6B,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAAuB,EAAAS,GAAA,KAAAN,EAAA,iBAA0GI,MAAA,CAAOga,QAAA,eAAAnW,iBAAApE,EAAAojB,cAA2D5iB,GAAA,CAAKskB,KAAA,SAAA9e,GAAwBhG,EAAAyf,sBAAA,GAA+BsF,MAAA,SAAA/e,GAA0BhG,EAAAyf,sBAAA,OAAgC,GAAAzf,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAqFE,YAAA,6BAAwC,CAAAF,EAAA,OAAYI,MAAA,CAAO+c,IAAAtd,EAAA2C,KAAA0e,eAA4BrhB,EAAAS,GAAA,KAAAT,EAAAmhB,gBAAyLnhB,EAAAY,KAAzLT,EAAA,KAA6CE,YAAA,2BAAAE,MAAA,CAA8CskB,MAAA7kB,EAAAvB,GAAA,iCAAAN,KAAA,UAAgEqC,GAAA,CAAKE,MAAAV,EAAAqjB,iBAAyBrjB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uCAAAuB,EAAAS,GAAA,KAAAT,EAAA,cAAAG,EAAA,OAAuIE,YAAA,4BAAAE,MAAA,CAA+C+c,IAAAtd,EAAA6f,iBAAyB7f,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,SAA6CI,MAAA,CAAOpC,KAAA,QAAcqC,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,OAAAhG,EAAAyiB,WAAA,SAAAzc,SAA0ChG,EAAAS,GAAA,KAAAT,EAAA,gBAAAG,EAAA,KAA8CE,YAAA,uCAAiDL,EAAA,cAAAG,EAAA,UAAmCE,YAAA,kBAAAG,GAAA,CAAkCE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAsjB,aAAAtjB,EAAA4f,WAAsC,CAAA5f,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,kBAAAG,EAAA,OAAwHE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,kBAAAT,EAAAW,GAAAX,EAAAggB,mBAAA,YAAA7f,EAAA,KAA6EE,YAAA,0BAAAG,GAAA,CAA0CE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAglB,iBAAA,gBAAwChlB,EAAAY,OAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAqCE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mCAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAyFE,YAAA,6BAAwC,CAAAF,EAAA,OAAYI,MAAA,CAAO+c,IAAAtd,EAAA2C,KAAA4e,oBAAiCvhB,EAAAS,GAAA,KAAAT,EAAAshB,oBAAqMthB,EAAAY,KAArMT,EAAA,KAAiDE,YAAA,2BAAAE,MAAA,CAA8CskB,MAAA7kB,EAAAvB,GAAA,qCAAAN,KAAA,UAAoEqC,GAAA,CAAKE,MAAAV,EAAAujB,qBAA6BvjB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAT,EAAA,kBAAAG,EAAA,OAA+IE,YAAA,4BAAAE,MAAA,CAA+C+c,IAAAtd,EAAA+f,qBAA6B/f,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAAA,EAAA,SAA6CI,MAAA,CAAOpC,KAAA,QAAcqC,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,OAAAhG,EAAAyiB,WAAA,aAAAzc,SAA8ChG,EAAAS,GAAA,KAAAT,EAAA,oBAAAG,EAAA,KAAkDE,YAAA,uCAAiDL,EAAA,kBAAAG,EAAA,UAAuCE,YAAA,kBAAAG,GAAA,CAAkCE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAwjB,iBAAAxjB,EAAA8f,eAA8C,CAAA9f,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+BAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,sBAAAG,EAAA,OAA4HE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,kBAAAT,EAAAW,GAAAX,EAAAigB,uBAAA,YAAA9f,EAAA,KAAiFE,YAAA,0BAAAG,GAAA,CAA0CE,MAAA,SAAAsF,GAAyB,OAAAhG,EAAAglB,iBAAA,oBAA4ChlB,EAAAY,UAC1jU,IDOY,EAa7BqjB,GATiB,KAEU,MAYG,2BEKhCgB,GAAA,CACAviB,SAAA,CACAwiB,cADA,WAEA,OAAAC,GAAA,EAAAC,WAGAC,cALA,WAMA,OAAAC,IAAA9mB,KAAA0mB,cAAA1mB,KAAA+mB,kBAGAC,SAAA,CACA7Y,IAAA,kBAAAnO,KAAA8D,OAAAmE,QAAA2J,aAAAqV,mBACApV,IAAA,SAAAlL,GACA3G,KAAA8D,OAAAC,SAAA,aAAAoD,KAAA,oBAAAE,MAAAV,OAKAlG,QAAA,CACAsmB,gBADA,SACAvS,GAMA,MALA,CACA0S,GAAA,iBACAC,QAAA,sBACAC,GAAA,kBAEA5S,IAAAsK,GAAA,EAAAuI,QAAA7S,MChCe8S,GAVCjmB,OAAAC,EAAA,EAAAD,CACdolB,GCfQ,WAAgB,IAAAjlB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAAA,EAAA,SAA6BI,MAAA,CAAOmR,IAAA,gCAAqC,CAAA1R,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAAiGE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,gCAAqC,CAAAvR,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,SAAA8F,WAAA,aAA0EvF,MAAA,CAAS4C,GAAA,+BAAmC3C,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAAwlB,SAAAxf,EAAAC,OAAAgM,SAAAN,IAAA,MAA0E3R,EAAAoG,GAAApG,EAAA,uBAAA+lB,EAAAroB,GAAiD,OAAAyC,EAAA,UAAoB+I,IAAA6c,EAAAhgB,SAAA,CAAuBF,MAAAkgB,IAAkB,CAAA/lB,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAqlB,cAAA3nB,IAAA,gBAAiE,GAAAsC,EAAAS,GAAA,KAAAN,EAAA,KAAyBE,YAAA,wBACp6B,IDKY,EAEb,KAEC,KAEU,MAYG,qOEnBhC,IAyBe2lB,GAzBI,CACjBpnB,KADiB,WAEf,MAAO,CACLqnB,oBAEApmB,OAAOqmB,yBAAyBC,iBAAiBvU,UAAW,gBAE5D/R,OAAOqmB,yBAAyBE,iBAAiBxU,UAAW,gCAE5D/R,OAAOqmB,yBAAyBE,iBAAiBxU,UAAW,iBAGhEpP,WAAY,CACVC,aACA4jB,8BAEF3jB,wWAAU4jB,CAAA,CACRC,YADM,WAEJ,OAAO/nB,KAAK8D,OAAOM,MAAMsK,SAASqZ,aAAe,IAEnDC,6BAJM,WAI4B,OAAOhoB,KAAK8D,OAAOM,MAAMsK,SAASuZ,4BACjE9W,OCHQ+W,GAVC7mB,OAAAC,EAAA,EAAAD,CACd8mB,GCdQ,WAAgB,IAAA3mB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,sBAAoC,CAAA0B,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0BAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAA+EE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,mCAAAH,EAAAS,GAAA,KAAAT,EAAA,6BAAAG,EAAA,MAAAA,EAAA,YAAwHoP,MAAA,CAAO1J,MAAA7F,EAAA,QAAAwP,SAAA,SAAAC,GAA6CzP,EAAA4mB,QAAAnX,GAAgB3J,WAAA,YAAuB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0CAAAuB,EAAAY,SAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAmHE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oBAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAyEE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,YAA0BoP,MAAA,CAAO1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAA6mB,eAAApX,GAAuB3J,WAAA,mBAA8B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kCAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAAoHoH,MAAA7F,EAAA8mB,gCAA0C,oBAAA9mB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA2DoP,MAAA,CAAO1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAA+mB,2BAAAtX,GAAmC3J,WAAA,+BAA0C,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kCAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAAoHoH,MAAA7F,EAAAgnB,4CAAsD,oBAAAhnB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA2DoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAAinB,UAAAxX,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uCAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAkGE,YAAA,0BAAAgK,MAAA,EAA8C/C,UAAAtH,EAAAinB,aAA2B,CAAA9mB,EAAA,MAAAA,EAAA,YAA0BI,MAAA,CAAO+G,UAAAtH,EAAAinB,WAA0B1X,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAknB,iBAAAzX,GAAyB3J,WAAA,qBAAgC,CAAA9F,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8DAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA4IoP,MAAA,CAAO1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAAwQ,gBAAAf,GAAwB3J,WAAA,oBAA+B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAA0B,EAAA,MAAAH,EAAAS,GAAA,KAAAN,EAAA,SAAAH,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4DAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA0PoP,MAAA,CAAO1J,MAAA7F,EAAA,yBAAAwP,SAAA,SAAAC,GAA8DzP,EAAAmnB,yBAAA1X,GAAiC3J,WAAA,6BAAwC,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iEAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA6HE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0BAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAA+EE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,YAA0BoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAAonB,UAAA3X,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4BAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAA8GoH,MAAA7F,EAAAqnB,2BAAqC,oBAAArnB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA2DoP,MAAA,CAAO1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAAsnB,uBAAA7X,GAA+B3J,WAAA,2BAAsC,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAA6HoH,MAAA7F,EAAAunB,wCAAkD,oBAAAvnB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,OAAAH,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mDAAA0B,EAAA,SAAyJE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,wBAA6B,CAAAvR,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,oBAAA8F,WAAA,wBAAgGvF,MAAA,CAAS4C,GAAA,uBAA2B3C,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAAwnB,oBAAAxhB,EAAAC,OAAAgM,SAAAN,IAAA,MAAqF,CAAAxR,EAAA,UAAeI,MAAA,CAAOsF,MAAA,UAAiB,CAAA7F,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qDAAAuB,EAAAW,GAAA,SAAAX,EAAAynB,gCAAAznB,EAAAvB,GAAA,8DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAyPI,MAAA,CAAOsF,MAAA,UAAiB,CAAA7F,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAW,GAAA,YAAAX,EAAAynB,gCAAAznB,EAAAvB,GAAA,8DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA+PI,MAAA,CAAOsF,MAAA,SAAgB,CAAA7F,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAW,GAAA,QAAAX,EAAAynB,gCAAAznB,EAAAvB,GAAA,gEAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAoPE,YAAA,yBAA6BL,EAAAS,GAAA,KAAAT,EAAAumB,YAAApgB,OAAA,EAAAhG,EAAA,MAAAA,EAAA,OAAAH,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sDAAA0B,EAAA,SAA0KE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,oBAAyB,CAAAvR,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,gBAAA8F,WAAA,oBAAwFvF,MAAA,CAAS4C,GAAA,mBAAuB3C,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAA0nB,gBAAA1hB,EAAAC,OAAAgM,SAAAN,IAAA,MAAiF3R,EAAAoG,GAAApG,EAAA,qBAAA2nB,GAA+C,OAAAxnB,EAAA,UAAoB+I,IAAAye,EAAA5hB,SAAA,CAAyBF,MAAA8hB,IAAoB,CAAA3nB,EAAAS,GAAA,qBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6BAAAkpB,EAAA,4BAAA3nB,EAAAW,GAAAX,EAAA4nB,8BAAAD,EAAA3nB,EAAAvB,GAAA,gEAAuP,GAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAyBE,YAAA,yBAA6BL,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAqDoP,MAAA,CAAO1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAA6nB,kBAAApY,GAA0B3J,WAAA,sBAAiC,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qCAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAAuHoH,MAAA7F,EAAA8nB,mCAA6C,oBAAA9nB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA2DoP,MAAA,CAAO1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAA+nB,2BAAAtY,GAAmC3J,WAAA,+BAA0C,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+DAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAyIoP,MAAA,CAAO1J,MAAA7F,EAAA,SAAAwP,SAAA,SAAAC,GAA8CzP,EAAAgoB,SAAAvY,GAAiB3J,WAAA,aAAwB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA2GE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4BAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAiFE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,YAA0BoP,MAAA,CAAO1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAAioB,gBAAAxY,GAAwB3J,WAAA,oBAA+B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAkIoP,MAAA,CAAO1J,MAAA7F,EAAA,sBAAAwP,SAAA,SAAAC,GAA2DzP,EAAAkoB,sBAAAzY,GAA8B3J,WAAA,0BAAqC,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2DAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,SAAkII,MAAA,CAAOmR,IAAA,kBAAuB,CAAA1R,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA0GuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,iBAAAC,MAAA7F,EAAA,cAAA8F,WAAA,gBAAAqiB,UAAA,CAAsGC,QAAA,KAAe/nB,YAAA,eAAAE,MAAA,CAAoC4C,GAAA,gBAAAhF,KAAA,SAAAkqB,IAAA,IAAAC,KAAA,KAA0DviB,SAAA,CAAWF,MAAA7F,EAAA,eAA4BQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAuoB,cAAAvoB,EAAAwoB,GAAAxiB,EAAAC,OAAAJ,SAA8C4iB,KAAA,SAAAziB,GAAyB,OAAAhG,EAAA0oB,qBAA4B1oB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAwCoP,MAAA,CAAO1J,MAAA7F,EAAA,SAAAwP,SAAA,SAAAC,GAA8CzP,EAAA2oB,SAAAlZ,GAAiB3J,WAAA,aAAwB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAA8GE,YAAA,2BAAsC,CAAAF,EAAA,MAAAA,EAAA,YAA0BI,MAAA,CAAO+G,UAAAtH,EAAA2oB,UAAyBpZ,MAAA,CAAQ1J,MAAA7F,EAAA,aAAAwP,SAAA,SAAAC,GAAkDzP,EAAA4oB,aAAAnZ,GAAqB3J,WAAA,iBAA4B,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAA8HI,MAAA,CAAO+G,UAAAtH,EAAA2oB,UAAyBpZ,MAAA,CAAQ1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAA6oB,gBAAApZ,GAAwB3J,WAAA,oBAA+B,CAAA9F,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAoIoP,MAAA,CAAO1J,MAAA7F,EAAA,SAAAwP,SAAA,SAAAC,GAA8CzP,EAAA8oB,SAAArZ,GAAiB3J,WAAA,aAAwB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAqHoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAA+oB,UAAAtZ,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAmGE,YAAA,0BAAAgK,MAAA,EAA8C/C,UAAAtH,EAAAinB,aAA2B,CAAA9mB,EAAA,MAAAA,EAAA,YAA0BI,MAAA,CAAO+G,UAAAtH,EAAA+oB,YAAA/oB,EAAAimB,qBAAsD1W,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAAgpB,oBAAAvZ,GAA4B3J,WAAA,wBAAmC,CAAA9F,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAT,EAAAimB,oBAAgNjmB,EAAAY,KAAhNT,EAAA,OAAmJE,YAAA,eAA0B,CAAAF,EAAA,KAAUE,YAAA,eAAyBL,EAAAS,GAAA,KAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gEAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAyIoP,MAAA,CAAO1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAipB,kBAAAxZ,GAA0B3J,WAAA,sBAAiC,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,YAAgIoP,MAAA,CAAO1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAkpB,cAAAzZ,GAAsB3J,WAAA,kBAA6B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qDAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAiHE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAmFE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,YAA0BoP,MAAA,CAAO1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAAmpB,qBAAA1Z,GAA6B3J,WAAA,yBAAoC,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mEAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA+HE,YAAA,gBAA2B,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oBAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAyEE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,YAA0BoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAAopB,UAAA3Z,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2BAAAuB,EAAAW,GAAAX,EAAAvB,GAAA,6BAA6GoH,MAAA7F,EAAAqpB,2BAAqC,2BACllW,IDIY,EAEb,KAEC,KAEU,MAYG,QEAjBC,GAlBI,CACjB1qB,KADiB,WAEf,IAAMsO,EAAW1O,KAAK8D,OAAOM,MAAMsK,SACnC,MAAO,CACLqc,eAAgBrc,EAASqc,eACzBC,gBAAiBtc,EAASsc,kBAG9B9mB,SAAU,CACR+mB,oBADQ,WAEN,MAbqB,wDAaOjrB,KAAKgrB,iBAEnCE,mBAJQ,WAKN,MAfqB,sDCFEC,EDiBmBnrB,KAAK+qB,gBCf7CK,EAAUD,EAAcE,MADhB,aAEGD,EAAQ,GAAK,IAHH,IAAAD,EAErBC,KCoBOE,GAVCjqB,OAAAC,EAAA,EAAAD,CACdkqB,GCdQ,WAAgB,IAAA/pB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,4BAA0C,CAAA0B,EAAA,OAAYE,YAAA,gBAA2B,CAAAF,EAAA,MAAWE,YAAA,gBAA2B,CAAAF,EAAA,MAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wCAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAqGE,YAAA,eAA0B,CAAAF,EAAA,MAAAA,EAAA,KAAmBI,MAAA,CAAOypB,KAAAhqB,EAAA0pB,mBAAAzjB,OAAA,WAAiD,CAAAjG,EAAAS,GAAAT,EAAAW,GAAAX,EAAAupB,yBAAAvpB,EAAAS,GAAA,KAAAN,EAAA,MAAAA,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAA6JE,YAAA,eAA0B,CAAAF,EAAA,MAAAA,EAAA,KAAmBI,MAAA,CAAOypB,KAAAhqB,EAAAypB,oBAAAxjB,OAAA,WAAkD,CAAAjG,EAAAS,GAAAT,EAAAW,GAAAX,EAAAwpB,iCAClqB,IDIY,EAEb,KAEC,KAEU,MAYG,2CE6BhCS,GAAA,CACAznB,WAAA,CACAC,SAAAynB,EAAA,GAEAjsB,MAAA,CAEA0H,KAAA,CACAtH,UAAA,EACAF,KAAAI,QAGA4F,MAAA,CACA9F,UAAA,EACAF,KAAAI,QAIAsH,MAAA,CACAxH,UAAA,EACAF,KAAAI,OACAT,aAAAud,GAGA8O,SAAA,CACA9rB,UAAA,EACAF,KAAAI,OACAT,aAAAud,GAGA/T,SAAA,CACAjJ,UAAA,EACAF,KAAAisB,QACAtsB,SAAA,GAGAusB,oBAAA,CACAhsB,UAAA,EACAF,KAAAisB,QACAtsB,SAAA,IAGA4E,SAAA,CACA4nB,QADA,WAEA,gBAAA9rB,KAAAqH,OAEA0kB,WAJA,WAKA,OAAA1qB,OAAA2qB,GAAA,EAAA3qB,CAAArB,KAAAqH,OAAArH,KAAA2rB,WAEAM,iBAPA,WAQA,sBAAAjsB,KAAAqH,OAEA6kB,cAVA,WAWA,OAAAlsB,KAAAqH,OAAArH,KAAAqH,MAAA8kB,WAAA,SC9FA,IAEIC,GAZJ,SAAoBjrB,GAClBnC,EAAQ,KACRA,EAAQ,MA0BKqtB,GAVChrB,OAAAC,EAAA,EAAAD,CACdoqB,GCnBQ,WAAgB,IAAAjqB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,4BAAAgK,MAAA,CAA+C/C,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,WAA0C,CAAAnH,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA1R,EAAA2F,OAAgB,CAAA3F,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAmE,OAAA,UAAAnE,EAAAS,GAAA,cAAAT,EAAAmqB,UAAAnqB,EAAAqqB,oBAAAlqB,EAAA,YAA0IE,YAAA,MAAAE,MAAA,CAAyBkJ,QAAAzJ,EAAAsqB,QAAAhjB,SAAAtH,EAAAsH,UAA8C9G,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,OAAAhG,EAAAmT,MAAA,iBAAAnT,EAAA6F,MAAA7F,EAAAmqB,cAAA9O,OAAyFrb,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAiCE,YAAA,2BAAsC,CAAAF,EAAA,SAAcE,YAAA,qBAAAE,MAAA,CAAwC4C,GAAAnD,EAAA2F,KAAA,KAAAxH,KAAA,OAAAmJ,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,UAA2EvB,SAAA,CAAWF,MAAA7F,EAAA6F,OAAA7F,EAAAmqB,UAAkC3pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,QAAAnN,EAAAC,OAAAJ,WAAiD7F,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,SAA2CE,YAAA,uBAAAE,MAAA,CAA0C4C,GAAAnD,EAAA2F,KAAAxH,KAAA,QAAAmJ,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,UAAqEvB,SAAA,CAAWF,MAAA7F,EAAA6F,OAAA7F,EAAAmqB,UAAkC3pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,QAAAnN,EAAAC,OAAAJ,WAAiD7F,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,iBAAAG,EAAA,OAAwDE,YAAA,yBAAmCL,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,cAAAG,EAAA,OAAqDE,YAAA,oBAAAoB,MAAA,CAAwCqpB,gBAAA9qB,EAAAmqB,YAAgCnqB,EAAAY,QAAA,IACp2C,IDSY,EAa7BgqB,GATiB,KAEU,MAYG,QEJjBG,GAVClrB,OAAAC,EAAA,EAAAD,CCoChB,CACA5B,MAAA,CACA,qFAEAyE,SAAA,CACA4nB,QADA,WAEA,gBAAA9rB,KAAAqH,SCxDU,WAAgB,IAAA7F,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,8BAAAgK,MAAA,CAAiD/C,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,WAA0C,CAAAnH,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA1R,EAAA2F,OAAgB,CAAA3F,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAmE,OAAA,UAAAnE,EAAAS,GAAA,cAAAT,EAAAmqB,SAAAhqB,EAAA,SAA4GE,YAAA,MAAAE,MAAA,CAAyB4C,GAAAnD,EAAA2F,KAAA,KAAAxH,KAAA,YAAuC4H,SAAA,CAAW0D,QAAAzJ,EAAAsqB,SAAsB9pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,QAAAnT,EAAAsqB,aAAAjP,EAAArb,EAAAmqB,cAAqEnqB,EAAAY,KAAAZ,EAAAS,GAAA,cAAAT,EAAAmqB,SAAAhqB,EAAA,SAAyEE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA1R,EAAA2F,KAAA,QAAuB3F,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,SAAmCE,YAAA,eAAAE,MAAA,CAAkC4C,GAAAnD,EAAA2F,KAAAxH,KAAA,QAAAmJ,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,SAAA0jB,IAAAhrB,EAAAgrB,KAAAhrB,EAAAirB,SAAA,IAAA5C,IAAAroB,EAAAqoB,KAAAroB,EAAAkrB,SAAA,EAAA5C,KAAAtoB,EAAAsoB,MAAA,GAAgKviB,SAAA,CAAWF,MAAA7F,EAAA6F,OAAA7F,EAAAmqB,UAAkC3pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,QAAAnN,EAAAC,OAAAJ,WAAiD7F,EAAAS,GAAA,KAAAN,EAAA,SAA0BE,YAAA,eAAAE,MAAA,CAAkC4C,GAAAnD,EAAA2F,KAAAxH,KAAA,SAAAmJ,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,SAAA0jB,IAAAhrB,EAAAirB,QAAA5C,IAAAroB,EAAAkrB,QAAA5C,KAAAtoB,EAAAsoB,MAAA,GAA+HviB,SAAA,CAAWF,MAAA7F,EAAA6F,OAAA7F,EAAAmqB,UAAkC3pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,QAAAnN,EAAAC,OAAAJ,cAC7vC,IFKY,EAEb,KAEC,KAEU,MAYG,QGUhCslB,GAAA,CACA3oB,WAAA,CACAC,SAAAynB,EAAA,GAEAjsB,MAAA,CACA,sCAEAyE,SAAA,CACA4nB,QADA,WAEA,gBAAA9rB,KAAAqH,SCnBeulB,GAVCvrB,OAAAC,EAAA,EAAAD,CACdsrB,GCfQ,WAAgB,IAAAnrB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,gCAAAgK,MAAA,CAAmD/C,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,WAA0C,CAAAnH,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA1R,EAAA2F,OAAgB,CAAA3F,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,cAAAT,EAAAmqB,SAAAhqB,EAAA,YAA6IE,YAAA,MAAAE,MAAA,CAAyBkJ,QAAAzJ,EAAAsqB,QAAAhjB,SAAAtH,EAAAsH,UAA8C9G,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,OAAAhG,EAAAmT,MAAA,QAAAnT,EAAAsqB,aAAAjP,EAAArb,EAAAmqB,cAAqEnqB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,SAAmCE,YAAA,eAAAE,MAAA,CAAkC4C,GAAAnD,EAAA2F,KAAAxH,KAAA,SAAAmJ,UAAAtH,EAAAsqB,SAAAtqB,EAAAsH,SAAA0jB,IAAA,IAAA3C,IAAA,IAAAC,KAAA,OAAuGviB,SAAA,CAAWF,MAAA7F,EAAA6F,OAAA7F,EAAAmqB,UAAkC3pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,QAAAnN,EAAAC,OAAAJ,YAAiD,IAC70B,IDKY,EAEb,KAEC,KAEU,MAYG,qOEnBhC,IAAMwlB,GAAU,iXAAAC,CAAA,CACdC,EAAG,EACHC,EAAG,EACH/C,KAAM,EACNgD,OAAQ,EACRC,OAAO,EACPC,MAAO,UACPC,MAAO,GAPO7P,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,GAAAA,UAAA,GAAU,KAWX8P,GAAA,CAKb5tB,MAAO,CACL,QAAS,WAAY,SAEvBW,KARa,WASX,MAAO,CACLktB,WAAY,EAEZC,QAASvtB,KAAKqH,OAASrH,KAAK2rB,UAAY,IAAIxmB,IAAI0nB,MAGpD7oB,WAAY,CACVwpB,cACAC,iBAEFhtB,QAAS,CACPpB,IADO,WAELW,KAAKutB,OAAOhuB,KAAKstB,GAAQ7sB,KAAKuK,WAC9BvK,KAAKstB,WAAattB,KAAKutB,OAAO5lB,OAAS,GAEzC+lB,IALO,WAML1tB,KAAKutB,OAAOriB,OAAOlL,KAAKstB,WAAY,GACpCttB,KAAKstB,WAAoC,IAAvBttB,KAAKutB,OAAO5lB,YAAekV,EAAY8Q,KAAKnB,IAAIxsB,KAAKstB,WAAa,EAAG,IAEzFM,OATO,WAUL,IAAMvR,EAAUrc,KAAKutB,OAAOriB,OAAOlL,KAAKstB,WAAY,GAAG,GACvDttB,KAAKutB,OAAOriB,OAAOlL,KAAKstB,WAAa,EAAG,EAAGjR,GAC3Crc,KAAKstB,YAAc,GAErBO,OAdO,WAeL,IAAMxR,EAAUrc,KAAKutB,OAAOriB,OAAOlL,KAAKstB,WAAY,GAAG,GACvDttB,KAAKutB,OAAOriB,OAAOlL,KAAKstB,WAAa,EAAG,EAAGjR,GAC3Crc,KAAKstB,YAAc,IAGvBQ,aAvCa,WAwCX9tB,KAAKutB,OAASvtB,KAAKqH,OAASrH,KAAK2rB,UAEnCznB,SAAU,CACR6pB,WADQ,WAEN,OAAO/tB,KAAKutB,OAAO5lB,OAAS,GAE9BqmB,mBAJQ,WAKN,OAAOhuB,KAAK2rB,SAAShkB,OAAS,GAEhC4C,SAPQ,WAQN,OAAIvK,KAAKoU,OAASpU,KAAK+tB,WACd/tB,KAAKutB,OAAOvtB,KAAKstB,YAEjBT,GAAQ,KAGnBoB,gBAdQ,WAeN,OAAIjuB,KAAKoU,OAASpU,KAAKguB,mBACdhuB,KAAK2rB,SAAS3rB,KAAKstB,YAEnBT,GAAQ,KAGnBqB,YArBQ,WAsBN,OAAOluB,KAAKoU,OAASpU,KAAKstB,WAAa,GAEzCa,YAxBQ,WAyBN,OAAOnuB,KAAKoU,OAASpU,KAAKstB,WAAattB,KAAKutB,OAAO5lB,OAAS,GAE9DmkB,QA3BQ,WA4BN,OAAO9rB,KAAKoU,YAC8B,IAAjCpU,KAAKutB,OAAOvtB,KAAKstB,cACvBttB,KAAKouB,eAEVA,cAhCQ,WAiCN,YAA6B,IAAfpuB,KAAKqH,OAErBgnB,IAnCQ,WAoCN,OAAOC,aAAQtuB,KAAKuK,SAAS4iB,QAE/BlqB,MAtCQ,WAuCN,OAAOjD,KAAKoU,MAAQ,CAClBma,UAAWC,aAAaxuB,KAAK2rB,WAC3B,MC3FV,IAEI8C,GAVJ,SAAoBttB,GAClBnC,EAAQ,MAyBK0vB,GAVCrtB,OAAAC,EAAA,EAAAD,CACdgsB,GCjBQ,WAAgB,IAAA7rB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,iBAAAgK,MAAA,CAAoC/C,UAAAtH,EAAAsqB,UAA0B,CAAAnqB,EAAA,OAAYE,YAAA,4BAAuC,CAAAF,EAAA,OAAYE,YAAA,kBAAAE,MAAA,CAAqC+G,UAAAtH,EAAAsqB,UAAyB,CAAAnqB,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,EAAAjD,WAAA,eAA8EzF,YAAA,eAAAE,MAAA,CAAoC+G,UAAAtH,EAAAsqB,QAAAnsB,KAAA,UAAwC4H,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,GAAyBvI,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAA+I,SAAA,IAAA/C,EAAAC,OAAAJ,WAAmD7F,EAAAS,GAAA,KAAAN,EAAA,OAAwBE,YAAA,QAAmB,CAAAF,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,EAAAjD,WAAA,eAA8EzF,YAAA,cAAAE,MAAA,CAAmC+G,UAAAtH,EAAAsqB,QAAAnsB,KAAA,QAAA6sB,IAAA,KAAA3C,IAAA,OAA8DtiB,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,GAAyBvI,GAAA,CAAK2sB,IAAA,SAAAnnB,GAAuB,OAAAhG,EAAA0P,KAAA1P,EAAA+I,SAAA,IAAA/C,EAAAC,OAAAJ,eAA0D7F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,kBAA6B,CAAAF,EAAA,OAAYE,YAAA,gBAAAoB,MAAAzB,EAAA,UAA8CA,EAAAS,GAAA,KAAAN,EAAA,OAA0BE,YAAA,kBAAAE,MAAA,CAAqC+G,UAAAtH,EAAAsqB,UAAyB,CAAAnqB,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,EAAAjD,WAAA,eAA8EzF,YAAA,eAAAE,MAAA,CAAoC+G,UAAAtH,EAAAsqB,QAAAnsB,KAAA,UAAwC4H,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,GAAyBvI,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAA+I,SAAA,IAAA/C,EAAAC,OAAAJ,WAAmD7F,EAAAS,GAAA,KAAAN,EAAA,OAAwBE,YAAA,QAAmB,CAAAF,EAAA,SAAcuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,EAAAjD,WAAA,eAA8EzF,YAAA,cAAAE,MAAA,CAAmC+G,UAAAtH,EAAAsqB,QAAAnsB,KAAA,QAAA6sB,IAAA,KAAA3C,IAAA,OAA8DtiB,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,GAAyBvI,GAAA,CAAK2sB,IAAA,SAAAnnB,GAAuB,OAAAhG,EAAA0P,KAAA1P,EAAA+I,SAAA,IAAA/C,EAAAC,OAAAJ,iBAA0D7F,EAAAS,GAAA,KAAAN,EAAA,OAA8BE,YAAA,gBAA2B,CAAAF,EAAA,OAAYE,YAAA,2BAAAE,MAAA,CAA8C+G,SAAAtH,EAAA4sB,gBAA8B,CAAAzsB,EAAA,SAAcE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,kBAAApK,UAAAtH,EAAA4S,OAAA5S,EAAA4sB,gBAAoE,CAAAzsB,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,WAAA8F,WAAA,eAA8EzF,YAAA,kBAAAE,MAAA,CAAuC4C,GAAA,kBAAAmE,UAAAtH,EAAA4S,OAAA5S,EAAA4sB,eAAkEpsB,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAA8rB,WAAA9lB,EAAAC,OAAAgM,SAAAN,IAAA,MAA4E3R,EAAAoG,GAAApG,EAAA,gBAAAotB,EAAA9K,GAA4C,OAAAniB,EAAA,UAAoB+I,IAAAoZ,EAAAvc,SAAA,CAAoBF,MAAAyc,IAAe,CAAAtiB,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oCAA6EoH,MAAAyc,KAAe,oBAAqB,GAAAtiB,EAAAS,GAAA,KAAAN,EAAA,KAAyBE,YAAA,qBAA6BL,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,kBAAAE,MAAA,CAAqC+G,UAAAtH,EAAA4S,QAAA5S,EAAAsqB,SAAsC9pB,GAAA,CAAKE,MAAAV,EAAAksB,MAAiB,CAAA/rB,EAAA,KAAUE,YAAA,kBAA0BL,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,kBAAAE,MAAA,CAAqC+G,UAAAtH,EAAA0sB,aAA4BlsB,GAAA,CAAKE,MAAAV,EAAAosB,SAAoB,CAAAjsB,EAAA,KAAUE,YAAA,mBAA2BL,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,kBAAAE,MAAA,CAAqC+G,UAAAtH,EAAA2sB,aAA4BnsB,GAAA,CAAKE,MAAAV,EAAAqsB,SAAoB,CAAAlsB,EAAA,KAAUE,YAAA,qBAA6BL,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,kBAAAE,MAAA,CAAqC+G,SAAAtH,EAAA4sB,eAA6BpsB,GAAA,CAAKE,MAAAV,EAAAnC,MAAiB,CAAAsC,EAAA,KAAUE,YAAA,kBAAwBL,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,8BAAAE,MAAA,CAAiD+G,UAAAtH,EAAAsqB,UAAyB,CAAAnqB,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA,UAAe,CAAA1R,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA2GuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,MAAAjD,WAAA,mBAAsFzF,YAAA,cAAAE,MAAA,CAAmC4C,GAAA,QAAAmE,UAAAtH,EAAAsqB,QAAA3kB,KAAA,QAAAxH,KAAA,YAAsE4H,SAAA,CAAW0D,QAAAZ,MAAAwkB,QAAArtB,EAAA+I,SAAA2iB,OAAA1rB,EAAAstB,GAAAttB,EAAA+I,SAAA2iB,MAAA,SAAA1rB,EAAA+I,SAAA,OAAoGvI,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAAunB,EAAAvtB,EAAA+I,SAAA2iB,MAAA8B,EAAAxnB,EAAAC,OAAAwnB,IAAAD,EAAA/jB,QAA8E,GAAAZ,MAAAwkB,QAAAE,GAAA,CAAuB,IAAAG,EAAA1tB,EAAAstB,GAAAC,EAAA,MAAiCC,EAAA/jB,QAAiBikB,EAAA,GAAA1tB,EAAA0P,KAAA1P,EAAA+I,SAAA,QAAAwkB,EAAApiB,OAAA,CAAlD,QAAmHuiB,GAAA,GAAA1tB,EAAA0P,KAAA1P,EAAA+I,SAAA,QAAAwkB,EAAA3jB,MAAA,EAAA8jB,GAAAviB,OAAAoiB,EAAA3jB,MAAA8jB,EAAA,UAA2F1tB,EAAA0P,KAAA1P,EAAA+I,SAAA,QAAA0kB,OAAwCztB,EAAAS,GAAA,KAAAN,EAAA,SAA0BE,YAAA,iBAAAE,MAAA,CAAoCmR,IAAA,aAAe1R,EAAAS,GAAA,KAAAN,EAAA,OAA0BE,YAAA,6BAAAE,MAAA,CAAgD+G,UAAAtH,EAAAsqB,UAAyB,CAAAnqB,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA,WAAgB,CAAA1R,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA0GuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,KAAAjD,WAAA,kBAAoFzF,YAAA,cAAAE,MAAA,CAAmC4C,GAAA,OAAAmE,UAAAtH,EAAAsqB,QAAA3kB,KAAA,OAAAxH,KAAA,QAAA6sB,IAAA,KAAA3C,IAAA,KAAsFtiB,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,MAA4BvI,GAAA,CAAK2sB,IAAA,SAAAnnB,GAAuB,OAAAhG,EAAA0P,KAAA1P,EAAA+I,SAAA,OAAA/C,EAAAC,OAAAJ,WAA6D7F,EAAAS,GAAA,KAAAN,EAAA,SAA0BuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,KAAAjD,WAAA,kBAAoFzF,YAAA,eAAAE,MAAA,CAAoC+G,UAAAtH,EAAAsqB,QAAAnsB,KAAA,SAAAkqB,IAAA,KAAkDtiB,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,MAA4BvI,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAA+I,SAAA,OAAA/C,EAAAC,OAAAJ,aAAsD7F,EAAAS,GAAA,KAAAN,EAAA,OAA0BE,YAAA,+BAAAE,MAAA,CAAkD+G,UAAAtH,EAAAsqB,UAAyB,CAAAnqB,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA,WAAgB,CAAA1R,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gDAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA4GuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,OAAAjD,WAAA,oBAAwFzF,YAAA,cAAAE,MAAA,CAAmC4C,GAAA,SAAAmE,UAAAtH,EAAAsqB,QAAA3kB,KAAA,SAAAxH,KAAA,QAAA6sB,IAAA,KAAA3C,IAAA,OAA4FtiB,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,QAA8BvI,GAAA,CAAK2sB,IAAA,SAAAnnB,GAAuB,OAAAhG,EAAA0P,KAAA1P,EAAA+I,SAAA,SAAA/C,EAAAC,OAAAJ,WAA+D7F,EAAAS,GAAA,KAAAN,EAAA,SAA0BuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA+I,SAAA,OAAAjD,WAAA,oBAAwFzF,YAAA,eAAAE,MAAA,CAAoC+G,UAAAtH,EAAAsqB,QAAAnsB,KAAA,UAAwC4H,SAAA,CAAWF,MAAA7F,EAAA+I,SAAA,QAA8BvI,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,WAAsClG,EAAA0P,KAAA1P,EAAA+I,SAAA,SAAA/C,EAAAC,OAAAJ,aAAwD7F,EAAAS,GAAA,KAAAN,EAAA,cAAiCI,MAAA,CAAO+G,UAAAtH,EAAAsqB,QAAAnmB,MAAAnE,EAAAvB,GAAA,+BAAA0rB,SAAAnqB,EAAAysB,gBAAAd,MAAAgC,yBAAA,EAAAhoB,KAAA,UAAyJ4J,MAAA,CAAQ1J,MAAA7F,EAAA+I,SAAA,MAAAyG,SAAA,SAAAC,GAAoDzP,EAAA0P,KAAA1P,EAAA+I,SAAA,QAAA0G,IAAqC3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAO+G,UAAAtH,EAAAsqB,SAAwB/a,MAAA,CAAQ1J,MAAA7F,EAAA+I,SAAA,MAAAyG,SAAA,SAAAC,GAAoDzP,EAAA0P,KAAA1P,EAAA+I,SAAA,QAAA0G,IAAqC3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,QAAyBI,MAAA,CAAOqtB,KAAA,gCAAAC,IAAA,MAAkD,CAAA1tB,EAAA,QAAAH,EAAAS,GAAA,6BACr9N,IDOY,EAa7BwsB,GATiB,KAEU,MAYG,QExBjBa,GAAA,CACb7vB,MAAO,CACL,OAAQ,QAAS,QAAS,WAAY,UAAW,cAEnDW,KAJa,WAKX,MAAO,CACLmvB,OAAQvvB,KAAKqH,MACbmoB,iBAAkB,CAChBxvB,KAAKyvB,UAAY,GAAK,UACtB,UAFgB9iB,OAAAG,IAGZ9M,KAAKsT,SAAW,IAHJ,CAIhB,QACA,YACA,eACAnN,OAAO,SAAAggB,GAAC,OAAIA,MAGlB2H,aAjBa,WAkBX9tB,KAAKuvB,OAASvvB,KAAKqH,OAErBnD,SAAU,CACR4nB,QADQ,WAEN,YAA8B,IAAhB9rB,KAAKuvB,QAErBG,OAJQ,WAKN,OAAO1vB,KAAKuvB,QAAUvvB,KAAK2rB,UAAY,IAEzCgE,OAAQ,CACNxhB,IADM,WAEJ,OAAOnO,KAAK0vB,OAAOC,QAErB9d,IAJM,SAIDnF,GACHmF,cAAI7R,KAAKuvB,OAAQ,SAAU7iB,GAC3B1M,KAAK2U,MAAM,QAAS3U,KAAKuvB,UAG7BK,SAhBQ,WAiBN,MAAuB,WAAhB5vB,KAAK6vB,QAEdA,OAAQ,CACN1hB,IADM,WAEJ,MAAoB,UAAhBnO,KAAK2vB,QACW,eAAhB3vB,KAAK2vB,QACW,cAAhB3vB,KAAK2vB,QACW,YAAhB3vB,KAAK2vB,OACA3vB,KAAK2vB,OAEL,UAGX9d,IAXM,SAWDnF,GACH1M,KAAK2vB,OAAe,WAANjjB,EAAiB,GAAKA,MC7C5C,IAEIojB,GAVJ,SAAoB3uB,GAClBnC,EAAQ,MAyBK+wB,GAVC1uB,OAAAC,EAAA,EAAAD,CACdiuB,GCjBQ,WAAgB,IAAA9tB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,6BAAAgK,MAAA,CAAgDmkB,OAAAxuB,EAAAouB,WAAwB,CAAAjuB,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA,WAAA1R,EAAAquB,OAAAruB,EAAA2F,KAAA3F,EAAA2F,KAAA,mBAAwE,CAAA3F,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAAmE,OAAA,UAAAnE,EAAAS,GAAA,cAAAT,EAAAmqB,SAAAhqB,EAAA,SAA4GE,YAAA,uBAAAE,MAAA,CAA0C4C,GAAAnD,EAAA2F,KAAA,KAAAxH,KAAA,YAAuC4H,SAAA,CAAW0D,QAAAzJ,EAAAsqB,SAAsB9pB,GAAA,CAAKpB,MAAA,SAAA4G,GAAyB,OAAAhG,EAAAmT,MAAA,iBAAAnT,EAAA6F,MAAA7F,EAAAmqB,cAAA9O,OAAyFrb,EAAAY,KAAAZ,EAAAS,GAAA,cAAAT,EAAAmqB,SAAAhqB,EAAA,SAAyEE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA1R,EAAA2F,KAAA,QAAuB3F,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,SAAmCE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA1R,EAAA2F,KAAA,iBAAA2B,UAAAtH,EAAAsqB,UAA2D,CAAAnqB,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,OAAA8F,WAAA,WAAsEzF,YAAA,gBAAAE,MAAA,CAAqC4C,GAAAnD,EAAA2F,KAAA,iBAAA2B,UAAAtH,EAAAsqB,SAAyD9pB,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAAquB,OAAAroB,EAAAC,OAAAgM,SAAAN,IAAA,MAAwE3R,EAAAoG,GAAApG,EAAA,0BAAAyuB,GAAgD,OAAAtuB,EAAA,UAAoB+I,IAAAulB,EAAA1oB,SAAA,CAAqBF,MAAA4oB,IAAgB,CAAAzuB,EAAAS,GAAA,aAAAT,EAAAW,GAAA,WAAA8tB,EAAAzuB,EAAAvB,GAAA,+BAAAgwB,GAAA,gBAAiH,GAAAzuB,EAAAS,GAAA,KAAAN,EAAA,KAAyBE,YAAA,qBAA6BL,EAAAS,GAAA,KAAAT,EAAA,SAAAG,EAAA,SAA2CuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,OAAA8F,WAAA,WAAsEzF,YAAA,cAAAE,MAAA,CAAmC4C,GAAAnD,EAAA2F,KAAAxH,KAAA,QAA4B4H,SAAA,CAAWF,MAAA7F,EAAA,QAAqBQ,GAAA,CAAKpB,MAAA,SAAA4G,GAAyBA,EAAAC,OAAAC,YAAsClG,EAAAmuB,OAAAnoB,EAAAC,OAAAJ,WAAiC7F,EAAAY,QACn4D,IDOY,EAa7B0tB,GATiB,KAEU,MAYG,QEYhCI,GAAA,CACAzwB,MAAA,CACA0wB,MAAA,CACAtwB,UAAA,EACAF,KAAAisB,QACAtsB,SAAA,GAIA8wB,SAAA,CACAvwB,UAAA,EACAF,KAAA0B,OACA/B,QAAA,uBAGA4E,SAAA,CACAmsB,KADA,WAEA,IAAAC,EAAAtwB,KAAAowB,SAAAG,IAAA,MAAAvwB,KAAAowB,SAAAI,GAAA,WACAC,EAAAzwB,KAAAC,GAAA,wCAAA0M,OAAA2jB,IACAnvB,EAAAnB,KAAAC,GAAA,+CACAywB,EAAA1wB,KAAAowB,SAAAO,KACA,OAAA3wB,KAAAC,GAAA,uCAAAwwB,QAAAtvB,UAAAuvB,WAEAE,UARA,WASA,IAAAN,EAAAtwB,KAAAowB,SAAAS,KAAA,MAAA7wB,KAAAowB,SAAAU,IAAA,WACAL,EAAAzwB,KAAAC,GAAA,wCAAA0M,OAAA2jB,IACAnvB,EAAAnB,KAAAC,GAAA,+CACAywB,EAAA1wB,KAAAowB,SAAAO,KACA,OAAA3wB,KAAAC,GAAA,uCAAAwwB,QAAAtvB,UAAAuvB,aCzDA,IAEIK,GAXJ,SAAoB5vB,GAClBnC,EAAQ,MA0BKgyB,GAVC3vB,OAAAC,EAAA,EAAAD,CACd6uB,GClBQ,WAAgB,IAAA1uB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAD,EAAA,SAAAG,EAAA,QAAiCE,YAAA,kBAA6B,CAAAF,EAAA,QAAaE,YAAA,SAAAE,MAAA,CAA4BskB,MAAA7kB,EAAA6uB,OAAkB,CAAA7uB,EAAA4uB,SAAA,IAAAzuB,EAAA,QAAAA,EAAA,KAAwCE,YAAA,yBAAiCL,EAAAY,KAAAZ,EAAAS,GAAA,MAAAT,EAAA4uB,SAAAG,KAAA/uB,EAAA4uB,SAAAI,GAAA7uB,EAAA,QAAAA,EAAA,KAAmFE,YAAA,kBAA0BL,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA4uB,SAAAG,KAAA/uB,EAAA4uB,SAAAI,GAAiHhvB,EAAAY,KAAjHT,EAAA,QAAAA,EAAA,KAAoFE,YAAA,uBAA6BL,EAAAS,GAAA,KAAAT,EAAA4uB,UAAA5uB,EAAA2uB,MAAAxuB,EAAA,QAAkEE,YAAA,SAAAE,MAAA,CAA4BskB,MAAA7kB,EAAAovB,YAAuB,CAAApvB,EAAA4uB,SAAA,KAAAzuB,EAAA,QAAAA,EAAA,KAAyCE,YAAA,yBAAiCL,EAAAY,KAAAZ,EAAAS,GAAA,MAAAT,EAAA4uB,SAAAS,MAAArvB,EAAA4uB,SAAAU,IAAAnvB,EAAA,QAAAA,EAAA,KAAqFE,YAAA,kBAA0BL,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA4uB,SAAAS,MAAArvB,EAAA4uB,SAAAU,IAAmHtvB,EAAAY,KAAnHT,EAAA,QAAAA,EAAA,KAAsFE,YAAA,uBAA6BL,EAAAY,OAAAZ,EAAAY,MACv4B,IDQY,EAa7B2uB,GATiB,KAEU,MAYG,QEAhCE,GAAA,CACAxxB,MAAA,CACA,eACA,cACA,cACA,mBACA,YACA,WACA,mBAEAW,KAVA,WAWA,OACA8wB,cAAA,IAGAzwB,QAAA,CACA0wB,WADA,WAEA,IAAAC,EAAAC,KAAAC,UAAAtxB,KAAAuxB,aAAA,QAGAtf,EAAApP,SAAAC,cAAA,KACAmP,EAAAlP,aAAA,iCACAkP,EAAAlP,aAAA,uCAAAyY,OAAAgW,KAAAJ,IACAnf,EAAAhP,MAAAC,QAAA,OAEAL,SAAAM,KAAAC,YAAA6O,GACAA,EAAA/P,QACAW,SAAAM,KAAAE,YAAA4O,IAEAwf,WAdA,WAcA,IAAA1wB,EAAAf,KACAA,KAAAkxB,cAAA,EACA,IAAAQ,EAAA7uB,SAAAC,cAAA,SACA4uB,EAAA3uB,aAAA,eACA2uB,EAAA3uB,aAAA,kBAEA2uB,EAAAlT,iBAAA,kBAAAuF,GACA,GAAAA,EAAAtc,OAAA5G,MAAA,IAEA,IAAAsd,EAAA,IAAAC,WACAD,EAAAE,OAAA,SAAArS,GAAA,IAAAvE,EAAAuE,EAAAvE,OACA,IACA,IAAAkqB,EAAAN,KAAAO,MAAAnqB,EAAA0Q,QACApX,EAAA8wB,UAAAF,GAEA5wB,EAAA+wB,SAAAH,GAEA5wB,EAAAmwB,cAAA,EAGA,MAAAjf,GAEAlR,EAAAmwB,cAAA,IAIA/S,EAAA4T,WAAAhO,EAAAtc,OAAA5G,MAAA,OAIAgC,SAAAM,KAAAC,YAAAsuB,GACAA,EAAAxvB,QACAW,SAAAM,KAAAE,YAAAquB,MC/EA,IAEIM,GAXJ,SAAoB7wB,GAClBnC,EAAQ,MA0BKizB,GAVC5wB,OAAAC,EAAA,EAAAD,CACd4vB,GClBQ,WAAgB,IAAAzvB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,2BAAsC,CAAAL,EAAAsG,GAAA,UAAAtG,EAAAS,GAAA,KAAAN,EAAA,UAA4CE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA2vB,aAAwB,CAAA3vB,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAA0wB,aAAA,UAAA1wB,EAAAS,GAAA,KAAAN,EAAA,UAA6EE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAiwB,aAAwB,CAAAjwB,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAA2wB,aAAA,UAAA3wB,EAAAS,GAAA,KAAAT,EAAAsG,GAAA,gBAAAtG,EAAAS,GAAA,KAAAT,EAAA,aAAAG,EAAA,KAA8HE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,SAAAT,EAAAW,GAAAX,EAAA4wB,kBAAA,UAAA5wB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAAsG,GAAA,mBAC1e,IDQY,EAa7BkqB,GATiB,KAEU,MAYG,QEvBhC,IAMIK,GAVJ,SAAoBlxB,GAClBnC,EAAQ,MAyBKszB,GAVCjxB,OAAAC,EAAA,EAAAD,CAZhB,KCJU,WAAgB,IAAAG,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,qBAAgC,CAAAF,EAAA,OAAYE,YAAA,8BAAwCL,EAAAS,GAAA,KAAAN,EAAA,OAAwBE,YAAA,eAA0B,CAAAF,EAAA,OAAYE,YAAA,iBAA4B,CAAAF,EAAA,OAAYE,YAAA,SAAoB,CAAAL,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gDAAA0B,EAAA,QAA+FE,YAAA,4BAAuC,CAAAL,EAAAS,GAAA,gCAAAT,EAAAS,GAAA,KAAAN,EAAA,QAAgEE,YAAA,SAAoB,CAAAL,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sDAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAAiHE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA4GE,YAAA,OAAkB,CAAAL,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kDAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA4GE,YAAA,oCAA+C,CAAAF,EAAA,OAAYE,YAAA,QAAmB,CAAAF,EAAA,OAAYE,YAAA,sBAAiC,CAAAL,EAAAS,GAAA,uCAAAT,EAAAS,GAAA,KAAAN,EAAA,OAAsEE,YAAA,WAAsB,CAAAF,EAAA,MAAAH,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qDAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAA6HI,MAAA,CAAOqtB,KAAA,gCAAsC,CAAAztB,EAAA,QAAa4wB,YAAA,CAAaC,cAAA,wBAAqC,CAAAhxB,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAkH4wB,YAAA,CAAapF,MAAA,gBAAuB,CAAA3rB,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,sDAAAuB,EAAAS,GAAA,KAAAT,EAAAixB,GAAA,SAAAjxB,EAAAS,GAAA,KAAAN,EAAA,OAAkJE,YAAA,cAAyB,CAAAF,EAAA,OAAYE,YAAA,cAAyB,CAAAL,EAAAS,GAAA,+BAAAT,EAAAS,GAAA,KAAAN,EAAA,OAA8DE,YAAA,WAAsB,CAAAF,EAAA,QAAaE,YAAA,QAAAE,MAAA,CAA2BqtB,KAAA,oCAAAC,IAAA,SAAyD,CAAA1tB,EAAA,KAAU4wB,YAAA,CAAapF,MAAA,qBAA4B,CAAA3rB,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kEAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAkIE,YAAA,cAAwBL,EAAAS,GAAA,KAAAN,EAAA,QAAyBE,YAAA,eAA0B,CAAAL,EAAAS,GAAA,aAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA2GI,MAAA,CAAOpC,KAAA,QAAc4H,SAAA,CAAWF,MAAA7F,EAAAvB,GAAA,mCAAgDuB,EAAAS,GAAA,KAAAN,EAAA,OAAwBE,YAAA,WAAsB,CAAAF,EAAA,QAAaE,YAAA,YAAuB,CAAAF,EAAA,SAAcI,MAAA,CAAO4C,GAAA,mBAAAsG,QAAA,WAAAtL,KAAA,cAAgE6B,EAAAS,GAAA,KAAAN,EAAA,SAA0BI,MAAA,CAAOmR,IAAA,qBAA0B,CAAA1R,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAyFE,YAAA,OAAkB,CAAAL,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2DACvlF,YAAiB,IAAawB,EAAbzB,KAAa0B,eAA0BC,EAAvC3B,KAAuC4B,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,SAAoB,CAAAF,EAAA,KAAUE,YAAA,yBAAA0wB,YAAA,CAAkDpF,MAAA,kBAAhKntB,KAAwLiC,GAAA,KAAAN,EAAA,KAAsBE,YAAA,2BAAA0wB,YAAA,CAAoDpF,MAAA,mBAAlQntB,KAA2RiC,GAAA,KAAAN,EAAA,KAAsBE,YAAA,wBAAA0wB,YAAA,CAAiDpF,MAAA,oBAAlWntB,KAA4XiC,GAAA,KAAAN,EAAA,KAAsBE,YAAA,0BAAA0wB,YAAA,CAAmDpF,MAAA,sBDO1c,EAa7BkF,GATiB,KAEU,MAYG,ukBEahC,IAAMK,GAAc,CAClB,KACA,KACA,OACA,OACA,OACA,SACA,QACA,WACAvtB,IAAI,SAAAghB,GAAC,OAAIA,EAAI,eAUAwM,GAAA,CACbvyB,KADa,WAEX,OAAAwyB,GAAA,CACEC,gBAAiB,GACjBtoB,SAAUvK,KAAK8D,OAAOmE,QAAQ2J,aAAakhB,MAC3CC,kBAAclW,EACdmW,oBAAgBnW,EAChBoW,cAAe,EAEfC,eAAgB,GAChBC,cAAe,GACfC,aAAc,GACdC,aAAc,GAEdC,gBAAgB,EAChBC,eAAe,EACfC,cAAc,EAEdC,WAAW,EACXC,aAAa,EACbC,aAAa,EACbC,eAAe,EACfC,WAAW,GAERxyB,OAAOmL,KAAKsnB,MACZ3uB,IAAI,SAAAuF,GAAG,MAAI,CAACA,EAAK,MACjB8G,OAAO,SAACC,EAADzF,GAAA,IAAA8B,EAAAE,IAAAhC,EAAA,GAAOtB,EAAPoD,EAAA,GAAYnH,EAAZmH,EAAA,UAAA8kB,GAAA,GAA2BnhB,EAA3BjE,IAAA,GAAkC9C,EAAM,aAAgB/D,KAAQ,IAxB5E,GA0BKtF,OAAOmL,KAAKunB,MACZ5uB,IAAI,SAAAuF,GAAG,MAAI,CAACA,EAAK,MACjB8G,OAAO,SAACC,EAAD1D,GAAA,IAAA2D,EAAA1D,IAAAD,EAAA,GAAOrD,EAAPgH,EAAA,GAAY/K,EAAZ+K,EAAA,UAAAkhB,GAAA,GAA2BnhB,EAA3BjE,IAAA,GAAkC9C,EAAM,eAAkB/D,KAAQ,IA5B9E,CA8BEqtB,oBAAgBnX,EAChBoX,aAAc,GACdC,WAAY,GAEZC,eAAgB,GAChBC,iBAAkB,GAClBC,oBAAqB,GACrBC,iBAAkB,GAClBC,kBAAmB,GACnBC,qBAAsB,GACtBC,sBAAuB,GACvBC,mBAAoB,GACpBC,uBAAwB,MAG5B9wB,QA/Ca,WAgDX,IAAM+wB,EAAO50B,KAEb60B,eACG5zB,KAAK,SAAC6zB,GACL,OAAOjlB,QAAQklB,IACb1zB,OAAOuM,QAAQknB,GACZ3vB,IAAI,SAAA2M,GAAA,IAAAC,EAAA/D,IAAA8D,EAAA,GAAEkjB,EAAFjjB,EAAA,UAAAA,EAAA,GAAc9Q,KAAK,SAAA2U,GAAG,MAAI,CAACof,EAAGpf,UAGxC3U,KAAK,SAAAg0B,GAAM,OAAIA,EAAOzjB,OAAO,SAACC,EAADyjB,GAAiB,IAAAC,EAAAnnB,IAAAknB,EAAA,GAAVF,EAAUG,EAAA,GAAPzoB,EAAOyoB,EAAA,GAC7C,OAAIzoB,EACFkmB,GAAA,GACKnhB,EADLjE,IAAA,GAEGwnB,EAAItoB,IAGA+E,GAER,MACFxQ,KAAK,SAACm0B,GACLR,EAAK/B,gBAAkBuC,KAG7Brc,QAvEa,WAwEX/Y,KAAKq1B,iCAC8B,IAAxBr1B,KAAKg0B,iBACdh0B,KAAKg0B,eAAiBh0B,KAAKs1B,iBAAiB,KAGhDpxB,SAAU,CACRqxB,iBADQ,WAEN,GAAKv1B,KAAK+yB,aAAV,CACA,IAAMrX,EAAI1b,KAAKC,GACTu1B,EAAM,gCAHMC,EASdz1B,KAAK+yB,aAJP2C,EALgBD,EAKhBC,OACAC,EANgBF,EAMhBE,mBACAh2B,EAPgB81B,EAOhB91B,KACAi2B,EARgBH,EAQhBG,kBAEF,GAAe,SAAXF,EAAmB,CAErB,GAA2B,IAAvBC,GAAqC,kBAATh2B,EAC9B,OAAO+b,EAAE8Z,EAAM,eAEjB,GAAIG,EAAqBE,KACvB,OAAOna,EAAE8Z,EAAM,2BAA6B,IAGpC9Z,EADJka,EACMJ,EAAM,mBACNA,EAAM,oBAGlB,GAAIG,EAAqBE,KACvB,OAAOna,EAAE8Z,EAAM,2BAA6B,IAGpC9Z,EADJka,EACMJ,EAAM,mBACNA,EAAM,yBAGb,GAAe,iBAAXE,EAA2B,CACpC,GAAa,6BAAT/1B,EACF,OAAO+b,EAAE8Z,EAAM,4BAGjB,GAA2B,IAAvBG,EACF,OAAOja,EAAE8Z,EAAM,oBAGjB,GAAIG,EAAqBE,KACvB,OAAOna,EAAE8Z,EAAM,iBAAmB,IAG1B9Z,EADJka,EACMJ,EAAM,wBACNA,EAAM,2BAIlB,GAAIG,EAAqBE,KACvB,OAAOna,EAAE8Z,EAAM,eAAiB,IAGxB9Z,EADJka,EACMJ,EAAM,wBACNA,EAAM,8BAKtBM,gBA5DQ,WA6DN,OAAOzrB,MAAMwkB,QAAQ7uB,KAAKuK,UAAY,EAAI,GAE5CwrB,cA/DQ,WA+DS,IAAAh1B,EAAAf,KACf,OAAOqB,OAAOmL,KAAKsnB,MAChB3uB,IAAI,SAAAuF,GAAG,MAAI,CAACA,EAAK3J,EAAK2J,EAAM,iBAC5B8G,OAAO,SAACC,EAADukB,GAAA,IAAAC,EAAAjoB,IAAAgoB,EAAA,GAAOtrB,EAAPurB,EAAA,GAAYtvB,EAAZsvB,EAAA,UAAArD,GAAA,GAA2BnhB,EAA3BjE,IAAA,GAAkC9C,EAAO/D,KAAQ,KAE7DuvB,eApEQ,WAoEU,IAAAxtB,EAAA1I,KAChB,OAAOqB,OAAOmL,KAAKunB,MAChB5uB,IAAI,SAAAuF,GAAG,MAAI,CAACA,EAAKhC,EAAKgC,EAAM,mBAC5B8G,OAAO,SAACC,EAAD0kB,GAAA,IAAAC,EAAApoB,IAAAmoB,EAAA,GAAOzrB,EAAP0rB,EAAA,GAAYzvB,EAAZyvB,EAAA,UAAAxD,GAAA,GAA2BnhB,EAA3BjE,IAAA,GAAkC9C,EAAO/D,KAAQ,KAE7D0vB,aAzEQ,WA0EN,MAAO,CACLC,IAAKt2B,KAAKm0B,eACVvzB,MAAOZ,KAAKo0B,iBACZmC,SAAUv2B,KAAKq0B,oBACfmC,MAAOx2B,KAAKs0B,iBACZnP,OAAQnlB,KAAKu0B,kBACbkC,UAAWz2B,KAAKw0B,qBAChBkC,QAAS12B,KAAK00B,mBACdiC,WAAY32B,KAAKy0B,sBACjBmC,YAAa52B,KAAK20B,yBAGtBkC,QAtFQ,WAuFN,OAAOC,aAAc92B,KAAKmzB,cAAenzB,KAAKozB,aAAcpzB,KAAKkzB,eAAgBlzB,KAAKqzB,eAExF0D,aAzFQ,WA0FN,OAAK/2B,KAAK62B,QAAQ/D,MAAMkE,OACjBh3B,KAAK62B,QAAQ/D,MADmB,CAAEkE,OAAQ,GAAIC,QAAS,GAAIC,MAAO,GAAIC,QAAS,GAAIC,MAAO,KAInGC,gBA9FQ,WA+FN,IACE,IAAKr3B,KAAK+2B,aAAaC,OAAOM,GAAI,MAAO,GACzC,IAAMN,EAASh3B,KAAK+2B,aAAaC,OAC3BC,EAAUj3B,KAAK+2B,aAAaE,QAClC,IAAKD,EAAOM,GAAI,MAAO,GACvB,IASMC,EAAkBl2B,OAAOuM,QAAQopB,GAAQxlB,OAAO,SAACC,EAAD+lB,GAAA,IAlMxCrK,EAkMwCsK,EAAAzpB,IAAAwpB,EAAA,GAAO9sB,EAAP+sB,EAAA,GAAYpwB,EAAZowB,EAAA,UAAA7E,GAAA,GAA6BnhB,EAA7BjE,IAAA,GAAmC9C,GAlM3EyiB,EAkM8F9lB,GAjMxG8kB,WAAW,OAAmB,gBAAVgB,EACrBA,EAEAmB,aAAQnB,MA8L4G,IAEjHuK,EAASr2B,OAAOuM,QAAQkmB,MAAkBtiB,OAAO,SAACC,EAADkmB,GAAuB,IAAAC,EAAA5pB,IAAA2pB,EAAA,GAAhBjtB,EAAgBktB,EAAA,GAAXvwB,EAAWuwB,EAAA,GACtEC,EAAyB,SAARntB,GAA0B,SAARA,EAIzC,KAHmBmtB,GACA,WAAjB9Z,KAAO1W,IAAgC,OAAVA,GAAkBA,EAAMywB,WAEtC,OAAOrmB,EALoD,IAAAsmB,EAMjDF,EAAiB,CAAEG,MAAO,MAAS3wB,EAAtD2wB,EANoED,EAMpEC,MAAOC,EAN6DF,EAM7DE,QACT3W,EAAa2W,GAAWD,EACxBE,EAAcC,aAAe7W,GAC7B8W,EAAU,CACd1tB,GADciC,OAAAG,IAEK,OAAfwU,EAAsB,CAAC,OAAQ,SAAU,QAAS,WAAa,KAG/D+W,EAASC,aACbN,EACAC,GAAWD,EACXE,EACAX,EACAN,GAGF,OAAArE,GAAA,GACKnhB,EADL,GAEK2mB,EAAW5mB,OAAO,SAACC,EAAK8mB,GACzB,IAAMC,EAASX,EACX,KAAOU,EAAa,GAAGE,cAAgBF,EAAantB,MAAM,GAC1DmtB,EACJ,OAAA3F,GAAA,GACKnhB,EADLjE,IAAA,GAEGgrB,EAASE,aACRnB,EAAgBgB,GAChBF,EACAd,EAAgBgB,OAGnB,MAEJ,IAEH,OAAOl3B,OAAOuM,QAAQ8pB,GAAQlmB,OAAO,SAACC,EAADknB,GAAiB,IAnDvCjI,EAmDuCkI,EAAA5qB,IAAA2qB,EAAA,GAAV3D,EAAU4D,EAAA,GAAPlsB,EAAOksB,EAAA,GAAqB,OAAnBnnB,EAAIujB,GAnDlC,CACxBrE,MADaD,EAmDwDhkB,GAlDzDmsB,YAAY,GAAK,KAE7BrI,GAAIE,GAAS,IACbH,IAAKG,GAAS,EAEdI,IAAKJ,GAAS,EACdG,KAAMH,GAAS,KA4CiEjf,GAAO,IACzF,MAAOQ,GACPC,QAAQ4mB,KAAK,8BAA+B7mB,KAGhD8mB,aA5JQ,WA6JN,OAAK/4B,KAAK62B,QAAQmC,MACX,GAAArsB,OAAAG,IACFzL,OAAO43B,OAAOj5B,KAAK62B,QAAQmC,QADzB,CAEL,qBACA,kDACAxzB,KAAK,KALyB,IAOlC8vB,iBApKQ,WAqKN,OAAOj0B,OAAOmL,KAAK0sB,MAAiBC,QAEtCC,uBAAwB,CACtBjrB,IADsB,WAEpB,QAASnO,KAAKq5B,eAEhBxnB,IAJsB,SAIjBlL,GACCA,EACFkL,cAAI7R,KAAKi0B,aAAcj0B,KAAKg0B,eAAgBh0B,KAAKs5B,sBAAsBn0B,IAAI,SAAAghB,GAAC,OAAI9kB,OAAOk4B,OAAO,GAAIpT,MAElGuH,iBAAI1tB,KAAKi0B,aAAcj0B,KAAKg0B,kBAIlCsF,sBAnLQ,WAoLN,OAAQt5B,KAAK+2B,aAAaI,SAAW,IAAIn3B,KAAKg0B,iBAEhDqF,cAAe,CACblrB,IADa,WAEX,OAAOnO,KAAKi0B,aAAaj0B,KAAKg0B,iBAEhCniB,IAJa,SAIRnF,GACHmF,cAAI7R,KAAKi0B,aAAcj0B,KAAKg0B,eAAgBtnB,KAGhD8sB,WA9LQ,WA+LN,OAAQx5B,KAAKszB,iBAAmBtzB,KAAKuzB,gBAAkBvzB,KAAKwzB,cAE9DiG,cAjMQ,WAkMN,IAAMC,IACH15B,KAAK6zB,WACL7zB,KAAK0zB,aACL1zB,KAAK2zB,aACL3zB,KAAK4zB,eACL5zB,KAAKyzB,WAGFkG,EAAS,CACbhE,mBAAoBE,MAwBtB,OArBI71B,KAAK6zB,WAAa6F,KACpBC,EAAOvC,MAAQp3B,KAAKk0B,aAElBl0B,KAAK0zB,aAAegG,KACtBC,EAAOxC,QAAUn3B,KAAKi0B,eAEpBj0B,KAAK2zB,aAAe+F,KACtBC,EAAO1C,QAAUj3B,KAAKk2B,iBAEpBl2B,KAAKyzB,WAAaiG,KACpBC,EAAO3C,OAASh3B,KAAK+1B,gBAEnB/1B,KAAK4zB,eAAiB8F,KACxBC,EAAOzC,MAAQl3B,KAAKq2B,cAQf,CAELuD,uBAAwB,EAAG9G,MAPfF,GAAA,CACZ+C,mBAAoBE,MACjB71B,KAAK+2B,cAK0B4C,YAIxC31B,WAAY,CACVwpB,cACAC,gBACAoM,cACAC,iBACAC,iBACAC,eACAzrB,gBACA0rB,WACAC,gBACAj2B,cAEFxD,QAAS,CACP05B,UADO,SAAAC,EAOL1E,GAEA,IANE5C,EAMFsH,EANEtH,MACA6G,EAKFS,EALET,OACwBU,EAI1BD,EAJER,uBAGFU,EACA/c,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,IAAAA,UAAA,GAEA,GADAvd,KAAKu6B,kBACAZ,IAAW7G,EACd,MAAM,IAAI7tB,MAAM,2BAElB,IAAMu1B,EAAsB,iBAAX9E,GAA8B5C,EAAMkE,OAEjDqD,EADA,KAEEI,GAAyB3H,GAAS,IAAI6C,mBACtCA,GAAsBgE,GAAU,IAAIhE,oBAAsB,EAC1D+E,EAAgB/E,IAAuBE,KACvC8E,OACM9d,IAAViW,QACajW,IAAX8c,GACAhE,IAAuB8E,EAIrBG,EAAoBjB,GAAUW,IAAoBxH,EAClD4H,IAAkBC,GACnBC,GACW,OAAZJ,GACW,aAAX9E,IAEEiF,GAAqC,iBAAXjF,EAC5B11B,KAAK+yB,aAAe,CAClB2C,SACAC,qBACAh2B,KAAM,4BAEEmzB,EAOA4H,IACV16B,KAAK+yB,aAAe,CAClB2C,SACAE,mBAAoB+D,EACpBhE,qBACAh2B,KAAM,kBAXRK,KAAK+yB,aAAe,CAClB2C,SACAE,mBAAmB,EACnBD,qBACAh2B,KAAM,4BAWZK,KAAK66B,oBAAoB/H,EAAO0H,EAASb,EAAQiB,IAEnDE,sBAzDO,WA0DL96B,KAAKq1B,2BAA0B,IAEjCkF,eA5DO,WA6DLv6B,KAAK+yB,kBAAelW,EACpB7c,KAAKgzB,oBAAiBnW,GAExBke,UAhEO,WAkEL,OADmB/6B,KAAK+yB,aAAhB2C,QAEN,IAAK,eACH11B,KAAKq1B,2BAA0B,GAC/B,MACF,IAAK,OACHr1B,KAAK8xB,SAAS9xB,KAAKgzB,gBAAgB,GAGvChzB,KAAKu6B,kBAEPS,cA5EO,WA8EL,OADmBh7B,KAAK+yB,aAAhB2C,QAEN,IAAK,eACH11B,KAAKq1B,2BAA0B,GAAO,GACtC,MACF,IAAK,OACHnjB,QAAQuL,IAAI,oDAGhBzd,KAAKu6B,kBAEPlF,0BAxFO,WAwFsE,IAAlD4F,EAAkD1d,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,IAAAA,UAAA,GAAvByd,EAAuBzd,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,IAAAA,UAAA,GAAA2d,EAIvEl7B,KAAK8D,OAAOmE,QAAQ2J,aAFTkhB,EAF4DoI,EAEzEC,YACmBxB,EAHsDuB,EAGzEE,kBAEGtI,GAAU6G,EAQb35B,KAAKm6B,UACH,CACErH,QACA6G,OAAQqB,EAAgBlI,EAAQ6G,GAElC,eACAsB,GAZFj7B,KAAKm6B,UACHn6B,KAAK8D,OAAOM,MAAMsK,SAAS2sB,UAC3B,WACAJ,IAaNK,eA/GO,WAgHLt7B,KAAK8D,OAAOC,SAAS,YAAa,CAChCoD,KAAM,cACNE,MAAOurB,GAAA,CACL+C,mBAAoBE,MACjB71B,KAAK+2B,gBAGZ/2B,KAAK8D,OAAOC,SAAS,YAAa,CAChCoD,KAAM,oBACNE,MAAO,CACLsuB,mBAAoBE,KACpBsB,QAASn3B,KAAKi0B,aACdmD,MAAOp3B,KAAKk0B,WACZ+C,QAASj3B,KAAKk2B,eACdc,OAAQh3B,KAAK+1B,cACbmB,MAAOl3B,KAAKq2B,iBAIlBkF,8BAnIO,WAoILv7B,KAAKmzB,cAAgBqI,aAAe,CAClCvE,QAASj3B,KAAKk2B,eACdc,OAAQh3B,KAAK+1B,gBAEf/1B,KAAKkzB,eAAiBuI,aACpB,CAAEtE,QAASn3B,KAAKi0B,aAAcgD,QAASj3B,KAAK+2B,aAAaE,QAAStB,mBAAoB31B,KAAKizB,eAC3FjzB,KAAKmzB,cAAcL,MAAMkE,OACzBh3B,KAAKmzB,cAAcuI,MAGvB5J,SA9IO,SA8IGH,GAA6B,IAArBgK,EAAqBpe,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,IAAAA,UAAA,GACrCvd,KAAKgzB,eAAiBrB,EACtB3xB,KAAKm6B,UAAUxI,EAAQ,OAAQgK,IAEjCC,gBAlJO,SAkJUjK,GACf,IAAM6I,EAAU7I,EAAOiI,uBACvB,OAAOY,GAAW,GAAKA,GAAW,GAEpCqB,SAtJO,WAuJL77B,KAAKq1B,6BAIPyG,QA3JO,WA2JI,IAAArsB,EAAAzP,KACTqB,OAAOmL,KAAKxM,KAAK+7B,OACd51B,OAAO,SAAAggB,GAAC,OAAIA,EAAE6V,SAAS,eAAiB7V,EAAE6V,SAAS,kBACnD71B,OAAO,SAAAggB,GAAC,OAAKuM,GAAYhpB,SAASyc,KAClC8V,QAAQ,SAAAvxB,GACPmH,cAAIpC,EAAKssB,MAAOrxB,OAAKmS,MAI3Bqf,eApKO,WAoKW,IAAAtsB,EAAA5P,KAChBqB,OAAOmL,KAAKxM,KAAK+7B,OACd51B,OAAO,SAAAggB,GAAC,OAAIA,EAAE6V,SAAS,iBACvBC,QAAQ,SAAAvxB,GACPmH,cAAIjC,EAAKmsB,MAAOrxB,OAAKmS,MAI3Bsf,aA5KO,WA4KS,IAAAnjB,EAAAhZ,KACdqB,OAAOmL,KAAKxM,KAAK+7B,OACd51B,OAAO,SAAAggB,GAAC,OAAIA,EAAE6V,SAAS,kBACvBC,QAAQ,SAAAvxB,GACPmH,cAAImH,EAAK+iB,MAAOrxB,OAAKmS,MAI3Buf,aApLO,WAqLLp8B,KAAKi0B,aAAe,IAGtBoI,WAxLO,WAyLLr8B,KAAKk0B,WAAa,IAgBpB2G,oBAzMO,SAyMc/H,GAAiD,IAChElyB,EADgE4kB,EAAAxlB,KAA1Cw6B,EAA0Cjd,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,GAAAA,UAAA,GAAhC,EAAGoc,EAA6Bpc,UAAA5V,OAAA,EAAA4V,UAAA,QAAAV,EAArB8e,EAAqBpe,UAAA5V,OAAA,QAAAkV,IAAAU,UAAA,IAAAA,UAAA,QAE9C,IAAXoc,IACLgC,GAAehC,EAAOhE,qBAAuBE,OAC/Cj1B,EAAQ+4B,EACRa,EAAUb,EAAOhE,oBAKnB/0B,EAAQkyB,EAGV,IAAMoE,EAAQt2B,EAAMs2B,OAASt2B,EACvBq2B,EAAUr2B,EAAMq2B,QAChBE,EAAUv2B,EAAMu2B,SAAW,GAC3BC,EAAQx2B,EAAMw2B,OAAS,GACvBJ,EAAUp2B,EAAM+0B,mBAElB/0B,EAAMo2B,QAAUp2B,EADhB07B,aAAW17B,EAAMo2B,QAAUp2B,GAuB/B,GApBgB,IAAZ45B,IACE55B,EAAM45B,UAASA,EAAU55B,EAAM45B,cAER,IAAhBxD,EAAOrG,WAA6C,IAAdqG,EAAOuF,KACtD/B,EAAU,QAGe,IAAhBxD,EAAOrG,WAA6C,IAAdqG,EAAOuF,KACtD/B,EAAU,IAIdx6B,KAAKizB,cAAgBuH,EAGL,IAAZA,IACFx6B,KAAKw8B,aAAeC,aAAQzF,EAAOV,KACnCt2B,KAAK08B,eAAiBD,aAAQzF,EAAOuF,MAGlCv8B,KAAKyzB,UAAW,CACnBzzB,KAAK87B,UACL,IAAMtvB,EAAO,IAAImwB,IAAgB,IAAZnC,EAAgBn5B,OAAOmL,KAAKsnB,MAAoB,IACrD,IAAZ0G,GAA6B,OAAZA,GACnBhuB,EACGnN,IAAI,MACJA,IAAI,QACJA,IAAI,QACJA,IAAI,SACJA,IAAI,UACJA,IAAI,WAGTmN,EAAKyvB,QAAQ,SAAAvxB,GACX,IAAMyiB,EAAQ6J,EAAOtsB,GACfkyB,EAAMH,aAAQzF,EAAOtsB,IAC3B8a,EAAK9a,EAAM,cAAwB,QAARkyB,EAAgBzP,EAAQyP,IAInD3F,IAAYj3B,KAAK2zB,cACnB3zB,KAAKm8B,eACL96B,OAAOuM,QAAQqpB,GAASgF,QAAQ,SAAAY,GAAY,IAAAC,EAAA9uB,IAAA6uB,EAAA,GAAV7H,EAAU8H,EAAA,GAAPpwB,EAAOowB,EAAA,GACtC,MAAOpwB,GAAmCqwB,OAAOC,MAAMtwB,KAC3D8Y,EAAKwP,EAAI,gBAAkBtoB,MAI1B1M,KAAK4zB,gBACR5zB,KAAKk8B,iBACL76B,OAAOuM,QAAQspB,GAAO+E,QAAQ,SAAAgB,GAAY,IAAAC,EAAAlvB,IAAAivB,EAAA,GAAVjI,EAAUkI,EAAA,GAAPxwB,EAAOwwB,EAAA,GAElCxyB,EAAMsqB,EAAEgH,SAAS,UAAYhH,EAAEviB,MAAM,UAAU,GAAKuiB,EAC1DxP,EAAK9a,EAAM,eAAiBgC,KAI3B1M,KAAK0zB,cACR1zB,KAAKo8B,eAEHp8B,KAAKi0B,aADS,IAAZuG,EACkB2C,aAAYhG,EAASn3B,KAAK+2B,aAAaE,SAEvCE,EAEtBn3B,KAAKg0B,eAAiBh0B,KAAKs1B,iBAAiB,IAGzCt1B,KAAK6zB,YACR7zB,KAAKq8B,aACLr8B,KAAKk0B,WAAakD,KAIxB1wB,MAAO,CACL2vB,aADK,WAEH,IACEr2B,KAAKozB,aAAegK,aAAc,CAAElG,MAAOl3B,KAAKq2B,eAChDr2B,KAAKwzB,cAAe,EACpB,MAAOvhB,GACPjS,KAAKwzB,cAAe,EACpBthB,QAAQ4mB,KAAK7mB,KAGjBgiB,aAAc,CACZphB,QADY,WAEV,GAA8D,IAA1DxR,OAAOg8B,oBAAoBr9B,KAAKmzB,eAAexrB,OACnD,IACE3H,KAAKu7B,gCACLv7B,KAAKszB,gBAAiB,EACtB,MAAOrhB,GACPjS,KAAKszB,gBAAiB,EACtBphB,QAAQ4mB,KAAK7mB,KAGjBa,MAAM,GAERohB,WAAY,CACVrhB,QADU,WAER,IACE7S,KAAKqzB,aAAeiK,aAAc,CAAElG,MAAOp3B,KAAKk0B,aAChDl0B,KAAKu9B,cAAe,EACpB,MAAOtrB,GACPjS,KAAKu9B,cAAe,EACpBrrB,QAAQ4mB,KAAK7mB,KAGjBa,MAAM,GAERijB,cAnCK,WAoCH,IACE/1B,KAAKu7B,gCACLv7B,KAAKuzB,eAAgB,EACrBvzB,KAAKszB,gBAAiB,EACtB,MAAOrhB,GACPjS,KAAKuzB,eAAgB,EACrBvzB,KAAKszB,gBAAiB,EACtBphB,QAAQ4mB,KAAK7mB,KAGjBikB,eA9CK,WA+CH,IACEl2B,KAAKu7B,gCACL,MAAOtpB,GACPC,QAAQ4mB,KAAK7mB,KAGjB1H,SArDK,WAsDHvK,KAAKu6B,iBACwB,IAAzBv6B,KAAK81B,iBACF91B,KAAK4zB,eACR5zB,KAAKk8B,iBAGFl8B,KAAK0zB,aACR1zB,KAAKo8B,eAGFp8B,KAAK2zB,aACR3zB,KAAKm8B,eAGFn8B,KAAKyzB,YACRzzB,KAAK87B,UAEL97B,KAAKw9B,aAAex9B,KAAKuK,SAAS,GAClCvK,KAAKw8B,aAAex8B,KAAKuK,SAAS,GAClCvK,KAAK08B,eAAiB18B,KAAKuK,SAAS,GACpCvK,KAAKy9B,eAAiBz9B,KAAKuK,SAAS,GACpCvK,KAAK09B,eAAiB19B,KAAKuK,SAAS,GACpCvK,KAAK29B,iBAAmB39B,KAAKuK,SAAS,GACtCvK,KAAK49B,gBAAkB59B,KAAKuK,SAAS,GACrCvK,KAAK69B,kBAAoB79B,KAAKuK,SAAS,KAEhCvK,KAAK81B,iBAAmB,GACjC91B,KAAK66B,oBAAoB76B,KAAKuK,SAASuoB,MAAO,EAAG9yB,KAAKuK,SAASovB,WC5uBvE,IAEImE,GAVJ,SAAoB38B,GAClBnC,EAAQ,MAyBK++B,GAVC18B,OAAAC,EAAA,EAAAD,CACdsxB,GCjBQ,WAAgB,IAAAnxB,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,OAAiBE,YAAA,aAAwB,CAAAF,EAAA,OAAYE,YAAA,qBAAgC,CAAAF,EAAA,OAAYE,YAAA,aAAwB,CAAAL,EAAA,aAAAG,EAAA,OAA+BE,YAAA,iBAA4B,CAAAF,EAAA,OAAYE,YAAA,iBAA4B,CAAAL,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAA+zB,kBAAA,gBAAA/zB,EAAAS,GAAA,KAAAN,EAAA,OAA2FE,YAAA,WAAsB,8BAAAL,EAAAuxB,aAAApzB,KAAA,CAAAgC,EAAA,UAAuEE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAu5B,YAAuB,CAAAv5B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA8HE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAw5B,gBAA2B,CAAAx5B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8DAAAuB,EAAAuxB,aAAA,mBAAApxB,EAAA,UAA2JE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA+4B,iBAA4B,CAAA/4B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0CAAA0B,EAAA,UAAiGE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAu5B,YAAuB,CAAAv5B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA8HE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA+4B,iBAA4B,CAAA/4B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kEAAAuB,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,gBAAoJI,MAAA,CAAOi8B,gBAAAx8B,EAAAi4B,cAAAwE,eAAAz8B,EAAAvB,GAAA,yBAAAi+B,eAAA18B,EAAAvB,GAAA,yBAAAk+B,qBAAA38B,EAAAvB,GAAA,mCAAAm+B,YAAA58B,EAAAswB,SAAAD,UAAArwB,EAAAo6B,kBAAyP,CAAAj6B,EAAA,YAAiBsI,KAAA,UAAc,CAAAtI,EAAA,OAAYE,YAAA,WAAsB,CAAAL,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uCAAA0B,EAAA,SAA2FE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,oBAAyB,CAAAvR,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,SAAA8F,WAAA,aAA0EzF,YAAA,kBAAAE,MAAA,CAAuC4C,GAAA,mBAAuB3C,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAA+I,SAAA/C,EAAAC,OAAAgM,SAAAN,IAAA,MAA0E3R,EAAAoG,GAAApG,EAAA,yBAAAyB,GAA8C,OAAAtB,EAAA,UAAoB+I,IAAAzH,EAAAkE,KAAAlE,MAAA,CACxzEqpB,gBAAArpB,EAAA,KAAAA,EAAA6vB,OAAA7vB,EAAA02B,QAAA3C,OAAAM,GACAnK,MAAAlqB,EAAA,KAAAA,EAAA6vB,OAAA7vB,EAAA02B,QAAA3C,OAAArG,MACmBppB,SAAA,CAAYF,MAAApE,IAAe,CAAAzB,EAAAS,GAAA,uBAAAT,EAAAW,GAAAc,EAAA,IAAAA,EAAAkE,MAAA,0BAAuF,GAAA3F,EAAAS,GAAA,KAAAN,EAAA,KAAyBE,YAAA,0BAA6B,OAAAL,EAAAS,GAAA,KAAAN,EAAA,OAAsCE,YAAA,qBAAgC,CAAAF,EAAA,QAAaE,YAAA,eAA0B,CAAAF,EAAA,YAAiBoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAAiyB,UAAAxiB,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2DAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAAwHE,YAAA,eAA0B,CAAAF,EAAA,YAAiBoP,MAAA,CAAO1J,MAAA7F,EAAA,YAAAwP,SAAA,SAAAC,GAAiDzP,EAAAkyB,YAAAziB,GAAoB3J,WAAA,gBAA2B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6DAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAA0HE,YAAA,eAA0B,CAAAF,EAAA,YAAiBoP,MAAA,CAAO1J,MAAA7F,EAAA,YAAAwP,SAAA,SAAAC,GAAiDzP,EAAAmyB,YAAA1iB,GAAoB3J,WAAA,gBAA2B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6DAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAA0HE,YAAA,eAA0B,CAAAF,EAAA,YAAiBoP,MAAA,CAAO1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAoyB,cAAA3iB,GAAsB3J,WAAA,kBAA6B,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+DAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAA4HE,YAAA,eAA0B,CAAAF,EAAA,YAAiBoP,MAAA,CAAO1J,MAAA7F,EAAA,UAAAwP,SAAA,SAAAC,GAA+CzP,EAAAqyB,UAAA5iB,GAAkB3J,WAAA,cAAyB,CAAA9F,EAAAS,GAAA,eAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2DAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kDAAAuB,EAAAS,GAAA,KAAAN,EAAA,WAAsNsB,MAAAzB,EAAA,eAAyBA,EAAAS,GAAA,KAAAN,EAAA,cAAAA,EAAA,gBAAkD+I,IAAA,eAAkB,CAAA/I,EAAA,OAAYE,YAAA,kBAAAE,MAAA,CAAqC4D,MAAAnE,EAAAvB,GAAA,6CAA2D,CAAA0B,EAAA,OAAYE,YAAA,cAAyB,CAAAF,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2BAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAgFE,YAAA,sBAAiC,CAAAF,EAAA,UAAeE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA26B,eAA0B,CAAA36B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAiIE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAs6B,UAAqB,CAAAt6B,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8DAAAuB,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gCAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA0RE,YAAA,cAAyB,CAAAF,EAAA,cAAmBI,MAAA,CAAOoF,KAAA,UAAAxB,MAAAnE,EAAAvB,GAAA,wBAAuD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,aAAAwP,SAAA,SAAAC,GAAkDzP,EAAAg8B,aAAAvsB,GAAqB3J,WAAA,kBAA4B9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,YAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAK,IAA0DvmB,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAA68B,eAAAptB,GAAuB3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,YAAAxB,MAAAnE,EAAAvB,GAAA,kBAAmD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAAk7B,eAAAzrB,GAAuB3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAiH,UAAuC98B,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAuH,KAAA54B,MAAAnE,EAAAvB,GAAA,mBAAAkvB,6BAAA,IAAA3tB,EAAAi8B,gBAAiK1sB,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAg9B,iBAAAvtB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,YAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAyH,OAAA94B,MAAAnE,EAAAvB,GAAA,kBAAAkvB,6BAAA,IAAA3tB,EAAAg9B,kBAAkKztB,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAAi8B,eAAAxsB,GAAuB3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAqH,WAAuC,GAAAl9B,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,cAAmBI,MAAA,CAAOoF,KAAA,UAAAxB,MAAAnE,EAAAvB,GAAA,wBAAuD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,aAAAwP,SAAA,SAAAC,GAAkDzP,EAAAg7B,aAAAvrB,GAAqB3J,WAAA,kBAA4B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA2H,QAA+F5tB,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAo9B,iBAAA3tB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,kBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA6H,QAAgG9tB,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAs9B,iBAAA7tB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,yCAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAA4ME,YAAA,cAAyB,CAAAF,EAAA,cAAmBI,MAAA,CAAOoF,KAAA,YAAAxB,MAAAnE,EAAAvB,GAAA,kBAAmD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAAk8B,eAAAzsB,GAAuB3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA0H,UAAuCv9B,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,aAAAxB,MAAAnE,EAAAvB,GAAA,mBAAqD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAAo8B,gBAAA3sB,GAAwB3J,WAAA,qBAA+B9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA2H,YAAwC,GAAAx9B,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,cAAmBI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,oBAAuD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAm8B,iBAAA1sB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA4H,YAAyCz9B,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,eAAAxB,MAAAnE,EAAAvB,GAAA,qBAAyD8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAq8B,kBAAA5sB,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA6H,cAA0C,GAAA19B,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,kCAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAuGE,YAAA,kBAAAE,MAAA,CAAqC4D,MAAAnE,EAAAvB,GAAA,+CAA6D,CAAA0B,EAAA,OAAYE,YAAA,cAAyB,CAAAF,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAmFE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA26B,eAA0B,CAAA36B,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4DAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAA6HE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAs6B,UAAqB,CAAAt6B,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAS,GAAA,KAAAN,EAAA,OAAwHE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAwGI,MAAA,CAAOoF,KAAA,gBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAyH,OAAA94B,MAAAnE,EAAAvB,GAAA,mBAAkG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAA29B,mBAAAluB,GAA2B3J,WAAA,wBAAkC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA+H,YAAyC59B,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,qBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAqI,OAAA15B,MAAAnE,EAAAvB,GAAA,uBAA2G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,wBAAAwP,SAAA,SAAAC,GAA6DzP,EAAA89B,wBAAAruB,GAAgC3J,WAAA,6BAAuC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAkI,iBAA8C/9B,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAqHI,MAAA,CAAOoF,KAAA,aAAAxB,MAAAnE,EAAAvB,GAAA,8CAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAwI,YAA+HzuB,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAAi+B,qBAAAxuB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,iBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA0I,gBAA0G3uB,MAAA,CAAQ1J,MAAA7F,EAAA,yBAAAwP,SAAA,SAAAC,GAA8DzP,EAAAm+B,yBAAA1uB,GAAiC3J,WAAA,8BAAwC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAqI,eAAAvP,MAAA,MAA0D3uB,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,eAAAxB,MAAAnE,EAAAvB,GAAA,gDAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA4I,cAAqI7uB,MAAA,CAAQ1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAAq+B,uBAAA5uB,GAA+B3J,WAAA,4BAAsC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA8I,kBAA8G/uB,MAAA,CAAQ1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAAu+B,2BAAA9uB,GAAmC3J,WAAA,gCAA0C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAyI,iBAAA3P,MAAA,MAA4D3uB,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,eAAAxB,MAAAnE,EAAAvB,GAAA,gDAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAgJ,cAAqIjvB,MAAA,CAAQ1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAAy+B,uBAAAhvB,GAA+B3J,WAAA,4BAAsC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAkJ,kBAA8GnvB,MAAA,CAAQ1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAA2+B,2BAAAlvB,GAAmC3J,WAAA,gCAA0C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA6I,iBAAA/P,MAAA,MAA4D3uB,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,eAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAmJ,OAAgErvB,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAA6+B,kBAAApvB,GAA0B3J,WAAA,wBAAiC,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAyGI,MAAA,CAAOoF,KAAA,oBAAAxB,MAAAnE,EAAAvB,GAAA,qDAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAsJ,mBAAoJvvB,MAAA,CAAQ1J,MAAA7F,EAAA,4BAAAwP,SAAA,SAAAC,GAAiEzP,EAAA++B,4BAAAtvB,GAAoC3J,WAAA,iCAA2C9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,wBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAwJ,uBAAwHzvB,MAAA,CAAQ1J,MAAA7F,EAAA,gCAAAwP,SAAA,SAAAC,GAAqEzP,EAAAi/B,gCAAAxvB,GAAwC3J,WAAA,qCAA+C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAmJ,sBAAArQ,MAAA,OAAiE,GAAA3uB,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAgHI,MAAA,CAAOoF,KAAA,aAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAR,MAAA7wB,MAAAnE,EAAAvB,GAAA,wBAAmG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAAk/B,gBAAAzvB,GAAwB3J,WAAA,qBAA+B9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,eAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAT,MAAA1tB,SAAA,gBAAAtH,EAAAk/B,iBAAiH3vB,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAm/B,kBAAA1vB,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,iBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA4J,UAAAj7B,MAAAnE,EAAAvB,GAAA,kBAAqG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAAq/B,oBAAA5vB,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAuJ,UAAAzQ,MAAA,MAAqD3uB,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,iBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA8J,UAAAn7B,MAAAnE,EAAAvB,GAAA,mBAAsG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAAu/B,oBAAA9vB,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAyJ,UAAA3Q,MAAA,OAAqD,GAAA3uB,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA2GI,MAAA,CAAOoF,KAAA,cAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAgK,OAAAr7B,MAAAnE,EAAAvB,GAAA,wBAAqG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAy/B,iBAAAhwB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,kBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAkK,WAAAv7B,MAAAnE,EAAAvB,GAAA,kBAAuG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAA2/B,qBAAAlwB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA6J,cAA2C1/B,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,kBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAoK,WAAAz7B,MAAAnE,EAAAvB,GAAA,mBAAwG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAA6/B,qBAAApwB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA+J,eAA2C,GAAA5/B,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,6CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA0GI,MAAA,CAAOoF,KAAA,aAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAp2B,MAAA+E,MAAAnE,EAAAvB,GAAA,wBAAmG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAA8/B,gBAAArwB,GAAwB3J,WAAA,qBAA+B9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,eAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAr2B,MAAAkI,SAAA,gBAAAtH,EAAA8/B,iBAAiHvwB,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAA+/B,kBAAAtwB,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,iBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAwK,UAAA77B,MAAAnE,EAAAvB,GAAA,kBAAqG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAAigC,oBAAAxwB,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAmK,cAA0C,GAAAhgC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA2GI,MAAA,CAAOoF,KAAA,WAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAV,IAAA3wB,MAAAnE,EAAAvB,GAAA,wBAA+F8Q,MAAA,CAAQ1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAkgC,cAAAzwB,GAAsB3J,WAAA,mBAA6B9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,aAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAX,IAAAxtB,SAAA,gBAAAtH,EAAAkgC,eAA2G3wB,MAAA,CAAQ1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAAmgC,gBAAA1wB,GAAwB3J,WAAA,qBAA+B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,eAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA4K,QAAAj8B,MAAAnE,EAAAvB,GAAA,kBAAiG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAqgC,kBAAA5wB,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAuK,WAAwCpgC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,oBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA8K,aAAAn8B,MAAAnE,EAAAvB,GAAA,gDAAyI8Q,MAAA,CAAQ1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAAugC,uBAAA9wB,GAA+B3J,WAAA,4BAAsC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAyK,gBAA6CtgC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,qBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAgL,cAAAr8B,MAAAnE,EAAAvB,GAAA,2CAAsI8Q,MAAA,CAAQ1J,MAAA7F,EAAA,wBAAAwP,SAAA,SAAAC,GAA6DzP,EAAAygC,wBAAAhxB,GAAgC3J,WAAA,6BAAuC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA2K,iBAA8CxgC,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAuHI,MAAA,CAAOoF,KAAA,kBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAkL,WAAAv8B,MAAAnE,EAAAvB,GAAA,wBAA6G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAA2gC,qBAAAlxB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,sBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAoL,eAAAz8B,MAAAnE,EAAAvB,GAAA,kBAA+G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,yBAAAwP,SAAA,SAAAC,GAA8DzP,EAAA6gC,yBAAApxB,GAAiC3J,WAAA,8BAAwC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA+K,kBAA+C5gC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,2BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAsL,oBAAA38B,MAAAnE,EAAAvB,GAAA,gDAAuJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,8BAAAwP,SAAA,SAAAC,GAAmEzP,EAAA+gC,8BAAAtxB,GAAsC3J,WAAA,mCAA6C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAiL,uBAAoD9gC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,4BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAwL,qBAAA78B,MAAAnE,EAAAvB,GAAA,2CAAoJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,+BAAAwP,SAAA,SAAAC,GAAoEzP,EAAAihC,+BAAAxxB,GAAuC3J,WAAA,oCAA8C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAmL,wBAAqDhhC,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAwHI,MAAA,CAAOoF,KAAA,mBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA0L,YAAA/8B,MAAAnE,EAAAvB,GAAA,wBAA+G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,sBAAAwP,SAAA,SAAAC,GAA2DzP,EAAAmhC,sBAAA1xB,GAA8B3J,WAAA,2BAAqC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,uBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA4L,gBAAAj9B,MAAAnE,EAAAvB,GAAA,kBAAiH8Q,MAAA,CAAQ1J,MAAA7F,EAAA,0BAAAwP,SAAA,SAAAC,GAA+DzP,EAAAqhC,0BAAA5xB,GAAkC3J,WAAA,+BAAyC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,4BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA8L,qBAAAn9B,MAAAnE,EAAAvB,GAAA,gDAAyJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,+BAAAwP,SAAA,SAAAC,GAAoEzP,EAAAuhC,+BAAA9xB,GAAuC3J,WAAA,oCAA8C9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,6BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAgM,sBAAAr9B,MAAAnE,EAAAvB,GAAA,2CAAsJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gCAAAwP,SAAA,SAAAC,GAAqEzP,EAAAyhC,gCAAAhyB,GAAwC3J,WAAA,qCAA+C9F,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAuHI,MAAA,CAAOoF,KAAA,kBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAkM,WAAAv9B,MAAAnE,EAAAvB,GAAA,wBAA6G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAA2hC,qBAAAlyB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,sBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAoM,eAAAz9B,MAAAnE,EAAAvB,GAAA,kBAA+G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,yBAAAwP,SAAA,SAAAC,GAA8DzP,EAAA6hC,yBAAApyB,GAAiC3J,WAAA,8BAAwC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA+L,kBAA+C5hC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,2BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAsM,oBAAA39B,MAAAnE,EAAAvB,GAAA,gDAAuJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,8BAAAwP,SAAA,SAAAC,GAAmEzP,EAAA+hC,8BAAAtyB,GAAsC3J,WAAA,mCAA6C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAiM,uBAAoD9hC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,4BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAwM,qBAAA79B,MAAAnE,EAAAvB,GAAA,2CAAoJ8Q,MAAA,CAAQ1J,MAAA7F,EAAA,+BAAAwP,SAAA,SAAAC,GAAoEzP,EAAAiiC,+BAAAxyB,GAAuC3J,WAAA,oCAA8C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAmM,yBAAqD,GAAAhiC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAwGI,MAAA,CAAOoF,KAAA,WAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA0M,IAAA/9B,MAAAnE,EAAAvB,GAAA,wBAA+F8Q,MAAA,CAAQ1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAAmiC,cAAA1yB,GAAsB3J,WAAA,mBAA6B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,eAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA4M,QAAAj+B,MAAAnE,EAAAvB,GAAA,kBAAiG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAqiC,kBAAA5yB,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAuM,WAAwCpiC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,qBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAA8M,cAAAn+B,MAAAnE,EAAAvB,GAAA,kBAA6G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,wBAAAwP,SAAA,SAAAC,GAA6DzP,EAAAuiC,wBAAA9yB,GAAgC3J,WAAA,6BAAuC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAyM,kBAA8C,GAAAtiC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA2GI,MAAA,CAAOoF,KAAA,cAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAgN,OAAAr+B,MAAAnE,EAAAvB,GAAA,gCAA6G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAyiC,iBAAAhzB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,gBAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAA+M,OAAAl7B,SAAA,gBAAAtH,EAAAyiC,kBAAoHlzB,MAAA,CAAQ1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAA0iC,mBAAAjzB,GAA2B3J,WAAA,yBAAkC,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA8GI,MAAA,CAAOoF,KAAA,aAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAmN,MAAAx+B,MAAAnE,EAAAvB,GAAA,kBAA6F8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gBAAAwP,SAAA,SAAAC,GAAqDzP,EAAA4iC,gBAAAnzB,GAAwB3J,WAAA,qBAA+B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,iBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAqN,UAAA1+B,MAAAnE,EAAAvB,GAAA,mBAAsG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAA8iC,oBAAArzB,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,kBAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAuN,WAAA5+B,MAAAnE,EAAAvB,GAAA,gDAAqI8Q,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAAgjC,qBAAAvzB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,eAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAkN,OAAgEpzB,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAijC,kBAAAxzB,GAA0B3J,WAAA,wBAAiC,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,+CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA4GI,MAAA,CAAOoF,KAAA,WAAAxB,MAAAnE,EAAAvB,GAAA,2CAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA0N,UAAwH3zB,MAAA,CAAQ1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAAmjC,mBAAA1zB,GAA2B3J,WAAA,wBAAkC9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,kBAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAyN,SAAA57B,SAAA,gBAAAtH,EAAAojC,sBAA4H7zB,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAAojC,qBAAA3zB,GAA6B3J,WAAA,2BAAoC,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAwGI,MAAA,CAAOoF,KAAA,OAAAxB,MAAAnE,EAAAvB,GAAA,uBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA6N,MAA4F9zB,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAAsjC,eAAA7zB,GAAuB3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,WAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA+N,UAA8Fh0B,MAAA,CAAQ1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAAwjC,mBAAA/zB,GAA2B3J,WAAA,yBAAkC,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,4CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAyGI,MAAA,CAAOoF,KAAA,OAAAxB,MAAAnE,EAAAvB,GAAA,wCAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAiO,MAA6Gl0B,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAA0jC,eAAAj0B,GAAuB3J,WAAA,qBAA8B,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,gDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA6GI,MAAA,CAAOoF,KAAA,YAAAxB,MAAAnE,EAAAvB,GAAA,uBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAmO,WAAsGp0B,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAA4jC,oBAAAn0B,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,gBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAqO,eAAwGt0B,MAAA,CAAQ1J,MAAA7F,EAAA,wBAAAwP,SAAA,SAAAC,GAA6DzP,EAAA8jC,wBAAAr0B,GAAgC3J,WAAA,6BAAuC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAgO,iBAA8C7jC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,gBAAAxB,MAAAnE,EAAAvB,GAAA,kBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAuO,eAAyGx0B,MAAA,CAAQ1J,MAAA7F,EAAA,wBAAAwP,SAAA,SAAAC,GAA6DzP,EAAAgkC,wBAAAv0B,GAAgC3J,WAAA,6BAAuC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAkO,kBAA8C,GAAA/jC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8CAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA2GI,MAAA,CAAOoF,KAAA,UAAAxB,MAAAnE,EAAAvB,GAAA,uBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAyO,SAAkG10B,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAAkkC,kBAAAz0B,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,gBAAiCI,MAAA,CAAOoF,KAAA,iBAAAwkB,SAAAnqB,EAAAu1B,aAAAE,QAAAwO,QAAA38B,SAAA,gBAAAtH,EAAAmkC,qBAAyH50B,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAAmkC,oBAAA10B,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA4O,aAAoG70B,MAAA,CAAQ1J,MAAA7F,EAAA,sBAAAwP,SAAA,SAAAC,GAA2DzP,EAAAqkC,sBAAA50B,GAA8B3J,WAAA,2BAAqC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAuO,eAA4CpkC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,kBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA8O,aAAqG/0B,MAAA,CAAQ1J,MAAA7F,EAAA,sBAAAwP,SAAA,SAAAC,GAA2DzP,EAAAukC,sBAAA90B,GAA8B3J,WAAA,2BAAqC9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAyO,gBAA4C,GAAAtkC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAgHI,MAAA,CAAOoF,KAAA,eAAAxB,MAAAnE,EAAAvB,GAAA,uBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAgP,cAA4Gj1B,MAAA,CAAQ1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAAykC,uBAAAh1B,GAA+B3J,WAAA,4BAAsC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAkP,kBAA8Gn1B,MAAA,CAAQ1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAA2kC,2BAAAl1B,GAAmC3J,WAAA,gCAA0C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA6O,oBAAiD1kC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,kBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAoP,kBAA+Gr1B,MAAA,CAAQ1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAA6kC,2BAAAp1B,GAAmC3J,WAAA,gCAA0C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAA+O,qBAAiD,GAAA5kC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAgHI,MAAA,CAAOoF,KAAA,eAAAxB,MAAAnE,EAAAvB,GAAA,uBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAsP,cAA4Gv1B,MAAA,CAAQ1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAA+kC,uBAAAt1B,GAA+B3J,WAAA,4BAAsC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,iBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAAwP,kBAA8Gz1B,MAAA,CAAQ1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAAilC,2BAAAx1B,GAAmC3J,WAAA,gCAA0C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAmP,oBAAiDhlC,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,kBAAA0rB,SAAAnqB,EAAAu1B,aAAAC,OAAA0P,kBAA+G31B,MAAA,CAAQ1J,MAAA7F,EAAA,2BAAAwP,SAAA,SAAAC,GAAgEzP,EAAAmlC,2BAAA11B,GAAmC3J,WAAA,gCAA0C9F,EAAAS,GAAA,KAAAN,EAAA,iBAAkCI,MAAA,CAAOquB,SAAA5uB,EAAA61B,gBAAAqP,qBAAiD,GAAAllC,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,cAAyB,CAAAF,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,mBAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAAgFI,MAAA,CAAOoF,KAAA,cAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAM,GAAA3xB,MAAAnE,EAAAvB,GAAA,wBAAiG8Q,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAAolC,iBAAA31B,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA6HI,MAAA,CAAOoF,KAAA,6BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAM,GAAA3xB,MAAAnE,EAAAvB,GAAA,wBAAgH8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gCAAAwP,SAAA,SAAAC,GAAqEzP,EAAAqlC,gCAAA51B,GAAwC3J,WAAA,qCAA+C9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,+BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAArG,KAAAhrB,MAAAnE,EAAAvB,GAAA,kBAA8G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kCAAAwP,SAAA,SAAAC,GAAuEzP,EAAAslC,kCAAA71B,GAA0C3J,WAAA,uCAAiD9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,+BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAuH,KAAA54B,MAAAnE,EAAAvB,GAAA,mBAA+G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kCAAAwP,SAAA,SAAAC,GAAuEzP,EAAAulC,kCAAA91B,GAA0C3J,WAAA,uCAAiD9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,qCAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAuF,GAAA52B,MAAAnE,EAAAvB,GAAA,+CAA+I8Q,MAAA,CAAQ1J,MAAA7F,EAAA,oCAAAwP,SAAA,SAAAC,GAAyEzP,EAAAwlC,oCAAA/1B,GAA4C3J,WAAA,yCAAmD9F,EAAAS,GAAA,KAAAN,EAAA,MAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,oDAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA6HI,MAAA,CAAOoF,KAAA,6BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAM,GAAA3xB,MAAAnE,EAAAvB,GAAA,wBAAgH8Q,MAAA,CAAQ1J,MAAA7F,EAAA,gCAAAwP,SAAA,SAAAC,GAAqEzP,EAAAylC,gCAAAh2B,GAAwC3J,WAAA,qCAA+C9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,+BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAArG,KAAAhrB,MAAAnE,EAAAvB,GAAA,kBAA8G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kCAAAwP,SAAA,SAAAC,GAAuEzP,EAAA0lC,kCAAAj2B,GAA0C3J,WAAA,uCAAiD9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,+BAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAuH,KAAA54B,MAAAnE,EAAAvB,GAAA,mBAA+G8Q,MAAA,CAAQ1J,MAAA7F,EAAA,kCAAAwP,SAAA,SAAAC,GAAuEzP,EAAA2lC,kCAAAl2B,GAA0C3J,WAAA,uCAAiD9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,qCAAAwkB,SAAAnqB,EAAAu1B,aAAAC,OAAAM,GAAA3xB,MAAAnE,EAAAvB,GAAA,+CAA+I8Q,MAAA,CAAQ1J,MAAA7F,EAAA,oCAAAwP,SAAA,SAAAC,GAAyEzP,EAAA4lC,oCAAAn2B,GAA4C3J,WAAA,0CAAmD,KAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA8BE,YAAA,mBAAAE,MAAA,CAAsC4D,MAAAnE,EAAAvB,GAAA,qCAAmD,CAAA0B,EAAA,OAAYE,YAAA,cAAyB,CAAAF,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,2BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAmFE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA06B,iBAA4B,CAAA16B,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAS,GAAA,KAAAN,EAAA,cAA+HI,MAAA,CAAOoF,KAAA,YAAAxB,MAAAnE,EAAAvB,GAAA,sBAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAZ,IAAA9J,IAAA,KAAA6a,WAAA,KAAwHt2B,MAAA,CAAQ1J,MAAA7F,EAAA,eAAAwP,SAAA,SAAAC,GAAoDzP,EAAA2yB,eAAAljB,GAAuB3J,WAAA,oBAA8B9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,wBAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAt2B,MAAA4rB,IAAA,IAAA6a,WAAA,KAA6Ht2B,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAA4yB,iBAAAnjB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,iBAAAxB,MAAAnE,EAAAvB,GAAA,2BAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAX,SAAA/J,IAAA,KAAA6a,WAAA,KAAuIt2B,MAAA,CAAQ1J,MAAA7F,EAAA,oBAAAwP,SAAA,SAAAC,GAAyDzP,EAAA6yB,oBAAApjB,GAA4B3J,WAAA,yBAAmC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,cAAAxB,MAAAnE,EAAAvB,GAAA,wBAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAV,MAAAhK,IAAA,KAAA6a,WAAA,KAA8Ht2B,MAAA,CAAQ1J,MAAA7F,EAAA,iBAAAwP,SAAA,SAAAC,GAAsDzP,EAAA8yB,iBAAArjB,GAAyB3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,eAAAxB,MAAAnE,EAAAvB,GAAA,yBAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAA/R,OAAAqH,IAAA,KAAA6a,WAAA,KAAiIt2B,MAAA,CAAQ1J,MAAA7F,EAAA,kBAAAwP,SAAA,SAAAC,GAAuDzP,EAAA+yB,kBAAAtjB,GAA0B3J,WAAA,uBAAiC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,kBAAAxB,MAAAnE,EAAAvB,GAAA,4BAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAT,UAAAjK,IAAA,KAAA6a,WAAA,KAA0It2B,MAAA,CAAQ1J,MAAA7F,EAAA,qBAAAwP,SAAA,SAAAC,GAA0DzP,EAAAgzB,qBAAAvjB,GAA6B3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,mBAAAxB,MAAAnE,EAAAvB,GAAA,6BAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAP,WAAAnK,IAAA,KAAA6a,WAAA,KAA6It2B,MAAA,CAAQ1J,MAAA7F,EAAA,sBAAAwP,SAAA,SAAAC,GAA2DzP,EAAAizB,sBAAAxjB,GAA8B3J,WAAA,2BAAqC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,gBAAAxB,MAAAnE,EAAAvB,GAAA,0BAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAR,QAAAlK,IAAA,KAAA6a,WAAA,KAAoIt2B,MAAA,CAAQ1J,MAAA7F,EAAA,mBAAAwP,SAAA,SAAAC,GAAwDzP,EAAAkzB,mBAAAzjB,GAA2B3J,WAAA,wBAAkC9F,EAAAS,GAAA,KAAAN,EAAA,cAA+BI,MAAA,CAAOoF,KAAA,oBAAAxB,MAAAnE,EAAAvB,GAAA,8BAAA0rB,SAAAnqB,EAAAu1B,aAAAG,MAAAN,aAAA,EAAApK,IAAA,KAAA6a,WAAA,KAAqJt2B,MAAA,CAAQ1J,MAAA7F,EAAA,uBAAAwP,SAAA,SAAAC,GAA4DzP,EAAAmzB,uBAAA1jB,GAA+B3J,WAAA,6BAAsC,GAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,mBAAAE,MAAA,CAAsC4D,MAAAnE,EAAAvB,GAAA,uCAAqD,CAAA0B,EAAA,OAAYE,YAAA,8BAAyC,CAAAF,EAAA,OAAYE,YAAA,oBAA+B,CAAAL,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uDAAA0B,EAAA,SAA2GE,YAAA,SAAAE,MAAA,CAA4BmR,IAAA,oBAAyB,CAAAvR,EAAA,UAAeuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,eAAA8F,WAAA,mBAAsFzF,YAAA,kBAAAE,MAAA,CAAuC4C,GAAA,mBAAuB3C,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAA2L,EAAA9I,MAAA+I,UAAAjN,OAAAkN,KAAA7L,EAAAC,OAAA6L,QAAA,SAAAC,GAAkF,OAAAA,EAAAhJ,WAAkBpF,IAAA,SAAAoO,GAA+D,MAA7C,WAAAA,IAAAC,OAAAD,EAAAlM,QAA0D7F,EAAAwyB,eAAAxsB,EAAAC,OAAAgM,SAAAN,IAAA,MAAgF3R,EAAAoG,GAAApG,EAAA,0BAAAotB,GAAgD,OAAAjtB,EAAA,UAAoB+I,IAAAkkB,EAAArnB,SAAA,CAAqBF,MAAAunB,IAAgB,CAAAptB,EAAAS,GAAA,uBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qCAAA2uB,IAAA,0BAAsH,GAAAptB,EAAAS,GAAA,KAAAN,EAAA,KAAyBE,YAAA,uBAA6BL,EAAAS,GAAA,KAAAN,EAAA,OAA4BE,YAAA,YAAuB,CAAAF,EAAA,SAAcE,YAAA,QAAAE,MAAA,CAA2BmR,IAAA,aAAkB,CAAA1R,EAAAS,GAAA,mBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,wDAAAuB,EAAAS,GAAA,KAAAN,EAAA,SAA0HuF,WAAA,EAAaC,KAAA,QAAAC,QAAA,UAAAC,MAAA7F,EAAA,uBAAA8F,WAAA,2BAAsGzF,YAAA,iBAAAE,MAAA,CAAsC4C,GAAA,WAAAwC,KAAA,WAAAxH,KAAA,YAAoD4H,SAAA,CAAW0D,QAAAZ,MAAAwkB,QAAArtB,EAAA43B,wBAAA53B,EAAAstB,GAAAttB,EAAA43B,uBAAA,SAAA53B,EAAA,wBAA4HQ,GAAA,CAAKtB,OAAA,SAAA8G,GAA0B,IAAAunB,EAAAvtB,EAAA43B,uBAAApK,EAAAxnB,EAAAC,OAAAwnB,IAAAD,EAAA/jB,QAAsF,GAAAZ,MAAAwkB,QAAAE,GAAA,CAAuB,IAAAG,EAAA1tB,EAAAstB,GAAAC,EAAA,MAAiCC,EAAA/jB,QAAiBikB,EAAA,IAAA1tB,EAAA43B,uBAAArK,EAAApiB,OAAA,CAAlD,QAA6GuiB,GAAA,IAAA1tB,EAAA43B,uBAAArK,EAAA3jB,MAAA,EAAA8jB,GAAAviB,OAAAoiB,EAAA3jB,MAAA8jB,EAAA,UAAqF1tB,EAAA43B,uBAAAnK,MAAkCztB,EAAAS,GAAA,KAAAN,EAAA,SAA0BE,YAAA,iBAAAE,MAAA,CAAoCmR,IAAA,gBAAkB1R,EAAAS,GAAA,KAAAN,EAAA,UAA6BE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA46B,eAA0B,CAAA56B,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAS,GAAA,KAAAN,EAAA,iBAAkII,MAAA,CAAOqS,QAAA5S,EAAA83B,sBAAA3N,SAAAnqB,EAAA83B,uBAAyEvoB,MAAA,CAAQ1J,MAAA7F,EAAA,cAAAwP,SAAA,SAAAC,GAAmDzP,EAAA63B,cAAApoB,GAAsB3J,WAAA,mBAA6B9F,EAAAS,GAAA,gBAAAT,EAAAwyB,gBAAA,iBAAAxyB,EAAAwyB,eAAAryB,EAAA,OAAAA,EAAA,QAA8GI,MAAA,CAAOqtB,KAAA,wDAAAC,IAAA,MAA0E,CAAA1tB,EAAA,QAAAH,EAAAS,GAAA,6BAAAT,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,uDAAAuB,EAAAS,GAAA,KAAAN,EAAA,QAAwKI,MAAA,CAAOqtB,KAAA,wDAAAC,IAAA,MAA0E,CAAA1tB,EAAA,QAAAH,EAAAS,GAAA,iBAAAT,EAAAS,GAAA,KAAAN,EAAA,QAAAH,EAAAS,GAAA,mBAAAT,EAAAS,GAAA,KAAAN,EAAA,QAAAH,EAAAS,GAAA,aAAAT,EAAAS,GAAA,KAAAN,EAAA,QAAwJI,MAAA,CAAOqtB,KAAA,mDAAAC,IAAA,MAAqE,CAAA1tB,EAAA,QAAAH,EAAAS,GAAA,kBAAAT,EAAAS,GAAA,KAAAN,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAY,MAAA,GAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAA4KE,YAAA,kBAAAE,MAAA,CAAqC4D,MAAAnE,EAAAvB,GAAA,qCAAmD,CAAA0B,EAAA,OAAYE,YAAA,cAAyB,CAAAF,EAAA,KAAAH,EAAAS,GAAAT,EAAAW,GAAAX,EAAAvB,GAAA,iCAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAyFE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAA66B,aAAwB,CAAA76B,EAAAS,GAAA,iBAAAT,EAAAW,GAAAX,EAAAvB,GAAA,0DAAAuB,EAAAS,GAAA,KAAAN,EAAA,eAAgII,MAAA,CAAOoF,KAAA,KAAAxB,MAAAnE,EAAAvB,GAAA,6CAAA0rB,SAAAnqB,EAAAu1B,aAAAK,MAAAkQ,UAAAC,aAAA,KAAqIx2B,MAAA,CAAQ1J,MAAA7F,EAAA0yB,WAAA,UAAAljB,SAAA,SAAAC,GAA0DzP,EAAA0P,KAAA1P,EAAA0yB,WAAA,YAAAjjB,IAA2C3J,WAAA,0BAAoC9F,EAAAS,GAAA,KAAAN,EAAA,eAAgCI,MAAA,CAAOoF,KAAA,QAAAxB,MAAAnE,EAAAvB,GAAA,yCAAA0rB,SAAAnqB,EAAAu1B,aAAAK,MAAAx2B,OAA+GmQ,MAAA,CAAQ1J,MAAA7F,EAAA0yB,WAAA,MAAAljB,SAAA,SAAAC,GAAsDzP,EAAA0P,KAAA1P,EAAA0yB,WAAA,QAAAjjB,IAAuC3J,WAAA,sBAAgC9F,EAAAS,GAAA,KAAAN,EAAA,eAAgCI,MAAA,CAAOoF,KAAA,OAAAxB,MAAAnE,EAAAvB,GAAA,wCAAA0rB,SAAAnqB,EAAAu1B,aAAAK,MAAAoQ,MAA4Gz2B,MAAA,CAAQ1J,MAAA7F,EAAA0yB,WAAA,KAAAljB,SAAA,SAAAC,GAAqDzP,EAAA0P,KAAA1P,EAAA0yB,WAAA,OAAAjjB,IAAsC3J,WAAA,qBAA+B9F,EAAAS,GAAA,KAAAN,EAAA,eAAgCI,MAAA,CAAOoF,KAAA,WAAAxB,MAAAnE,EAAAvB,GAAA,4CAAA0rB,SAAAnqB,EAAAu1B,aAAAK,MAAAqQ,UAAwH12B,MAAA,CAAQ1J,MAAA7F,EAAA0yB,WAAA,SAAAljB,SAAA,SAAAC,GAAyDzP,EAAA0P,KAAA1P,EAAA0yB,WAAA,WAAAjjB,IAA0C3J,WAAA,0BAAmC,SAAA9F,EAAAS,GAAA,KAAAN,EAAA,OAAkCE,YAAA,mBAA8B,CAAAF,EAAA,UAAeE,YAAA,aAAAE,MAAA,CAAgC+G,UAAAtH,EAAAg4B,YAA2Bx3B,GAAA,CAAKE,MAAAV,EAAA85B,iBAA4B,CAAA95B,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,8BAAAuB,EAAAS,GAAA,KAAAN,EAAA,UAAyFE,YAAA,MAAAG,GAAA,CAAsBE,MAAAV,EAAAq6B,WAAsB,CAAAr6B,EAAAS,GAAA,WAAAT,EAAAW,GAAAX,EAAAvB,GAAA,qDAC7yxC,IDIY,EAa7B69B,GATiB,KAEU,MAYG,QEmCjB4J,GAjDc,CAC3B1jC,WAAY,CACVuK,gBAEA7K,sBACAikC,qBACAn3B,oBACA2B,gBACAoH,eACA6F,cACAoI,cACAsD,cACA8c,aAEF1jC,SAAU,CACR2jC,WADQ,WAEN,QAAS7nC,KAAK8D,OAAOM,MAAMC,MAAMC,aAEnCgiB,KAJQ,WAKN,MAA0D,WAAnDtmB,KAAK8D,OAAOM,MAAZ,UAA4B0jC,qBAGvCrnC,QAAS,CACPsnC,OADO,WAEL,IAAMC,EAAYhoC,KAAK8D,OAAOM,MAAZ,UAA4B6jC,uBAE9C,GAAID,EAAW,CACb,IAAME,EAAWloC,KAAKW,MAAMwnC,YAAYt6B,OAAvB,QAAsCu6B,UAAU,SAAAC,GAC/D,OAAOA,EAAIjoC,MAAQioC,EAAIjoC,KAAK2B,MAAM,mBAAqBimC,IAErDE,GAAY,GACdloC,KAAKW,MAAMwnC,YAAYG,OAAOJ,GAKlCloC,KAAK8D,OAAOC,SAAS,iCAGzBgV,QAvC2B,WAwCzB/Y,KAAK+nC,UAEPrhC,MAAO,CACL4f,KAAM,SAAUjf,GACVA,GAAOrH,KAAK+nC,YChDtB,IAEIQ,GAVJ,SAAoBpnC,GAClBnC,EAAQ,MAeNwpC,GAAYnnC,OAAAC,EAAA,EAAAD,CACdonC,GCjBQ,WAAgB,IAAAjnC,EAAAxB,KAAayB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,EAAwB,OAAAE,EAAA,gBAA0BG,IAAA,cAAAD,YAAA,wBAAAE,MAAA,CAA6D2mC,gBAAA,EAAAr4B,mBAAA,IAA4C,CAAA1O,EAAA,OAAYI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,oBAAAglC,KAAA,SAAA0D,gBAAA,YAA8E,CAAAhnC,EAAA,kBAAAH,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,OAA8DI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,wBAAAglC,KAAA,OAAA0D,gBAAA,YAAgF,CAAAhnC,EAAA,kBAAAH,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,OAAuEI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,yBAAAglC,KAAA,OAAA0D,gBAAA,aAAkF,CAAAhnC,EAAA,mBAAAH,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAAuDI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,sBAAAglC,KAAA,SAAA0D,gBAAA,cAAkF,CAAAhnC,EAAA,oBAAAH,EAAAS,GAAA,KAAAN,EAAA,OAA+CI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,kBAAAglC,KAAA,QAAA0D,gBAAA,UAAyE,CAAAhnC,EAAA,gBAAAH,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,OAA4DI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,0BAAAglC,KAAA,iBAAA0D,gBAAA,kBAAkG,CAAAhnC,EAAA,wBAAAH,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,OAA6EI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,mCAAAglC,KAAA,WAAA0D,gBAAA,qBAAwG,CAAAhnC,EAAA,2BAAAH,EAAAY,KAAAZ,EAAAS,GAAA,KAAAT,EAAA,WAAAG,EAAA,OAAgFI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,6BAAA2oC,YAAA,EAAA3D,KAAA,UAAA0D,gBAAA,mBAAiH,CAAAhnC,EAAA,yBAAAH,EAAAY,KAAAZ,EAAAS,GAAA,KAAAN,EAAA,OAA6DI,MAAA,CAAO4D,MAAAnE,EAAAvB,GAAA,0BAAAglC,KAAA,eAAA0D,gBAAA,YAA0F,CAAAhnC,EAAA,qBACrjD,IDOY,EAa7B4mC,GATiB,KAEU,MAYdM,EAAA,QAAAL,GAAiB","file":"static/js/2.e852a6b4b3bba752b838.js","sourcesContent":["// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./settings_modal_content.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"a45e17ec\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".settings_tab-switcher{height:100%}.settings_tab-switcher .setting-item{border-bottom:2px solid var(--fg,#182230);margin:1em 1em 1.4em;padding-bottom:1.4em}.settings_tab-switcher .setting-item>div{margin-bottom:.5em}.settings_tab-switcher .setting-item>div:last-child{margin-bottom:0}.settings_tab-switcher .setting-item:last-child{border-bottom:none;padding-bottom:0;margin-bottom:1em}.settings_tab-switcher .setting-item select{min-width:10em}.settings_tab-switcher .setting-item textarea{width:100%;max-width:100%;height:100px}.settings_tab-switcher .setting-item .unavailable,.settings_tab-switcher .setting-item .unavailable i{color:var(--cRed,red);color:red}.settings_tab-switcher .setting-item .number-input{max-width:6em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./importer.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"5bed876c\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".importer-uploading{font-size:1.5em;margin:.25em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./exporter.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"432fc7c6\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".exporter-processing{font-size:1.5em;margin:.25em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../../node_modules/css-loader/index.js?minimize!../../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../../node_modules/sass-loader/lib/loader.js!./mutes_and_blocks_tab.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"33ca0d90\", content, true, {});","exports = module.exports = require(\"../../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".mutes-and-blocks-tab{height:100%}.mutes-and-blocks-tab .usersearch-wrapper{padding:1em}.mutes-and-blocks-tab .bulk-actions{text-align:right;padding:0 1em;min-height:28px}.mutes-and-blocks-tab .bulk-action-button{width:10em}.mutes-and-blocks-tab .domain-mute-form{padding:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.mutes-and-blocks-tab .domain-mute-button{-ms-flex-item-align:end;align-self:flex-end;margin-top:1em;width:10em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./autosuggest.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"3a9ec1bf\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".autosuggest{position:relative}.autosuggest-input{display:block;width:100%}.autosuggest-results{position:absolute;left:0;top:100%;right:0;max-height:400px;background-color:#121a24;background-color:var(--bg,#121a24);border-color:#222;border:1px solid var(--border,#222);border-radius:4px;border-radius:var(--inputRadius,4px);border-top-left-radius:0;border-top-right-radius:0;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);overflow-y:auto;z-index:1}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./block_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"211aa67c\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".block-card-content-container{margin-top:.5em;text-align:right}.block-card-content-container button{width:10em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./mute_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7ea980e0\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".mute-card-content-container{margin-top:.5em;text-align:right}.mute-card-content-container button{width:10em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./domain_mute_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"39a942c3\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".domain-mute-card{-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-align:center;align-items:center;padding:.6em 1em .6em 0}.domain-mute-card-domain{margin-right:1em;overflow:hidden;text-overflow:ellipsis}.domain-mute-card button{width:10em}.autosuggest-results .domain-mute-card{padding-left:1em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./selectable_list.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"3724291e\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".selectable-list-item-inner{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.selectable-list-item-inner>*{min-width:0}.selectable-list-item-selected-inner{background-color:#151e2a;background-color:var(--selectedMenu,#151e2a);color:var(--selectedMenuText,#b9b9ba);--faint:var(--selectedMenuFaintText,$fallback--faint);--faintLink:var(--selectedMenuFaintLink,$fallback--faint);--lightText:var(--selectedMenuLightText,$fallback--lightText);--icon:var(--selectedMenuIcon,$fallback--icon)}.selectable-list-header{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;padding:.6em 0;border-bottom:2px solid;border-bottom-color:#222;border-bottom-color:var(--border,#222)}.selectable-list-header-actions{-ms-flex:1;flex:1}.selectable-list-checkbox-wrapper{padding:0 10px;-ms-flex:none;flex:none}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../../../node_modules/css-loader/index.js?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../../../node_modules/sass-loader/lib/loader.js!../../../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./mfa.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"a588473e\", content, true, {});","exports = module.exports = require(\"../../../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".mfa-settings .method-item,.mfa-settings .mfa-heading{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-align:baseline;align-items:baseline}.mfa-settings .warning{color:orange;color:var(--cOrange,orange)}.mfa-settings .setup-otp{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-wrap:wrap;flex-wrap:wrap}.mfa-settings .setup-otp .qr-code{-ms-flex:1;flex:1;padding-right:10px}.mfa-settings .setup-otp .verify{-ms-flex:1;flex:1}.mfa-settings .setup-otp .error{margin:4px 0 0}.mfa-settings .setup-otp .confirm-otp-actions button{width:15em;margin-top:5px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../../../node_modules/css-loader/index.js?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../../../node_modules/sass-loader/lib/loader.js!../../../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./mfa_backup_codes.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"4065bf15\", content, true, {});","exports = module.exports = require(\"../../../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".mfa-backup-codes .warning{color:orange;color:var(--cOrange,orange)}.mfa-backup-codes .backup-codes{font-family:var(--postCodeFont,monospace)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../../node_modules/css-loader/index.js?minimize!../../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../../node_modules/sass-loader/lib/loader.js!./profile_tab.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"27925ae8\", content, true, {});","exports = module.exports = require(\"../../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".profile-tab .bio{margin:0}.profile-tab .visibility-tray{padding-top:5px}.profile-tab input[type=file]{padding:5px;height:auto}.profile-tab .banner-background-preview{max-width:100%;width:300px;position:relative}.profile-tab .banner-background-preview img{width:100%}.profile-tab .uploading{font-size:1.5em;margin:.25em}.profile-tab .name-changer{width:100%}.profile-tab .current-avatar-container{position:relative;width:150px;height:150px}.profile-tab .current-avatar{display:block;width:100%;height:100%;border-radius:4px;border-radius:var(--avatarRadius,4px)}.profile-tab .reset-button{position:absolute;top:.2em;right:.2em;border-radius:5px;border-radius:var(--tooltipRadius,5px);background-color:rgba(0,0,0,.6);opacity:.7;color:#fff;width:1.5em;height:1.5em;text-align:center;line-height:1.5em;font-size:1.5em;cursor:pointer}.profile-tab .reset-button:hover{opacity:1}.profile-tab .oauth-tokens{width:100%}.profile-tab .oauth-tokens th{text-align:left}.profile-tab .oauth-tokens .actions{text-align:right}.profile-tab-usersearch-wrapper{padding:1em}.profile-tab-bulk-actions{text-align:right;padding:0 1em;min-height:28px}.profile-tab-bulk-actions button{width:10em}.profile-tab-domain-mute-form{padding:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.profile-tab-domain-mute-form button{-ms-flex-item-align:end;align-self:flex-end;margin-top:1em;width:10em}.profile-tab .setting-subitem{margin-left:1.75em}.profile-tab .profile-fields{display:-ms-flexbox;display:flex}.profile-tab .profile-fields>.emoji-input{-ms-flex:1 1 auto;flex:1 1 auto;margin:0 .2em .5em;min-width:0}.profile-tab .profile-fields>.icon-container{width:20px}.profile-tab .profile-fields>.icon-container>.icon-cancel{vertical-align:sub}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./image_cropper.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"0dfd0b33\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".image-cropper-img-input{display:none}.image-cropper-image-container{position:relative}.image-cropper-image-container img{display:block;max-width:100%}.image-cropper-buttons-wrapper{margin-top:10px}.image-cropper-buttons-wrapper button{margin-top:5px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../../../node_modules/css-loader/index.js?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../../../node_modules/sass-loader/lib/loader.js!./theme_tab.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"4fafab12\", content, true, {});","exports = module.exports = require(\"../../../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".theme-tab{padding-bottom:2em}.theme-tab .theme-warning{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;margin-bottom:.5em}.theme-tab .theme-warning .buttons .btn{margin-bottom:.5em}.theme-tab .preset-switcher{margin-right:1em}.theme-tab .style-control{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;margin-bottom:5px}.theme-tab .style-control .label{-ms-flex:1;flex:1}.theme-tab .style-control.disabled input,.theme-tab .style-control.disabled select{opacity:.5}.theme-tab .style-control .opt{margin:.5em}.theme-tab .style-control .color-input{-ms-flex:0 0 0px;flex:0 0 0}.theme-tab .style-control input,.theme-tab .style-control select{min-width:3em;margin:0;-ms-flex:0;flex:0}.theme-tab .style-control input[type=number],.theme-tab .style-control select[type=number]{min-width:5em}.theme-tab .style-control input[type=range],.theme-tab .style-control select[type=range]{-ms-flex:1;flex:1;min-width:3em;-ms-flex-item-align:start;align-self:flex-start}.theme-tab .reset-container{-ms-flex-wrap:wrap;flex-wrap:wrap}.theme-tab .apply-container,.theme-tab .color-container,.theme-tab .fonts-container,.theme-tab .radius-container,.theme-tab .reset-container{display:-ms-flexbox;display:flex}.theme-tab .fonts-container,.theme-tab .radius-container{-ms-flex-direction:column;flex-direction:column}.theme-tab .color-container{-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:justify;justify-content:space-between}.theme-tab .color-container>h4{width:99%}.theme-tab .color-container,.theme-tab .fonts-container,.theme-tab .presets-container,.theme-tab .radius-container,.theme-tab .shadow-container{margin:1em 1em 0}.theme-tab .tab-header{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-align:baseline;align-items:baseline;width:100%;min-height:30px;margin-bottom:1em}.theme-tab .tab-header p{-ms-flex:1;flex:1;margin:0;margin-right:.5em}.theme-tab .tab-header-buttons{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.theme-tab .tab-header-buttons .btn{min-width:1px;-ms-flex:0 auto;flex:0 auto;padding:0 1em;margin-bottom:.5em}.theme-tab .shadow-selector .override{-ms-flex:1;flex:1;margin-left:.5em}.theme-tab .shadow-selector .select-container{margin-top:-4px;margin-bottom:-3px}.theme-tab .save-load,.theme-tab .save-load-options{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:baseline;align-items:baseline;-ms-flex-wrap:wrap;flex-wrap:wrap}.theme-tab .save-load-options .import-export,.theme-tab .save-load-options .presets,.theme-tab .save-load .import-export,.theme-tab .save-load .presets{margin-bottom:.5em}.theme-tab .save-load-options .import-export,.theme-tab .save-load .import-export{display:-ms-flexbox;display:flex}.theme-tab .save-load-options .override,.theme-tab .save-load .override{margin-left:.5em}.theme-tab .save-load-options{-ms-flex-wrap:wrap;flex-wrap:wrap;margin-top:.5em;-ms-flex-pack:center;justify-content:center}.theme-tab .save-load-options .keep-option{margin:0 .5em .5em;min-width:25%}.theme-tab .preview-container{border-top:1px dashed;border-bottom:1px dashed;border-color:#222;border-color:var(--border,#222);margin:1em 0;padding:1em;background:var(--body-background-image);background-size:cover;background-position:50% 50%}.theme-tab .preview-container .dummy .post{font-family:var(--postFont);display:-ms-flexbox;display:flex}.theme-tab .preview-container .dummy .post .content{-ms-flex:1;flex:1}.theme-tab .preview-container .dummy .post .content h4{margin-bottom:.25em}.theme-tab .preview-container .dummy .post .content .icons{margin-top:.5em;display:-ms-flexbox;display:flex}.theme-tab .preview-container .dummy .post .content .icons i{margin-right:1em}.theme-tab .preview-container .dummy .after-post{margin-top:1em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.theme-tab .preview-container .dummy .avatar,.theme-tab .preview-container .dummy .avatar-alt{background:linear-gradient(135deg,#b8e1fc,#a9d2f3 10%,#90bae4 25%,#90bcea 37%,#90bff0 50%,#6ba8e5 51%,#a2daf5 83%,#bdf3fd);color:#000;font-family:sans-serif;text-align:center;margin-right:1em}.theme-tab .preview-container .dummy .avatar-alt{-ms-flex:0 auto;flex:0 auto;margin-left:28px;font-size:12px;min-width:20px;min-height:20px;line-height:20px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.theme-tab .preview-container .dummy .avatar{-ms-flex:0 auto;flex:0 auto;width:48px;height:48px;font-size:14px;line-height:48px}.theme-tab .preview-container .dummy .actions{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline}.theme-tab .preview-container .dummy .actions .checkbox{display:-ms-inline-flexbox;display:inline-flex;-ms-flex-align:baseline;align-items:baseline;margin-right:1em;-ms-flex:1;flex:1}.theme-tab .preview-container .dummy .separator{margin:1em;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222)}.theme-tab .preview-container .dummy .panel-heading .alert,.theme-tab .preview-container .dummy .panel-heading .badge,.theme-tab .preview-container .dummy .panel-heading .btn,.theme-tab .preview-container .dummy .panel-heading .faint{margin-left:1em;white-space:nowrap}.theme-tab .preview-container .dummy .panel-heading .faint{text-overflow:ellipsis;min-width:2em;overflow-x:hidden}.theme-tab .preview-container .dummy .panel-heading .flex-spacer{-ms-flex:1;flex:1}.theme-tab .preview-container .dummy .btn{margin-left:0;padding:0 1em;min-width:3em;min-height:30px}.theme-tab .apply-container{-ms-flex-pack:center;justify-content:center}.theme-tab .color-item,.theme-tab .radius-item{min-width:20em;margin:5px 6px 0 0;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex:1 1 0px;flex:1 1 0}.theme-tab .color-item.wide,.theme-tab .radius-item.wide{min-width:60%}.theme-tab .color-item:not(.wide):nth-child(odd),.theme-tab .radius-item:not(.wide):nth-child(odd){margin-right:7px}.theme-tab .color-item .color,.theme-tab .color-item .opacity,.theme-tab .radius-item .color,.theme-tab .radius-item .opacity{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline}.theme-tab .radius-item{-ms-flex-preferred-size:auto;flex-basis:auto}.theme-tab .theme-color-cl,.theme-tab .theme-radius-rn{border:0;box-shadow:none;background:transparent;color:var(--faint,hsla(240,1%,73%,.5));-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.theme-tab .theme-color-cl,.theme-tab .theme-color-in,.theme-tab .theme-radius-in{margin-left:4px}.theme-tab .theme-radius-in{min-width:1em;max-width:7em;-ms-flex:1;flex:1}.theme-tab .theme-radius-lb{max-width:50em}.theme-tab .theme-preview-content{padding:20px}.theme-tab .apply-container .btn{min-height:28px;min-width:10em;padding:0 2em}.theme-tab .btn{margin-left:.25em;margin-right:.25em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./color_input.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7e57f952\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".color-input,.color-input-field.input{display:-ms-inline-flexbox;display:inline-flex}.color-input-field.input{-ms-flex:0 0 0px;flex:0 0 0;max-width:9em;-ms-flex-align:stretch;align-items:stretch;padding:.2em 8px}.color-input-field.input input{background:none;color:#b9b9ba;color:var(--inputText,#b9b9ba);border:none;padding:0;margin:0}.color-input-field.input input.textColor{-ms-flex:1 0 3em;flex:1 0 3em;min-width:3em;padding:0}.color-input-field.input .computedIndicator,.color-input-field.input .transparentIndicator,.color-input-field.input input.nativeColor{-ms-flex:0 0 2em;flex:0 0 2em;min-width:2em;-ms-flex-item-align:center;-ms-grid-row-align:center;align-self:center;height:100%}.color-input-field.input .transparentIndicator{background-color:#f0f;position:relative}.color-input-field.input .transparentIndicator:after,.color-input-field.input .transparentIndicator:before{display:block;content:\\\"\\\";background-color:#000;position:absolute;height:50%;width:50%}.color-input-field.input .transparentIndicator:after{top:0;left:0}.color-input-field.input .transparentIndicator:before{bottom:0;right:0}.color-input .label{-ms-flex:1 1 auto;flex:1 1 auto}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=1!./color_input.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"6c632637\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".color-control input.text-input{max-width:7em;-ms-flex:1;flex:1}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./shadow_control.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"d219da80\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".shadow-control{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:center;justify-content:center;margin-bottom:1em}.shadow-control .shadow-preview-container,.shadow-control .shadow-tweak{margin:5px 6px 0 0}.shadow-control .shadow-preview-container{-ms-flex:0;flex:0;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.shadow-control .shadow-preview-container input[type=number]{width:5em;min-width:2em}.shadow-control .shadow-preview-container .x-shift-control,.shadow-control .shadow-preview-container .y-shift-control{display:-ms-flexbox;display:flex;-ms-flex:0;flex:0}.shadow-control .shadow-preview-container .x-shift-control[disabled=disabled] *,.shadow-control .shadow-preview-container .y-shift-control[disabled=disabled] *{opacity:.5}.shadow-control .shadow-preview-container .x-shift-control{-ms-flex-align:start;align-items:flex-start}.shadow-control .shadow-preview-container .x-shift-control .wrap,.shadow-control .shadow-preview-container input[type=range]{margin:0;width:15em;height:2em}.shadow-control .shadow-preview-container .y-shift-control{-ms-flex-direction:column;flex-direction:column;-ms-flex-align:end;align-items:flex-end}.shadow-control .shadow-preview-container .y-shift-control .wrap{width:2em;height:15em}.shadow-control .shadow-preview-container .y-shift-control input[type=range]{transform-origin:1em 1em;transform:rotate(90deg)}.shadow-control .shadow-preview-container .preview-window{-ms-flex:1;flex:1;background-color:#999;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;background-image:linear-gradient(45deg,#666 25%,transparent 0),linear-gradient(-45deg,#666 25%,transparent 0),linear-gradient(45deg,transparent 75%,#666 0),linear-gradient(-45deg,transparent 75%,#666 0);background-size:20px 20px;background-position:0 0,0 10px,10px -10px,-10px 0;border-radius:4px;border-radius:var(--inputRadius,4px)}.shadow-control .shadow-preview-container .preview-window .preview-block{width:33%;height:33%;background-color:#121a24;background-color:var(--bg,#121a24);border-radius:10px;border-radius:var(--panelRadius,10px)}.shadow-control .shadow-tweak{-ms-flex:1;flex:1;min-width:280px}.shadow-control .shadow-tweak .id-control{-ms-flex-align:stretch;align-items:stretch}.shadow-control .shadow-tweak .id-control .btn,.shadow-control .shadow-tweak .id-control .select{min-width:1px;margin-right:5px}.shadow-control .shadow-tweak .id-control .btn{padding:0 .4em;margin:0 .1em}.shadow-control .shadow-tweak .id-control .select{-ms-flex:1;flex:1}.shadow-control .shadow-tweak .id-control .select select{-ms-flex-item-align:initial;-ms-grid-row-align:initial;align-self:auto}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./font_control.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"d9c0acde\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".font-control input.custom-font{min-width:10em}.font-control.custom .select{border-top-right-radius:0;border-bottom-right-radius:0}.font-control.custom .custom-font{border-top-left-radius:0;border-bottom-left-radius:0}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./contrast_ratio.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"b94bc120\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".contrast-ratio{display:-ms-flexbox;display:flex;-ms-flex-pack:end;justify-content:flex-end;margin-top:-4px;margin-bottom:5px}.contrast-ratio .label{margin-right:1em}.contrast-ratio .rating{display:inline-block;text-align:center}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./export_import.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"66a4eaba\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".import-export-container{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-align:baseline;align-items:baseline;-ms-flex-pack:center;justify-content:center}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../../../node_modules/css-loader/index.js?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../../../node_modules/sass-loader/lib/loader.js!../../../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./preview.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"6fe23c76\", content, true, {});","exports = module.exports = require(\"../../../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".preview-container{position:relative}.underlay-preview{position:absolute;top:0;bottom:0;left:10px;right:10px}\", \"\"]);\n\n// exports\n","const Importer = {\n props: {\n submitHandler: {\n type: Function,\n required: true\n },\n submitButtonLabel: {\n type: String,\n default () {\n return this.$t('importer.submit')\n }\n },\n successMessage: {\n type: String,\n default () {\n return this.$t('importer.success')\n }\n },\n errorMessage: {\n type: String,\n default () {\n return this.$t('importer.error')\n }\n }\n },\n data () {\n return {\n file: null,\n error: false,\n success: false,\n submitting: false\n }\n },\n methods: {\n change () {\n this.file = this.$refs.input.files[0]\n },\n submit () {\n this.dismiss()\n this.submitting = true\n this.submitHandler(this.file)\n .then(() => { this.success = true })\n .catch(() => { this.error = true })\n .finally(() => { this.submitting = false })\n },\n dismiss () {\n this.success = false\n this.error = false\n }\n }\n}\n\nexport default Importer\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./importer.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./importer.js\"\nimport __vue_script__ from \"!!babel-loader!./importer.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4927596c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./importer.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"importer\"},[_c('form',[_c('input',{ref:\"input\",attrs:{\"type\":\"file\"},on:{\"change\":_vm.change}})]),_vm._v(\" \"),(_vm.submitting)?_c('i',{staticClass:\"icon-spin4 animate-spin importer-uploading\"}):_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.submit}},[_vm._v(\"\\n \"+_vm._s(_vm.submitButtonLabel)+\"\\n \")]),_vm._v(\" \"),(_vm.success)?_c('div',[_c('i',{staticClass:\"icon-cross\",on:{\"click\":_vm.dismiss}}),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.successMessage))])]):(_vm.error)?_c('div',[_c('i',{staticClass:\"icon-cross\",on:{\"click\":_vm.dismiss}}),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.errorMessage))])]):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const Exporter = {\n props: {\n getContent: {\n type: Function,\n required: true\n },\n filename: {\n type: String,\n default: 'export.csv'\n },\n exportButtonLabel: {\n type: String,\n default () {\n return this.$t('exporter.export')\n }\n },\n processingMessage: {\n type: String,\n default () {\n return this.$t('exporter.processing')\n }\n }\n },\n data () {\n return {\n processing: false\n }\n },\n methods: {\n process () {\n this.processing = true\n this.getContent()\n .then((content) => {\n const fileToDownload = document.createElement('a')\n fileToDownload.setAttribute('href', 'data:text/plain;charset=utf-8,' + encodeURIComponent(content))\n fileToDownload.setAttribute('download', this.filename)\n fileToDownload.style.display = 'none'\n document.body.appendChild(fileToDownload)\n fileToDownload.click()\n document.body.removeChild(fileToDownload)\n // Add delay before hiding processing state since browser takes some time to handle file download\n setTimeout(() => { this.processing = false }, 2000)\n })\n }\n }\n}\n\nexport default Exporter\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./exporter.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./exporter.js\"\nimport __vue_script__ from \"!!babel-loader!./exporter.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-7229517a\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./exporter.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"exporter\"},[(_vm.processing)?_c('div',[_c('i',{staticClass:\"icon-spin4 animate-spin exporter-processing\"}),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(_vm.processingMessage))])]):_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.process}},[_vm._v(\"\\n \"+_vm._s(_vm.exportButtonLabel)+\"\\n \")])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Importer from 'src/components/importer/importer.vue'\nimport Exporter from 'src/components/exporter/exporter.vue'\nimport Checkbox from 'src/components/checkbox/checkbox.vue'\n\nconst DataImportExportTab = {\n data () {\n return {\n activeTab: 'profile',\n newDomainToMute: ''\n }\n },\n created () {\n this.$store.dispatch('fetchTokens')\n },\n components: {\n Importer,\n Exporter,\n Checkbox\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n }\n },\n methods: {\n getFollowsContent () {\n return this.$store.state.api.backendInteractor.exportFriends({ id: this.$store.state.users.currentUser.id })\n .then(this.generateExportableUsersContent)\n },\n getBlocksContent () {\n return this.$store.state.api.backendInteractor.fetchBlocks()\n .then(this.generateExportableUsersContent)\n },\n importFollows (file) {\n return this.$store.state.api.backendInteractor.importFollows({ file })\n .then((status) => {\n if (!status) {\n throw new Error('failed')\n }\n })\n },\n importBlocks (file) {\n return this.$store.state.api.backendInteractor.importBlocks({ file })\n .then((status) => {\n if (!status) {\n throw new Error('failed')\n }\n })\n },\n generateExportableUsersContent (users) {\n // Get addresses\n return users.map((user) => {\n // check is it's a local user\n if (user && user.is_local) {\n // append the instance address\n // eslint-disable-next-line no-undef\n return user.screen_name + '@' + location.hostname\n }\n return user.screen_name\n }).join('\\n')\n }\n }\n}\n\nexport default DataImportExportTab\n","/* script */\nexport * from \"!!babel-loader!./data_import_export_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./data_import_export_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-692dc80e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./data_import_export_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{attrs:{\"label\":_vm.$t('settings.data_import_export_tab')}},[_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.follow_import')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.import_followers_from_a_csv_file')))]),_vm._v(\" \"),_c('Importer',{attrs:{\"submit-handler\":_vm.importFollows,\"success-message\":_vm.$t('settings.follows_imported'),\"error-message\":_vm.$t('settings.follow_import_error')}})],1),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.follow_export')))]),_vm._v(\" \"),_c('Exporter',{attrs:{\"get-content\":_vm.getFollowsContent,\"filename\":\"friends.csv\",\"export-button-label\":_vm.$t('settings.follow_export_button')}})],1),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.block_import')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.import_blocks_from_a_csv_file')))]),_vm._v(\" \"),_c('Importer',{attrs:{\"submit-handler\":_vm.importBlocks,\"success-message\":_vm.$t('settings.blocks_imported'),\"error-message\":_vm.$t('settings.block_import_error')}})],1),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.block_export')))]),_vm._v(\" \"),_c('Exporter',{attrs:{\"get-content\":_vm.getBlocksContent,\"filename\":\"blocks.csv\",\"export-button-label\":_vm.$t('settings.block_export_button')}})],1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const debounceMilliseconds = 500\n\nexport default {\n props: {\n query: { // function to query results and return a promise\n type: Function,\n required: true\n },\n filter: { // function to filter results in real time\n type: Function\n },\n placeholder: {\n type: String,\n default: 'Search...'\n }\n },\n data () {\n return {\n term: '',\n timeout: null,\n results: [],\n resultsVisible: false\n }\n },\n computed: {\n filtered () {\n return this.filter ? this.filter(this.results) : this.results\n }\n },\n watch: {\n term (val) {\n this.fetchResults(val)\n }\n },\n methods: {\n fetchResults (term) {\n clearTimeout(this.timeout)\n this.timeout = setTimeout(() => {\n this.results = []\n if (term) {\n this.query(term).then((results) => { this.results = results })\n }\n }, debounceMilliseconds)\n },\n onInputClick () {\n this.resultsVisible = true\n },\n onClickOutside () {\n this.resultsVisible = false\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./autosuggest.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./autosuggest.js\"\nimport __vue_script__ from \"!!babel-loader!./autosuggest.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-105e6799\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./autosuggest.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{directives:[{name:\"click-outside\",rawName:\"v-click-outside\",value:(_vm.onClickOutside),expression:\"onClickOutside\"}],staticClass:\"autosuggest\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.term),expression:\"term\"}],staticClass:\"autosuggest-input\",attrs:{\"placeholder\":_vm.placeholder},domProps:{\"value\":(_vm.term)},on:{\"click\":_vm.onInputClick,\"input\":function($event){if($event.target.composing){ return; }_vm.term=$event.target.value}}}),_vm._v(\" \"),(_vm.resultsVisible && _vm.filtered.length > 0)?_c('div',{staticClass:\"autosuggest-results\"},[_vm._l((_vm.filtered),function(item){return _vm._t(\"default\",null,{\"item\":item})})],2):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import BasicUserCard from '../basic_user_card/basic_user_card.vue'\n\nconst BlockCard = {\n props: ['userId'],\n data () {\n return {\n progress: false\n }\n },\n computed: {\n user () {\n return this.$store.getters.findUser(this.userId)\n },\n relationship () {\n return this.$store.getters.relationship(this.userId)\n },\n blocked () {\n return this.relationship.blocking\n }\n },\n components: {\n BasicUserCard\n },\n methods: {\n unblockUser () {\n this.progress = true\n this.$store.dispatch('unblockUser', this.user.id).then(() => {\n this.progress = false\n })\n },\n blockUser () {\n this.progress = true\n this.$store.dispatch('blockUser', this.user.id).then(() => {\n this.progress = false\n })\n }\n }\n}\n\nexport default BlockCard\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./block_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./block_card.js\"\nimport __vue_script__ from \"!!babel-loader!./block_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-633eab92\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./block_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('basic-user-card',{attrs:{\"user\":_vm.user}},[_c('div',{staticClass:\"block-card-content-container\"},[(_vm.blocked)?_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.progress},on:{\"click\":_vm.unblockUser}},[(_vm.progress)?[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unblock_progress'))+\"\\n \")]:[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unblock'))+\"\\n \")]],2):_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.progress},on:{\"click\":_vm.blockUser}},[(_vm.progress)?[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.block_progress'))+\"\\n \")]:[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.block'))+\"\\n \")]],2)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import BasicUserCard from '../basic_user_card/basic_user_card.vue'\n\nconst MuteCard = {\n props: ['userId'],\n data () {\n return {\n progress: false\n }\n },\n computed: {\n user () {\n return this.$store.getters.findUser(this.userId)\n },\n relationship () {\n return this.$store.getters.relationship(this.userId)\n },\n muted () {\n return this.relationship.muting\n }\n },\n components: {\n BasicUserCard\n },\n methods: {\n unmuteUser () {\n this.progress = true\n this.$store.dispatch('unmuteUser', this.userId).then(() => {\n this.progress = false\n })\n },\n muteUser () {\n this.progress = true\n this.$store.dispatch('muteUser', this.userId).then(() => {\n this.progress = false\n })\n }\n }\n}\n\nexport default MuteCard\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./mute_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./mute_card.js\"\nimport __vue_script__ from \"!!babel-loader!./mute_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4de27707\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mute_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('basic-user-card',{attrs:{\"user\":_vm.user}},[_c('div',{staticClass:\"mute-card-content-container\"},[(_vm.muted)?_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.progress},on:{\"click\":_vm.unmuteUser}},[(_vm.progress)?[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unmute_progress'))+\"\\n \")]:[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unmute'))+\"\\n \")]],2):_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.progress},on:{\"click\":_vm.muteUser}},[(_vm.progress)?[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.mute_progress'))+\"\\n \")]:[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.mute'))+\"\\n \")]],2)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import ProgressButton from '../progress_button/progress_button.vue'\n\nconst DomainMuteCard = {\n props: ['domain'],\n components: {\n ProgressButton\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n },\n muted () {\n return this.user.domainMutes.includes(this.domain)\n }\n },\n methods: {\n unmuteDomain () {\n return this.$store.dispatch('unmuteDomain', this.domain)\n },\n muteDomain () {\n return this.$store.dispatch('muteDomain', this.domain)\n }\n }\n}\n\nexport default DomainMuteCard\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./domain_mute_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./domain_mute_card.js\"\nimport __vue_script__ from \"!!babel-loader!./domain_mute_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-518cc24e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./domain_mute_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"domain-mute-card\"},[_c('div',{staticClass:\"domain-mute-card-domain\"},[_vm._v(\"\\n \"+_vm._s(_vm.domain)+\"\\n \")]),_vm._v(\" \"),(_vm.muted)?_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":_vm.unmuteDomain}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('domain_mute_card.unmute'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('domain_mute_card.unmute_progress'))+\"\\n \")])],2):_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":_vm.muteDomain}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('domain_mute_card.mute'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('domain_mute_card.mute_progress'))+\"\\n \")])],2)],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import List from '../list/list.vue'\nimport Checkbox from '../checkbox/checkbox.vue'\n\nconst SelectableList = {\n components: {\n List,\n Checkbox\n },\n props: {\n items: {\n type: Array,\n default: () => []\n },\n getKey: {\n type: Function,\n default: item => item.id\n }\n },\n data () {\n return {\n selected: []\n }\n },\n computed: {\n allKeys () {\n return this.items.map(this.getKey)\n },\n filteredSelected () {\n return this.allKeys.filter(key => this.selected.indexOf(key) !== -1)\n },\n allSelected () {\n return this.filteredSelected.length === this.items.length\n },\n noneSelected () {\n return this.filteredSelected.length === 0\n },\n someSelected () {\n return !this.allSelected && !this.noneSelected\n }\n },\n methods: {\n isSelected (item) {\n return this.filteredSelected.indexOf(this.getKey(item)) !== -1\n },\n toggle (checked, item) {\n const key = this.getKey(item)\n const oldChecked = this.isSelected(key)\n if (checked !== oldChecked) {\n if (checked) {\n this.selected.push(key)\n } else {\n this.selected.splice(this.selected.indexOf(key), 1)\n }\n }\n },\n toggleAll (value) {\n if (value) {\n this.selected = this.allKeys.slice(0)\n } else {\n this.selected = []\n }\n }\n }\n}\n\nexport default SelectableList\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./selectable_list.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./selectable_list.js\"\nimport __vue_script__ from \"!!babel-loader!./selectable_list.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-059c811c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./selectable_list.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"selectable-list\"},[(_vm.items.length > 0)?_c('div',{staticClass:\"selectable-list-header\"},[_c('div',{staticClass:\"selectable-list-checkbox-wrapper\"},[_c('Checkbox',{attrs:{\"checked\":_vm.allSelected,\"indeterminate\":_vm.someSelected},on:{\"change\":_vm.toggleAll}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('selectable_list.select_all'))+\"\\n \")])],1),_vm._v(\" \"),_c('div',{staticClass:\"selectable-list-header-actions\"},[_vm._t(\"header\",null,{\"selected\":_vm.filteredSelected})],2)]):_vm._e(),_vm._v(\" \"),_c('List',{attrs:{\"items\":_vm.items,\"get-key\":_vm.getKey},scopedSlots:_vm._u([{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('div',{staticClass:\"selectable-list-item-inner\",class:{ 'selectable-list-item-selected-inner': _vm.isSelected(item) }},[_c('div',{staticClass:\"selectable-list-checkbox-wrapper\"},[_c('Checkbox',{attrs:{\"checked\":_vm.isSelected(item)},on:{\"change\":function (checked) { return _vm.toggle(checked, item); }}})],1),_vm._v(\" \"),_vm._t(\"item\",null,{\"item\":item})],2)]}}],null,true)},[_vm._v(\" \"),_c('template',{slot:\"empty\"},[_vm._t(\"empty\")],2)],2)],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Vue from 'vue'\nimport isEmpty from 'lodash/isEmpty'\nimport { getComponentProps } from '../../services/component_utils/component_utils'\nimport './with_subscription.scss'\n\nconst withSubscription = ({\n fetch, // function to fetch entries and return a promise\n select, // function to select data from store\n childPropName = 'content', // name of the prop to be passed into the wrapped component\n additionalPropNames = [] // additional prop name list of the wrapper component\n}) => (WrappedComponent) => {\n const originalProps = Object.keys(getComponentProps(WrappedComponent))\n const props = originalProps.filter(v => v !== childPropName).concat(additionalPropNames)\n\n return Vue.component('withSubscription', {\n props: [\n ...props,\n 'refresh' // boolean saying to force-fetch data whenever created\n ],\n data () {\n return {\n loading: false,\n error: false\n }\n },\n computed: {\n fetchedData () {\n return select(this.$props, this.$store)\n }\n },\n created () {\n if (this.refresh || isEmpty(this.fetchedData)) {\n this.fetchData()\n }\n },\n methods: {\n fetchData () {\n if (!this.loading) {\n this.loading = true\n this.error = false\n fetch(this.$props, this.$store)\n .then(() => {\n this.loading = false\n })\n .catch(() => {\n this.error = true\n this.loading = false\n })\n }\n }\n },\n render (h) {\n if (!this.error && !this.loading) {\n const props = {\n props: {\n ...this.$props,\n [childPropName]: this.fetchedData\n },\n on: this.$listeners,\n scopedSlots: this.$scopedSlots\n }\n const children = Object.entries(this.$slots).map(([key, value]) => h('template', { slot: key }, value))\n return (\n <div class=\"with-subscription\">\n <WrappedComponent {...props}>\n {children}\n </WrappedComponent>\n </div>\n )\n } else {\n return (\n <div class=\"with-subscription-loading\">\n {this.error\n ? <a onClick={this.fetchData} class=\"alert error\">{this.$t('general.generic_error')}</a>\n : <i class=\"icon-spin3 animate-spin\"/>\n }\n </div>\n )\n }\n }\n })\n}\n\nexport default withSubscription\n","import get from 'lodash/get'\nimport map from 'lodash/map'\nimport reject from 'lodash/reject'\nimport Autosuggest from 'src/components/autosuggest/autosuggest.vue'\nimport TabSwitcher from 'src/components/tab_switcher/tab_switcher.js'\nimport BlockCard from 'src/components/block_card/block_card.vue'\nimport MuteCard from 'src/components/mute_card/mute_card.vue'\nimport DomainMuteCard from 'src/components/domain_mute_card/domain_mute_card.vue'\nimport SelectableList from 'src/components/selectable_list/selectable_list.vue'\nimport ProgressButton from 'src/components/progress_button/progress_button.vue'\nimport withSubscription from 'src/components/../hocs/with_subscription/with_subscription'\nimport Checkbox from 'src/components/checkbox/checkbox.vue'\n\nconst BlockList = withSubscription({\n fetch: (props, $store) => $store.dispatch('fetchBlocks'),\n select: (props, $store) => get($store.state.users.currentUser, 'blockIds', []),\n childPropName: 'items'\n})(SelectableList)\n\nconst MuteList = withSubscription({\n fetch: (props, $store) => $store.dispatch('fetchMutes'),\n select: (props, $store) => get($store.state.users.currentUser, 'muteIds', []),\n childPropName: 'items'\n})(SelectableList)\n\nconst DomainMuteList = withSubscription({\n fetch: (props, $store) => $store.dispatch('fetchDomainMutes'),\n select: (props, $store) => get($store.state.users.currentUser, 'domainMutes', []),\n childPropName: 'items'\n})(SelectableList)\n\nconst MutesAndBlocks = {\n data () {\n return {\n activeTab: 'profile'\n }\n },\n created () {\n this.$store.dispatch('fetchTokens')\n this.$store.dispatch('getKnownDomains')\n },\n components: {\n TabSwitcher,\n BlockList,\n MuteList,\n DomainMuteList,\n BlockCard,\n MuteCard,\n DomainMuteCard,\n ProgressButton,\n Autosuggest,\n Checkbox\n },\n computed: {\n knownDomains () {\n return this.$store.state.instance.knownDomains\n },\n user () {\n return this.$store.state.users.currentUser\n }\n },\n methods: {\n importFollows (file) {\n return this.$store.state.api.backendInteractor.importFollows({ file })\n .then((status) => {\n if (!status) {\n throw new Error('failed')\n }\n })\n },\n importBlocks (file) {\n return this.$store.state.api.backendInteractor.importBlocks({ file })\n .then((status) => {\n if (!status) {\n throw new Error('failed')\n }\n })\n },\n generateExportableUsersContent (users) {\n // Get addresses\n return users.map((user) => {\n // check is it's a local user\n if (user && user.is_local) {\n // append the instance address\n // eslint-disable-next-line no-undef\n return user.screen_name + '@' + location.hostname\n }\n return user.screen_name\n }).join('\\n')\n },\n activateTab (tabName) {\n this.activeTab = tabName\n },\n filterUnblockedUsers (userIds) {\n return reject(userIds, (userId) => {\n const relationship = this.$store.getters.relationship(this.userId)\n return relationship.blocking || userId === this.user.id\n })\n },\n filterUnMutedUsers (userIds) {\n return reject(userIds, (userId) => {\n const relationship = this.$store.getters.relationship(this.userId)\n return relationship.muting || userId === this.user.id\n })\n },\n queryUserIds (query) {\n return this.$store.dispatch('searchUsers', { query })\n .then((users) => map(users, 'id'))\n },\n blockUsers (ids) {\n return this.$store.dispatch('blockUsers', ids)\n },\n unblockUsers (ids) {\n return this.$store.dispatch('unblockUsers', ids)\n },\n muteUsers (ids) {\n return this.$store.dispatch('muteUsers', ids)\n },\n unmuteUsers (ids) {\n return this.$store.dispatch('unmuteUsers', ids)\n },\n filterUnMutedDomains (urls) {\n return urls.filter(url => !this.user.domainMutes.includes(url))\n },\n queryKnownDomains (query) {\n return new Promise((resolve, reject) => {\n resolve(this.knownDomains.filter(url => url.toLowerCase().includes(query)))\n })\n },\n unmuteDomains (domains) {\n return this.$store.dispatch('unmuteDomains', domains)\n }\n }\n}\n\nexport default MutesAndBlocks\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./mutes_and_blocks_tab.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./mutes_and_blocks_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./mutes_and_blocks_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-269be5bc\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mutes_and_blocks_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('tab-switcher',{staticClass:\"mutes-and-blocks-tab\",attrs:{\"scrollable-tabs\":true}},[_c('div',{attrs:{\"label\":_vm.$t('settings.blocks_tab')}},[_c('div',{staticClass:\"usersearch-wrapper\"},[_c('Autosuggest',{attrs:{\"filter\":_vm.filterUnblockedUsers,\"query\":_vm.queryUserIds,\"placeholder\":_vm.$t('settings.search_user_to_block')},scopedSlots:_vm._u([{key:\"default\",fn:function(row){return _c('BlockCard',{attrs:{\"user-id\":row.item}})}}])})],1),_vm._v(\" \"),_c('BlockList',{attrs:{\"refresh\":true,\"get-key\":function (i) { return i; }},scopedSlots:_vm._u([{key:\"header\",fn:function(ref){\nvar selected = ref.selected;\nreturn [_c('div',{staticClass:\"bulk-actions\"},[(selected.length > 0)?_c('ProgressButton',{staticClass:\"btn btn-default bulk-action-button\",attrs:{\"click\":function () { return _vm.blockUsers(selected); }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.block'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.block_progress'))+\"\\n \")])],2):_vm._e(),_vm._v(\" \"),(selected.length > 0)?_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":function () { return _vm.unblockUsers(selected); }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unblock'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unblock_progress'))+\"\\n \")])],2):_vm._e()],1)]}},{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('BlockCard',{attrs:{\"user-id\":item}})]}}])},[_vm._v(\" \"),_vm._v(\" \"),_c('template',{slot:\"empty\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.no_blocks'))+\"\\n \")])],2)],1),_vm._v(\" \"),_c('div',{attrs:{\"label\":_vm.$t('settings.mutes_tab')}},[_c('tab-switcher',[_c('div',{attrs:{\"label\":\"Users\"}},[_c('div',{staticClass:\"usersearch-wrapper\"},[_c('Autosuggest',{attrs:{\"filter\":_vm.filterUnMutedUsers,\"query\":_vm.queryUserIds,\"placeholder\":_vm.$t('settings.search_user_to_mute')},scopedSlots:_vm._u([{key:\"default\",fn:function(row){return _c('MuteCard',{attrs:{\"user-id\":row.item}})}}])})],1),_vm._v(\" \"),_c('MuteList',{attrs:{\"refresh\":true,\"get-key\":function (i) { return i; }},scopedSlots:_vm._u([{key:\"header\",fn:function(ref){\nvar selected = ref.selected;\nreturn [_c('div',{staticClass:\"bulk-actions\"},[(selected.length > 0)?_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":function () { return _vm.muteUsers(selected); }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.mute'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.mute_progress'))+\"\\n \")])],2):_vm._e(),_vm._v(\" \"),(selected.length > 0)?_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":function () { return _vm.unmuteUsers(selected); }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unmute'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unmute_progress'))+\"\\n \")])],2):_vm._e()],1)]}},{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('MuteCard',{attrs:{\"user-id\":item}})]}}])},[_vm._v(\" \"),_vm._v(\" \"),_c('template',{slot:\"empty\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.no_mutes'))+\"\\n \")])],2)],1),_vm._v(\" \"),_c('div',{attrs:{\"label\":_vm.$t('settings.domain_mutes')}},[_c('div',{staticClass:\"domain-mute-form\"},[_c('Autosuggest',{attrs:{\"filter\":_vm.filterUnMutedDomains,\"query\":_vm.queryKnownDomains,\"placeholder\":_vm.$t('settings.type_domains_to_mute')},scopedSlots:_vm._u([{key:\"default\",fn:function(row){return _c('DomainMuteCard',{attrs:{\"domain\":row.item}})}}])})],1),_vm._v(\" \"),_c('DomainMuteList',{attrs:{\"refresh\":true,\"get-key\":function (i) { return i; }},scopedSlots:_vm._u([{key:\"header\",fn:function(ref){\nvar selected = ref.selected;\nreturn [_c('div',{staticClass:\"bulk-actions\"},[(selected.length > 0)?_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":function () { return _vm.unmuteDomains(selected); }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('domain_mute_card.unmute'))+\"\\n \"),_c('template',{slot:\"progress\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('domain_mute_card.unmute_progress'))+\"\\n \")])],2):_vm._e()],1)]}},{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('DomainMuteCard',{attrs:{\"domain\":item}})]}}])},[_vm._v(\" \"),_vm._v(\" \"),_c('template',{slot:\"empty\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.no_mutes'))+\"\\n \")])],2)],1)])],1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Checkbox from 'src/components/checkbox/checkbox.vue'\n\nconst NotificationsTab = {\n data () {\n return {\n activeTab: 'profile',\n notificationSettings: this.$store.state.users.currentUser.notification_settings,\n newDomainToMute: ''\n }\n },\n components: {\n Checkbox\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n }\n },\n methods: {\n updateNotificationSettings () {\n this.$store.state.api.backendInteractor\n .updateNotificationSettings({ settings: this.notificationSettings })\n }\n }\n}\n\nexport default NotificationsTab\n","/* script */\nexport * from \"!!babel-loader!./notifications_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./notifications_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-772f86b8\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./notifications_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{attrs:{\"label\":_vm.$t('settings.notifications')}},[_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.notification_setting_filters')))]),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.notificationSettings.block_from_strangers),callback:function ($$v) {_vm.$set(_vm.notificationSettings, \"block_from_strangers\", $$v)},expression:\"notificationSettings.block_from_strangers\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_setting_block_from_strangers'))+\"\\n \")])],1)]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.notification_setting_privacy')))]),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.notificationSettings.hide_notification_contents),callback:function ($$v) {_vm.$set(_vm.notificationSettings, \"hide_notification_contents\", $$v)},expression:\"notificationSettings.hide_notification_contents\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_setting_hide_notification_contents'))+\"\\n \")])],1)]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('p',[_vm._v(_vm._s(_vm.$t('settings.notification_mutes')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.notification_blocks')))]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.updateNotificationSettings}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import {\n instanceDefaultProperties,\n multiChoiceProperties,\n defaultState as configDefaultState\n} from 'src/modules/config.js'\n\nconst SharedComputedObject = () => ({\n user () {\n return this.$store.state.users.currentUser\n },\n // Getting localized values for instance-default properties\n ...instanceDefaultProperties\n .filter(key => multiChoiceProperties.includes(key))\n .map(key => [\n key + 'DefaultValue',\n function () {\n return this.$store.getters.instanceDefaultConfig[key]\n }\n ])\n .reduce((acc, [key, value]) => ({ ...acc, [key]: value }), {}),\n ...instanceDefaultProperties\n .filter(key => !multiChoiceProperties.includes(key))\n .map(key => [\n key + 'LocalizedValue',\n function () {\n return this.$t('settings.values.' + this.$store.getters.instanceDefaultConfig[key])\n }\n ])\n .reduce((acc, [key, value]) => ({ ...acc, [key]: value }), {}),\n // Generating computed values for vuex properties\n ...Object.keys(configDefaultState)\n .map(key => [key, {\n get () { return this.$store.getters.mergedConfig[key] },\n set (value) {\n this.$store.dispatch('setOption', { name: key, value })\n }\n }])\n .reduce((acc, [key, value]) => ({ ...acc, [key]: value }), {}),\n // Special cases (need to transform values or perform actions first)\n useStreamingApi: {\n get () { return this.$store.getters.mergedConfig.useStreamingApi },\n set (value) {\n const promise = value\n ? this.$store.dispatch('enableMastoSockets')\n : this.$store.dispatch('disableMastoSockets')\n\n promise.then(() => {\n this.$store.dispatch('setOption', { name: 'useStreamingApi', value })\n }).catch((e) => {\n console.error('Failed starting MastoAPI Streaming socket', e)\n this.$store.dispatch('disableMastoSockets')\n this.$store.dispatch('setOption', { name: 'useStreamingApi', value: false })\n })\n }\n }\n})\n\nexport default SharedComputedObject\n","import { filter, trim } from 'lodash'\nimport Checkbox from 'src/components/checkbox/checkbox.vue'\n\nimport SharedComputedObject from '../helpers/shared_computed_object.js'\n\nconst FilteringTab = {\n data () {\n return {\n muteWordsStringLocal: this.$store.getters.mergedConfig.muteWords.join('\\n')\n }\n },\n components: {\n Checkbox\n },\n computed: {\n ...SharedComputedObject(),\n muteWordsString: {\n get () {\n return this.muteWordsStringLocal\n },\n set (value) {\n this.muteWordsStringLocal = value\n this.$store.dispatch('setOption', {\n name: 'muteWords',\n value: filter(value.split('\\n'), (word) => trim(word).length > 0)\n })\n }\n }\n },\n // Updating nested properties\n watch: {\n notificationVisibility: {\n handler (value) {\n this.$store.dispatch('setOption', {\n name: 'notificationVisibility',\n value: this.$store.getters.mergedConfig.notificationVisibility\n })\n },\n deep: true\n },\n replyVisibility () {\n this.$store.dispatch('queueFlushAll')\n }\n }\n}\n\nexport default FilteringTab\n","/* script */\nexport * from \"!!babel-loader!./filtering_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./filtering_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2f030fed\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./filtering_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{attrs:{\"label\":_vm.$t('settings.filtering')}},[_c('div',{staticClass:\"setting-item\"},[_c('div',{staticClass:\"select-multiple\"},[_c('span',{staticClass:\"label\"},[_vm._v(_vm._s(_vm.$t('settings.notification_visibility')))]),_vm._v(\" \"),_c('ul',{staticClass:\"option-list\"},[_c('li',[_c('Checkbox',{model:{value:(_vm.notificationVisibility.likes),callback:function ($$v) {_vm.$set(_vm.notificationVisibility, \"likes\", $$v)},expression:\"notificationVisibility.likes\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_visibility_likes'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.notificationVisibility.repeats),callback:function ($$v) {_vm.$set(_vm.notificationVisibility, \"repeats\", $$v)},expression:\"notificationVisibility.repeats\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_visibility_repeats'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.notificationVisibility.follows),callback:function ($$v) {_vm.$set(_vm.notificationVisibility, \"follows\", $$v)},expression:\"notificationVisibility.follows\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_visibility_follows'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.notificationVisibility.mentions),callback:function ($$v) {_vm.$set(_vm.notificationVisibility, \"mentions\", $$v)},expression:\"notificationVisibility.mentions\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_visibility_mentions'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.notificationVisibility.moves),callback:function ($$v) {_vm.$set(_vm.notificationVisibility, \"moves\", $$v)},expression:\"notificationVisibility.moves\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_visibility_moves'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.notificationVisibility.emojiReactions),callback:function ($$v) {_vm.$set(_vm.notificationVisibility, \"emojiReactions\", $$v)},expression:\"notificationVisibility.emojiReactions\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.notification_visibility_emoji_reactions'))+\"\\n \")])],1)])]),_vm._v(\" \"),_c('div',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.replies_in_timeline'))+\"\\n \"),_c('label',{staticClass:\"select\",attrs:{\"for\":\"replyVisibility\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.replyVisibility),expression:\"replyVisibility\"}],attrs:{\"id\":\"replyVisibility\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.replyVisibility=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},[_c('option',{attrs:{\"value\":\"all\",\"selected\":\"\"}},[_vm._v(_vm._s(_vm.$t('settings.reply_visibility_all')))]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"following\"}},[_vm._v(_vm._s(_vm.$t('settings.reply_visibility_following')))]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"self\"}},[_vm._v(_vm._s(_vm.$t('settings.reply_visibility_self')))])]),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])]),_vm._v(\" \"),_c('div',[_c('Checkbox',{model:{value:(_vm.hidePostStats),callback:function ($$v) {_vm.hidePostStats=$$v},expression:\"hidePostStats\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_post_stats'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.hidePostStatsLocalizedValue }))+\"\\n \")])],1),_vm._v(\" \"),_c('div',[_c('Checkbox',{model:{value:(_vm.hideUserStats),callback:function ($$v) {_vm.hideUserStats=$$v},expression:\"hideUserStats\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_user_stats'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.hideUserStatsLocalizedValue }))+\"\\n \")])],1)]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.filtering_explanation')))]),_vm._v(\" \"),_c('textarea',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.muteWordsString),expression:\"muteWordsString\"}],attrs:{\"id\":\"muteWords\"},domProps:{\"value\":(_vm.muteWordsString)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.muteWordsString=$event.target.value}}})]),_vm._v(\" \"),_c('div',[_c('Checkbox',{model:{value:(_vm.hideFilteredStatuses),callback:function ($$v) {_vm.hideFilteredStatuses=$$v},expression:\"hideFilteredStatuses\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_filtered_statuses'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.hideFilteredStatusesLocalizedValue }))+\"\\n \")])],1)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","export default {\n props: {\n backupCodes: {\n type: Object,\n default: () => ({\n inProgress: false,\n codes: []\n })\n }\n },\n data: () => ({}),\n computed: {\n inProgress () { return this.backupCodes.inProgress },\n ready () { return this.backupCodes.codes.length > 0 },\n displayTitle () { return this.inProgress || this.ready }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./mfa_backup_codes.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./mfa_backup_codes.js\"\nimport __vue_script__ from \"!!babel-loader!./mfa_backup_codes.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1284fe74\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mfa_backup_codes.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"mfa-backup-codes\"},[(_vm.displayTitle)?_c('h4',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.recovery_codes'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.inProgress)?_c('i',[_vm._v(_vm._s(_vm.$t('settings.mfa.waiting_a_recovery_codes')))]):_vm._e(),_vm._v(\" \"),(_vm.ready)?[_c('p',{staticClass:\"alert warning\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.recovery_codes_warning'))+\"\\n \")]),_vm._v(\" \"),_c('ul',{staticClass:\"backup-codes\"},_vm._l((_vm.backupCodes.codes),function(code){return _c('li',{key:code},[_vm._v(\"\\n \"+_vm._s(code)+\"\\n \")])}),0)]:_vm._e()],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const Confirm = {\n props: ['disabled'],\n data: () => ({}),\n methods: {\n confirm () { this.$emit('confirm') },\n cancel () { this.$emit('cancel') }\n }\n}\nexport default Confirm\n","/* script */\nexport * from \"!!babel-loader!./confirm.js\"\nimport __vue_script__ from \"!!babel-loader!./confirm.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2cc3a2de\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./confirm.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_vm._t(\"default\"),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.disabled},on:{\"click\":_vm.confirm}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.confirm'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.disabled},on:{\"click\":_vm.cancel}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.cancel'))+\"\\n \")])],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Confirm from './confirm.vue'\nimport { mapState } from 'vuex'\n\nexport default {\n props: ['settings'],\n data: () => ({\n error: false,\n currentPassword: '',\n deactivate: false,\n inProgress: false // progress peform request to disable otp method\n }),\n components: {\n 'confirm': Confirm\n },\n computed: {\n isActivated () {\n return this.settings.totp\n },\n ...mapState({\n backendInteractor: (state) => state.api.backendInteractor\n })\n },\n methods: {\n doActivate () {\n this.$emit('activate')\n },\n cancelDeactivate () { this.deactivate = false },\n doDeactivate () {\n this.error = null\n this.deactivate = true\n },\n confirmDeactivate () { // confirm deactivate TOTP method\n this.error = null\n this.inProgress = true\n this.backendInteractor.mfaDisableOTP({\n password: this.currentPassword\n })\n .then((res) => {\n this.inProgress = false\n if (res.error) {\n this.error = res.error\n return\n }\n this.deactivate = false\n this.$emit('deactivate')\n })\n }\n }\n}\n","import RecoveryCodes from './mfa_backup_codes.vue'\nimport TOTP from './mfa_totp.vue'\nimport Confirm from './confirm.vue'\nimport VueQrcode from '@chenfengyuan/vue-qrcode'\nimport { mapState } from 'vuex'\n\nconst Mfa = {\n data: () => ({\n settings: { // current settings of MFA\n available: false,\n enabled: false,\n totp: false\n },\n setupState: { // setup mfa\n state: '', // state of setup. '' -> 'getBackupCodes' -> 'setupOTP' -> 'complete'\n setupOTPState: '' // state of setup otp. '' -> 'prepare' -> 'confirm' -> 'complete'\n },\n backupCodes: {\n getNewCodes: false,\n inProgress: false, // progress of fetch codes\n codes: []\n },\n otpSettings: { // pre-setup setting of OTP. secret key, qrcode url.\n provisioning_uri: '',\n key: ''\n },\n currentPassword: null,\n otpConfirmToken: null,\n error: null,\n readyInit: false\n }),\n components: {\n 'recovery-codes': RecoveryCodes,\n 'totp-item': TOTP,\n 'qrcode': VueQrcode,\n 'confirm': Confirm\n },\n computed: {\n canSetupOTP () {\n return (\n (this.setupInProgress && this.backupCodesPrepared) ||\n this.settings.enabled\n ) && !this.settings.totp && !this.setupOTPInProgress\n },\n setupInProgress () {\n return this.setupState.state !== '' && this.setupState.state !== 'complete'\n },\n setupOTPInProgress () {\n return this.setupState.state === 'setupOTP' && !this.completedOTP\n },\n prepareOTP () {\n return this.setupState.setupOTPState === 'prepare'\n },\n confirmOTP () {\n return this.setupState.setupOTPState === 'confirm'\n },\n completedOTP () {\n return this.setupState.setupOTPState === 'completed'\n },\n backupCodesPrepared () {\n return !this.backupCodes.inProgress && this.backupCodes.codes.length > 0\n },\n confirmNewBackupCodes () {\n return this.backupCodes.getNewCodes\n },\n ...mapState({\n backendInteractor: (state) => state.api.backendInteractor\n })\n },\n\n methods: {\n activateOTP () {\n if (!this.settings.enabled) {\n this.setupState.state = 'getBackupcodes'\n this.fetchBackupCodes()\n }\n },\n fetchBackupCodes () {\n this.backupCodes.inProgress = true\n this.backupCodes.codes = []\n\n return this.backendInteractor.generateMfaBackupCodes()\n .then((res) => {\n this.backupCodes.codes = res.codes\n this.backupCodes.inProgress = false\n })\n },\n getBackupCodes () { // get a new backup codes\n this.backupCodes.getNewCodes = true\n },\n confirmBackupCodes () { // confirm getting new backup codes\n this.fetchBackupCodes().then((res) => {\n this.backupCodes.getNewCodes = false\n })\n },\n cancelBackupCodes () { // cancel confirm form of new backup codes\n this.backupCodes.getNewCodes = false\n },\n\n // Setup OTP\n setupOTP () { // prepare setup OTP\n this.setupState.state = 'setupOTP'\n this.setupState.setupOTPState = 'prepare'\n this.backendInteractor.mfaSetupOTP()\n .then((res) => {\n this.otpSettings = res\n this.setupState.setupOTPState = 'confirm'\n })\n },\n doConfirmOTP () { // handler confirm enable OTP\n this.error = null\n this.backendInteractor.mfaConfirmOTP({\n token: this.otpConfirmToken,\n password: this.currentPassword\n })\n .then((res) => {\n if (res.error) {\n this.error = res.error\n return\n }\n this.completeSetup()\n })\n },\n\n completeSetup () {\n this.setupState.setupOTPState = 'complete'\n this.setupState.state = 'complete'\n this.currentPassword = null\n this.error = null\n this.fetchSettings()\n },\n cancelSetup () { // cancel setup\n this.setupState.setupOTPState = ''\n this.setupState.state = ''\n this.currentPassword = null\n this.error = null\n },\n // end Setup OTP\n\n // fetch settings from server\n async fetchSettings () {\n let result = await this.backendInteractor.settingsMFA()\n if (result.error) return\n this.settings = result.settings\n this.settings.available = true\n return result\n }\n },\n mounted () {\n this.fetchSettings().then(() => {\n this.readyInit = true\n })\n }\n}\nexport default Mfa\n","/* script */\nexport * from \"!!babel-loader!./mfa_totp.js\"\nimport __vue_script__ from \"!!babel-loader!./mfa_totp.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-5b0a3c13\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mfa_totp.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('div',{staticClass:\"method-item\"},[_c('strong',[_vm._v(_vm._s(_vm.$t('settings.mfa.otp')))]),_vm._v(\" \"),(!_vm.isActivated)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.doActivate}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.enable'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.isActivated)?_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.deactivate},on:{\"click\":_vm.doDeactivate}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.disable'))+\"\\n \")]):_vm._e()]),_vm._v(\" \"),(_vm.deactivate)?_c('confirm',{attrs:{\"disabled\":_vm.inProgress},on:{\"confirm\":_vm.confirmDeactivate,\"cancel\":_vm.cancelDeactivate}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.enter_current_password_to_confirm'))+\":\\n \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.currentPassword),expression:\"currentPassword\"}],attrs:{\"type\":\"password\"},domProps:{\"value\":(_vm.currentPassword)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.currentPassword=$event.target.value}}})]):_vm._e(),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.error)+\"\\n \")]):_vm._e()],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./mfa.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./mfa.js\"\nimport __vue_script__ from \"!!babel-loader!./mfa.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-13d1c59e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mfa.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.readyInit && _vm.settings.available)?_c('div',{staticClass:\"setting-item mfa-settings\"},[_c('div',{staticClass:\"mfa-heading\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.mfa.title')))])]),_vm._v(\" \"),_c('div',[(!_vm.setupInProgress)?_c('div',{staticClass:\"setting-item\"},[_c('h3',[_vm._v(_vm._s(_vm.$t('settings.mfa.authentication_methods')))]),_vm._v(\" \"),_c('totp-item',{attrs:{\"settings\":_vm.settings},on:{\"deactivate\":_vm.fetchSettings,\"activate\":_vm.activateOTP}}),_vm._v(\" \"),_c('br'),_vm._v(\" \"),(_vm.settings.enabled)?_c('div',[(!_vm.confirmNewBackupCodes)?_c('recovery-codes',{attrs:{\"backup-codes\":_vm.backupCodes}}):_vm._e(),_vm._v(\" \"),(!_vm.confirmNewBackupCodes)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.getBackupCodes}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.generate_new_recovery_codes'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.confirmNewBackupCodes)?_c('div',[_c('confirm',{attrs:{\"disabled\":_vm.backupCodes.inProgress},on:{\"confirm\":_vm.confirmBackupCodes,\"cancel\":_vm.cancelBackupCodes}},[_c('p',{staticClass:\"warning\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.warning_of_generate_new_codes'))+\"\\n \")])])],1):_vm._e()],1):_vm._e()],1):_vm._e(),_vm._v(\" \"),(_vm.setupInProgress)?_c('div',[_c('h3',[_vm._v(_vm._s(_vm.$t('settings.mfa.setup_otp')))]),_vm._v(\" \"),(!_vm.setupOTPInProgress)?_c('recovery-codes',{attrs:{\"backup-codes\":_vm.backupCodes}}):_vm._e(),_vm._v(\" \"),(_vm.canSetupOTP)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.cancelSetup}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.cancel'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.canSetupOTP)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.setupOTP}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.setup_otp'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.setupOTPInProgress)?[(_vm.prepareOTP)?_c('i',[_vm._v(_vm._s(_vm.$t('settings.mfa.wait_pre_setup_otp')))]):_vm._e(),_vm._v(\" \"),(_vm.confirmOTP)?_c('div',[_c('div',{staticClass:\"setup-otp\"},[_c('div',{staticClass:\"qr-code\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.mfa.scan.title')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.mfa.scan.desc')))]),_vm._v(\" \"),_c('qrcode',{attrs:{\"value\":_vm.otpSettings.provisioning_uri,\"options\":{ width: 200 }}}),_vm._v(\" \"),_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.scan.secret_code'))+\":\\n \"+_vm._s(_vm.otpSettings.key)+\"\\n \")])],1),_vm._v(\" \"),_c('div',{staticClass:\"verify\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('general.verify')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.mfa.verify.desc')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.otpConfirmToken),expression:\"otpConfirmToken\"}],attrs:{\"type\":\"text\"},domProps:{\"value\":(_vm.otpConfirmToken)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.otpConfirmToken=$event.target.value}}}),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.enter_current_password_to_confirm'))+\":\")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.currentPassword),expression:\"currentPassword\"}],attrs:{\"type\":\"password\"},domProps:{\"value\":(_vm.currentPassword)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.currentPassword=$event.target.value}}}),_vm._v(\" \"),_c('div',{staticClass:\"confirm-otp-actions\"},[_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.doConfirmOTP}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.mfa.confirm_and_enable'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.cancelSetup}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.cancel'))+\"\\n \")])]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.error)+\"\\n \")]):_vm._e()])])]):_vm._e()]:_vm._e()],2):_vm._e()])]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import ProgressButton from 'src/components/progress_button/progress_button.vue'\nimport Checkbox from 'src/components/checkbox/checkbox.vue'\nimport Mfa from './mfa.vue'\n\nconst SecurityTab = {\n data () {\n return {\n newEmail: '',\n changeEmailError: false,\n changeEmailPassword: '',\n changedEmail: false,\n deletingAccount: false,\n deleteAccountConfirmPasswordInput: '',\n deleteAccountError: false,\n changePasswordInputs: [ '', '', '' ],\n changedPassword: false,\n changePasswordError: false\n }\n },\n created () {\n this.$store.dispatch('fetchTokens')\n },\n components: {\n ProgressButton,\n Mfa,\n Checkbox\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n },\n pleromaBackend () {\n return this.$store.state.instance.pleromaBackend\n },\n oauthTokens () {\n return this.$store.state.oauthTokens.tokens.map(oauthToken => {\n return {\n id: oauthToken.id,\n appName: oauthToken.app_name,\n validUntil: new Date(oauthToken.valid_until).toLocaleDateString()\n }\n })\n }\n },\n methods: {\n confirmDelete () {\n this.deletingAccount = true\n },\n deleteAccount () {\n this.$store.state.api.backendInteractor.deleteAccount({ password: this.deleteAccountConfirmPasswordInput })\n .then((res) => {\n if (res.status === 'success') {\n this.$store.dispatch('logout')\n this.$router.push({ name: 'root' })\n } else {\n this.deleteAccountError = res.error\n }\n })\n },\n changePassword () {\n const params = {\n password: this.changePasswordInputs[0],\n newPassword: this.changePasswordInputs[1],\n newPasswordConfirmation: this.changePasswordInputs[2]\n }\n this.$store.state.api.backendInteractor.changePassword(params)\n .then((res) => {\n if (res.status === 'success') {\n this.changedPassword = true\n this.changePasswordError = false\n this.logout()\n } else {\n this.changedPassword = false\n this.changePasswordError = res.error\n }\n })\n },\n changeEmail () {\n const params = {\n email: this.newEmail,\n password: this.changeEmailPassword\n }\n this.$store.state.api.backendInteractor.changeEmail(params)\n .then((res) => {\n if (res.status === 'success') {\n this.changedEmail = true\n this.changeEmailError = false\n } else {\n this.changedEmail = false\n this.changeEmailError = res.error\n }\n })\n },\n logout () {\n this.$store.dispatch('logout')\n this.$router.replace('/')\n },\n revokeToken (id) {\n if (window.confirm(`${this.$i18n.t('settings.revoke_token')}?`)) {\n this.$store.dispatch('revokeToken', id)\n }\n }\n }\n}\n\nexport default SecurityTab\n","/* script */\nexport * from \"!!babel-loader!./security_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./security_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-c51e00de\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./security_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{attrs:{\"label\":_vm.$t('settings.security_tab')}},[_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.change_email')))]),_vm._v(\" \"),_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.new_email')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newEmail),expression:\"newEmail\"}],attrs:{\"type\":\"email\",\"autocomplete\":\"email\"},domProps:{\"value\":(_vm.newEmail)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.newEmail=$event.target.value}}})]),_vm._v(\" \"),_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.current_password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.changeEmailPassword),expression:\"changeEmailPassword\"}],attrs:{\"type\":\"password\",\"autocomplete\":\"current-password\"},domProps:{\"value\":(_vm.changeEmailPassword)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.changeEmailPassword=$event.target.value}}})]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.changeEmail}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")]),_vm._v(\" \"),(_vm.changedEmail)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.changed_email'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.changeEmailError !== false)?[_c('p',[_vm._v(_vm._s(_vm.$t('settings.change_email_error')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.changeEmailError))])]:_vm._e()],2),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.change_password')))]),_vm._v(\" \"),_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.current_password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.changePasswordInputs[0]),expression:\"changePasswordInputs[0]\"}],attrs:{\"type\":\"password\"},domProps:{\"value\":(_vm.changePasswordInputs[0])},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.changePasswordInputs, 0, $event.target.value)}}})]),_vm._v(\" \"),_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.new_password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.changePasswordInputs[1]),expression:\"changePasswordInputs[1]\"}],attrs:{\"type\":\"password\"},domProps:{\"value\":(_vm.changePasswordInputs[1])},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.changePasswordInputs, 1, $event.target.value)}}})]),_vm._v(\" \"),_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.confirm_new_password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.changePasswordInputs[2]),expression:\"changePasswordInputs[2]\"}],attrs:{\"type\":\"password\"},domProps:{\"value\":(_vm.changePasswordInputs[2])},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.changePasswordInputs, 2, $event.target.value)}}})]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.changePassword}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")]),_vm._v(\" \"),(_vm.changedPassword)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.changed_password'))+\"\\n \")]):(_vm.changePasswordError !== false)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.change_password_error'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.changePasswordError)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.changePasswordError)+\"\\n \")]):_vm._e()]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.oauth_tokens')))]),_vm._v(\" \"),_c('table',{staticClass:\"oauth-tokens\"},[_c('thead',[_c('tr',[_c('th',[_vm._v(_vm._s(_vm.$t('settings.app_name')))]),_vm._v(\" \"),_c('th',[_vm._v(_vm._s(_vm.$t('settings.valid_until')))]),_vm._v(\" \"),_c('th')])]),_vm._v(\" \"),_c('tbody',_vm._l((_vm.oauthTokens),function(oauthToken){return _c('tr',{key:oauthToken.id},[_c('td',[_vm._v(_vm._s(oauthToken.appName))]),_vm._v(\" \"),_c('td',[_vm._v(_vm._s(oauthToken.validUntil))]),_vm._v(\" \"),_c('td',{staticClass:\"actions\"},[_c('button',{staticClass:\"btn btn-default\",on:{\"click\":function($event){return _vm.revokeToken(oauthToken.id)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.revoke_token'))+\"\\n \")])])])}),0)])]),_vm._v(\" \"),_c('mfa'),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.delete_account')))]),_vm._v(\" \"),(!_vm.deletingAccount)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.delete_account_description'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.deletingAccount)?_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.delete_account_instructions')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('login.password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.deleteAccountConfirmPasswordInput),expression:\"deleteAccountConfirmPasswordInput\"}],attrs:{\"type\":\"password\"},domProps:{\"value\":(_vm.deleteAccountConfirmPasswordInput)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.deleteAccountConfirmPasswordInput=$event.target.value}}}),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.deleteAccount}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.delete_account'))+\"\\n \")])]):_vm._e(),_vm._v(\" \"),(_vm.deleteAccountError !== false)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.delete_account_error'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.deleteAccountError)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.deleteAccountError)+\"\\n \")]):_vm._e(),_vm._v(\" \"),(!_vm.deletingAccount)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.confirmDelete}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")]):_vm._e()])],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Cropper from 'cropperjs'\nimport 'cropperjs/dist/cropper.css'\n\nconst ImageCropper = {\n props: {\n trigger: {\n type: [String, window.Element],\n required: true\n },\n submitHandler: {\n type: Function,\n required: true\n },\n cropperOptions: {\n type: Object,\n default () {\n return {\n aspectRatio: 1,\n autoCropArea: 1,\n viewMode: 1,\n movable: false,\n zoomable: false,\n guides: false\n }\n }\n },\n mimes: {\n type: String,\n default: 'image/png, image/gif, image/jpeg, image/bmp, image/x-icon'\n },\n saveButtonLabel: {\n type: String\n },\n saveWithoutCroppingButtonlabel: {\n type: String\n },\n cancelButtonLabel: {\n type: String\n }\n },\n data () {\n return {\n cropper: undefined,\n dataUrl: undefined,\n filename: undefined,\n submitting: false,\n submitError: null\n }\n },\n computed: {\n saveText () {\n return this.saveButtonLabel || this.$t('image_cropper.save')\n },\n saveWithoutCroppingText () {\n return this.saveWithoutCroppingButtonlabel || this.$t('image_cropper.save_without_cropping')\n },\n cancelText () {\n return this.cancelButtonLabel || this.$t('image_cropper.cancel')\n },\n submitErrorMsg () {\n return this.submitError && this.submitError instanceof Error ? this.submitError.toString() : this.submitError\n }\n },\n methods: {\n destroy () {\n if (this.cropper) {\n this.cropper.destroy()\n }\n this.$refs.input.value = ''\n this.dataUrl = undefined\n this.$emit('close')\n },\n submit (cropping = true) {\n this.submitting = true\n this.avatarUploadError = null\n this.submitHandler(cropping && this.cropper, this.file)\n .then(() => this.destroy())\n .catch((err) => {\n this.submitError = err\n })\n .finally(() => {\n this.submitting = false\n })\n },\n pickImage () {\n this.$refs.input.click()\n },\n createCropper () {\n this.cropper = new Cropper(this.$refs.img, this.cropperOptions)\n },\n getTriggerDOM () {\n return typeof this.trigger === 'object' ? this.trigger : document.querySelector(this.trigger)\n },\n readFile () {\n const fileInput = this.$refs.input\n if (fileInput.files != null && fileInput.files[0] != null) {\n this.file = fileInput.files[0]\n let reader = new window.FileReader()\n reader.onload = (e) => {\n this.dataUrl = e.target.result\n this.$emit('open')\n }\n reader.readAsDataURL(this.file)\n this.$emit('changed', this.file, reader)\n }\n },\n clearError () {\n this.submitError = null\n }\n },\n mounted () {\n // listen for click event on trigger\n const trigger = this.getTriggerDOM()\n if (!trigger) {\n this.$emit('error', 'No image make trigger found.', 'user')\n } else {\n trigger.addEventListener('click', this.pickImage)\n }\n // listen for input file changes\n const fileInput = this.$refs.input\n fileInput.addEventListener('change', this.readFile)\n },\n beforeDestroy: function () {\n // remove the event listeners\n const trigger = this.getTriggerDOM()\n if (trigger) {\n trigger.removeEventListener('click', this.pickImage)\n }\n const fileInput = this.$refs.input\n fileInput.removeEventListener('change', this.readFile)\n }\n}\n\nexport default ImageCropper\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./image_cropper.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./image_cropper.js\"\nimport __vue_script__ from \"!!babel-loader!./image_cropper.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3babea86\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./image_cropper.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"image-cropper\"},[(_vm.dataUrl)?_c('div',[_c('div',{staticClass:\"image-cropper-image-container\"},[_c('img',{ref:\"img\",attrs:{\"src\":_vm.dataUrl,\"alt\":\"\"},on:{\"load\":function($event){$event.stopPropagation();return _vm.createCropper($event)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"image-cropper-buttons-wrapper\"},[_c('button',{staticClass:\"btn\",attrs:{\"type\":\"button\",\"disabled\":_vm.submitting},domProps:{\"textContent\":_vm._s(_vm.saveText)},on:{\"click\":function($event){return _vm.submit()}}}),_vm._v(\" \"),_c('button',{staticClass:\"btn\",attrs:{\"type\":\"button\",\"disabled\":_vm.submitting},domProps:{\"textContent\":_vm._s(_vm.cancelText)},on:{\"click\":_vm.destroy}}),_vm._v(\" \"),_c('button',{staticClass:\"btn\",attrs:{\"type\":\"button\",\"disabled\":_vm.submitting},domProps:{\"textContent\":_vm._s(_vm.saveWithoutCroppingText)},on:{\"click\":function($event){return _vm.submit(false)}}}),_vm._v(\" \"),(_vm.submitting)?_c('i',{staticClass:\"icon-spin4 animate-spin\"}):_vm._e()]),_vm._v(\" \"),(_vm.submitError)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.submitErrorMsg)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":_vm.clearError}})]):_vm._e()]):_vm._e(),_vm._v(\" \"),_c('input',{ref:\"input\",staticClass:\"image-cropper-img-input\",attrs:{\"type\":\"file\",\"accept\":_vm.mimes}})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import unescape from 'lodash/unescape'\nimport merge from 'lodash/merge'\nimport ImageCropper from 'src/components/image_cropper/image_cropper.vue'\nimport ScopeSelector from 'src/components/scope_selector/scope_selector.vue'\nimport fileSizeFormatService from 'src/components/../services/file_size_format/file_size_format.js'\nimport ProgressButton from 'src/components/progress_button/progress_button.vue'\nimport EmojiInput from 'src/components/emoji_input/emoji_input.vue'\nimport suggestor from 'src/components/emoji_input/suggestor.js'\nimport Autosuggest from 'src/components/autosuggest/autosuggest.vue'\nimport Checkbox from 'src/components/checkbox/checkbox.vue'\n\nconst ProfileTab = {\n data () {\n return {\n newName: this.$store.state.users.currentUser.name,\n newBio: unescape(this.$store.state.users.currentUser.description),\n newLocked: this.$store.state.users.currentUser.locked,\n newNoRichText: this.$store.state.users.currentUser.no_rich_text,\n newDefaultScope: this.$store.state.users.currentUser.default_scope,\n newFields: this.$store.state.users.currentUser.fields.map(field => ({ name: field.name, value: field.value })),\n hideFollows: this.$store.state.users.currentUser.hide_follows,\n hideFollowers: this.$store.state.users.currentUser.hide_followers,\n hideFollowsCount: this.$store.state.users.currentUser.hide_follows_count,\n hideFollowersCount: this.$store.state.users.currentUser.hide_followers_count,\n showRole: this.$store.state.users.currentUser.show_role,\n role: this.$store.state.users.currentUser.role,\n discoverable: this.$store.state.users.currentUser.discoverable,\n bot: this.$store.state.users.currentUser.bot,\n allowFollowingMove: this.$store.state.users.currentUser.allow_following_move,\n pickAvatarBtnVisible: true,\n bannerUploading: false,\n backgroundUploading: false,\n banner: null,\n bannerPreview: null,\n background: null,\n backgroundPreview: null,\n bannerUploadError: null,\n backgroundUploadError: null\n }\n },\n components: {\n ScopeSelector,\n ImageCropper,\n EmojiInput,\n Autosuggest,\n ProgressButton,\n Checkbox\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n },\n emojiUserSuggestor () {\n return suggestor({\n emoji: [\n ...this.$store.state.instance.emoji,\n ...this.$store.state.instance.customEmoji\n ],\n users: this.$store.state.users.users,\n updateUsersList: (query) => this.$store.dispatch('searchUsers', { query })\n })\n },\n emojiSuggestor () {\n return suggestor({ emoji: [\n ...this.$store.state.instance.emoji,\n ...this.$store.state.instance.customEmoji\n ] })\n },\n userSuggestor () {\n return suggestor({\n users: this.$store.state.users.users,\n updateUsersList: (query) => this.$store.dispatch('searchUsers', { query })\n })\n },\n fieldsLimits () {\n return this.$store.state.instance.fieldsLimits\n },\n maxFields () {\n return this.fieldsLimits ? this.fieldsLimits.maxFields : 0\n },\n defaultAvatar () {\n return this.$store.state.instance.server + this.$store.state.instance.defaultAvatar\n },\n defaultBanner () {\n return this.$store.state.instance.server + this.$store.state.instance.defaultBanner\n },\n isDefaultAvatar () {\n const baseAvatar = this.$store.state.instance.defaultAvatar\n return !(this.$store.state.users.currentUser.profile_image_url) ||\n this.$store.state.users.currentUser.profile_image_url.includes(baseAvatar)\n },\n isDefaultBanner () {\n const baseBanner = this.$store.state.instance.defaultBanner\n return !(this.$store.state.users.currentUser.cover_photo) ||\n this.$store.state.users.currentUser.cover_photo.includes(baseBanner)\n },\n isDefaultBackground () {\n return !(this.$store.state.users.currentUser.background_image)\n },\n avatarImgSrc () {\n const src = this.$store.state.users.currentUser.profile_image_url_original\n return (!src) ? this.defaultAvatar : src\n },\n bannerImgSrc () {\n const src = this.$store.state.users.currentUser.cover_photo\n return (!src) ? this.defaultBanner : src\n }\n },\n methods: {\n updateProfile () {\n this.$store.state.api.backendInteractor\n .updateProfile({\n params: {\n note: this.newBio,\n locked: this.newLocked,\n // Backend notation.\n /* eslint-disable camelcase */\n display_name: this.newName,\n fields_attributes: this.newFields.filter(el => el != null),\n default_scope: this.newDefaultScope,\n no_rich_text: this.newNoRichText,\n hide_follows: this.hideFollows,\n hide_followers: this.hideFollowers,\n discoverable: this.discoverable,\n bot: this.bot,\n allow_following_move: this.allowFollowingMove,\n hide_follows_count: this.hideFollowsCount,\n hide_followers_count: this.hideFollowersCount,\n show_role: this.showRole\n /* eslint-enable camelcase */\n } }).then((user) => {\n this.newFields.splice(user.fields.length)\n merge(this.newFields, user.fields)\n this.$store.commit('addNewUsers', [user])\n this.$store.commit('setCurrentUser', user)\n })\n },\n changeVis (visibility) {\n this.newDefaultScope = visibility\n },\n addField () {\n if (this.newFields.length < this.maxFields) {\n this.newFields.push({ name: '', value: '' })\n return true\n }\n return false\n },\n deleteField (index, event) {\n this.$delete(this.newFields, index)\n },\n uploadFile (slot, e) {\n const file = e.target.files[0]\n if (!file) { return }\n if (file.size > this.$store.state.instance[slot + 'limit']) {\n const filesize = fileSizeFormatService.fileSizeFormat(file.size)\n const allowedsize = fileSizeFormatService.fileSizeFormat(this.$store.state.instance[slot + 'limit'])\n this[slot + 'UploadError'] = [\n this.$t('upload.error.base'),\n this.$t(\n 'upload.error.file_too_big',\n {\n filesize: filesize.num,\n filesizeunit: filesize.unit,\n allowedsize: allowedsize.num,\n allowedsizeunit: allowedsize.unit\n }\n )\n ].join(' ')\n return\n }\n // eslint-disable-next-line no-undef\n const reader = new FileReader()\n reader.onload = ({ target }) => {\n const img = target.result\n this[slot + 'Preview'] = img\n this[slot] = file\n }\n reader.readAsDataURL(file)\n },\n resetAvatar () {\n const confirmed = window.confirm(this.$t('settings.reset_avatar_confirm'))\n if (confirmed) {\n this.submitAvatar(undefined, '')\n }\n },\n resetBanner () {\n const confirmed = window.confirm(this.$t('settings.reset_banner_confirm'))\n if (confirmed) {\n this.submitBanner('')\n }\n },\n resetBackground () {\n const confirmed = window.confirm(this.$t('settings.reset_background_confirm'))\n if (confirmed) {\n this.submitBackground('')\n }\n },\n submitAvatar (cropper, file) {\n const that = this\n return new Promise((resolve, reject) => {\n function updateAvatar (avatar) {\n that.$store.state.api.backendInteractor.updateProfileImages({ avatar })\n .then((user) => {\n that.$store.commit('addNewUsers', [user])\n that.$store.commit('setCurrentUser', user)\n resolve()\n })\n .catch((err) => {\n reject(new Error(that.$t('upload.error.base') + ' ' + err.message))\n })\n }\n\n if (cropper) {\n cropper.getCroppedCanvas().toBlob(updateAvatar, file.type)\n } else {\n updateAvatar(file)\n }\n })\n },\n submitBanner (banner) {\n if (!this.bannerPreview && banner !== '') { return }\n\n this.bannerUploading = true\n this.$store.state.api.backendInteractor.updateProfileImages({ banner })\n .then((user) => {\n this.$store.commit('addNewUsers', [user])\n this.$store.commit('setCurrentUser', user)\n this.bannerPreview = null\n })\n .catch((err) => {\n this.bannerUploadError = this.$t('upload.error.base') + ' ' + err.message\n })\n .then(() => { this.bannerUploading = false })\n },\n submitBackground (background) {\n if (!this.backgroundPreview && background !== '') { return }\n\n this.backgroundUploading = true\n this.$store.state.api.backendInteractor.updateProfileImages({ background }).then((data) => {\n if (!data.error) {\n this.$store.commit('addNewUsers', [data])\n this.$store.commit('setCurrentUser', data)\n this.backgroundPreview = null\n } else {\n this.backgroundUploadError = this.$t('upload.error.base') + data.error\n }\n this.backgroundUploading = false\n })\n }\n }\n}\n\nexport default ProfileTab\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./profile_tab.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./profile_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./profile_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-0d1b47da\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./profile_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"profile-tab\"},[_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.name_bio')))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.name')))]),_vm._v(\" \"),_c('EmojiInput',{attrs:{\"enable-emoji-picker\":\"\",\"suggest\":_vm.emojiSuggestor},model:{value:(_vm.newName),callback:function ($$v) {_vm.newName=$$v},expression:\"newName\"}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newName),expression:\"newName\"}],attrs:{\"id\":\"username\",\"classname\":\"name-changer\"},domProps:{\"value\":(_vm.newName)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.newName=$event.target.value}}})]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.bio')))]),_vm._v(\" \"),_c('EmojiInput',{attrs:{\"enable-emoji-picker\":\"\",\"suggest\":_vm.emojiUserSuggestor},model:{value:(_vm.newBio),callback:function ($$v) {_vm.newBio=$$v},expression:\"newBio\"}},[_c('textarea',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newBio),expression:\"newBio\"}],attrs:{\"classname\":\"bio\"},domProps:{\"value\":(_vm.newBio)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.newBio=$event.target.value}}})]),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.newLocked),callback:function ($$v) {_vm.newLocked=$$v},expression:\"newLocked\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.lock_account_description'))+\"\\n \")])],1),_vm._v(\" \"),_c('div',[_c('label',{attrs:{\"for\":\"default-vis\"}},[_vm._v(_vm._s(_vm.$t('settings.default_vis')))]),_vm._v(\" \"),_c('div',{staticClass:\"visibility-tray\",attrs:{\"id\":\"default-vis\"}},[_c('scope-selector',{attrs:{\"show-all\":true,\"user-default\":_vm.newDefaultScope,\"initial-scope\":_vm.newDefaultScope,\"on-scope-change\":_vm.changeVis}})],1)]),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.newNoRichText),callback:function ($$v) {_vm.newNoRichText=$$v},expression:\"newNoRichText\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.no_rich_text_description'))+\"\\n \")])],1),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.hideFollows),callback:function ($$v) {_vm.hideFollows=$$v},expression:\"hideFollows\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_follows_description'))+\"\\n \")])],1),_vm._v(\" \"),_c('p',{staticClass:\"setting-subitem\"},[_c('Checkbox',{attrs:{\"disabled\":!_vm.hideFollows},model:{value:(_vm.hideFollowsCount),callback:function ($$v) {_vm.hideFollowsCount=$$v},expression:\"hideFollowsCount\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_follows_count_description'))+\"\\n \")])],1),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.hideFollowers),callback:function ($$v) {_vm.hideFollowers=$$v},expression:\"hideFollowers\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_followers_description'))+\"\\n \")])],1),_vm._v(\" \"),_c('p',{staticClass:\"setting-subitem\"},[_c('Checkbox',{attrs:{\"disabled\":!_vm.hideFollowers},model:{value:(_vm.hideFollowersCount),callback:function ($$v) {_vm.hideFollowersCount=$$v},expression:\"hideFollowersCount\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_followers_count_description'))+\"\\n \")])],1),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.allowFollowingMove),callback:function ($$v) {_vm.allowFollowingMove=$$v},expression:\"allowFollowingMove\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.allow_following_move'))+\"\\n \")])],1),_vm._v(\" \"),(_vm.role === 'admin' || _vm.role === 'moderator')?_c('p',[_c('Checkbox',{model:{value:(_vm.showRole),callback:function ($$v) {_vm.showRole=$$v},expression:\"showRole\"}},[(_vm.role === 'admin')?[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.show_admin_badge'))+\"\\n \")]:_vm._e(),_vm._v(\" \"),(_vm.role === 'moderator')?[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.show_moderator_badge'))+\"\\n \")]:_vm._e()],2)],1):_vm._e(),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.discoverable),callback:function ($$v) {_vm.discoverable=$$v},expression:\"discoverable\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.discoverable'))+\"\\n \")])],1),_vm._v(\" \"),(_vm.maxFields > 0)?_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.profile_fields.label')))]),_vm._v(\" \"),_vm._l((_vm.newFields),function(_,i){return _c('div',{key:i,staticClass:\"profile-fields\"},[_c('EmojiInput',{attrs:{\"enable-emoji-picker\":\"\",\"hide-emoji-button\":\"\",\"suggest\":_vm.userSuggestor},model:{value:(_vm.newFields[i].name),callback:function ($$v) {_vm.$set(_vm.newFields[i], \"name\", $$v)},expression:\"newFields[i].name\"}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newFields[i].name),expression:\"newFields[i].name\"}],attrs:{\"placeholder\":_vm.$t('settings.profile_fields.name')},domProps:{\"value\":(_vm.newFields[i].name)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.newFields[i], \"name\", $event.target.value)}}})]),_vm._v(\" \"),_c('EmojiInput',{attrs:{\"enable-emoji-picker\":\"\",\"hide-emoji-button\":\"\",\"suggest\":_vm.userSuggestor},model:{value:(_vm.newFields[i].value),callback:function ($$v) {_vm.$set(_vm.newFields[i], \"value\", $$v)},expression:\"newFields[i].value\"}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newFields[i].value),expression:\"newFields[i].value\"}],attrs:{\"placeholder\":_vm.$t('settings.profile_fields.value')},domProps:{\"value\":(_vm.newFields[i].value)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.newFields[i], \"value\", $event.target.value)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"icon-container\"},[_c('i',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.newFields.length > 1),expression:\"newFields.length > 1\"}],staticClass:\"icon-cancel\",on:{\"click\":function($event){return _vm.deleteField(i)}}})])],1)}),_vm._v(\" \"),(_vm.newFields.length < _vm.maxFields)?_c('a',{staticClass:\"add-field faint\",on:{\"click\":_vm.addField}},[_c('i',{staticClass:\"icon-plus\"}),_vm._v(\"\\n \"+_vm._s(_vm.$t(\"settings.profile_fields.add_field\"))+\"\\n \")]):_vm._e()],2):_vm._e(),_vm._v(\" \"),_c('p',[_c('Checkbox',{model:{value:(_vm.bot),callback:function ($$v) {_vm.bot=$$v},expression:\"bot\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.bot'))+\"\\n \")])],1),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.newName && _vm.newName.length === 0},on:{\"click\":_vm.updateProfile}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")])],1),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.avatar')))]),_vm._v(\" \"),_c('p',{staticClass:\"visibility-notice\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.avatar_size_instruction'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"current-avatar-container\"},[_c('img',{staticClass:\"current-avatar\",attrs:{\"src\":_vm.user.profile_image_url_original}}),_vm._v(\" \"),(!_vm.isDefaultAvatar && _vm.pickAvatarBtnVisible)?_c('i',{staticClass:\"reset-button icon-cancel\",attrs:{\"title\":_vm.$t('settings.reset_avatar'),\"type\":\"button\"},on:{\"click\":_vm.resetAvatar}}):_vm._e()]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.set_new_avatar')))]),_vm._v(\" \"),_c('button',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.pickAvatarBtnVisible),expression:\"pickAvatarBtnVisible\"}],staticClass:\"btn\",attrs:{\"id\":\"pick-avatar\",\"type\":\"button\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.upload_a_photo'))+\"\\n \")]),_vm._v(\" \"),_c('image-cropper',{attrs:{\"trigger\":\"#pick-avatar\",\"submit-handler\":_vm.submitAvatar},on:{\"open\":function($event){_vm.pickAvatarBtnVisible=false},\"close\":function($event){_vm.pickAvatarBtnVisible=true}}})],1),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.profile_banner')))]),_vm._v(\" \"),_c('div',{staticClass:\"banner-background-preview\"},[_c('img',{attrs:{\"src\":_vm.user.cover_photo}}),_vm._v(\" \"),(!_vm.isDefaultBanner)?_c('i',{staticClass:\"reset-button icon-cancel\",attrs:{\"title\":_vm.$t('settings.reset_profile_banner'),\"type\":\"button\"},on:{\"click\":_vm.resetBanner}}):_vm._e()]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.set_new_profile_banner')))]),_vm._v(\" \"),(_vm.bannerPreview)?_c('img',{staticClass:\"banner-background-preview\",attrs:{\"src\":_vm.bannerPreview}}):_vm._e(),_vm._v(\" \"),_c('div',[_c('input',{attrs:{\"type\":\"file\"},on:{\"change\":function($event){return _vm.uploadFile('banner', $event)}}})]),_vm._v(\" \"),(_vm.bannerUploading)?_c('i',{staticClass:\" icon-spin4 animate-spin uploading\"}):(_vm.bannerPreview)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":function($event){return _vm.submitBanner(_vm.banner)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.bannerUploadError)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n Error: \"+_vm._s(_vm.bannerUploadError)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":function($event){return _vm.clearUploadError('banner')}}})]):_vm._e()]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.profile_background')))]),_vm._v(\" \"),_c('div',{staticClass:\"banner-background-preview\"},[_c('img',{attrs:{\"src\":_vm.user.background_image}}),_vm._v(\" \"),(!_vm.isDefaultBackground)?_c('i',{staticClass:\"reset-button icon-cancel\",attrs:{\"title\":_vm.$t('settings.reset_profile_background'),\"type\":\"button\"},on:{\"click\":_vm.resetBackground}}):_vm._e()]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.set_new_profile_background')))]),_vm._v(\" \"),(_vm.backgroundPreview)?_c('img',{staticClass:\"banner-background-preview\",attrs:{\"src\":_vm.backgroundPreview}}):_vm._e(),_vm._v(\" \"),_c('div',[_c('input',{attrs:{\"type\":\"file\"},on:{\"change\":function($event){return _vm.uploadFile('background', $event)}}})]),_vm._v(\" \"),(_vm.backgroundUploading)?_c('i',{staticClass:\" icon-spin4 animate-spin uploading\"}):(_vm.backgroundPreview)?_c('button',{staticClass:\"btn btn-default\",on:{\"click\":function($event){return _vm.submitBackground(_vm.background)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.backgroundUploadError)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n Error: \"+_vm._s(_vm.backgroundUploadError)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":function($event){return _vm.clearUploadError('background')}}})]):_vm._e()])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <div>\n <label for=\"interface-language-switcher\">\n {{ $t('settings.interfaceLanguage') }}\n </label>\n <label\n for=\"interface-language-switcher\"\n class=\"select\"\n >\n <select\n id=\"interface-language-switcher\"\n v-model=\"language\"\n >\n <option\n v-for=\"(langCode, i) in languageCodes\"\n :key=\"langCode\"\n :value=\"langCode\"\n >\n {{ languageNames[i] }}\n </option>\n </select>\n <i class=\"icon-down-open\" />\n </label>\n </div>\n</template>\n\n<script>\nimport languagesObject from '../../i18n/messages'\nimport ISO6391 from 'iso-639-1'\nimport _ from 'lodash'\n\nexport default {\n computed: {\n languageCodes () {\n return languagesObject.languages\n },\n\n languageNames () {\n return _.map(this.languageCodes, this.getLanguageName)\n },\n\n language: {\n get: function () { return this.$store.getters.mergedConfig.interfaceLanguage },\n set: function (val) {\n this.$store.dispatch('setOption', { name: 'interfaceLanguage', value: val })\n }\n }\n },\n\n methods: {\n getLanguageName (code) {\n const specialLanguageNames = {\n 'ja': 'Japanese (日本語)',\n 'ja_easy': 'Japanese (やさしいにほんご)',\n 'zh': 'Chinese (简体中文)'\n }\n return specialLanguageNames[code] || ISO6391.getName(code)\n }\n }\n}\n</script>\n","/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./interface_language_switcher.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./interface_language_switcher.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4033272e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./interface_language_switcher.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('label',{attrs:{\"for\":\"interface-language-switcher\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.interfaceLanguage'))+\"\\n \")]),_vm._v(\" \"),_c('label',{staticClass:\"select\",attrs:{\"for\":\"interface-language-switcher\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.language),expression:\"language\"}],attrs:{\"id\":\"interface-language-switcher\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.language=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},_vm._l((_vm.languageCodes),function(langCode,i){return _c('option',{key:langCode,domProps:{\"value\":langCode}},[_vm._v(\"\\n \"+_vm._s(_vm.languageNames[i])+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Checkbox from 'src/components/checkbox/checkbox.vue'\nimport InterfaceLanguageSwitcher from 'src/components/interface_language_switcher/interface_language_switcher.vue'\n\nimport SharedComputedObject from '../helpers/shared_computed_object.js'\n\nconst GeneralTab = {\n data () {\n return {\n loopSilentAvailable:\n // Firefox\n Object.getOwnPropertyDescriptor(HTMLVideoElement.prototype, 'mozHasAudio') ||\n // Chrome-likes\n Object.getOwnPropertyDescriptor(HTMLMediaElement.prototype, 'webkitAudioDecodedByteCount') ||\n // Future spec, still not supported in Nightly 63 as of 08/2018\n Object.getOwnPropertyDescriptor(HTMLMediaElement.prototype, 'audioTracks')\n }\n },\n components: {\n Checkbox,\n InterfaceLanguageSwitcher\n },\n computed: {\n postFormats () {\n return this.$store.state.instance.postFormats || []\n },\n instanceSpecificPanelPresent () { return this.$store.state.instance.showInstanceSpecificPanel },\n ...SharedComputedObject()\n }\n}\n\nexport default GeneralTab\n","/* script */\nexport * from \"!!babel-loader!./general_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./general_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-031d2218\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./general_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{attrs:{\"label\":_vm.$t('settings.general')}},[_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.interface')))]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('interface-language-switcher')],1),_vm._v(\" \"),(_vm.instanceSpecificPanelPresent)?_c('li',[_c('Checkbox',{model:{value:(_vm.hideISP),callback:function ($$v) {_vm.hideISP=$$v},expression:\"hideISP\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_isp'))+\"\\n \")])],1):_vm._e()])]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('nav.timeline')))]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('Checkbox',{model:{value:(_vm.hideMutedPosts),callback:function ($$v) {_vm.hideMutedPosts=$$v},expression:\"hideMutedPosts\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_muted_posts'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.hideMutedPostsLocalizedValue }))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.collapseMessageWithSubject),callback:function ($$v) {_vm.collapseMessageWithSubject=$$v},expression:\"collapseMessageWithSubject\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.collapse_subject'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.collapseMessageWithSubjectLocalizedValue }))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.streaming),callback:function ($$v) {_vm.streaming=$$v},expression:\"streaming\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.streaming'))+\"\\n \")]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list suboptions\",class:[{disabled: !_vm.streaming}]},[_c('li',[_c('Checkbox',{attrs:{\"disabled\":!_vm.streaming},model:{value:(_vm.pauseOnUnfocused),callback:function ($$v) {_vm.pauseOnUnfocused=$$v},expression:\"pauseOnUnfocused\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.pause_on_unfocused'))+\"\\n \")])],1)])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.useStreamingApi),callback:function ($$v) {_vm.useStreamingApi=$$v},expression:\"useStreamingApi\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.useStreamingApi'))+\"\\n \"),_c('br'),_vm._v(\" \"),_c('small',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.useStreamingApiWarning'))+\"\\n \")])])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.emojiReactionsOnTimeline),callback:function ($$v) {_vm.emojiReactionsOnTimeline=$$v},expression:\"emojiReactionsOnTimeline\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.emoji_reactions_on_timeline'))+\"\\n \")])],1)])]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.composing')))]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('Checkbox',{model:{value:(_vm.scopeCopy),callback:function ($$v) {_vm.scopeCopy=$$v},expression:\"scopeCopy\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.scope_copy'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.scopeCopyLocalizedValue }))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.alwaysShowSubjectInput),callback:function ($$v) {_vm.alwaysShowSubjectInput=$$v},expression:\"alwaysShowSubjectInput\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.subject_input_always_show'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.alwaysShowSubjectInputLocalizedValue }))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('div',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.subject_line_behavior'))+\"\\n \"),_c('label',{staticClass:\"select\",attrs:{\"for\":\"subjectLineBehavior\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.subjectLineBehavior),expression:\"subjectLineBehavior\"}],attrs:{\"id\":\"subjectLineBehavior\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.subjectLineBehavior=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},[_c('option',{attrs:{\"value\":\"email\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.subject_line_email'))+\"\\n \"+_vm._s(_vm.subjectLineBehaviorDefaultValue == 'email' ? _vm.$t('settings.instance_default_simple') : '')+\"\\n \")]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"masto\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.subject_line_mastodon'))+\"\\n \"+_vm._s(_vm.subjectLineBehaviorDefaultValue == 'mastodon' ? _vm.$t('settings.instance_default_simple') : '')+\"\\n \")]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"noop\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.subject_line_noop'))+\"\\n \"+_vm._s(_vm.subjectLineBehaviorDefaultValue == 'noop' ? _vm.$t('settings.instance_default_simple') : '')+\"\\n \")])]),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])])]),_vm._v(\" \"),(_vm.postFormats.length > 0)?_c('li',[_c('div',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.post_status_content_type'))+\"\\n \"),_c('label',{staticClass:\"select\",attrs:{\"for\":\"postContentType\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.postContentType),expression:\"postContentType\"}],attrs:{\"id\":\"postContentType\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.postContentType=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},_vm._l((_vm.postFormats),function(postFormat){return _c('option',{key:postFormat,domProps:{\"value\":postFormat}},[_vm._v(\"\\n \"+_vm._s(_vm.$t((\"post_status.content_type[\\\"\" + postFormat + \"\\\"]\")))+\"\\n \"+_vm._s(_vm.postContentTypeDefaultValue === postFormat ? _vm.$t('settings.instance_default_simple') : '')+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])])]):_vm._e(),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.minimalScopesMode),callback:function ($$v) {_vm.minimalScopesMode=$$v},expression:\"minimalScopesMode\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.minimal_scopes_mode'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.minimalScopesModeLocalizedValue }))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.autohideFloatingPostButton),callback:function ($$v) {_vm.autohideFloatingPostButton=$$v},expression:\"autohideFloatingPostButton\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.autohide_floating_post_button'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.padEmoji),callback:function ($$v) {_vm.padEmoji=$$v},expression:\"padEmoji\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.pad_emoji'))+\"\\n \")])],1)])]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.attachments')))]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('Checkbox',{model:{value:(_vm.hideAttachments),callback:function ($$v) {_vm.hideAttachments=$$v},expression:\"hideAttachments\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_attachments_in_tl'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.hideAttachmentsInConv),callback:function ($$v) {_vm.hideAttachmentsInConv=$$v},expression:\"hideAttachmentsInConv\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.hide_attachments_in_convo'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('label',{attrs:{\"for\":\"maxThumbnails\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.max_thumbnails'))+\"\\n \")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model.number\",value:(_vm.maxThumbnails),expression:\"maxThumbnails\",modifiers:{\"number\":true}}],staticClass:\"number-input\",attrs:{\"id\":\"maxThumbnails\",\"type\":\"number\",\"min\":\"0\",\"step\":\"1\"},domProps:{\"value\":(_vm.maxThumbnails)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.maxThumbnails=_vm._n($event.target.value)},\"blur\":function($event){return _vm.$forceUpdate()}}})]),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.hideNsfw),callback:function ($$v) {_vm.hideNsfw=$$v},expression:\"hideNsfw\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.nsfw_clickthrough'))+\"\\n \")])],1),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list suboptions\"},[_c('li',[_c('Checkbox',{attrs:{\"disabled\":!_vm.hideNsfw},model:{value:(_vm.preloadImage),callback:function ($$v) {_vm.preloadImage=$$v},expression:\"preloadImage\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.preload_images'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{attrs:{\"disabled\":!_vm.hideNsfw},model:{value:(_vm.useOneClickNsfw),callback:function ($$v) {_vm.useOneClickNsfw=$$v},expression:\"useOneClickNsfw\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.use_one_click_nsfw'))+\"\\n \")])],1)]),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.stopGifs),callback:function ($$v) {_vm.stopGifs=$$v},expression:\"stopGifs\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.stop_gifs'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.loopVideo),callback:function ($$v) {_vm.loopVideo=$$v},expression:\"loopVideo\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.loop_video'))+\"\\n \")]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list suboptions\",class:[{disabled: !_vm.streaming}]},[_c('li',[_c('Checkbox',{attrs:{\"disabled\":!_vm.loopVideo || !_vm.loopSilentAvailable},model:{value:(_vm.loopVideoSilentOnly),callback:function ($$v) {_vm.loopVideoSilentOnly=$$v},expression:\"loopVideoSilentOnly\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.loop_video_silent_only'))+\"\\n \")]),_vm._v(\" \"),(!_vm.loopSilentAvailable)?_c('div',{staticClass:\"unavailable\"},[_c('i',{staticClass:\"icon-globe\"}),_vm._v(\"! \"+_vm._s(_vm.$t('settings.limited_availability'))+\"\\n \")]):_vm._e()],1)])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.playVideosInModal),callback:function ($$v) {_vm.playVideosInModal=$$v},expression:\"playVideosInModal\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.play_videos_in_modal'))+\"\\n \")])],1),_vm._v(\" \"),_c('li',[_c('Checkbox',{model:{value:(_vm.useContainFit),callback:function ($$v) {_vm.useContainFit=$$v},expression:\"useContainFit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.use_contain_fit'))+\"\\n \")])],1)])]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.notifications')))]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('Checkbox',{model:{value:(_vm.webPushNotifications),callback:function ($$v) {_vm.webPushNotifications=$$v},expression:\"webPushNotifications\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.enable_web_push_notifications'))+\"\\n \")])],1)])]),_vm._v(\" \"),_c('div',{staticClass:\"setting-item\"},[_c('h2',[_vm._v(_vm._s(_vm.$t('settings.fun')))]),_vm._v(\" \"),_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('Checkbox',{model:{value:(_vm.greentext),callback:function ($$v) {_vm.greentext=$$v},expression:\"greentext\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.greentext'))+\" \"+_vm._s(_vm.$t('settings.instance_default', { value: _vm.greentextLocalizedValue }))+\"\\n \")])],1)])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { extractCommit } from 'src/services/version/version.service'\n\nconst pleromaFeCommitUrl = 'https://git.pleroma.social/pleroma/pleroma-fe/commit/'\nconst pleromaBeCommitUrl = 'https://git.pleroma.social/pleroma/pleroma/commit/'\n\nconst VersionTab = {\n data () {\n const instance = this.$store.state.instance\n return {\n backendVersion: instance.backendVersion,\n frontendVersion: instance.frontendVersion\n }\n },\n computed: {\n frontendVersionLink () {\n return pleromaFeCommitUrl + this.frontendVersion\n },\n backendVersionLink () {\n return pleromaBeCommitUrl + extractCommit(this.backendVersion)\n }\n }\n}\n\nexport default VersionTab\n","\nexport const extractCommit = versionString => {\n const regex = /-g(\\w+)/i\n const matches = versionString.match(regex)\n return matches ? matches[1] : ''\n}\n","/* script */\nexport * from \"!!babel-loader!./version_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./version_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-ce257d26\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./version_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{attrs:{\"label\":_vm.$t('settings.version.title')}},[_c('div',{staticClass:\"setting-item\"},[_c('ul',{staticClass:\"setting-list\"},[_c('li',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.version.backend_version')))]),_vm._v(\" \"),_c('ul',{staticClass:\"option-list\"},[_c('li',[_c('a',{attrs:{\"href\":_vm.backendVersionLink,\"target\":\"_blank\"}},[_vm._v(_vm._s(_vm.backendVersion))])])])]),_vm._v(\" \"),_c('li',[_c('p',[_vm._v(_vm._s(_vm.$t('settings.version.frontend_version')))]),_vm._v(\" \"),_c('ul',{staticClass:\"option-list\"},[_c('li',[_c('a',{attrs:{\"href\":_vm.frontendVersionLink,\"target\":\"_blank\"}},[_vm._v(_vm._s(_vm.frontendVersion))])])])])])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <div\n class=\"color-input style-control\"\n :class=\"{ disabled: !present || disabled }\"\n >\n <label\n :for=\"name\"\n class=\"label\"\n >\n {{ label }}\n </label>\n <Checkbox\n v-if=\"typeof fallback !== 'undefined' && showOptionalTickbox\"\n :checked=\"present\"\n :disabled=\"disabled\"\n class=\"opt\"\n @change=\"$emit('input', typeof value === 'undefined' ? fallback : undefined)\"\n />\n <div class=\"input color-input-field\">\n <input\n :id=\"name + '-t'\"\n class=\"textColor unstyled\"\n type=\"text\"\n :value=\"value || fallback\"\n :disabled=\"!present || disabled\"\n @input=\"$emit('input', $event.target.value)\"\n >\n <input\n v-if=\"validColor\"\n :id=\"name\"\n class=\"nativeColor unstyled\"\n type=\"color\"\n :value=\"value || fallback\"\n :disabled=\"!present || disabled\"\n @input=\"$emit('input', $event.target.value)\"\n >\n <div\n v-if=\"transparentColor\"\n class=\"transparentIndicator\"\n />\n <div\n v-if=\"computedColor\"\n class=\"computedIndicator\"\n :style=\"{backgroundColor: fallback}\"\n />\n </div>\n </div>\n</template>\n<style lang=\"scss\" src=\"./color_input.scss\"></style>\n<script>\nimport Checkbox from '../checkbox/checkbox.vue'\nimport { hex2rgb } from '../../services/color_convert/color_convert.js'\nexport default {\n components: {\n Checkbox\n },\n props: {\n // Name of color, used for identifying\n name: {\n required: true,\n type: String\n },\n // Readable label\n label: {\n required: true,\n type: String\n },\n // Color value, should be required but vue cannot tell the difference\n // between \"property missing\" and \"property set to undefined\"\n value: {\n required: false,\n type: String,\n default: undefined\n },\n // Color fallback to use when value is not defeind\n fallback: {\n required: false,\n type: String,\n default: undefined\n },\n // Disable the control\n disabled: {\n required: false,\n type: Boolean,\n default: false\n },\n // Show \"optional\" tickbox, for when value might become mandatory\n showOptionalTickbox: {\n required: false,\n type: Boolean,\n default: true\n }\n },\n computed: {\n present () {\n return typeof this.value !== 'undefined'\n },\n validColor () {\n return hex2rgb(this.value || this.fallback)\n },\n transparentColor () {\n return this.value === 'transparent'\n },\n computedColor () {\n return this.value && this.value.startsWith('--')\n }\n }\n}\n</script>\n\n<style lang=\"scss\">\n.color-control {\n input.text-input {\n max-width: 7em;\n flex: 1;\n }\n}\n</style>\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./color_input.scss\")\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=1!./color_input.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./color_input.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./color_input.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-77e407b6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./color_input.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"color-input style-control\",class:{ disabled: !_vm.present || _vm.disabled }},[_c('label',{staticClass:\"label\",attrs:{\"for\":_vm.name}},[_vm._v(\"\\n \"+_vm._s(_vm.label)+\"\\n \")]),_vm._v(\" \"),(typeof _vm.fallback !== 'undefined' && _vm.showOptionalTickbox)?_c('Checkbox',{staticClass:\"opt\",attrs:{\"checked\":_vm.present,\"disabled\":_vm.disabled},on:{\"change\":function($event){return _vm.$emit('input', typeof _vm.value === 'undefined' ? _vm.fallback : undefined)}}}):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"input color-input-field\"},[_c('input',{staticClass:\"textColor unstyled\",attrs:{\"id\":_vm.name + '-t',\"type\":\"text\",\"disabled\":!_vm.present || _vm.disabled},domProps:{\"value\":_vm.value || _vm.fallback},on:{\"input\":function($event){return _vm.$emit('input', $event.target.value)}}}),_vm._v(\" \"),(_vm.validColor)?_c('input',{staticClass:\"nativeColor unstyled\",attrs:{\"id\":_vm.name,\"type\":\"color\",\"disabled\":!_vm.present || _vm.disabled},domProps:{\"value\":_vm.value || _vm.fallback},on:{\"input\":function($event){return _vm.$emit('input', $event.target.value)}}}):_vm._e(),_vm._v(\" \"),(_vm.transparentColor)?_c('div',{staticClass:\"transparentIndicator\"}):_vm._e(),_vm._v(\" \"),(_vm.computedColor)?_c('div',{staticClass:\"computedIndicator\",style:({backgroundColor: _vm.fallback})}):_vm._e()])],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./range_input.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./range_input.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6a3c1a26\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./range_input.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","<template>\n <div\n class=\"range-control style-control\"\n :class=\"{ disabled: !present || disabled }\"\n >\n <label\n :for=\"name\"\n class=\"label\"\n >\n {{ label }}\n </label>\n <input\n v-if=\"typeof fallback !== 'undefined'\"\n :id=\"name + '-o'\"\n class=\"opt\"\n type=\"checkbox\"\n :checked=\"present\"\n @input=\"$emit('input', !present ? fallback : undefined)\"\n >\n <label\n v-if=\"typeof fallback !== 'undefined'\"\n class=\"opt-l\"\n :for=\"name + '-o'\"\n />\n <input\n :id=\"name\"\n class=\"input-number\"\n type=\"range\"\n :value=\"value || fallback\"\n :disabled=\"!present || disabled\"\n :max=\"max || hardMax || 100\"\n :min=\"min || hardMin || 0\"\n :step=\"step || 1\"\n @input=\"$emit('input', $event.target.value)\"\n >\n <input\n :id=\"name\"\n class=\"input-number\"\n type=\"number\"\n :value=\"value || fallback\"\n :disabled=\"!present || disabled\"\n :max=\"hardMax\"\n :min=\"hardMin\"\n :step=\"step || 1\"\n @input=\"$emit('input', $event.target.value)\"\n >\n </div>\n</template>\n\n<script>\nexport default {\n props: [\n 'name', 'value', 'fallback', 'disabled', 'label', 'max', 'min', 'step', 'hardMin', 'hardMax'\n ],\n computed: {\n present () {\n return typeof this.value !== 'undefined'\n }\n }\n}\n</script>\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"range-control style-control\",class:{ disabled: !_vm.present || _vm.disabled }},[_c('label',{staticClass:\"label\",attrs:{\"for\":_vm.name}},[_vm._v(\"\\n \"+_vm._s(_vm.label)+\"\\n \")]),_vm._v(\" \"),(typeof _vm.fallback !== 'undefined')?_c('input',{staticClass:\"opt\",attrs:{\"id\":_vm.name + '-o',\"type\":\"checkbox\"},domProps:{\"checked\":_vm.present},on:{\"input\":function($event){return _vm.$emit('input', !_vm.present ? _vm.fallback : undefined)}}}):_vm._e(),_vm._v(\" \"),(typeof _vm.fallback !== 'undefined')?_c('label',{staticClass:\"opt-l\",attrs:{\"for\":_vm.name + '-o'}}):_vm._e(),_vm._v(\" \"),_c('input',{staticClass:\"input-number\",attrs:{\"id\":_vm.name,\"type\":\"range\",\"disabled\":!_vm.present || _vm.disabled,\"max\":_vm.max || _vm.hardMax || 100,\"min\":_vm.min || _vm.hardMin || 0,\"step\":_vm.step || 1},domProps:{\"value\":_vm.value || _vm.fallback},on:{\"input\":function($event){return _vm.$emit('input', $event.target.value)}}}),_vm._v(\" \"),_c('input',{staticClass:\"input-number\",attrs:{\"id\":_vm.name,\"type\":\"number\",\"disabled\":!_vm.present || _vm.disabled,\"max\":_vm.hardMax,\"min\":_vm.hardMin,\"step\":_vm.step || 1},domProps:{\"value\":_vm.value || _vm.fallback},on:{\"input\":function($event){return _vm.$emit('input', $event.target.value)}}})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <div\n class=\"opacity-control style-control\"\n :class=\"{ disabled: !present || disabled }\"\n >\n <label\n :for=\"name\"\n class=\"label\"\n >\n {{ $t('settings.style.common.opacity') }}\n </label>\n <Checkbox\n v-if=\"typeof fallback !== 'undefined'\"\n :checked=\"present\"\n :disabled=\"disabled\"\n class=\"opt\"\n @change=\"$emit('input', !present ? fallback : undefined)\"\n />\n <input\n :id=\"name\"\n class=\"input-number\"\n type=\"number\"\n :value=\"value || fallback\"\n :disabled=\"!present || disabled\"\n max=\"1\"\n min=\"0\"\n step=\".05\"\n @input=\"$emit('input', $event.target.value)\"\n >\n </div>\n</template>\n\n<script>\nimport Checkbox from '../checkbox/checkbox.vue'\nexport default {\n components: {\n Checkbox\n },\n props: [\n 'name', 'value', 'fallback', 'disabled'\n ],\n computed: {\n present () {\n return typeof this.value !== 'undefined'\n }\n }\n}\n</script>\n","/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./opacity_input.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./opacity_input.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3b48fa39\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./opacity_input.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"opacity-control style-control\",class:{ disabled: !_vm.present || _vm.disabled }},[_c('label',{staticClass:\"label\",attrs:{\"for\":_vm.name}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.common.opacity'))+\"\\n \")]),_vm._v(\" \"),(typeof _vm.fallback !== 'undefined')?_c('Checkbox',{staticClass:\"opt\",attrs:{\"checked\":_vm.present,\"disabled\":_vm.disabled},on:{\"change\":function($event){return _vm.$emit('input', !_vm.present ? _vm.fallback : undefined)}}}):_vm._e(),_vm._v(\" \"),_c('input',{staticClass:\"input-number\",attrs:{\"id\":_vm.name,\"type\":\"number\",\"disabled\":!_vm.present || _vm.disabled,\"max\":\"1\",\"min\":\"0\",\"step\":\".05\"},domProps:{\"value\":_vm.value || _vm.fallback},on:{\"input\":function($event){return _vm.$emit('input', $event.target.value)}}})],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import ColorInput from '../color_input/color_input.vue'\nimport OpacityInput from '../opacity_input/opacity_input.vue'\nimport { getCssShadow } from '../../services/style_setter/style_setter.js'\nimport { hex2rgb } from '../../services/color_convert/color_convert.js'\n\nconst toModel = (object = {}) => ({\n x: 0,\n y: 0,\n blur: 0,\n spread: 0,\n inset: false,\n color: '#000000',\n alpha: 1,\n ...object\n})\n\nexport default {\n // 'Value' and 'Fallback' can be undefined, but if they are\n // initially vue won't detect it when they become something else\n // therefore i'm using \"ready\" which should be passed as true when\n // data becomes available\n props: [\n 'value', 'fallback', 'ready'\n ],\n data () {\n return {\n selectedId: 0,\n // TODO there are some bugs regarding display of array (it's not getting updated when deleting for some reason)\n cValue: (this.value || this.fallback || []).map(toModel)\n }\n },\n components: {\n ColorInput,\n OpacityInput\n },\n methods: {\n add () {\n this.cValue.push(toModel(this.selected))\n this.selectedId = this.cValue.length - 1\n },\n del () {\n this.cValue.splice(this.selectedId, 1)\n this.selectedId = this.cValue.length === 0 ? undefined : Math.max(this.selectedId - 1, 0)\n },\n moveUp () {\n const movable = this.cValue.splice(this.selectedId, 1)[0]\n this.cValue.splice(this.selectedId - 1, 0, movable)\n this.selectedId -= 1\n },\n moveDn () {\n const movable = this.cValue.splice(this.selectedId, 1)[0]\n this.cValue.splice(this.selectedId + 1, 0, movable)\n this.selectedId += 1\n }\n },\n beforeUpdate () {\n this.cValue = this.value || this.fallback\n },\n computed: {\n anyShadows () {\n return this.cValue.length > 0\n },\n anyShadowsFallback () {\n return this.fallback.length > 0\n },\n selected () {\n if (this.ready && this.anyShadows) {\n return this.cValue[this.selectedId]\n } else {\n return toModel({})\n }\n },\n currentFallback () {\n if (this.ready && this.anyShadowsFallback) {\n return this.fallback[this.selectedId]\n } else {\n return toModel({})\n }\n },\n moveUpValid () {\n return this.ready && this.selectedId > 0\n },\n moveDnValid () {\n return this.ready && this.selectedId < this.cValue.length - 1\n },\n present () {\n return this.ready &&\n typeof this.cValue[this.selectedId] !== 'undefined' &&\n !this.usingFallback\n },\n usingFallback () {\n return typeof this.value === 'undefined'\n },\n rgb () {\n return hex2rgb(this.selected.color)\n },\n style () {\n return this.ready ? {\n boxShadow: getCssShadow(this.fallback)\n } : {}\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./shadow_control.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./shadow_control.js\"\nimport __vue_script__ from \"!!babel-loader!./shadow_control.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-5c532734\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./shadow_control.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"shadow-control\",class:{ disabled: !_vm.present }},[_c('div',{staticClass:\"shadow-preview-container\"},[_c('div',{staticClass:\"y-shift-control\",attrs:{\"disabled\":!_vm.present}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.y),expression:\"selected.y\"}],staticClass:\"input-number\",attrs:{\"disabled\":!_vm.present,\"type\":\"number\"},domProps:{\"value\":(_vm.selected.y)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.selected, \"y\", $event.target.value)}}}),_vm._v(\" \"),_c('div',{staticClass:\"wrap\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.y),expression:\"selected.y\"}],staticClass:\"input-range\",attrs:{\"disabled\":!_vm.present,\"type\":\"range\",\"max\":\"20\",\"min\":\"-20\"},domProps:{\"value\":(_vm.selected.y)},on:{\"__r\":function($event){return _vm.$set(_vm.selected, \"y\", $event.target.value)}}})])]),_vm._v(\" \"),_c('div',{staticClass:\"preview-window\"},[_c('div',{staticClass:\"preview-block\",style:(_vm.style)})]),_vm._v(\" \"),_c('div',{staticClass:\"x-shift-control\",attrs:{\"disabled\":!_vm.present}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.x),expression:\"selected.x\"}],staticClass:\"input-number\",attrs:{\"disabled\":!_vm.present,\"type\":\"number\"},domProps:{\"value\":(_vm.selected.x)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.selected, \"x\", $event.target.value)}}}),_vm._v(\" \"),_c('div',{staticClass:\"wrap\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.x),expression:\"selected.x\"}],staticClass:\"input-range\",attrs:{\"disabled\":!_vm.present,\"type\":\"range\",\"max\":\"20\",\"min\":\"-20\"},domProps:{\"value\":(_vm.selected.x)},on:{\"__r\":function($event){return _vm.$set(_vm.selected, \"x\", $event.target.value)}}})])])]),_vm._v(\" \"),_c('div',{staticClass:\"shadow-tweak\"},[_c('div',{staticClass:\"id-control style-control\",attrs:{\"disabled\":_vm.usingFallback}},[_c('label',{staticClass:\"select\",attrs:{\"for\":\"shadow-switcher\",\"disabled\":!_vm.ready || _vm.usingFallback}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selectedId),expression:\"selectedId\"}],staticClass:\"shadow-switcher\",attrs:{\"id\":\"shadow-switcher\",\"disabled\":!_vm.ready || _vm.usingFallback},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.selectedId=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},_vm._l((_vm.cValue),function(shadow,index){return _c('option',{key:index,domProps:{\"value\":index}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.shadow_id', { value: index }))+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":!_vm.ready || !_vm.present},on:{\"click\":_vm.del}},[_c('i',{staticClass:\"icon-cancel\"})]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":!_vm.moveUpValid},on:{\"click\":_vm.moveUp}},[_c('i',{staticClass:\"icon-up-open\"})]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":!_vm.moveDnValid},on:{\"click\":_vm.moveDn}},[_c('i',{staticClass:\"icon-down-open\"})]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.usingFallback},on:{\"click\":_vm.add}},[_c('i',{staticClass:\"icon-plus\"})])]),_vm._v(\" \"),_c('div',{staticClass:\"inset-control style-control\",attrs:{\"disabled\":!_vm.present}},[_c('label',{staticClass:\"label\",attrs:{\"for\":\"inset\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.inset'))+\"\\n \")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.inset),expression:\"selected.inset\"}],staticClass:\"input-inset\",attrs:{\"id\":\"inset\",\"disabled\":!_vm.present,\"name\":\"inset\",\"type\":\"checkbox\"},domProps:{\"checked\":Array.isArray(_vm.selected.inset)?_vm._i(_vm.selected.inset,null)>-1:(_vm.selected.inset)},on:{\"change\":function($event){var $$a=_vm.selected.inset,$$el=$event.target,$$c=$$el.checked?(true):(false);if(Array.isArray($$a)){var $$v=null,$$i=_vm._i($$a,$$v);if($$el.checked){$$i<0&&(_vm.$set(_vm.selected, \"inset\", $$a.concat([$$v])))}else{$$i>-1&&(_vm.$set(_vm.selected, \"inset\", $$a.slice(0,$$i).concat($$a.slice($$i+1))))}}else{_vm.$set(_vm.selected, \"inset\", $$c)}}}}),_vm._v(\" \"),_c('label',{staticClass:\"checkbox-label\",attrs:{\"for\":\"inset\"}})]),_vm._v(\" \"),_c('div',{staticClass:\"blur-control style-control\",attrs:{\"disabled\":!_vm.present}},[_c('label',{staticClass:\"label\",attrs:{\"for\":\"spread\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.blur'))+\"\\n \")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.blur),expression:\"selected.blur\"}],staticClass:\"input-range\",attrs:{\"id\":\"blur\",\"disabled\":!_vm.present,\"name\":\"blur\",\"type\":\"range\",\"max\":\"20\",\"min\":\"0\"},domProps:{\"value\":(_vm.selected.blur)},on:{\"__r\":function($event){return _vm.$set(_vm.selected, \"blur\", $event.target.value)}}}),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.blur),expression:\"selected.blur\"}],staticClass:\"input-number\",attrs:{\"disabled\":!_vm.present,\"type\":\"number\",\"min\":\"0\"},domProps:{\"value\":(_vm.selected.blur)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.selected, \"blur\", $event.target.value)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"spread-control style-control\",attrs:{\"disabled\":!_vm.present}},[_c('label',{staticClass:\"label\",attrs:{\"for\":\"spread\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.spread'))+\"\\n \")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.spread),expression:\"selected.spread\"}],staticClass:\"input-range\",attrs:{\"id\":\"spread\",\"disabled\":!_vm.present,\"name\":\"spread\",\"type\":\"range\",\"max\":\"20\",\"min\":\"-20\"},domProps:{\"value\":(_vm.selected.spread)},on:{\"__r\":function($event){return _vm.$set(_vm.selected, \"spread\", $event.target.value)}}}),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected.spread),expression:\"selected.spread\"}],staticClass:\"input-number\",attrs:{\"disabled\":!_vm.present,\"type\":\"number\"},domProps:{\"value\":(_vm.selected.spread)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.selected, \"spread\", $event.target.value)}}})]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"disabled\":!_vm.present,\"label\":_vm.$t('settings.style.common.color'),\"fallback\":_vm.currentFallback.color,\"show-optional-tickbox\":false,\"name\":\"shadow\"},model:{value:(_vm.selected.color),callback:function ($$v) {_vm.$set(_vm.selected, \"color\", $$v)},expression:\"selected.color\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"disabled\":!_vm.present},model:{value:(_vm.selected.alpha),callback:function ($$v) {_vm.$set(_vm.selected, \"alpha\", $$v)},expression:\"selected.alpha\"}}),_vm._v(\" \"),_c('i18n',{attrs:{\"path\":\"settings.style.shadows.hintV3\",\"tag\":\"p\"}},[_c('code',[_vm._v(\"--variable,mod\")])])],1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { set } from 'vue'\n\nexport default {\n props: [\n 'name', 'label', 'value', 'fallback', 'options', 'no-inherit'\n ],\n data () {\n return {\n lValue: this.value,\n availableOptions: [\n this.noInherit ? '' : 'inherit',\n 'custom',\n ...(this.options || []),\n 'serif',\n 'monospace',\n 'sans-serif'\n ].filter(_ => _)\n }\n },\n beforeUpdate () {\n this.lValue = this.value\n },\n computed: {\n present () {\n return typeof this.lValue !== 'undefined'\n },\n dValue () {\n return this.lValue || this.fallback || {}\n },\n family: {\n get () {\n return this.dValue.family\n },\n set (v) {\n set(this.lValue, 'family', v)\n this.$emit('input', this.lValue)\n }\n },\n isCustom () {\n return this.preset === 'custom'\n },\n preset: {\n get () {\n if (this.family === 'serif' ||\n this.family === 'sans-serif' ||\n this.family === 'monospace' ||\n this.family === 'inherit') {\n return this.family\n } else {\n return 'custom'\n }\n },\n set (v) {\n this.family = v === 'custom' ? '' : v\n }\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./font_control.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./font_control.js\"\nimport __vue_script__ from \"!!babel-loader!./font_control.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-0edf8dfc\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./font_control.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"font-control style-control\",class:{ custom: _vm.isCustom }},[_c('label',{staticClass:\"label\",attrs:{\"for\":_vm.preset === 'custom' ? _vm.name : _vm.name + '-font-switcher'}},[_vm._v(\"\\n \"+_vm._s(_vm.label)+\"\\n \")]),_vm._v(\" \"),(typeof _vm.fallback !== 'undefined')?_c('input',{staticClass:\"opt exlcude-disabled\",attrs:{\"id\":_vm.name + '-o',\"type\":\"checkbox\"},domProps:{\"checked\":_vm.present},on:{\"input\":function($event){return _vm.$emit('input', typeof _vm.value === 'undefined' ? _vm.fallback : undefined)}}}):_vm._e(),_vm._v(\" \"),(typeof _vm.fallback !== 'undefined')?_c('label',{staticClass:\"opt-l\",attrs:{\"for\":_vm.name + '-o'}}):_vm._e(),_vm._v(\" \"),_c('label',{staticClass:\"select\",attrs:{\"for\":_vm.name + '-font-switcher',\"disabled\":!_vm.present}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.preset),expression:\"preset\"}],staticClass:\"font-switcher\",attrs:{\"id\":_vm.name + '-font-switcher',\"disabled\":!_vm.present},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.preset=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},_vm._l((_vm.availableOptions),function(option){return _c('option',{key:option,domProps:{\"value\":option}},[_vm._v(\"\\n \"+_vm._s(option === 'custom' ? _vm.$t('settings.style.fonts.custom') : option)+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})]),_vm._v(\" \"),(_vm.isCustom)?_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.family),expression:\"family\"}],staticClass:\"custom-font\",attrs:{\"id\":_vm.name,\"type\":\"text\"},domProps:{\"value\":(_vm.family)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.family=$event.target.value}}}):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <span\n v-if=\"contrast\"\n class=\"contrast-ratio\"\n >\n <span\n :title=\"hint\"\n class=\"rating\"\n >\n <span v-if=\"contrast.aaa\">\n <i class=\"icon-thumbs-up-alt\" />\n </span>\n <span v-if=\"!contrast.aaa && contrast.aa\">\n <i class=\"icon-adjust\" />\n </span>\n <span v-if=\"!contrast.aaa && !contrast.aa\">\n <i class=\"icon-attention\" />\n </span>\n </span>\n <span\n v-if=\"contrast && large\"\n class=\"rating\"\n :title=\"hint_18pt\"\n >\n <span v-if=\"contrast.laaa\">\n <i class=\"icon-thumbs-up-alt\" />\n </span>\n <span v-if=\"!contrast.laaa && contrast.laa\">\n <i class=\"icon-adjust\" />\n </span>\n <span v-if=\"!contrast.laaa && !contrast.laa\">\n <i class=\"icon-attention\" />\n </span>\n </span>\n </span>\n</template>\n\n<script>\nexport default {\n props: {\n large: {\n required: false,\n type: Boolean,\n default: false\n },\n // TODO: Make theme switcher compute theme initially so that contrast\n // component won't be called without contrast data\n contrast: {\n required: false,\n type: Object,\n default: () => ({})\n }\n },\n computed: {\n hint () {\n const levelVal = this.contrast.aaa ? 'aaa' : (this.contrast.aa ? 'aa' : 'bad')\n const level = this.$t(`settings.style.common.contrast.level.${levelVal}`)\n const context = this.$t('settings.style.common.contrast.context.text')\n const ratio = this.contrast.text\n return this.$t('settings.style.common.contrast.hint', { level, context, ratio })\n },\n hint_18pt () {\n const levelVal = this.contrast.laaa ? 'aaa' : (this.contrast.laa ? 'aa' : 'bad')\n const level = this.$t(`settings.style.common.contrast.level.${levelVal}`)\n const context = this.$t('settings.style.common.contrast.context.18pt')\n const ratio = this.contrast.text\n return this.$t('settings.style.common.contrast.hint', { level, context, ratio })\n }\n }\n}\n</script>\n\n<style lang=\"scss\">\n.contrast-ratio {\n display: flex;\n justify-content: flex-end;\n\n margin-top: -4px;\n margin-bottom: 5px;\n\n .label {\n margin-right: 1em;\n }\n\n .rating {\n display: inline-block;\n text-align: center;\n }\n}\n</style>\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./contrast_ratio.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./contrast_ratio.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./contrast_ratio.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-7974f5b3\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./contrast_ratio.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.contrast)?_c('span',{staticClass:\"contrast-ratio\"},[_c('span',{staticClass:\"rating\",attrs:{\"title\":_vm.hint}},[(_vm.contrast.aaa)?_c('span',[_c('i',{staticClass:\"icon-thumbs-up-alt\"})]):_vm._e(),_vm._v(\" \"),(!_vm.contrast.aaa && _vm.contrast.aa)?_c('span',[_c('i',{staticClass:\"icon-adjust\"})]):_vm._e(),_vm._v(\" \"),(!_vm.contrast.aaa && !_vm.contrast.aa)?_c('span',[_c('i',{staticClass:\"icon-attention\"})]):_vm._e()]),_vm._v(\" \"),(_vm.contrast && _vm.large)?_c('span',{staticClass:\"rating\",attrs:{\"title\":_vm.hint_18pt}},[(_vm.contrast.laaa)?_c('span',[_c('i',{staticClass:\"icon-thumbs-up-alt\"})]):_vm._e(),_vm._v(\" \"),(!_vm.contrast.laaa && _vm.contrast.laa)?_c('span',[_c('i',{staticClass:\"icon-adjust\"})]):_vm._e(),_vm._v(\" \"),(!_vm.contrast.laaa && !_vm.contrast.laa)?_c('span',[_c('i',{staticClass:\"icon-attention\"})]):_vm._e()]):_vm._e()]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <div class=\"import-export-container\">\n <slot name=\"before\" />\n <button\n class=\"btn\"\n @click=\"exportData\"\n >\n {{ exportLabel }}\n </button>\n <button\n class=\"btn\"\n @click=\"importData\"\n >\n {{ importLabel }}\n </button>\n <slot name=\"afterButtons\" />\n <p\n v-if=\"importFailed\"\n class=\"alert error\"\n >\n {{ importFailedText }}\n </p>\n <slot name=\"afterError\" />\n </div>\n</template>\n\n<script>\nexport default {\n props: [\n 'exportObject',\n 'importLabel',\n 'exportLabel',\n 'importFailedText',\n 'validator',\n 'onImport',\n 'onImportFailure'\n ],\n data () {\n return {\n importFailed: false\n }\n },\n methods: {\n exportData () {\n const stringified = JSON.stringify(this.exportObject, null, 2) // Pretty-print and indent with 2 spaces\n\n // Create an invisible link with a data url and simulate a click\n const e = document.createElement('a')\n e.setAttribute('download', 'pleroma_theme.json')\n e.setAttribute('href', 'data:application/json;base64,' + window.btoa(stringified))\n e.style.display = 'none'\n\n document.body.appendChild(e)\n e.click()\n document.body.removeChild(e)\n },\n importData () {\n this.importFailed = false\n const filePicker = document.createElement('input')\n filePicker.setAttribute('type', 'file')\n filePicker.setAttribute('accept', '.json')\n\n filePicker.addEventListener('change', event => {\n if (event.target.files[0]) {\n // eslint-disable-next-line no-undef\n const reader = new FileReader()\n reader.onload = ({ target }) => {\n try {\n const parsed = JSON.parse(target.result)\n const valid = this.validator(parsed)\n if (valid) {\n this.onImport(parsed)\n } else {\n this.importFailed = true\n // this.onImportFailure(valid)\n }\n } catch (e) {\n // This will happen both if there is a JSON syntax error or the theme is missing components\n this.importFailed = true\n // this.onImportFailure(e)\n }\n }\n reader.readAsText(event.target.files[0])\n }\n })\n\n document.body.appendChild(filePicker)\n filePicker.click()\n document.body.removeChild(filePicker)\n }\n }\n}\n</script>\n\n<style lang=\"scss\">\n.import-export-container {\n display: flex;\n flex-wrap: wrap;\n align-items: baseline;\n justify-content: center;\n}\n</style>\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./export_import.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./export_import.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./export_import.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3d9b5a74\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./export_import.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"import-export-container\"},[_vm._t(\"before\"),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.exportData}},[_vm._v(\"\\n \"+_vm._s(_vm.exportLabel)+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.importData}},[_vm._v(\"\\n \"+_vm._s(_vm.importLabel)+\"\\n \")]),_vm._v(\" \"),_vm._t(\"afterButtons\"),_vm._v(\" \"),(_vm.importFailed)?_c('p',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.importFailedText)+\"\\n \")]):_vm._e(),_vm._v(\" \"),_vm._t(\"afterError\")],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./preview.vue\")\n}\n/* script */\nvar __vue_script__ = null\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1a88be74\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./preview.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"preview-container\"},[_c('div',{staticClass:\"underlay underlay-preview\"}),_vm._v(\" \"),_c('div',{staticClass:\"panel dummy\"},[_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.header'))+\"\\n \"),_c('span',{staticClass:\"badge badge-notification\"},[_vm._v(\"\\n 99\\n \")])]),_vm._v(\" \"),_c('span',{staticClass:\"faint\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.header_faint'))+\"\\n \")]),_vm._v(\" \"),_c('span',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.error'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.button'))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body theme-preview-content\"},[_c('div',{staticClass:\"post\"},[_c('div',{staticClass:\"avatar still-image\"},[_vm._v(\"\\n ( ͡° ͜ʖ ͡°)\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"content\"},[_c('h4',[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.content'))+\"\\n \")]),_vm._v(\" \"),_c('i18n',{attrs:{\"path\":\"settings.style.preview.text\"}},[_c('code',{staticStyle:{\"font-family\":\"var(--postCodeFont)\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.mono'))+\"\\n \")]),_vm._v(\" \"),_c('a',{staticStyle:{\"color\":\"var(--link)\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.link'))+\"\\n \")])]),_vm._v(\" \"),_vm._m(0)],1)]),_vm._v(\" \"),_c('div',{staticClass:\"after-post\"},[_c('div',{staticClass:\"avatar-alt\"},[_vm._v(\"\\n :^)\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"content\"},[_c('i18n',{staticClass:\"faint\",attrs:{\"path\":\"settings.style.preview.fine_print\",\"tag\":\"span\"}},[_c('a',{staticStyle:{\"color\":\"var(--faintLink)\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.faint_link'))+\"\\n \")])])],1)]),_vm._v(\" \"),_c('div',{staticClass:\"separator\"}),_vm._v(\" \"),_c('span',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.error'))+\"\\n \")]),_vm._v(\" \"),_c('input',{attrs:{\"type\":\"text\"},domProps:{\"value\":_vm.$t('settings.style.preview.input')}}),_vm._v(\" \"),_c('div',{staticClass:\"actions\"},[_c('span',{staticClass:\"checkbox\"},[_c('input',{attrs:{\"id\":\"preview_checkbox\",\"checked\":\"very yes\",\"type\":\"checkbox\"}}),_vm._v(\" \"),_c('label',{attrs:{\"for\":\"preview_checkbox\"}},[_vm._v(_vm._s(_vm.$t('settings.style.preview.checkbox')))])]),_vm._v(\" \"),_c('button',{staticClass:\"btn\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.preview.button'))+\"\\n \")])])])])])}\nvar staticRenderFns = [function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"icons\"},[_c('i',{staticClass:\"button-icon icon-reply\",staticStyle:{\"color\":\"var(--cBlue)\"}}),_vm._v(\" \"),_c('i',{staticClass:\"button-icon icon-retweet\",staticStyle:{\"color\":\"var(--cGreen)\"}}),_vm._v(\" \"),_c('i',{staticClass:\"button-icon icon-star\",staticStyle:{\"color\":\"var(--cOrange)\"}}),_vm._v(\" \"),_c('i',{staticClass:\"button-icon icon-cancel\",staticStyle:{\"color\":\"var(--cRed)\"}})])}]\nexport { render, staticRenderFns }","import { set, delete as del } from 'vue'\nimport {\n rgb2hex,\n hex2rgb,\n getContrastRatioLayers\n} from 'src/services/color_convert/color_convert.js'\nimport {\n DEFAULT_SHADOWS,\n generateColors,\n generateShadows,\n generateRadii,\n generateFonts,\n composePreset,\n getThemes,\n shadows2to3,\n colors2to3\n} from 'src/services/style_setter/style_setter.js'\nimport {\n SLOT_INHERITANCE\n} from 'src/services/theme_data/pleromafe.js'\nimport {\n CURRENT_VERSION,\n OPACITIES,\n getLayers,\n getOpacitySlot\n} from 'src/services/theme_data/theme_data.service.js'\nimport ColorInput from 'src/components/color_input/color_input.vue'\nimport RangeInput from 'src/components/range_input/range_input.vue'\nimport OpacityInput from 'src/components/opacity_input/opacity_input.vue'\nimport ShadowControl from 'src/components/shadow_control/shadow_control.vue'\nimport FontControl from 'src/components/font_control/font_control.vue'\nimport ContrastRatio from 'src/components/contrast_ratio/contrast_ratio.vue'\nimport TabSwitcher from 'src/components/tab_switcher/tab_switcher.js'\nimport ExportImport from 'src/components/export_import/export_import.vue'\nimport Checkbox from 'src/components/checkbox/checkbox.vue'\n\nimport Preview from './preview.vue'\n\n// List of color values used in v1\nconst v1OnlyNames = [\n 'bg',\n 'fg',\n 'text',\n 'link',\n 'cRed',\n 'cGreen',\n 'cBlue',\n 'cOrange'\n].map(_ => _ + 'ColorLocal')\n\nconst colorConvert = (color) => {\n if (color.startsWith('--') || color === 'transparent') {\n return color\n } else {\n return hex2rgb(color)\n }\n}\n\nexport default {\n data () {\n return {\n availableStyles: [],\n selected: this.$store.getters.mergedConfig.theme,\n themeWarning: undefined,\n tempImportFile: undefined,\n engineVersion: 0,\n\n previewShadows: {},\n previewColors: {},\n previewRadii: {},\n previewFonts: {},\n\n shadowsInvalid: true,\n colorsInvalid: true,\n radiiInvalid: true,\n\n keepColor: false,\n keepShadows: false,\n keepOpacity: false,\n keepRoundness: false,\n keepFonts: false,\n\n ...Object.keys(SLOT_INHERITANCE)\n .map(key => [key, ''])\n .reduce((acc, [key, val]) => ({ ...acc, [ key + 'ColorLocal' ]: val }), {}),\n\n ...Object.keys(OPACITIES)\n .map(key => [key, ''])\n .reduce((acc, [key, val]) => ({ ...acc, [ key + 'OpacityLocal' ]: val }), {}),\n\n shadowSelected: undefined,\n shadowsLocal: {},\n fontsLocal: {},\n\n btnRadiusLocal: '',\n inputRadiusLocal: '',\n checkboxRadiusLocal: '',\n panelRadiusLocal: '',\n avatarRadiusLocal: '',\n avatarAltRadiusLocal: '',\n attachmentRadiusLocal: '',\n tooltipRadiusLocal: '',\n chatMessageRadiusLocal: ''\n }\n },\n created () {\n const self = this\n\n getThemes()\n .then((promises) => {\n return Promise.all(\n Object.entries(promises)\n .map(([k, v]) => v.then(res => [k, res]))\n )\n })\n .then(themes => themes.reduce((acc, [k, v]) => {\n if (v) {\n return {\n ...acc,\n [k]: v\n }\n } else {\n return acc\n }\n }, {}))\n .then((themesComplete) => {\n self.availableStyles = themesComplete\n })\n },\n mounted () {\n this.loadThemeFromLocalStorage()\n if (typeof this.shadowSelected === 'undefined') {\n this.shadowSelected = this.shadowsAvailable[0]\n }\n },\n computed: {\n themeWarningHelp () {\n if (!this.themeWarning) return\n const t = this.$t\n const pre = 'settings.style.switcher.help.'\n const {\n origin,\n themeEngineVersion,\n type,\n noActionsPossible\n } = this.themeWarning\n if (origin === 'file') {\n // Loaded v2 theme from file\n if (themeEngineVersion === 2 && type === 'wrong_version') {\n return t(pre + 'v2_imported')\n }\n if (themeEngineVersion > CURRENT_VERSION) {\n return t(pre + 'future_version_imported') + ' ' +\n (\n noActionsPossible\n ? t(pre + 'snapshot_missing')\n : t(pre + 'snapshot_present')\n )\n }\n if (themeEngineVersion < CURRENT_VERSION) {\n return t(pre + 'future_version_imported') + ' ' +\n (\n noActionsPossible\n ? t(pre + 'snapshot_missing')\n : t(pre + 'snapshot_present')\n )\n }\n } else if (origin === 'localStorage') {\n if (type === 'snapshot_source_mismatch') {\n return t(pre + 'snapshot_source_mismatch')\n }\n // FE upgraded from v2\n if (themeEngineVersion === 2) {\n return t(pre + 'upgraded_from_v2')\n }\n // Admin downgraded FE\n if (themeEngineVersion > CURRENT_VERSION) {\n return t(pre + 'fe_downgraded') + ' ' +\n (\n noActionsPossible\n ? t(pre + 'migration_snapshot_ok')\n : t(pre + 'migration_snapshot_gone')\n )\n }\n // Admin upgraded FE\n if (themeEngineVersion < CURRENT_VERSION) {\n return t(pre + 'fe_upgraded') + ' ' +\n (\n noActionsPossible\n ? t(pre + 'migration_snapshot_ok')\n : t(pre + 'migration_snapshot_gone')\n )\n }\n }\n },\n selectedVersion () {\n return Array.isArray(this.selected) ? 1 : 2\n },\n currentColors () {\n return Object.keys(SLOT_INHERITANCE)\n .map(key => [key, this[key + 'ColorLocal']])\n .reduce((acc, [key, val]) => ({ ...acc, [ key ]: val }), {})\n },\n currentOpacity () {\n return Object.keys(OPACITIES)\n .map(key => [key, this[key + 'OpacityLocal']])\n .reduce((acc, [key, val]) => ({ ...acc, [ key ]: val }), {})\n },\n currentRadii () {\n return {\n btn: this.btnRadiusLocal,\n input: this.inputRadiusLocal,\n checkbox: this.checkboxRadiusLocal,\n panel: this.panelRadiusLocal,\n avatar: this.avatarRadiusLocal,\n avatarAlt: this.avatarAltRadiusLocal,\n tooltip: this.tooltipRadiusLocal,\n attachment: this.attachmentRadiusLocal,\n chatMessage: this.chatMessageRadiusLocal\n }\n },\n preview () {\n return composePreset(this.previewColors, this.previewRadii, this.previewShadows, this.previewFonts)\n },\n previewTheme () {\n if (!this.preview.theme.colors) return { colors: {}, opacity: {}, radii: {}, shadows: {}, fonts: {} }\n return this.preview.theme\n },\n // This needs optimization maybe\n previewContrast () {\n try {\n if (!this.previewTheme.colors.bg) return {}\n const colors = this.previewTheme.colors\n const opacity = this.previewTheme.opacity\n if (!colors.bg) return {}\n const hints = (ratio) => ({\n text: ratio.toPrecision(3) + ':1',\n // AA level, AAA level\n aa: ratio >= 4.5,\n aaa: ratio >= 7,\n // same but for 18pt+ texts\n laa: ratio >= 3,\n laaa: ratio >= 4.5\n })\n const colorsConverted = Object.entries(colors).reduce((acc, [key, value]) => ({ ...acc, [key]: colorConvert(value) }), {})\n\n const ratios = Object.entries(SLOT_INHERITANCE).reduce((acc, [key, value]) => {\n const slotIsBaseText = key === 'text' || key === 'link'\n const slotIsText = slotIsBaseText || (\n typeof value === 'object' && value !== null && value.textColor\n )\n if (!slotIsText) return acc\n const { layer, variant } = slotIsBaseText ? { layer: 'bg' } : value\n const background = variant || layer\n const opacitySlot = getOpacitySlot(background)\n const textColors = [\n key,\n ...(background === 'bg' ? ['cRed', 'cGreen', 'cBlue', 'cOrange'] : [])\n ]\n\n const layers = getLayers(\n layer,\n variant || layer,\n opacitySlot,\n colorsConverted,\n opacity\n )\n\n return {\n ...acc,\n ...textColors.reduce((acc, textColorKey) => {\n const newKey = slotIsBaseText\n ? 'bg' + textColorKey[0].toUpperCase() + textColorKey.slice(1)\n : textColorKey\n return {\n ...acc,\n [newKey]: getContrastRatioLayers(\n colorsConverted[textColorKey],\n layers,\n colorsConverted[textColorKey]\n )\n }\n }, {})\n }\n }, {})\n\n return Object.entries(ratios).reduce((acc, [k, v]) => { acc[k] = hints(v); return acc }, {})\n } catch (e) {\n console.warn('Failure computing contrasts', e)\n }\n },\n previewRules () {\n if (!this.preview.rules) return ''\n return [\n ...Object.values(this.preview.rules),\n 'color: var(--text)',\n 'font-family: var(--interfaceFont, sans-serif)'\n ].join(';')\n },\n shadowsAvailable () {\n return Object.keys(DEFAULT_SHADOWS).sort()\n },\n currentShadowOverriden: {\n get () {\n return !!this.currentShadow\n },\n set (val) {\n if (val) {\n set(this.shadowsLocal, this.shadowSelected, this.currentShadowFallback.map(_ => Object.assign({}, _)))\n } else {\n del(this.shadowsLocal, this.shadowSelected)\n }\n }\n },\n currentShadowFallback () {\n return (this.previewTheme.shadows || {})[this.shadowSelected]\n },\n currentShadow: {\n get () {\n return this.shadowsLocal[this.shadowSelected]\n },\n set (v) {\n set(this.shadowsLocal, this.shadowSelected, v)\n }\n },\n themeValid () {\n return !this.shadowsInvalid && !this.colorsInvalid && !this.radiiInvalid\n },\n exportedTheme () {\n const saveEverything = (\n !this.keepFonts &&\n !this.keepShadows &&\n !this.keepOpacity &&\n !this.keepRoundness &&\n !this.keepColor\n )\n\n const source = {\n themeEngineVersion: CURRENT_VERSION\n }\n\n if (this.keepFonts || saveEverything) {\n source.fonts = this.fontsLocal\n }\n if (this.keepShadows || saveEverything) {\n source.shadows = this.shadowsLocal\n }\n if (this.keepOpacity || saveEverything) {\n source.opacity = this.currentOpacity\n }\n if (this.keepColor || saveEverything) {\n source.colors = this.currentColors\n }\n if (this.keepRoundness || saveEverything) {\n source.radii = this.currentRadii\n }\n\n const theme = {\n themeEngineVersion: CURRENT_VERSION,\n ...this.previewTheme\n }\n\n return {\n // To separate from other random JSON files and possible future source formats\n _pleroma_theme_version: 2, theme, source\n }\n }\n },\n components: {\n ColorInput,\n OpacityInput,\n RangeInput,\n ContrastRatio,\n ShadowControl,\n FontControl,\n TabSwitcher,\n Preview,\n ExportImport,\n Checkbox\n },\n methods: {\n loadTheme (\n {\n theme,\n source,\n _pleroma_theme_version: fileVersion\n },\n origin,\n forceUseSource = false\n ) {\n this.dismissWarning()\n if (!source && !theme) {\n throw new Error('Can\\'t load theme: empty')\n }\n const version = (origin === 'localStorage' && !theme.colors)\n ? 'l1'\n : fileVersion\n const snapshotEngineVersion = (theme || {}).themeEngineVersion\n const themeEngineVersion = (source || {}).themeEngineVersion || 2\n const versionsMatch = themeEngineVersion === CURRENT_VERSION\n const sourceSnapshotMismatch = (\n theme !== undefined &&\n source !== undefined &&\n themeEngineVersion !== snapshotEngineVersion\n )\n // Force loading of source if user requested it or if snapshot\n // is unavailable\n const forcedSourceLoad = (source && forceUseSource) || !theme\n if (!(versionsMatch && !sourceSnapshotMismatch) &&\n !forcedSourceLoad &&\n version !== 'l1' &&\n origin !== 'defaults'\n ) {\n if (sourceSnapshotMismatch && origin === 'localStorage') {\n this.themeWarning = {\n origin,\n themeEngineVersion,\n type: 'snapshot_source_mismatch'\n }\n } else if (!theme) {\n this.themeWarning = {\n origin,\n noActionsPossible: true,\n themeEngineVersion,\n type: 'no_snapshot_old_version'\n }\n } else if (!versionsMatch) {\n this.themeWarning = {\n origin,\n noActionsPossible: !source,\n themeEngineVersion,\n type: 'wrong_version'\n }\n }\n }\n this.normalizeLocalState(theme, version, source, forcedSourceLoad)\n },\n forceLoadLocalStorage () {\n this.loadThemeFromLocalStorage(true)\n },\n dismissWarning () {\n this.themeWarning = undefined\n this.tempImportFile = undefined\n },\n forceLoad () {\n const { origin } = this.themeWarning\n switch (origin) {\n case 'localStorage':\n this.loadThemeFromLocalStorage(true)\n break\n case 'file':\n this.onImport(this.tempImportFile, true)\n break\n }\n this.dismissWarning()\n },\n forceSnapshot () {\n const { origin } = this.themeWarning\n switch (origin) {\n case 'localStorage':\n this.loadThemeFromLocalStorage(false, true)\n break\n case 'file':\n console.err('Forcing snapshout from file is not supported yet')\n break\n }\n this.dismissWarning()\n },\n loadThemeFromLocalStorage (confirmLoadSource = false, forceSnapshot = false) {\n const {\n customTheme: theme,\n customThemeSource: source\n } = this.$store.getters.mergedConfig\n if (!theme && !source) {\n // Anon user or never touched themes\n this.loadTheme(\n this.$store.state.instance.themeData,\n 'defaults',\n confirmLoadSource\n )\n } else {\n this.loadTheme(\n {\n theme,\n source: forceSnapshot ? theme : source\n },\n 'localStorage',\n confirmLoadSource\n )\n }\n },\n setCustomTheme () {\n this.$store.dispatch('setOption', {\n name: 'customTheme',\n value: {\n themeEngineVersion: CURRENT_VERSION,\n ...this.previewTheme\n }\n })\n this.$store.dispatch('setOption', {\n name: 'customThemeSource',\n value: {\n themeEngineVersion: CURRENT_VERSION,\n shadows: this.shadowsLocal,\n fonts: this.fontsLocal,\n opacity: this.currentOpacity,\n colors: this.currentColors,\n radii: this.currentRadii\n }\n })\n },\n updatePreviewColorsAndShadows () {\n this.previewColors = generateColors({\n opacity: this.currentOpacity,\n colors: this.currentColors\n })\n this.previewShadows = generateShadows(\n { shadows: this.shadowsLocal, opacity: this.previewTheme.opacity, themeEngineVersion: this.engineVersion },\n this.previewColors.theme.colors,\n this.previewColors.mod\n )\n },\n onImport (parsed, forceSource = false) {\n this.tempImportFile = parsed\n this.loadTheme(parsed, 'file', forceSource)\n },\n importValidator (parsed) {\n const version = parsed._pleroma_theme_version\n return version >= 1 || version <= 2\n },\n clearAll () {\n this.loadThemeFromLocalStorage()\n },\n\n // Clears all the extra stuff when loading V1 theme\n clearV1 () {\n Object.keys(this.$data)\n .filter(_ => _.endsWith('ColorLocal') || _.endsWith('OpacityLocal'))\n .filter(_ => !v1OnlyNames.includes(_))\n .forEach(key => {\n set(this.$data, key, undefined)\n })\n },\n\n clearRoundness () {\n Object.keys(this.$data)\n .filter(_ => _.endsWith('RadiusLocal'))\n .forEach(key => {\n set(this.$data, key, undefined)\n })\n },\n\n clearOpacity () {\n Object.keys(this.$data)\n .filter(_ => _.endsWith('OpacityLocal'))\n .forEach(key => {\n set(this.$data, key, undefined)\n })\n },\n\n clearShadows () {\n this.shadowsLocal = {}\n },\n\n clearFonts () {\n this.fontsLocal = {}\n },\n\n /**\n * This applies stored theme data onto form. Supports three versions of data:\n * v3 (version >= 3) - newest version of themes which supports snapshots for better compatiblity\n * v2 (version = 2) - newer version of themes.\n * v1 (version = 1) - older version of themes (import from file)\n * v1l (version = l1) - older version of theme (load from local storage)\n * v1 and v1l differ because of way themes were stored/exported.\n * @param {Object} theme - theme data (snapshot)\n * @param {Number} version - version of data. 0 means try to guess based on data. \"l1\" means v1, locastorage type\n * @param {Object} source - theme source - this will be used if compatible\n * @param {Boolean} source - by default source won't be used if version doesn't match since it might render differently\n * this allows importing source anyway\n */\n normalizeLocalState (theme, version = 0, source, forceSource = false) {\n let input\n if (typeof source !== 'undefined') {\n if (forceSource || source.themeEngineVersion === CURRENT_VERSION) {\n input = source\n version = source.themeEngineVersion\n } else {\n input = theme\n }\n } else {\n input = theme\n }\n\n const radii = input.radii || input\n const opacity = input.opacity\n const shadows = input.shadows || {}\n const fonts = input.fonts || {}\n const colors = !input.themeEngineVersion\n ? colors2to3(input.colors || input)\n : input.colors || input\n\n if (version === 0) {\n if (input.version) version = input.version\n // Old v1 naming: fg is text, btn is foreground\n if (typeof colors.text === 'undefined' && typeof colors.fg !== 'undefined') {\n version = 1\n }\n // New v2 naming: text is text, fg is foreground\n if (typeof colors.text !== 'undefined' && typeof colors.fg !== 'undefined') {\n version = 2\n }\n }\n\n this.engineVersion = version\n\n // Stuff that differs between V1 and V2\n if (version === 1) {\n this.fgColorLocal = rgb2hex(colors.btn)\n this.textColorLocal = rgb2hex(colors.fg)\n }\n\n if (!this.keepColor) {\n this.clearV1()\n const keys = new Set(version !== 1 ? Object.keys(SLOT_INHERITANCE) : [])\n if (version === 1 || version === 'l1') {\n keys\n .add('bg')\n .add('link')\n .add('cRed')\n .add('cBlue')\n .add('cGreen')\n .add('cOrange')\n }\n\n keys.forEach(key => {\n const color = colors[key]\n const hex = rgb2hex(colors[key])\n this[key + 'ColorLocal'] = hex === '#aN' ? color : hex\n })\n }\n\n if (opacity && !this.keepOpacity) {\n this.clearOpacity()\n Object.entries(opacity).forEach(([k, v]) => {\n if (typeof v === 'undefined' || v === null || Number.isNaN(v)) return\n this[k + 'OpacityLocal'] = v\n })\n }\n\n if (!this.keepRoundness) {\n this.clearRoundness()\n Object.entries(radii).forEach(([k, v]) => {\n // 'Radius' is kept mostly for v1->v2 localstorage transition\n const key = k.endsWith('Radius') ? k.split('Radius')[0] : k\n this[key + 'RadiusLocal'] = v\n })\n }\n\n if (!this.keepShadows) {\n this.clearShadows()\n if (version === 2) {\n this.shadowsLocal = shadows2to3(shadows, this.previewTheme.opacity)\n } else {\n this.shadowsLocal = shadows\n }\n this.shadowSelected = this.shadowsAvailable[0]\n }\n\n if (!this.keepFonts) {\n this.clearFonts()\n this.fontsLocal = fonts\n }\n }\n },\n watch: {\n currentRadii () {\n try {\n this.previewRadii = generateRadii({ radii: this.currentRadii })\n this.radiiInvalid = false\n } catch (e) {\n this.radiiInvalid = true\n console.warn(e)\n }\n },\n shadowsLocal: {\n handler () {\n if (Object.getOwnPropertyNames(this.previewColors).length === 1) return\n try {\n this.updatePreviewColorsAndShadows()\n this.shadowsInvalid = false\n } catch (e) {\n this.shadowsInvalid = true\n console.warn(e)\n }\n },\n deep: true\n },\n fontsLocal: {\n handler () {\n try {\n this.previewFonts = generateFonts({ fonts: this.fontsLocal })\n this.fontsInvalid = false\n } catch (e) {\n this.fontsInvalid = true\n console.warn(e)\n }\n },\n deep: true\n },\n currentColors () {\n try {\n this.updatePreviewColorsAndShadows()\n this.colorsInvalid = false\n this.shadowsInvalid = false\n } catch (e) {\n this.colorsInvalid = true\n this.shadowsInvalid = true\n console.warn(e)\n }\n },\n currentOpacity () {\n try {\n this.updatePreviewColorsAndShadows()\n } catch (e) {\n console.warn(e)\n }\n },\n selected () {\n this.dismissWarning()\n if (this.selectedVersion === 1) {\n if (!this.keepRoundness) {\n this.clearRoundness()\n }\n\n if (!this.keepShadows) {\n this.clearShadows()\n }\n\n if (!this.keepOpacity) {\n this.clearOpacity()\n }\n\n if (!this.keepColor) {\n this.clearV1()\n\n this.bgColorLocal = this.selected[1]\n this.fgColorLocal = this.selected[2]\n this.textColorLocal = this.selected[3]\n this.linkColorLocal = this.selected[4]\n this.cRedColorLocal = this.selected[5]\n this.cGreenColorLocal = this.selected[6]\n this.cBlueColorLocal = this.selected[7]\n this.cOrangeColorLocal = this.selected[8]\n }\n } else if (this.selectedVersion >= 2) {\n this.normalizeLocalState(this.selected.theme, 2, this.selected.source)\n }\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./theme_tab.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./theme_tab.js\"\nimport __vue_script__ from \"!!babel-loader!./theme_tab.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-03c6cfba\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../../../node_modules/vue-loader/lib/selector?type=template&index=0!./theme_tab.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"theme-tab\"},[_c('div',{staticClass:\"presets-container\"},[_c('div',{staticClass:\"save-load\"},[(_vm.themeWarning)?_c('div',{staticClass:\"theme-warning\"},[_c('div',{staticClass:\"alert warning\"},[_vm._v(\"\\n \"+_vm._s(_vm.themeWarningHelp)+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"buttons\"},[(_vm.themeWarning.type === 'snapshot_source_mismatch')?[_c('button',{staticClass:\"btn\",on:{\"click\":_vm.forceLoad}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.use_source'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.forceSnapshot}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.use_snapshot'))+\"\\n \")])]:(_vm.themeWarning.noActionsPossible)?[_c('button',{staticClass:\"btn\",on:{\"click\":_vm.dismissWarning}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.dismiss'))+\"\\n \")])]:[_c('button',{staticClass:\"btn\",on:{\"click\":_vm.forceLoad}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.load_theme'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.dismissWarning}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.keep_as_is'))+\"\\n \")])]],2)]):_vm._e(),_vm._v(\" \"),_c('ExportImport',{attrs:{\"export-object\":_vm.exportedTheme,\"export-label\":_vm.$t(\"settings.export_theme\"),\"import-label\":_vm.$t(\"settings.import_theme\"),\"import-failed-text\":_vm.$t(\"settings.invalid_theme_imported\"),\"on-import\":_vm.onImport,\"validator\":_vm.importValidator}},[_c('template',{slot:\"before\"},[_c('div',{staticClass:\"presets\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.presets'))+\"\\n \"),_c('label',{staticClass:\"select\",attrs:{\"for\":\"preset-switcher\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.selected),expression:\"selected\"}],staticClass:\"preset-switcher\",attrs:{\"id\":\"preset-switcher\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.selected=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},_vm._l((_vm.availableStyles),function(style){return _c('option',{key:style.name,style:({\n backgroundColor: style[1] || (style.theme || style.source).colors.bg,\n color: style[3] || (style.theme || style.source).colors.text\n }),domProps:{\"value\":style}},[_vm._v(\"\\n \"+_vm._s(style[0] || style.name)+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])])])],2)],1),_vm._v(\" \"),_c('div',{staticClass:\"save-load-options\"},[_c('span',{staticClass:\"keep-option\"},[_c('Checkbox',{model:{value:(_vm.keepColor),callback:function ($$v) {_vm.keepColor=$$v},expression:\"keepColor\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.keep_color'))+\"\\n \")])],1),_vm._v(\" \"),_c('span',{staticClass:\"keep-option\"},[_c('Checkbox',{model:{value:(_vm.keepShadows),callback:function ($$v) {_vm.keepShadows=$$v},expression:\"keepShadows\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.keep_shadows'))+\"\\n \")])],1),_vm._v(\" \"),_c('span',{staticClass:\"keep-option\"},[_c('Checkbox',{model:{value:(_vm.keepOpacity),callback:function ($$v) {_vm.keepOpacity=$$v},expression:\"keepOpacity\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.keep_opacity'))+\"\\n \")])],1),_vm._v(\" \"),_c('span',{staticClass:\"keep-option\"},[_c('Checkbox',{model:{value:(_vm.keepRoundness),callback:function ($$v) {_vm.keepRoundness=$$v},expression:\"keepRoundness\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.keep_roundness'))+\"\\n \")])],1),_vm._v(\" \"),_c('span',{staticClass:\"keep-option\"},[_c('Checkbox',{model:{value:(_vm.keepFonts),callback:function ($$v) {_vm.keepFonts=$$v},expression:\"keepFonts\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.keep_fonts'))+\"\\n \")])],1),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.style.switcher.save_load_hint')))])])]),_vm._v(\" \"),_c('preview',{style:(_vm.previewRules)}),_vm._v(\" \"),_c('keep-alive',[_c('tab-switcher',{key:\"style-tweak\"},[_c('div',{staticClass:\"color-container\",attrs:{\"label\":_vm.$t('settings.style.common_colors._tab_label')}},[_c('div',{staticClass:\"tab-header\"},[_c('p',[_vm._v(_vm._s(_vm.$t('settings.theme_help')))]),_vm._v(\" \"),_c('div',{staticClass:\"tab-header-buttons\"},[_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearOpacity}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_opacity'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearV1}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_all'))+\"\\n \")])])]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.theme_help_v2_1')))]),_vm._v(\" \"),_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.common_colors.main')))]),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('ColorInput',{attrs:{\"name\":\"bgColor\",\"label\":_vm.$t('settings.background')},model:{value:(_vm.bgColorLocal),callback:function ($$v) {_vm.bgColorLocal=$$v},expression:\"bgColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"bgOpacity\",\"fallback\":_vm.previewTheme.opacity.bg},model:{value:(_vm.bgOpacityLocal),callback:function ($$v) {_vm.bgOpacityLocal=$$v},expression:\"bgOpacityLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"textColor\",\"label\":_vm.$t('settings.text')},model:{value:(_vm.textColorLocal),callback:function ($$v) {_vm.textColorLocal=$$v},expression:\"textColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.bgText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"accentColor\",\"fallback\":_vm.previewTheme.colors.link,\"label\":_vm.$t('settings.accent'),\"show-optional-tickbox\":typeof _vm.linkColorLocal !== 'undefined'},model:{value:(_vm.accentColorLocal),callback:function ($$v) {_vm.accentColorLocal=$$v},expression:\"accentColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"linkColor\",\"fallback\":_vm.previewTheme.colors.accent,\"label\":_vm.$t('settings.links'),\"show-optional-tickbox\":typeof _vm.accentColorLocal !== 'undefined'},model:{value:(_vm.linkColorLocal),callback:function ($$v) {_vm.linkColorLocal=$$v},expression:\"linkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.bgLink}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('ColorInput',{attrs:{\"name\":\"fgColor\",\"label\":_vm.$t('settings.foreground')},model:{value:(_vm.fgColorLocal),callback:function ($$v) {_vm.fgColorLocal=$$v},expression:\"fgColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"fgTextColor\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.fgText},model:{value:(_vm.fgTextColorLocal),callback:function ($$v) {_vm.fgTextColorLocal=$$v},expression:\"fgTextColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"fgLinkColor\",\"label\":_vm.$t('settings.links'),\"fallback\":_vm.previewTheme.colors.fgLink},model:{value:(_vm.fgLinkColorLocal),callback:function ($$v) {_vm.fgLinkColorLocal=$$v},expression:\"fgLinkColorLocal\"}}),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.style.common_colors.foreground_hint')))])],1),_vm._v(\" \"),_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.common_colors.rgbo')))]),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('ColorInput',{attrs:{\"name\":\"cRedColor\",\"label\":_vm.$t('settings.cRed')},model:{value:(_vm.cRedColorLocal),callback:function ($$v) {_vm.cRedColorLocal=$$v},expression:\"cRedColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.bgCRed}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"cBlueColor\",\"label\":_vm.$t('settings.cBlue')},model:{value:(_vm.cBlueColorLocal),callback:function ($$v) {_vm.cBlueColorLocal=$$v},expression:\"cBlueColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.bgCBlue}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('ColorInput',{attrs:{\"name\":\"cGreenColor\",\"label\":_vm.$t('settings.cGreen')},model:{value:(_vm.cGreenColorLocal),callback:function ($$v) {_vm.cGreenColorLocal=$$v},expression:\"cGreenColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.bgCGreen}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"cOrangeColor\",\"label\":_vm.$t('settings.cOrange')},model:{value:(_vm.cOrangeColorLocal),callback:function ($$v) {_vm.cOrangeColorLocal=$$v},expression:\"cOrangeColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.bgCOrange}})],1),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.theme_help_v2_2')))])]),_vm._v(\" \"),_c('div',{staticClass:\"color-container\",attrs:{\"label\":_vm.$t('settings.style.advanced_colors._tab_label')}},[_c('div',{staticClass:\"tab-header\"},[_c('p',[_vm._v(_vm._s(_vm.$t('settings.theme_help')))]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearOpacity}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_opacity'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearV1}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_all'))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.post')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"postLinkColor\",\"fallback\":_vm.previewTheme.colors.accent,\"label\":_vm.$t('settings.links')},model:{value:(_vm.postLinkColorLocal),callback:function ($$v) {_vm.postLinkColorLocal=$$v},expression:\"postLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.postLink}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"postGreentextColor\",\"fallback\":_vm.previewTheme.colors.cGreen,\"label\":_vm.$t('settings.greentext')},model:{value:(_vm.postGreentextColorLocal),callback:function ($$v) {_vm.postGreentextColorLocal=$$v},expression:\"postGreentextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.postGreentext}}),_vm._v(\" \"),_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.alert')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"alertError\",\"label\":_vm.$t('settings.style.advanced_colors.alert_error'),\"fallback\":_vm.previewTheme.colors.alertError},model:{value:(_vm.alertErrorColorLocal),callback:function ($$v) {_vm.alertErrorColorLocal=$$v},expression:\"alertErrorColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"alertErrorText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.alertErrorText},model:{value:(_vm.alertErrorTextColorLocal),callback:function ($$v) {_vm.alertErrorTextColorLocal=$$v},expression:\"alertErrorTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.alertErrorText,\"large\":\"\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"alertWarning\",\"label\":_vm.$t('settings.style.advanced_colors.alert_warning'),\"fallback\":_vm.previewTheme.colors.alertWarning},model:{value:(_vm.alertWarningColorLocal),callback:function ($$v) {_vm.alertWarningColorLocal=$$v},expression:\"alertWarningColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"alertWarningText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.alertWarningText},model:{value:(_vm.alertWarningTextColorLocal),callback:function ($$v) {_vm.alertWarningTextColorLocal=$$v},expression:\"alertWarningTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.alertWarningText,\"large\":\"\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"alertNeutral\",\"label\":_vm.$t('settings.style.advanced_colors.alert_neutral'),\"fallback\":_vm.previewTheme.colors.alertNeutral},model:{value:(_vm.alertNeutralColorLocal),callback:function ($$v) {_vm.alertNeutralColorLocal=$$v},expression:\"alertNeutralColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"alertNeutralText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.alertNeutralText},model:{value:(_vm.alertNeutralTextColorLocal),callback:function ($$v) {_vm.alertNeutralTextColorLocal=$$v},expression:\"alertNeutralTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.alertNeutralText,\"large\":\"\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"alertOpacity\",\"fallback\":_vm.previewTheme.opacity.alert},model:{value:(_vm.alertOpacityLocal),callback:function ($$v) {_vm.alertOpacityLocal=$$v},expression:\"alertOpacityLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.badge')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"badgeNotification\",\"label\":_vm.$t('settings.style.advanced_colors.badge_notification'),\"fallback\":_vm.previewTheme.colors.badgeNotification},model:{value:(_vm.badgeNotificationColorLocal),callback:function ($$v) {_vm.badgeNotificationColorLocal=$$v},expression:\"badgeNotificationColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"badgeNotificationText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.badgeNotificationText},model:{value:(_vm.badgeNotificationTextColorLocal),callback:function ($$v) {_vm.badgeNotificationTextColorLocal=$$v},expression:\"badgeNotificationTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.badgeNotificationText,\"large\":\"\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.panel_header')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"panelColor\",\"fallback\":_vm.previewTheme.colors.panel,\"label\":_vm.$t('settings.background')},model:{value:(_vm.panelColorLocal),callback:function ($$v) {_vm.panelColorLocal=$$v},expression:\"panelColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"panelOpacity\",\"fallback\":_vm.previewTheme.opacity.panel,\"disabled\":_vm.panelColorLocal === 'transparent'},model:{value:(_vm.panelOpacityLocal),callback:function ($$v) {_vm.panelOpacityLocal=$$v},expression:\"panelOpacityLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"panelTextColor\",\"fallback\":_vm.previewTheme.colors.panelText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.panelTextColorLocal),callback:function ($$v) {_vm.panelTextColorLocal=$$v},expression:\"panelTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.panelText,\"large\":\"\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"panelLinkColor\",\"fallback\":_vm.previewTheme.colors.panelLink,\"label\":_vm.$t('settings.links')},model:{value:(_vm.panelLinkColorLocal),callback:function ($$v) {_vm.panelLinkColorLocal=$$v},expression:\"panelLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.panelLink,\"large\":\"\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.top_bar')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"topBarColor\",\"fallback\":_vm.previewTheme.colors.topBar,\"label\":_vm.$t('settings.background')},model:{value:(_vm.topBarColorLocal),callback:function ($$v) {_vm.topBarColorLocal=$$v},expression:\"topBarColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"topBarTextColor\",\"fallback\":_vm.previewTheme.colors.topBarText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.topBarTextColorLocal),callback:function ($$v) {_vm.topBarTextColorLocal=$$v},expression:\"topBarTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.topBarText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"topBarLinkColor\",\"fallback\":_vm.previewTheme.colors.topBarLink,\"label\":_vm.$t('settings.links')},model:{value:(_vm.topBarLinkColorLocal),callback:function ($$v) {_vm.topBarLinkColorLocal=$$v},expression:\"topBarLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.topBarLink}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.inputs')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"inputColor\",\"fallback\":_vm.previewTheme.colors.input,\"label\":_vm.$t('settings.background')},model:{value:(_vm.inputColorLocal),callback:function ($$v) {_vm.inputColorLocal=$$v},expression:\"inputColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"inputOpacity\",\"fallback\":_vm.previewTheme.opacity.input,\"disabled\":_vm.inputColorLocal === 'transparent'},model:{value:(_vm.inputOpacityLocal),callback:function ($$v) {_vm.inputOpacityLocal=$$v},expression:\"inputOpacityLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"inputTextColor\",\"fallback\":_vm.previewTheme.colors.inputText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.inputTextColorLocal),callback:function ($$v) {_vm.inputTextColorLocal=$$v},expression:\"inputTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.inputText}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.buttons')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnColor\",\"fallback\":_vm.previewTheme.colors.btn,\"label\":_vm.$t('settings.background')},model:{value:(_vm.btnColorLocal),callback:function ($$v) {_vm.btnColorLocal=$$v},expression:\"btnColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"btnOpacity\",\"fallback\":_vm.previewTheme.opacity.btn,\"disabled\":_vm.btnColorLocal === 'transparent'},model:{value:(_vm.btnOpacityLocal),callback:function ($$v) {_vm.btnOpacityLocal=$$v},expression:\"btnOpacityLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnTextColor\",\"fallback\":_vm.previewTheme.colors.btnText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.btnTextColorLocal),callback:function ($$v) {_vm.btnTextColorLocal=$$v},expression:\"btnTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnPanelTextColor\",\"fallback\":_vm.previewTheme.colors.btnPanelText,\"label\":_vm.$t('settings.style.advanced_colors.panel_header')},model:{value:(_vm.btnPanelTextColorLocal),callback:function ($$v) {_vm.btnPanelTextColorLocal=$$v},expression:\"btnPanelTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnPanelText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnTopBarTextColor\",\"fallback\":_vm.previewTheme.colors.btnTopBarText,\"label\":_vm.$t('settings.style.advanced_colors.top_bar')},model:{value:(_vm.btnTopBarTextColorLocal),callback:function ($$v) {_vm.btnTopBarTextColorLocal=$$v},expression:\"btnTopBarTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnTopBarText}}),_vm._v(\" \"),_c('h5',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.pressed')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnPressedColor\",\"fallback\":_vm.previewTheme.colors.btnPressed,\"label\":_vm.$t('settings.background')},model:{value:(_vm.btnPressedColorLocal),callback:function ($$v) {_vm.btnPressedColorLocal=$$v},expression:\"btnPressedColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnPressedTextColor\",\"fallback\":_vm.previewTheme.colors.btnPressedText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.btnPressedTextColorLocal),callback:function ($$v) {_vm.btnPressedTextColorLocal=$$v},expression:\"btnPressedTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnPressedText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnPressedPanelTextColor\",\"fallback\":_vm.previewTheme.colors.btnPressedPanelText,\"label\":_vm.$t('settings.style.advanced_colors.panel_header')},model:{value:(_vm.btnPressedPanelTextColorLocal),callback:function ($$v) {_vm.btnPressedPanelTextColorLocal=$$v},expression:\"btnPressedPanelTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnPressedPanelText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnPressedTopBarTextColor\",\"fallback\":_vm.previewTheme.colors.btnPressedTopBarText,\"label\":_vm.$t('settings.style.advanced_colors.top_bar')},model:{value:(_vm.btnPressedTopBarTextColorLocal),callback:function ($$v) {_vm.btnPressedTopBarTextColorLocal=$$v},expression:\"btnPressedTopBarTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnPressedTopBarText}}),_vm._v(\" \"),_c('h5',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.disabled')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnDisabledColor\",\"fallback\":_vm.previewTheme.colors.btnDisabled,\"label\":_vm.$t('settings.background')},model:{value:(_vm.btnDisabledColorLocal),callback:function ($$v) {_vm.btnDisabledColorLocal=$$v},expression:\"btnDisabledColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnDisabledTextColor\",\"fallback\":_vm.previewTheme.colors.btnDisabledText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.btnDisabledTextColorLocal),callback:function ($$v) {_vm.btnDisabledTextColorLocal=$$v},expression:\"btnDisabledTextColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnDisabledPanelTextColor\",\"fallback\":_vm.previewTheme.colors.btnDisabledPanelText,\"label\":_vm.$t('settings.style.advanced_colors.panel_header')},model:{value:(_vm.btnDisabledPanelTextColorLocal),callback:function ($$v) {_vm.btnDisabledPanelTextColorLocal=$$v},expression:\"btnDisabledPanelTextColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnDisabledTopBarTextColor\",\"fallback\":_vm.previewTheme.colors.btnDisabledTopBarText,\"label\":_vm.$t('settings.style.advanced_colors.top_bar')},model:{value:(_vm.btnDisabledTopBarTextColorLocal),callback:function ($$v) {_vm.btnDisabledTopBarTextColorLocal=$$v},expression:\"btnDisabledTopBarTextColorLocal\"}}),_vm._v(\" \"),_c('h5',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.toggled')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnToggledColor\",\"fallback\":_vm.previewTheme.colors.btnToggled,\"label\":_vm.$t('settings.background')},model:{value:(_vm.btnToggledColorLocal),callback:function ($$v) {_vm.btnToggledColorLocal=$$v},expression:\"btnToggledColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnToggledTextColor\",\"fallback\":_vm.previewTheme.colors.btnToggledText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.btnToggledTextColorLocal),callback:function ($$v) {_vm.btnToggledTextColorLocal=$$v},expression:\"btnToggledTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnToggledText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnToggledPanelTextColor\",\"fallback\":_vm.previewTheme.colors.btnToggledPanelText,\"label\":_vm.$t('settings.style.advanced_colors.panel_header')},model:{value:(_vm.btnToggledPanelTextColorLocal),callback:function ($$v) {_vm.btnToggledPanelTextColorLocal=$$v},expression:\"btnToggledPanelTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnToggledPanelText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"btnToggledTopBarTextColor\",\"fallback\":_vm.previewTheme.colors.btnToggledTopBarText,\"label\":_vm.$t('settings.style.advanced_colors.top_bar')},model:{value:(_vm.btnToggledTopBarTextColorLocal),callback:function ($$v) {_vm.btnToggledTopBarTextColorLocal=$$v},expression:\"btnToggledTopBarTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.btnToggledTopBarText}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.tabs')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"tabColor\",\"fallback\":_vm.previewTheme.colors.tab,\"label\":_vm.$t('settings.background')},model:{value:(_vm.tabColorLocal),callback:function ($$v) {_vm.tabColorLocal=$$v},expression:\"tabColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"tabTextColor\",\"fallback\":_vm.previewTheme.colors.tabText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.tabTextColorLocal),callback:function ($$v) {_vm.tabTextColorLocal=$$v},expression:\"tabTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.tabText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"tabActiveTextColor\",\"fallback\":_vm.previewTheme.colors.tabActiveText,\"label\":_vm.$t('settings.text')},model:{value:(_vm.tabActiveTextColorLocal),callback:function ($$v) {_vm.tabActiveTextColorLocal=$$v},expression:\"tabActiveTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.tabActiveText}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.borders')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"borderColor\",\"fallback\":_vm.previewTheme.colors.border,\"label\":_vm.$t('settings.style.common.color')},model:{value:(_vm.borderColorLocal),callback:function ($$v) {_vm.borderColorLocal=$$v},expression:\"borderColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"borderOpacity\",\"fallback\":_vm.previewTheme.opacity.border,\"disabled\":_vm.borderColorLocal === 'transparent'},model:{value:(_vm.borderOpacityLocal),callback:function ($$v) {_vm.borderOpacityLocal=$$v},expression:\"borderOpacityLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.faint_text')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"faintColor\",\"fallback\":_vm.previewTheme.colors.faint,\"label\":_vm.$t('settings.text')},model:{value:(_vm.faintColorLocal),callback:function ($$v) {_vm.faintColorLocal=$$v},expression:\"faintColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"faintLinkColor\",\"fallback\":_vm.previewTheme.colors.faintLink,\"label\":_vm.$t('settings.links')},model:{value:(_vm.faintLinkColorLocal),callback:function ($$v) {_vm.faintLinkColorLocal=$$v},expression:\"faintLinkColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"panelFaintColor\",\"fallback\":_vm.previewTheme.colors.panelFaint,\"label\":_vm.$t('settings.style.advanced_colors.panel_header')},model:{value:(_vm.panelFaintColorLocal),callback:function ($$v) {_vm.panelFaintColorLocal=$$v},expression:\"panelFaintColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"faintOpacity\",\"fallback\":_vm.previewTheme.opacity.faint},model:{value:(_vm.faintOpacityLocal),callback:function ($$v) {_vm.faintOpacityLocal=$$v},expression:\"faintOpacityLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.underlay')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"underlay\",\"label\":_vm.$t('settings.style.advanced_colors.underlay'),\"fallback\":_vm.previewTheme.colors.underlay},model:{value:(_vm.underlayColorLocal),callback:function ($$v) {_vm.underlayColorLocal=$$v},expression:\"underlayColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"underlayOpacity\",\"fallback\":_vm.previewTheme.opacity.underlay,\"disabled\":_vm.underlayOpacityLocal === 'transparent'},model:{value:(_vm.underlayOpacityLocal),callback:function ($$v) {_vm.underlayOpacityLocal=$$v},expression:\"underlayOpacityLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.poll')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"poll\",\"label\":_vm.$t('settings.background'),\"fallback\":_vm.previewTheme.colors.poll},model:{value:(_vm.pollColorLocal),callback:function ($$v) {_vm.pollColorLocal=$$v},expression:\"pollColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"pollText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.pollText},model:{value:(_vm.pollTextColorLocal),callback:function ($$v) {_vm.pollTextColorLocal=$$v},expression:\"pollTextColorLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.icons')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"icon\",\"label\":_vm.$t('settings.style.advanced_colors.icons'),\"fallback\":_vm.previewTheme.colors.icon},model:{value:(_vm.iconColorLocal),callback:function ($$v) {_vm.iconColorLocal=$$v},expression:\"iconColorLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.highlight')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"highlight\",\"label\":_vm.$t('settings.background'),\"fallback\":_vm.previewTheme.colors.highlight},model:{value:(_vm.highlightColorLocal),callback:function ($$v) {_vm.highlightColorLocal=$$v},expression:\"highlightColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"highlightText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.highlightText},model:{value:(_vm.highlightTextColorLocal),callback:function ($$v) {_vm.highlightTextColorLocal=$$v},expression:\"highlightTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.highlightText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"highlightLink\",\"label\":_vm.$t('settings.links'),\"fallback\":_vm.previewTheme.colors.highlightLink},model:{value:(_vm.highlightLinkColorLocal),callback:function ($$v) {_vm.highlightLinkColorLocal=$$v},expression:\"highlightLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.highlightLink}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.popover')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"popover\",\"label\":_vm.$t('settings.background'),\"fallback\":_vm.previewTheme.colors.popover},model:{value:(_vm.popoverColorLocal),callback:function ($$v) {_vm.popoverColorLocal=$$v},expression:\"popoverColorLocal\"}}),_vm._v(\" \"),_c('OpacityInput',{attrs:{\"name\":\"popoverOpacity\",\"fallback\":_vm.previewTheme.opacity.popover,\"disabled\":_vm.popoverOpacityLocal === 'transparent'},model:{value:(_vm.popoverOpacityLocal),callback:function ($$v) {_vm.popoverOpacityLocal=$$v},expression:\"popoverOpacityLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"popoverText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.popoverText},model:{value:(_vm.popoverTextColorLocal),callback:function ($$v) {_vm.popoverTextColorLocal=$$v},expression:\"popoverTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.popoverText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"popoverLink\",\"label\":_vm.$t('settings.links'),\"fallback\":_vm.previewTheme.colors.popoverLink},model:{value:(_vm.popoverLinkColorLocal),callback:function ($$v) {_vm.popoverLinkColorLocal=$$v},expression:\"popoverLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.popoverLink}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.selectedPost')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"selectedPost\",\"label\":_vm.$t('settings.background'),\"fallback\":_vm.previewTheme.colors.selectedPost},model:{value:(_vm.selectedPostColorLocal),callback:function ($$v) {_vm.selectedPostColorLocal=$$v},expression:\"selectedPostColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"selectedPostText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.selectedPostText},model:{value:(_vm.selectedPostTextColorLocal),callback:function ($$v) {_vm.selectedPostTextColorLocal=$$v},expression:\"selectedPostTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.selectedPostText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"selectedPostLink\",\"label\":_vm.$t('settings.links'),\"fallback\":_vm.previewTheme.colors.selectedPostLink},model:{value:(_vm.selectedPostLinkColorLocal),callback:function ($$v) {_vm.selectedPostLinkColorLocal=$$v},expression:\"selectedPostLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.selectedPostLink}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.selectedMenu')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"selectedMenu\",\"label\":_vm.$t('settings.background'),\"fallback\":_vm.previewTheme.colors.selectedMenu},model:{value:(_vm.selectedMenuColorLocal),callback:function ($$v) {_vm.selectedMenuColorLocal=$$v},expression:\"selectedMenuColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"selectedMenuText\",\"label\":_vm.$t('settings.text'),\"fallback\":_vm.previewTheme.colors.selectedMenuText},model:{value:(_vm.selectedMenuTextColorLocal),callback:function ($$v) {_vm.selectedMenuTextColorLocal=$$v},expression:\"selectedMenuTextColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.selectedMenuText}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"selectedMenuLink\",\"label\":_vm.$t('settings.links'),\"fallback\":_vm.previewTheme.colors.selectedMenuLink},model:{value:(_vm.selectedMenuLinkColorLocal),callback:function ($$v) {_vm.selectedMenuLinkColorLocal=$$v},expression:\"selectedMenuLinkColorLocal\"}}),_vm._v(\" \"),_c('ContrastRatio',{attrs:{\"contrast\":_vm.previewContrast.selectedMenuLink}})],1),_vm._v(\" \"),_c('div',{staticClass:\"color-item\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('chats.chats')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatBgColor\",\"fallback\":_vm.previewTheme.colors.bg,\"label\":_vm.$t('settings.background')},model:{value:(_vm.chatBgColorLocal),callback:function ($$v) {_vm.chatBgColorLocal=$$v},expression:\"chatBgColorLocal\"}}),_vm._v(\" \"),_c('h5',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.chat.incoming')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageIncomingBgColor\",\"fallback\":_vm.previewTheme.colors.bg,\"label\":_vm.$t('settings.background')},model:{value:(_vm.chatMessageIncomingBgColorLocal),callback:function ($$v) {_vm.chatMessageIncomingBgColorLocal=$$v},expression:\"chatMessageIncomingBgColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageIncomingTextColor\",\"fallback\":_vm.previewTheme.colors.text,\"label\":_vm.$t('settings.text')},model:{value:(_vm.chatMessageIncomingTextColorLocal),callback:function ($$v) {_vm.chatMessageIncomingTextColorLocal=$$v},expression:\"chatMessageIncomingTextColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageIncomingLinkColor\",\"fallback\":_vm.previewTheme.colors.link,\"label\":_vm.$t('settings.links')},model:{value:(_vm.chatMessageIncomingLinkColorLocal),callback:function ($$v) {_vm.chatMessageIncomingLinkColorLocal=$$v},expression:\"chatMessageIncomingLinkColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageIncomingBorderLinkColor\",\"fallback\":_vm.previewTheme.colors.fg,\"label\":_vm.$t('settings.style.advanced_colors.chat.border')},model:{value:(_vm.chatMessageIncomingBorderColorLocal),callback:function ($$v) {_vm.chatMessageIncomingBorderColorLocal=$$v},expression:\"chatMessageIncomingBorderColorLocal\"}}),_vm._v(\" \"),_c('h5',[_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.chat.outgoing')))]),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageOutgoingBgColor\",\"fallback\":_vm.previewTheme.colors.bg,\"label\":_vm.$t('settings.background')},model:{value:(_vm.chatMessageOutgoingBgColorLocal),callback:function ($$v) {_vm.chatMessageOutgoingBgColorLocal=$$v},expression:\"chatMessageOutgoingBgColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageOutgoingTextColor\",\"fallback\":_vm.previewTheme.colors.text,\"label\":_vm.$t('settings.text')},model:{value:(_vm.chatMessageOutgoingTextColorLocal),callback:function ($$v) {_vm.chatMessageOutgoingTextColorLocal=$$v},expression:\"chatMessageOutgoingTextColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageOutgoingLinkColor\",\"fallback\":_vm.previewTheme.colors.link,\"label\":_vm.$t('settings.links')},model:{value:(_vm.chatMessageOutgoingLinkColorLocal),callback:function ($$v) {_vm.chatMessageOutgoingLinkColorLocal=$$v},expression:\"chatMessageOutgoingLinkColorLocal\"}}),_vm._v(\" \"),_c('ColorInput',{attrs:{\"name\":\"chatMessageOutgoingBorderLinkColor\",\"fallback\":_vm.previewTheme.colors.bg,\"label\":_vm.$t('settings.style.advanced_colors.chat.border')},model:{value:(_vm.chatMessageOutgoingBorderColorLocal),callback:function ($$v) {_vm.chatMessageOutgoingBorderColorLocal=$$v},expression:\"chatMessageOutgoingBorderColorLocal\"}})],1)]),_vm._v(\" \"),_c('div',{staticClass:\"radius-container\",attrs:{\"label\":_vm.$t('settings.style.radii._tab_label')}},[_c('div',{staticClass:\"tab-header\"},[_c('p',[_vm._v(_vm._s(_vm.$t('settings.radii_help')))]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearRoundness}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_all'))+\"\\n \")])]),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"btnRadius\",\"label\":_vm.$t('settings.btnRadius'),\"fallback\":_vm.previewTheme.radii.btn,\"max\":\"16\",\"hard-min\":\"0\"},model:{value:(_vm.btnRadiusLocal),callback:function ($$v) {_vm.btnRadiusLocal=$$v},expression:\"btnRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"inputRadius\",\"label\":_vm.$t('settings.inputRadius'),\"fallback\":_vm.previewTheme.radii.input,\"max\":\"9\",\"hard-min\":\"0\"},model:{value:(_vm.inputRadiusLocal),callback:function ($$v) {_vm.inputRadiusLocal=$$v},expression:\"inputRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"checkboxRadius\",\"label\":_vm.$t('settings.checkboxRadius'),\"fallback\":_vm.previewTheme.radii.checkbox,\"max\":\"16\",\"hard-min\":\"0\"},model:{value:(_vm.checkboxRadiusLocal),callback:function ($$v) {_vm.checkboxRadiusLocal=$$v},expression:\"checkboxRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"panelRadius\",\"label\":_vm.$t('settings.panelRadius'),\"fallback\":_vm.previewTheme.radii.panel,\"max\":\"50\",\"hard-min\":\"0\"},model:{value:(_vm.panelRadiusLocal),callback:function ($$v) {_vm.panelRadiusLocal=$$v},expression:\"panelRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"avatarRadius\",\"label\":_vm.$t('settings.avatarRadius'),\"fallback\":_vm.previewTheme.radii.avatar,\"max\":\"28\",\"hard-min\":\"0\"},model:{value:(_vm.avatarRadiusLocal),callback:function ($$v) {_vm.avatarRadiusLocal=$$v},expression:\"avatarRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"avatarAltRadius\",\"label\":_vm.$t('settings.avatarAltRadius'),\"fallback\":_vm.previewTheme.radii.avatarAlt,\"max\":\"28\",\"hard-min\":\"0\"},model:{value:(_vm.avatarAltRadiusLocal),callback:function ($$v) {_vm.avatarAltRadiusLocal=$$v},expression:\"avatarAltRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"attachmentRadius\",\"label\":_vm.$t('settings.attachmentRadius'),\"fallback\":_vm.previewTheme.radii.attachment,\"max\":\"50\",\"hard-min\":\"0\"},model:{value:(_vm.attachmentRadiusLocal),callback:function ($$v) {_vm.attachmentRadiusLocal=$$v},expression:\"attachmentRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"tooltipRadius\",\"label\":_vm.$t('settings.tooltipRadius'),\"fallback\":_vm.previewTheme.radii.tooltip,\"max\":\"50\",\"hard-min\":\"0\"},model:{value:(_vm.tooltipRadiusLocal),callback:function ($$v) {_vm.tooltipRadiusLocal=$$v},expression:\"tooltipRadiusLocal\"}}),_vm._v(\" \"),_c('RangeInput',{attrs:{\"name\":\"chatMessageRadius\",\"label\":_vm.$t('settings.chatMessageRadius'),\"fallback\":_vm.previewTheme.radii.chatMessage || 2,\"max\":\"50\",\"hard-min\":\"0\"},model:{value:(_vm.chatMessageRadiusLocal),callback:function ($$v) {_vm.chatMessageRadiusLocal=$$v},expression:\"chatMessageRadiusLocal\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"shadow-container\",attrs:{\"label\":_vm.$t('settings.style.shadows._tab_label')}},[_c('div',{staticClass:\"tab-header shadow-selector\"},[_c('div',{staticClass:\"select-container\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.component'))+\"\\n \"),_c('label',{staticClass:\"select\",attrs:{\"for\":\"shadow-switcher\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.shadowSelected),expression:\"shadowSelected\"}],staticClass:\"shadow-switcher\",attrs:{\"id\":\"shadow-switcher\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.shadowSelected=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},_vm._l((_vm.shadowsAvailable),function(shadow){return _c('option',{key:shadow,domProps:{\"value\":shadow}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.components.' + shadow))+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])]),_vm._v(\" \"),_c('div',{staticClass:\"override\"},[_c('label',{staticClass:\"label\",attrs:{\"for\":\"override\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.shadows.override'))+\"\\n \")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.currentShadowOverriden),expression:\"currentShadowOverriden\"}],staticClass:\"input-override\",attrs:{\"id\":\"override\",\"name\":\"override\",\"type\":\"checkbox\"},domProps:{\"checked\":Array.isArray(_vm.currentShadowOverriden)?_vm._i(_vm.currentShadowOverriden,null)>-1:(_vm.currentShadowOverriden)},on:{\"change\":function($event){var $$a=_vm.currentShadowOverriden,$$el=$event.target,$$c=$$el.checked?(true):(false);if(Array.isArray($$a)){var $$v=null,$$i=_vm._i($$a,$$v);if($$el.checked){$$i<0&&(_vm.currentShadowOverriden=$$a.concat([$$v]))}else{$$i>-1&&(_vm.currentShadowOverriden=$$a.slice(0,$$i).concat($$a.slice($$i+1)))}}else{_vm.currentShadowOverriden=$$c}}}}),_vm._v(\" \"),_c('label',{staticClass:\"checkbox-label\",attrs:{\"for\":\"override\"}})]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearShadows}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_all'))+\"\\n \")])]),_vm._v(\" \"),_c('ShadowControl',{attrs:{\"ready\":!!_vm.currentShadowFallback,\"fallback\":_vm.currentShadowFallback},model:{value:(_vm.currentShadow),callback:function ($$v) {_vm.currentShadow=$$v},expression:\"currentShadow\"}}),_vm._v(\" \"),(_vm.shadowSelected === 'avatar' || _vm.shadowSelected === 'avatarStatus')?_c('div',[_c('i18n',{attrs:{\"path\":\"settings.style.shadows.filter_hint.always_drop_shadow\",\"tag\":\"p\"}},[_c('code',[_vm._v(\"filter: drop-shadow()\")])]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.style.shadows.filter_hint.avatar_inset')))]),_vm._v(\" \"),_c('i18n',{attrs:{\"path\":\"settings.style.shadows.filter_hint.drop_shadow_syntax\",\"tag\":\"p\"}},[_c('code',[_vm._v(\"drop-shadow\")]),_vm._v(\" \"),_c('code',[_vm._v(\"spread-radius\")]),_vm._v(\" \"),_c('code',[_vm._v(\"inset\")])]),_vm._v(\" \"),_c('i18n',{attrs:{\"path\":\"settings.style.shadows.filter_hint.inset_classic\",\"tag\":\"p\"}},[_c('code',[_vm._v(\"box-shadow\")])]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('settings.style.shadows.filter_hint.spread_zero')))])],1):_vm._e()],1),_vm._v(\" \"),_c('div',{staticClass:\"fonts-container\",attrs:{\"label\":_vm.$t('settings.style.fonts._tab_label')}},[_c('div',{staticClass:\"tab-header\"},[_c('p',[_vm._v(_vm._s(_vm.$t('settings.style.fonts.help')))]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearFonts}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.clear_all'))+\"\\n \")])]),_vm._v(\" \"),_c('FontControl',{attrs:{\"name\":\"ui\",\"label\":_vm.$t('settings.style.fonts.components.interface'),\"fallback\":_vm.previewTheme.fonts.interface,\"no-inherit\":\"1\"},model:{value:(_vm.fontsLocal.interface),callback:function ($$v) {_vm.$set(_vm.fontsLocal, \"interface\", $$v)},expression:\"fontsLocal.interface\"}}),_vm._v(\" \"),_c('FontControl',{attrs:{\"name\":\"input\",\"label\":_vm.$t('settings.style.fonts.components.input'),\"fallback\":_vm.previewTheme.fonts.input},model:{value:(_vm.fontsLocal.input),callback:function ($$v) {_vm.$set(_vm.fontsLocal, \"input\", $$v)},expression:\"fontsLocal.input\"}}),_vm._v(\" \"),_c('FontControl',{attrs:{\"name\":\"post\",\"label\":_vm.$t('settings.style.fonts.components.post'),\"fallback\":_vm.previewTheme.fonts.post},model:{value:(_vm.fontsLocal.post),callback:function ($$v) {_vm.$set(_vm.fontsLocal, \"post\", $$v)},expression:\"fontsLocal.post\"}}),_vm._v(\" \"),_c('FontControl',{attrs:{\"name\":\"postCode\",\"label\":_vm.$t('settings.style.fonts.components.postCode'),\"fallback\":_vm.previewTheme.fonts.postCode},model:{value:(_vm.fontsLocal.postCode),callback:function ($$v) {_vm.$set(_vm.fontsLocal, \"postCode\", $$v)},expression:\"fontsLocal.postCode\"}})],1)])],1),_vm._v(\" \"),_c('div',{staticClass:\"apply-container\"},[_c('button',{staticClass:\"btn submit\",attrs:{\"disabled\":!_vm.themeValid},on:{\"click\":_vm.setCustomTheme}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.apply'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.clearAll}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.style.switcher.reset'))+\"\\n \")])])],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import TabSwitcher from 'src/components/tab_switcher/tab_switcher.js'\n\nimport DataImportExportTab from './tabs/data_import_export_tab.vue'\nimport MutesAndBlocksTab from './tabs/mutes_and_blocks_tab.vue'\nimport NotificationsTab from './tabs/notifications_tab.vue'\nimport FilteringTab from './tabs/filtering_tab.vue'\nimport SecurityTab from './tabs/security_tab/security_tab.vue'\nimport ProfileTab from './tabs/profile_tab.vue'\nimport GeneralTab from './tabs/general_tab.vue'\nimport VersionTab from './tabs/version_tab.vue'\nimport ThemeTab from './tabs/theme_tab/theme_tab.vue'\n\nconst SettingsModalContent = {\n components: {\n TabSwitcher,\n\n DataImportExportTab,\n MutesAndBlocksTab,\n NotificationsTab,\n FilteringTab,\n SecurityTab,\n ProfileTab,\n GeneralTab,\n VersionTab,\n ThemeTab\n },\n computed: {\n isLoggedIn () {\n return !!this.$store.state.users.currentUser\n },\n open () {\n return this.$store.state.interface.settingsModalState !== 'hidden'\n }\n },\n methods: {\n onOpen () {\n const targetTab = this.$store.state.interface.settingsModalTargetTab\n // We're being told to open in specific tab\n if (targetTab) {\n const tabIndex = this.$refs.tabSwitcher.$slots.default.findIndex(elm => {\n return elm.data && elm.data.attrs['data-tab-name'] === targetTab\n })\n if (tabIndex >= 0) {\n this.$refs.tabSwitcher.setTab(tabIndex)\n }\n }\n // Clear the state of target tab, so that next time settings is opened\n // it doesn't force it.\n this.$store.dispatch('clearSettingsModalTargetTab')\n }\n },\n mounted () {\n this.onOpen()\n },\n watch: {\n open: function (value) {\n if (value) this.onOpen()\n }\n }\n}\n\nexport default SettingsModalContent\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./settings_modal_content.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./settings_modal_content.js\"\nimport __vue_script__ from \"!!babel-loader!./settings_modal_content.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-da72a86e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./settings_modal_content.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('tab-switcher',{ref:\"tabSwitcher\",staticClass:\"settings_tab-switcher\",attrs:{\"side-tab-bar\":true,\"scrollable-tabs\":true}},[_c('div',{attrs:{\"label\":_vm.$t('settings.general'),\"icon\":\"wrench\",\"data-tab-name\":\"general\"}},[_c('GeneralTab')],1),_vm._v(\" \"),(_vm.isLoggedIn)?_c('div',{attrs:{\"label\":_vm.$t('settings.profile_tab'),\"icon\":\"user\",\"data-tab-name\":\"profile\"}},[_c('ProfileTab')],1):_vm._e(),_vm._v(\" \"),(_vm.isLoggedIn)?_c('div',{attrs:{\"label\":_vm.$t('settings.security_tab'),\"icon\":\"lock\",\"data-tab-name\":\"security\"}},[_c('SecurityTab')],1):_vm._e(),_vm._v(\" \"),_c('div',{attrs:{\"label\":_vm.$t('settings.filtering'),\"icon\":\"filter\",\"data-tab-name\":\"filtering\"}},[_c('FilteringTab')],1),_vm._v(\" \"),_c('div',{attrs:{\"label\":_vm.$t('settings.theme'),\"icon\":\"brush\",\"data-tab-name\":\"theme\"}},[_c('ThemeTab')],1),_vm._v(\" \"),(_vm.isLoggedIn)?_c('div',{attrs:{\"label\":_vm.$t('settings.notifications'),\"icon\":\"bell-ringing-o\",\"data-tab-name\":\"notifications\"}},[_c('NotificationsTab')],1):_vm._e(),_vm._v(\" \"),(_vm.isLoggedIn)?_c('div',{attrs:{\"label\":_vm.$t('settings.data_import_export_tab'),\"icon\":\"download\",\"data-tab-name\":\"dataImportExport\"}},[_c('DataImportExportTab')],1):_vm._e(),_vm._v(\" \"),(_vm.isLoggedIn)?_c('div',{attrs:{\"label\":_vm.$t('settings.mutes_and_blocks'),\"fullHeight\":true,\"icon\":\"eye-off\",\"data-tab-name\":\"mutesAndBlocks\"}},[_c('MutesAndBlocksTab')],1):_vm._e(),_vm._v(\" \"),_c('div',{attrs:{\"label\":_vm.$t('settings.version.title'),\"icon\":\"info-circled\",\"data-tab-name\":\"version\"}},[_c('VersionTab')],1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }"],"sourceRoot":""} +\ No newline at end of file diff --git a/priv/static/static/js/app.55d173dc5e39519aa518.js b/priv/static/static/js/app.55d173dc5e39519aa518.js @@ -1,2 +0,0 @@ -!function(t){function e(e){for(var i,o,a=e[0],c=e[1],l=e[2],u=0,p=[];u<a.length;u++)o=a[u],r[o]&&p.push(r[o][0]),r[o]=0;for(i in c)Object.prototype.hasOwnProperty.call(c,i)&&(t[i]=c[i]);for(d&&d(e);p.length;)p.shift()();return s.push.apply(s,l||[]),n()}function n(){for(var t,e=0;e<s.length;e++){for(var n=s[e],i=!0,o=1;o<n.length;o++){var c=n[o];0!==r[c]&&(i=!1)}i&&(s.splice(e--,1),t=a(a.s=n[0]))}return t}var i={},o={0:0},r={0:0},s=[];function a(e){if(i[e])return i[e].exports;var n=i[e]={i:e,l:!1,exports:{}};return t[e].call(n.exports,n,n.exports,a),n.l=!0,n.exports}a.e=function(t){var e=[];o[t]?e.push(o[t]):0!==o[t]&&{2:1,3:1}[t]&&e.push(o[t]=new Promise(function(e,n){for(var i="static/css/"+({}[t]||t)+"."+{2:"0778a6a864a1307a6c41",3:"b2603a50868c68a1c192",4:"31d6cfe0d16ae931b73c",5:"31d6cfe0d16ae931b73c",6:"31d6cfe0d16ae931b73c",7:"31d6cfe0d16ae931b73c",8:"31d6cfe0d16ae931b73c",9:"31d6cfe0d16ae931b73c",10:"31d6cfe0d16ae931b73c",11:"31d6cfe0d16ae931b73c",12:"31d6cfe0d16ae931b73c",13:"31d6cfe0d16ae931b73c",14:"31d6cfe0d16ae931b73c",15:"31d6cfe0d16ae931b73c",16:"31d6cfe0d16ae931b73c",17:"31d6cfe0d16ae931b73c",18:"31d6cfe0d16ae931b73c",19:"31d6cfe0d16ae931b73c",20:"31d6cfe0d16ae931b73c",21:"31d6cfe0d16ae931b73c",22:"31d6cfe0d16ae931b73c",23:"31d6cfe0d16ae931b73c",24:"31d6cfe0d16ae931b73c",25:"31d6cfe0d16ae931b73c",26:"31d6cfe0d16ae931b73c",27:"31d6cfe0d16ae931b73c",28:"31d6cfe0d16ae931b73c",29:"31d6cfe0d16ae931b73c",30:"31d6cfe0d16ae931b73c"}[t]+".css",r=a.p+i,s=document.getElementsByTagName("link"),c=0;c<s.length;c++){var l=(d=s[c]).getAttribute("data-href")||d.getAttribute("href");if("stylesheet"===d.rel&&(l===i||l===r))return e()}var u=document.getElementsByTagName("style");for(c=0;c<u.length;c++){var d;if((l=(d=u[c]).getAttribute("data-href"))===i||l===r)return e()}var p=document.createElement("link");p.rel="stylesheet",p.type="text/css",p.onload=e,p.onerror=function(e){var i=e&&e.target&&e.target.src||r,s=new Error("Loading CSS chunk "+t+" failed.\n("+i+")");s.request=i,delete o[t],p.parentNode.removeChild(p),n(s)},p.href=r,document.getElementsByTagName("head")[0].appendChild(p)}).then(function(){o[t]=0}));var n=r[t];if(0!==n)if(n)e.push(n[2]);else{var i=new Promise(function(e,i){n=r[t]=[e,i]});e.push(n[2]=i);var s,c=document.createElement("script");c.charset="utf-8",c.timeout=120,a.nc&&c.setAttribute("nonce",a.nc),c.src=function(t){return a.p+"static/js/"+({}[t]||t)+"."+{2:"c92f4803ff24726cea58",3:"7d21accf4e5bd07e3ebf",4:"5719922a4e807145346d",5:"cf05c5ddbdbac890ae35",6:"ecfd3302a692de148391",7:"dd44c3d58fb9dced093d",8:"636322a87bb10a1754f8",9:"6010dbcce7b4d7c05a18",10:"46fbbdfaf0d4800f349b",11:"708cc2513c53879a92cc",12:"b3bf0bc313861d6ec36b",13:"adb8a942514d735722c4",14:"d015d9b2ea16407e389c",15:"19866e6a366ccf982284",16:"38a984effd54736f6a2c",17:"9c25507194320db2e85b",18:"94946caca48930c224c7",19:"233c81ac2c28d55e9f13",20:"818c38d27369c3a4d677",21:"ce4cda179d888ca6bc2a",22:"2ea93c6cc569ef0256ab",23:"a57a7845cc20fafd06d1",24:"35eb55a657b5485f8491",25:"5a9efe20e3ae1352e6d2",26:"cf13231d524e5ca3b3e6",27:"fca8d4f6e444bd14f376",28:"e0f9f164e0bfd890dc61",29:"0b69359f0fe5c0785746",30:"fce58be0b52ca3e32fa4"}[t]+".js"}(t);var l=new Error;s=function(e){c.onerror=c.onload=null,clearTimeout(u);var n=r[t];if(0!==n){if(n){var i=e&&("load"===e.type?"missing":e.type),o=e&&e.target&&e.target.src;l.message="Loading chunk "+t+" failed.\n("+i+": "+o+")",l.type=i,l.request=o,n[1](l)}r[t]=void 0}};var u=setTimeout(function(){s({type:"timeout",target:c})},12e4);c.onerror=c.onload=s,document.head.appendChild(c)}return Promise.all(e)},a.m=t,a.c=i,a.d=function(t,e,n){a.o(t,e)||Object.defineProperty(t,e,{enumerable:!0,get:n})},a.r=function(t){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},a.t=function(t,e){if(1&e&&(t=a(t)),8&e)return t;if(4&e&&"object"==typeof t&&t&&t.__esModule)return t;var n=Object.create(null);if(a.r(n),Object.defineProperty(n,"default",{enumerable:!0,value:t}),2&e&&"string"!=typeof t)for(var i in t)a.d(n,i,function(e){return t[e]}.bind(null,i));return n},a.n=function(t){var e=t&&t.__esModule?function(){return t.default}:function(){return t};return a.d(e,"a",e),e},a.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},a.p="/",a.oe=function(t){throw console.error(t),t};var c=window.webpackJsonp=window.webpackJsonp||[],l=c.push.bind(c);c.push=e,c=c.slice();for(var u=0;u<c.length;u++)e(c[u]);var d=l;s.push([562,1]),n()}([,,,,,,,,function(t,e,n){"use strict";n.d(e,"g",function(){return d}),n.d(e,"a",function(){return p}),n.d(e,"f",function(){return h}),n.d(e,"e",function(){return m}),n.d(e,"d",function(){return v}),n.d(e,"b",function(){return b}),n.d(e,"c",function(){return w});var i=n(1),o=n.n(i),r=n(136),s=n.n(r),a=n(198),c=n.n(a),l=n(19);function u(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var d=function(t){var e={},n=t.hasOwnProperty("acct"),i=n&&!t.hasOwnProperty("avatar");if(e.id=String(t.id),n){if(e.screen_name=t.acct,e.statusnet_profile_url=t.url,i)return e;if(e.name=t.display_name,e.name_html=f(s()(t.display_name),t.emojis),e.description=t.note,e.description_html=f(t.note,t.emojis),e.fields=t.fields,e.fields_html=t.fields.map(function(e){return{name:f(e.name,t.emojis),value:f(e.value,t.emojis)}}),e.fields_text=t.fields.map(function(t){return{name:unescape(t.name.replace(/<[^>]*>/g,"")),value:unescape(t.value.replace(/<[^>]*>/g,""))}}),e.profile_image_url=t.avatar,e.profile_image_url_original=t.avatar,e.cover_photo=t.header,e.friends_count=t.following_count,e.bot=t.bot,t.pleroma){var o=t.pleroma.relationship;e.background_image=t.pleroma.background_image,e.favicon=t.pleroma.favicon,e.token=t.pleroma.chat_token,o&&(e.relationship=o),e.allow_following_move=t.pleroma.allow_following_move,e.hide_follows=t.pleroma.hide_follows,e.hide_followers=t.pleroma.hide_followers,e.hide_follows_count=t.pleroma.hide_follows_count,e.hide_followers_count=t.pleroma.hide_followers_count,e.rights={moderator:t.pleroma.is_moderator,admin:t.pleroma.is_admin},e.rights.admin?e.role="admin":e.rights.moderator?e.role="moderator":e.role="member"}t.source&&(e.description=t.source.note,e.default_scope=t.source.privacy,e.fields=t.source.fields,t.source.pleroma&&(e.no_rich_text=t.source.pleroma.no_rich_text,e.show_role=t.source.pleroma.show_role,e.discoverable=t.source.pleroma.discoverable)),e.is_local=!e.screen_name.includes("@")}else e.screen_name=t.screen_name,e.name=t.name,e.name_html=t.name_html,e.description=t.description,e.description_html=t.description_html,e.profile_image_url=t.profile_image_url,e.profile_image_url_original=t.profile_image_url_original,e.cover_photo=t.cover_photo,e.friends_count=t.friends_count,e.statusnet_profile_url=t.statusnet_profile_url,e.is_local=t.is_local,e.role=t.role,e.show_role=t.show_role,t.rights&&(e.rights={moderator:t.rights.delete_others_notice,admin:t.rights.admin}),e.no_rich_text=t.no_rich_text,e.default_scope=t.default_scope,e.hide_follows=t.hide_follows,e.hide_followers=t.hide_followers,e.hide_follows_count=t.hide_follows_count,e.hide_followers_count=t.hide_followers_count,e.background_image=t.background_image,e.token=t.token,e.relationship={muting:t.muted,blocking:t.statusnet_blocking,followed_by:t.follows_you,following:t.following};return e.created_at=new Date(t.created_at),e.locked=t.locked,e.followers_count=t.followers_count,e.statuses_count=t.statuses_count,e.friendIds=[],e.followerIds=[],e.pinnedStatusIds=[],t.pleroma&&(e.follow_request_count=t.pleroma.follow_request_count,e.tags=t.pleroma.tags,e.deactivated=t.pleroma.deactivated,e.notification_settings=t.pleroma.notification_settings,e.unread_chat_count=t.pleroma.unread_chat_count),e.tags=e.tags||[],e.rights=e.rights||{},e.notification_settings=e.notification_settings||{},e},p=function(t){var e={};return!t.hasOwnProperty("oembed")?(e.mimetype=t.pleroma?t.pleroma.mime_type:t.type,e.meta=t.meta,e.id=t.id):e.mimetype=t.mimetype,e.url=t.url,e.large_thumb_url=t.preview_url,e.description=t.description,e},f=function(t,e){var n=/[|\\{}()[\]^$+*?.-]/g;return e.reduce(function(t,e){var i=e.shortcode.replace(n,"\\$&");return t.replace(new RegExp(":".concat(i,":"),"g"),"<img src='".concat(e.url,"' alt=':").concat(e.shortcode,":' title=':").concat(e.shortcode,":' class='emoji' />"))},t)},h=function t(e){var n,i={},r=e.hasOwnProperty("account");if(r){if(i.favorited=e.favourited,i.fave_num=e.favourites_count,i.repeated=e.reblogged,i.repeat_num=e.reblogs_count,i.bookmarked=e.bookmarked,i.type=e.reblog?"retweet":"status",i.nsfw=e.sensitive,i.statusnet_html=f(e.content,e.emojis),i.tags=e.tags,e.pleroma){var a=e.pleroma;i.text=a.content?e.pleroma.content["text/plain"]:e.content,i.summary=a.spoiler_text?e.pleroma.spoiler_text["text/plain"]:e.spoiler_text,i.statusnet_conversation_id=e.pleroma.conversation_id,i.is_local=a.local,i.in_reply_to_screen_name=e.pleroma.in_reply_to_account_acct,i.thread_muted=a.thread_muted,i.emoji_reactions=a.emoji_reactions,i.parent_visible=void 0===a.parent_visible||a.parent_visible}else i.text=e.content,i.summary=e.spoiler_text;i.in_reply_to_status_id=e.in_reply_to_id,i.in_reply_to_user_id=e.in_reply_to_account_id,i.replies_count=e.replies_count,"retweet"===i.type&&(i.retweeted_status=t(e.reblog)),i.summary_html=f(s()(e.spoiler_text),e.emojis),i.external_url=e.url,i.poll=e.poll,i.poll&&(i.poll.options=(i.poll.options||[]).map(function(t){return function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?u(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):u(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},t,{title_html:f(t.title,e.emojis)})})),i.pinned=e.pinned,i.muted=e.muted}else i.favorited=e.favorited,i.fave_num=e.fave_num,i.repeated=e.repeated,i.repeat_num=e.repeat_num,i.type=(n=e).is_post_verb?"status":n.retweeted_status?"retweet":"string"==typeof n.uri&&n.uri.match(/(fave|objectType=Favourite)/)||"string"==typeof n.text&&n.text.match(/favorited/)?"favorite":n.text.match(/deleted notice {{tag/)||n.qvitter_delete_notice?"deletion":n.text.match(/started following/)||"follow"===n.activity_type?"follow":"unknown",void 0===e.nsfw?(i.nsfw=g(e),e.retweeted_status&&(i.nsfw=e.retweeted_status.nsfw)):i.nsfw=e.nsfw,i.statusnet_html=e.statusnet_html,i.text=e.text,i.in_reply_to_status_id=e.in_reply_to_status_id,i.in_reply_to_user_id=e.in_reply_to_user_id,i.in_reply_to_screen_name=e.in_reply_to_screen_name,i.statusnet_conversation_id=e.statusnet_conversation_id,"retweet"===i.type&&(i.retweeted_status=t(e.retweeted_status)),i.summary=e.summary,i.summary_html=e.summary_html,i.external_url=e.external_url,i.is_local=e.is_local;i.id=String(e.id),i.visibility=e.visibility,i.card=e.card,i.created_at=new Date(e.created_at),i.in_reply_to_status_id=i.in_reply_to_status_id?String(i.in_reply_to_status_id):null,i.in_reply_to_user_id=i.in_reply_to_user_id?String(i.in_reply_to_user_id):null,i.user=d(r?e.account:e.user),i.attentions=((r?e.mentions:e.attentions)||[]).map(d),i.attachments=((r?e.media_attachments:e.attachments)||[]).map(p);var c=r?e.reblog:e.retweeted_status;return c&&(i.retweeted_status=t(c)),i.favoritedBy=[],i.rebloggedBy=[],i},m=function(t){var e={};if(!t.hasOwnProperty("ntype"))e.type={favourite:"like",reblog:"repeat"}[t.type]||t.type,e.seen=t.pleroma.is_seen,e.status=Object(l.b)(e.type)?h(t.status):null,e.action=e.status,e.target="move"!==e.type?null:d(t.target),e.from_profile=d(t.account),e.emoji=t.emoji;else{var n=h(t.notice);e.type=t.ntype,e.seen=Boolean(t.is_seen),e.status="like"===e.type?h(t.notice.favorited_status):n,e.action=n,e.from_profile="pleroma:chat_mention"===e.type?d(t.account):d(t.from_profile)}return e.created_at=new Date(t.created_at),e.id=parseInt(t.id),e},g=function(t){return(t.tags||[]).includes("nsfw")||!!(t.text||"").match(/#nsfw/i)},v=function(t){var e=(arguments.length>1&&void 0!==arguments[1]?arguments[1]:{}).flakeId,n=c()(t);if(n){var i=n.next.max_id,o=n.prev.min_id;return{maxId:e?i:parseInt(i,10),minId:e?o:parseInt(o,10)}}},b=function(t){var e={};return e.id=t.id,e.account=d(t.account),e.unread=t.unread,e.lastMessage=w(t.last_message),e.updated_at=new Date(t.updated_at),e},w=function(t){if(t){if(t.isNormalized)return t;var e=t;return e.id=t.id,e.created_at=new Date(t.created_at),e.chat_id=t.chat_id,t.content?e.content=f(t.content,t.emojis):e.content="",t.attachment?e.attachments=[p(t.attachment)]:e.attachments=[],e.isNormalized=!0,e}}},function(t,e,n){"use strict";n.d(e,"i",function(){return d}),n.d(e,"h",function(){return f}),n.d(e,"c",function(){return m}),n.d(e,"a",function(){return g}),n.d(e,"b",function(){return v}),n.d(e,"f",function(){return b}),n.d(e,"g",function(){return w}),n.d(e,"j",function(){return _}),n.d(e,"e",function(){return x}),n.d(e,"d",function(){return y});var i=n(1),o=n.n(i),r=n(7),s=n.n(r),a=n(27),c=n.n(a),l=n(14);function u(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var d=function(t,e,n){if(null!=t){if("#"===t[0]||"transparent"===t)return t;if("object"===c()(t)){var i=t;t=i.r,e=i.g,n=i.b}var o=[t,e,n].map(function(t){return t=(t=(t=Math.ceil(t))<0?0:t)>255?255:t}),r=s()(o,3);return t=r[0],e=r[1],n=r[2],"#".concat(((1<<24)+(t<<16)+(e<<8)+n).toString(16).slice(1))}},p=function(t){return"rgb".split("").reduce(function(e,n){return e[n]=function(t){var e=t/255;return e<.03928?e/12.92:Math.pow((e+.055)/1.055,2.4)}(t[n]),e},{})},f=function(t){var e=p(t);return.2126*e.r+.7152*e.g+.0722*e.b},h=function(t,e){var n=f(t),i=f(e),o=n>i?[n,i]:[i,n],r=s()(o,2);return(r[0]+.05)/(r[1]+.05)},m=function(t,e,n){return h(v(n,e),t)},g=function(t,e,n){return 1===e||void 0===e?t:"rgb".split("").reduce(function(i,o){return i[o]=t[o]*e+n[o]*(1-e),i},{})},v=function(t,e){return e.reduce(function(t,e){var n=s()(e,2),i=n[0],o=n[1];return g(i,o,t)},t)},b=function(t){var e=/^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i.exec(t);return e?{r:parseInt(e[1],16),g:parseInt(e[2],16),b:parseInt(e[3],16)}:null},w=function(t,e){return"rgb".split("").reduce(function(n,i){return n[i]=(t[i]+e[i])/2,n},{})},_=function(t){return"rgba(".concat(Math.floor(t.r),", ").concat(Math.floor(t.g),", ").concat(Math.floor(t.b),", ").concat(t.a,")")},x=function(t,e,n){if(h(t,e)<4.5){var i=void 0!==e.a?{a:e.a}:{},o=Object.assign(i,Object(l.invertLightness)(e).rgb);return!n&&h(t,o)<4.5?Object(l.contrastRatio)(t,e).rgb:o}return e},y=function(t,e){var n={};if("object"===c()(t))n=t;else if("string"==typeof t){if(!t.startsWith("#"))return t;n=b(t)}return _(function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?u(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):u(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},n,{a:e}))}},,function(t,e,n){"use strict";var i=n(3),o=n.n(i),r=n(75),s=n.n(r),a=n(7),c=n.n(a),l=n(1),u=n.n(l),d=n(12),p=n.n(d),f=n(23),h=n.n(f),m=n(76),g=n.n(m),v=n(15),b=n.n(v),w=n(24),_=n.n(w),x=n(8),y=n(27),k=n.n(y),C=n(199),S=n.n(C),j=n(200),O=n.n(j),P=n(132),$=n.n(P),T=n(131),I=n.n(T),E=n(201),M=n.n(E),U=n(202),F=n.n(U),D=n(10),L=n.n(D),N=n(133),R=n.n(N);function A(t,e,n,i){this.name="StatusCodeError",this.statusCode=t,this.message=t+" - "+(JSON&&JSON.stringify?JSON.stringify(e):e),this.error=e,this.options=n,this.response=i,Error.captureStackTrace&&Error.captureStackTrace(this)}A.prototype=Object.create(Error.prototype),A.prototype.constructor=A;var B=function(t){function e(t){var n,i;S()(this,e),n=O()(this,$()(e).call(this)),Error.captureStackTrace&&Error.captureStackTrace(I()(n));try{if("string"==typeof t&&(t=JSON.parse(t)).hasOwnProperty("error")&&(t=JSON.parse(t.error)),"object"===k()(t)){var o=JSON.parse(t.error);o.ap_id&&(o.username=o.ap_id,delete o.ap_id),n.message=(i=o,Object.entries(i).reduce(function(t,e){var n=c()(e,2),i=n[0],o=n[1].reduce(function(t,e){return t+[R()(i.replace(/_/g," ")),e].join(" ")+". "},"");return[].concat(L()(t),[o])},[]))}else n.message=t}catch(e){n.message=t}return n}return M()(e,t),e}(F()(Error));function z(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function H(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?z(Object(n),!0).forEach(function(e){u()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):z(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}n.d(e,"d",function(){return xt}),n.d(e,"a",function(){return Ct}),n.d(e,"b",function(){return jt});var q=function(t,e){return"/api/pleroma/admin/users/".concat(t,"/permission_group/").concat(e)},W=function(t){return"/api/v1/notifications/".concat(t,"/dismiss")},V=function(t){return"/api/v1/statuses/".concat(t,"/favourite")},G=function(t){return"/api/v1/statuses/".concat(t,"/unfavourite")},K=function(t){return"/api/v1/statuses/".concat(t,"/reblog")},Y=function(t){return"/api/v1/statuses/".concat(t,"/unreblog")},J=function(t){return"/api/v1/accounts/".concat(t,"/statuses")},X=function(t){return"/api/v1/timelines/tag/".concat(t)},Q=function(t){return"/api/v1/accounts/".concat(t,"/mute")},Z=function(t){return"/api/v1/accounts/".concat(t,"/unmute")},tt=function(t){return"/api/v1/pleroma/accounts/".concat(t,"/subscribe")},et=function(t){return"/api/v1/pleroma/accounts/".concat(t,"/unsubscribe")},nt=function(t){return"/api/v1/statuses/".concat(t,"/bookmark")},it=function(t){return"/api/v1/statuses/".concat(t,"/unbookmark")},ot=function(t){return"/api/v1/statuses/".concat(t,"/favourited_by")},rt=function(t){return"/api/v1/statuses/".concat(t,"/reblogged_by")},st=function(t){return"/api/v1/statuses/".concat(t,"/pin")},at=function(t){return"/api/v1/statuses/".concat(t,"/unpin")},ct=function(t){return"/api/v1/statuses/".concat(t,"/mute")},lt=function(t){return"/api/v1/statuses/".concat(t,"/unmute")},ut=function(t){return"/api/v1/pleroma/statuses/".concat(t,"/reactions")},dt=function(t,e){return"/api/v1/pleroma/statuses/".concat(t,"/reactions/").concat(e)},pt=function(t,e){return"/api/v1/pleroma/statuses/".concat(t,"/reactions/").concat(e)},ft=function(t){return"/api/v1/pleroma/chats/".concat(t,"/messages")},ht=function(t){return"/api/v1/pleroma/chats/".concat(t,"/read")},mt=function(t,e){return"/api/v1/pleroma/chats/".concat(t,"/messages/").concat(e)},gt=window.fetch,vt=function(t,e){var n=""+t;return(e=e||{}).credentials="same-origin",gt(n,e)},bt=function(t){var e=t.method,n=t.url,i=t.params,o=t.payload,r=t.credentials,s=t.headers,a={method:e,headers:H({Accept:"application/json","Content-Type":"application/json"},void 0===s?{}:s)};return i&&(n+="?"+Object.entries(i).map(function(t){var e=c()(t,2),n=e[0],i=e[1];return encodeURIComponent(n)+"="+encodeURIComponent(i)}).join("&")),o&&(a.body=JSON.stringify(o)),r&&(a.headers=H({},a.headers,{},wt(r))),vt(n,a).then(function(t){return new Promise(function(e,i){return t.json().then(function(o){return t.ok?e(o):i(new A(t.status,o,{url:n,options:a},t))})})})},wt=function(t){return t?{Authorization:"Bearer ".concat(t)}:{}},_t=function(t){var e=t.id,n=t.maxId,i=t.sinceId,o=t.limit,r=void 0===o?20:o,s=t.credentials,a=function(t){return"/api/v1/accounts/".concat(t,"/following")}(e),c=[n&&"max_id=".concat(n),i&&"since_id=".concat(i),r&&"limit=".concat(r),"with_relationships=true"].filter(function(t){return t}).join("&");return vt(a+=c?"?"+c:"",{headers:wt(s)}).then(function(t){return t.json()}).then(function(t){return t.map(x.g)})},xt=function(t){var e=t.credentials,n=t.stream,i=t.args,o=void 0===i?{}:i;return Object.entries(H({},e?{access_token:e}:{},{stream:n},o)).reduce(function(t,e){var n=c()(e,2),i=n[0],o=n[1];return t+"".concat(i,"=").concat(o,"&")},"/api/v1/streaming?")},yt=new Set(["update","notification","delete","filters_changed"]),kt=new Set(["pleroma:chat_update"]),Ct=function(t){var e=t.url,n=t.preprocessor,i=void 0===n?St:n,o=t.id,r=void 0===o?"Unknown":o,s=new EventTarget,a=new WebSocket(e);if(!a)throw new Error("Failed to create socket ".concat(r));var c=function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:function(t){return t};t.addEventListener(e,function(t){s.dispatchEvent(new CustomEvent(e,{detail:n(t)}))})};return a.addEventListener("open",function(t){console.debug("[WS][".concat(r,"] Socket connected"),t)}),a.addEventListener("error",function(t){console.debug("[WS][".concat(r,"] Socket errored"),t)}),a.addEventListener("close",function(t){console.debug("[WS][".concat(r,"] Socket disconnected with code ").concat(t.code),t)}),c(a,"open"),c(a,"close"),c(a,"message",i),c(a,"error"),s.close=function(){a.close(1e3,"Shutting down socket")},s},St=function(t){var e=t.data;if(e){var n=JSON.parse(e),i=n.event,o=n.payload;if(!yt.has(i)&&!kt.has(i))return console.warn("Unknown event",t),null;if("delete"===i)return{event:i,id:o};var r=o?JSON.parse(o):null;return"update"===i?{event:i,status:Object(x.f)(r)}:"notification"===i?{event:i,notification:Object(x.e)(r)}:"pleroma:chat_update"===i?{event:i,chatUpdate:Object(x.b)(r)}:void 0}},jt=Object.freeze({JOINED:1,CLOSED:2,ERROR:3}),Ot={verifyCredentials:function(t){return vt("/api/v1/accounts/verify_credentials",{headers:wt(t)}).then(function(t){return t.ok?t.json():{error:t}}).then(function(t){return t.error?t:Object(x.g)(t)})},fetchTimeline:function(t){var e=t.timeline,n=t.credentials,i=t.since,o=void 0!==i&&i,r=t.until,s=void 0!==r&&r,a=t.userId,c=void 0!==a&&a,l=t.tag,u=void 0!==l&&l,d=t.withMuted,p=void 0!==d&&d,f=t.replyVisibility,h=void 0===f?"all":f,m="notifications"===e,g=[],v={public:"/api/v1/timelines/public",friends:"/api/v1/timelines/home",dms:"/api/v1/timelines/direct",notifications:"/api/v1/notifications",publicAndExternal:"/api/v1/timelines/public",user:J,media:J,favorites:"/api/v1/favourites",tag:X,bookmarks:"/api/v1/bookmarks"}[e];"user"!==e&&"media"!==e||(v=v(c)),o&&g.push(["since_id",o]),s&&g.push(["max_id",s]),u&&(v=v(u)),"media"===e&&g.push(["only_media",1]),"public"===e&&g.push(["local",!0]),"public"!==e&&"publicAndExternal"!==e||g.push(["only_media",!1]),"favorites"!==e&&"bookmarks"!==e&&g.push(["with_muted",p]),"all"!==h&&g.push(["reply_visibility",h]),g.push(["limit",20]);var w=b()(g,function(t){return"".concat(t[0],"=").concat(t[1])}).join("&");v+="?".concat(w);var _="",y="",k={};return vt(v,{headers:wt(n)}).then(function(t){return _=t.status,y=t.statusText,k=Object(x.d)(t.headers.get("Link"),{flakeId:"bookmarks"!==e&&"notifications"!==e}),t}).then(function(t){return t.json()}).then(function(t){return t.error?(t.status=_,t.statusText=y,t):{data:t.map(m?x.e:x.f),pagination:k}})},fetchPinnedStatuses:function(t){var e=t.id,n=t.credentials,i=J(e)+"?pinned=true";return bt({url:i,credentials:n}).then(function(t){return t.map(x.f)})},fetchConversation:function(t){var e=t.id,n=t.credentials,i=function(t){return"/api/v1/statuses/".concat(t,"/context")}(e);return vt(i,{headers:wt(n)}).then(function(t){if(t.ok)return t;throw new Error("Error fetching timeline",t)}).then(function(t){return t.json()}).then(function(t){var e=t.ancestors,n=t.descendants;return{ancestors:e.map(x.f),descendants:n.map(x.f)}})},fetchStatus:function(t){var e=t.id,n=t.credentials,i=function(t){return"/api/v1/statuses/".concat(t)}(e);return vt(i,{headers:wt(n)}).then(function(t){if(t.ok)return t;throw new Error("Error fetching timeline",t)}).then(function(t){return t.json()}).then(function(t){return Object(x.f)(t)})},fetchFriends:_t,exportFriends:function(t){var e=t.id,n=t.credentials;return new Promise(function(t,i){var r,s,a,c;return o.a.async(function(l){for(;;)switch(l.prev=l.next){case 0:l.prev=0,r=[],s=!0;case 3:if(!s){l.next=12;break}return a=r.length>0?h()(r).id:void 0,l.next=7,o.a.awrap(_t({id:e,maxId:a,credentials:n}));case 7:c=l.sent,r=g()(r,c),0===c.length&&(s=!1),l.next=3;break;case 12:t(r),l.next=18;break;case 15:l.prev=15,l.t0=l.catch(0),i(l.t0);case 18:case"end":return l.stop()}},null,null,[[0,15]])})},fetchFollowers:function(t){var e=t.id,n=t.maxId,i=t.sinceId,o=t.limit,r=void 0===o?20:o,s=t.credentials,a=function(t){return"/api/v1/accounts/".concat(t,"/followers")}(e),c=[n&&"max_id=".concat(n),i&&"since_id=".concat(i),r&&"limit=".concat(r),"with_relationships=true"].filter(function(t){return t}).join("&");return vt(a+=c?"?"+c:"",{headers:wt(s)}).then(function(t){return t.json()}).then(function(t){return t.map(x.g)})},followUser:function(t){var e=t.id,n=t.credentials,i=s()(t,["id","credentials"]),o=function(t){return"/api/v1/accounts/".concat(t,"/follow")}(e),r={};return void 0!==i.reblogs&&(r.reblogs=i.reblogs),vt(o,{body:JSON.stringify(r),headers:H({},wt(n),{"Content-Type":"application/json"}),method:"POST"}).then(function(t){return t.json()})},unfollowUser:function(t){var e=t.id,n=t.credentials,i=function(t){return"/api/v1/accounts/".concat(t,"/unfollow")}(e);return vt(i,{headers:wt(n),method:"POST"}).then(function(t){return t.json()})},pinOwnStatus:function(t){var e=t.id,n=t.credentials;return bt({url:st(e),credentials:n,method:"POST"}).then(function(t){return Object(x.f)(t)})},unpinOwnStatus:function(t){var e=t.id,n=t.credentials;return bt({url:at(e),credentials:n,method:"POST"}).then(function(t){return Object(x.f)(t)})},muteConversation:function(t){var e=t.id,n=t.credentials;return bt({url:ct(e),credentials:n,method:"POST"}).then(function(t){return Object(x.f)(t)})},unmuteConversation:function(t){var e=t.id,n=t.credentials;return bt({url:lt(e),credentials:n,method:"POST"}).then(function(t){return Object(x.f)(t)})},blockUser:function(t){var e=t.id,n=t.credentials;return vt(function(t){return"/api/v1/accounts/".concat(t,"/block")}(e),{headers:wt(n),method:"POST"}).then(function(t){return t.json()})},unblockUser:function(t){var e=t.id,n=t.credentials;return vt(function(t){return"/api/v1/accounts/".concat(t,"/unblock")}(e),{headers:wt(n),method:"POST"}).then(function(t){return t.json()})},fetchUser:function(t){var e=t.id,n=t.credentials,i="".concat("/api/v1/accounts","/").concat(e);return bt({url:i,credentials:n}).then(function(t){return Object(x.g)(t)})},fetchUserRelationship:function(t){var e=t.id,n=t.credentials,i="".concat("/api/v1/accounts/relationships","/?id=").concat(e);return vt(i,{headers:wt(n)}).then(function(t){return new Promise(function(e,n){return t.json().then(function(o){return t.ok?e(o):n(new A(t.status,o,{url:i},t))})})})},favorite:function(t){var e=t.id,n=t.credentials;return bt({url:V(e),method:"POST",credentials:n}).then(function(t){return Object(x.f)(t)})},unfavorite:function(t){var e=t.id,n=t.credentials;return bt({url:G(e),method:"POST",credentials:n}).then(function(t){return Object(x.f)(t)})},retweet:function(t){var e=t.id,n=t.credentials;return bt({url:K(e),method:"POST",credentials:n}).then(function(t){return Object(x.f)(t)})},unretweet:function(t){var e=t.id,n=t.credentials;return bt({url:Y(e),method:"POST",credentials:n}).then(function(t){return Object(x.f)(t)})},bookmarkStatus:function(t){var e=t.id,n=t.credentials;return bt({url:nt(e),headers:wt(n),method:"POST"})},unbookmarkStatus:function(t){var e=t.id,n=t.credentials;return bt({url:it(e),headers:wt(n),method:"POST"})},postStatus:function(t){var e=t.credentials,n=t.status,i=t.spoilerText,o=t.visibility,r=t.sensitive,s=t.poll,a=t.mediaIds,c=void 0===a?[]:a,l=t.inReplyToStatusId,u=t.contentType,d=t.preview,p=t.idempotencyKey,f=new FormData,h=s.options||[];if(f.append("status",n),f.append("source","Pleroma FE"),i&&f.append("spoiler_text",i),o&&f.append("visibility",o),r&&f.append("sensitive",r),u&&f.append("content_type",u),c.forEach(function(t){f.append("media_ids[]",t)}),h.some(function(t){return""!==t})){var m={expires_in:s.expiresIn,multiple:s.multiple};Object.keys(m).forEach(function(t){f.append("poll[".concat(t,"]"),m[t])}),h.forEach(function(t){f.append("poll[options][]",t)})}l&&f.append("in_reply_to_id",l),d&&f.append("preview","true");var g=wt(e);return p&&(g["idempotency-key"]=p),vt("/api/v1/statuses",{body:f,method:"POST",headers:g}).then(function(t){return t.json()}).then(function(t){return t.error?t:Object(x.f)(t)})},deleteStatus:function(t){var e=t.id,n=t.credentials;return vt(function(t){return"/api/v1/statuses/".concat(t)}(e),{headers:wt(n),method:"DELETE"})},uploadMedia:function(t){var e=t.formData,n=t.credentials;return vt("/api/v1/media",{body:e,method:"POST",headers:wt(n)}).then(function(t){return t.json()}).then(function(t){return Object(x.a)(t)})},setMediaDescription:function(t){var e=t.id,n=t.description,i=t.credentials;return bt({url:"".concat("/api/v1/media","/").concat(e),method:"PUT",headers:wt(i),payload:{description:n}}).then(function(t){return Object(x.a)(t)})},fetchMutes:function(t){var e=t.credentials;return bt({url:"/api/v1/mutes/",credentials:e}).then(function(t){return t.map(x.g)})},muteUser:function(t){var e=t.id,n=t.credentials;return bt({url:Q(e),credentials:n,method:"POST"})},unmuteUser:function(t){var e=t.id,n=t.credentials;return bt({url:Z(e),credentials:n,method:"POST"})},subscribeUser:function(t){var e=t.id,n=t.credentials;return bt({url:tt(e),credentials:n,method:"POST"})},unsubscribeUser:function(t){var e=t.id,n=t.credentials;return bt({url:et(e),credentials:n,method:"POST"})},fetchBlocks:function(t){var e=t.credentials;return bt({url:"/api/v1/blocks/",credentials:e}).then(function(t){return t.map(x.g)})},fetchOAuthTokens:function(t){var e=t.credentials;return vt("/api/oauth_tokens.json",{headers:wt(e)}).then(function(t){if(t.ok)return t.json();throw new Error("Error fetching auth tokens",t)})},revokeOAuthToken:function(t){var e=t.id,n=t.credentials,i="/api/oauth_tokens/".concat(e);return vt(i,{headers:wt(n),method:"DELETE"})},tagUser:function(t){var e=t.tag,n=t.credentials,i={nicknames:[t.user.screen_name],tags:[e]},o=wt(n);return o["Content-Type"]="application/json",vt("/api/pleroma/admin/users/tag",{method:"PUT",headers:o,body:JSON.stringify(i)})},untagUser:function(t){var e=t.tag,n=t.credentials,i={nicknames:[t.user.screen_name],tags:[e]},o=wt(n);return o["Content-Type"]="application/json",vt("/api/pleroma/admin/users/tag",{method:"DELETE",headers:o,body:JSON.stringify(i)})},deleteUser:function(t){var e=t.credentials,n=t.user.screen_name,i=wt(e);return vt("".concat("/api/pleroma/admin/users","?nickname=").concat(n),{method:"DELETE",headers:i})},addRight:function(t){var e=t.right,n=t.credentials,i=t.user.screen_name;return vt(q(i,e),{method:"POST",headers:wt(n),body:{}})},deleteRight:function(t){var e=t.right,n=t.credentials,i=t.user.screen_name;return vt(q(i,e),{method:"DELETE",headers:wt(n),body:{}})},activateUser:function(t){var e=t.credentials,n=t.user.screen_name;return bt({url:"/api/pleroma/admin/users/activate",method:"PATCH",credentials:e,payload:{nicknames:[n]}}).then(function(t){return p()(t,"users.0")})},deactivateUser:function(t){var e=t.credentials,n=t.user.screen_name;return bt({url:"/api/pleroma/admin/users/deactivate",method:"PATCH",credentials:e,payload:{nicknames:[n]}}).then(function(t){return p()(t,"users.0")})},register:function(t){var e=t.params,n=t.credentials,i=e.nickname,o=s()(e,["nickname"]);return vt("/api/v1/accounts",{method:"POST",headers:H({},wt(n),{"Content-Type":"application/json"}),body:JSON.stringify(H({nickname:i,locale:"en_US",agreement:!0},o))}).then(function(t){return t.ok?t.json():t.json().then(function(t){throw new B(t)})})},getCaptcha:function(){return vt("/api/pleroma/captcha").then(function(t){return t.json()})},updateProfileImages:function(t){var e=t.credentials,n=t.avatar,i=void 0===n?null:n,o=t.banner,r=void 0===o?null:o,s=t.background,a=void 0===s?null:s,c=new FormData;return null!==i&&c.append("avatar",i),null!==r&&c.append("header",r),null!==a&&c.append("pleroma_background_image",a),vt("/api/v1/accounts/update_credentials",{headers:wt(e),method:"PATCH",body:c}).then(function(t){return t.json()}).then(function(t){return Object(x.g)(t)})},updateProfile:function(t){var e=t.credentials,n=t.params;return bt({url:"/api/v1/accounts/update_credentials",method:"PATCH",payload:n,credentials:e}).then(function(t){return Object(x.g)(t)})},importBlocks:function(t){var e=t.file,n=t.credentials,i=new FormData;return i.append("list",e),vt("/api/pleroma/blocks_import",{body:i,method:"POST",headers:wt(n)}).then(function(t){return t.ok})},importFollows:function(t){var e=t.file,n=t.credentials,i=new FormData;return i.append("list",e),vt("/api/pleroma/follow_import",{body:i,method:"POST",headers:wt(n)}).then(function(t){return t.ok})},deleteAccount:function(t){var e=t.credentials,n=t.password,i=new FormData;return i.append("password",n),vt("/api/pleroma/delete_account",{body:i,method:"POST",headers:wt(e)}).then(function(t){return t.json()})},changeEmail:function(t){var e=t.credentials,n=t.email,i=t.password,o=new FormData;return o.append("email",n),o.append("password",i),vt("/api/pleroma/change_email",{body:o,method:"POST",headers:wt(e)}).then(function(t){return t.json()})},changePassword:function(t){var e=t.credentials,n=t.password,i=t.newPassword,o=t.newPasswordConfirmation,r=new FormData;return r.append("password",n),r.append("new_password",i),r.append("new_password_confirmation",o),vt("/api/pleroma/change_password",{body:r,method:"POST",headers:wt(e)}).then(function(t){return t.json()})},settingsMFA:function(t){var e=t.credentials;return vt("/api/pleroma/accounts/mfa",{headers:wt(e),method:"GET"}).then(function(t){return t.json()})},mfaDisableOTP:function(t){var e=t.credentials,n=t.password,i=new FormData;return i.append("password",n),vt("/api/pleroma/accounts/mfa/totp",{body:i,method:"DELETE",headers:wt(e)}).then(function(t){return t.json()})},generateMfaBackupCodes:function(t){var e=t.credentials;return vt("/api/pleroma/accounts/mfa/backup_codes",{headers:wt(e),method:"GET"}).then(function(t){return t.json()})},mfaSetupOTP:function(t){var e=t.credentials;return vt("/api/pleroma/accounts/mfa/setup/totp",{headers:wt(e),method:"GET"}).then(function(t){return t.json()})},mfaConfirmOTP:function(t){var e=t.credentials,n=t.password,i=t.token,o=new FormData;return o.append("password",n),o.append("code",i),vt("/api/pleroma/accounts/mfa/confirm/totp",{body:o,headers:wt(e),method:"POST"}).then(function(t){return t.json()})},fetchFollowRequests:function(t){var e=t.credentials;return vt("/api/v1/follow_requests",{headers:wt(e)}).then(function(t){return t.json()}).then(function(t){return t.map(x.g)})},approveUser:function(t){var e=t.id,n=t.credentials,i=function(t){return"/api/v1/follow_requests/".concat(t,"/authorize")}(e);return vt(i,{headers:wt(n),method:"POST"}).then(function(t){return t.json()})},denyUser:function(t){var e=t.id,n=t.credentials,i=function(t){return"/api/v1/follow_requests/".concat(t,"/reject")}(e);return vt(i,{headers:wt(n),method:"POST"}).then(function(t){return t.json()})},suggestions:function(t){var e=t.credentials;return vt("/api/v1/suggestions",{headers:wt(e)}).then(function(t){return t.json()})},markNotificationsAsSeen:function(t){var e=t.id,n=t.credentials,i=t.single,o=void 0!==i&&i,r=new FormData;return o?r.append("id",e):r.append("max_id",e),vt("/api/v1/pleroma/notifications/read",{body:r,headers:wt(n),method:"POST"}).then(function(t){return t.json()})},dismissNotification:function(t){var e=t.credentials,n=t.id;return bt({url:W(n),method:"POST",payload:{id:n},credentials:e})},vote:function(t){var e,n=t.pollId,i=t.choices,o=t.credentials;return(new FormData).append("choices",i),bt({url:(e=encodeURIComponent(n),"/api/v1/polls/".concat(e,"/votes")),method:"POST",credentials:o,payload:{choices:i}})},fetchPoll:function(t){var e,n=t.pollId,i=t.credentials;return bt({url:(e=encodeURIComponent(n),"/api/v1/polls/".concat(e)),method:"GET",credentials:i})},fetchFavoritedByUsers:function(t){var e=t.id,n=t.credentials;return bt({url:ot(e),method:"GET",credentials:n}).then(function(t){return t.map(x.g)})},fetchRebloggedByUsers:function(t){var e=t.id,n=t.credentials;return bt({url:rt(e),method:"GET",credentials:n}).then(function(t){return t.map(x.g)})},fetchEmojiReactions:function(t){var e=t.id,n=t.credentials;return bt({url:ut(e),credentials:n}).then(function(t){return t.map(function(t){return t.accounts=t.accounts.map(x.g),t})})},reactWithEmoji:function(t){var e=t.id,n=t.emoji,i=t.credentials;return bt({url:dt(e,n),method:"PUT",credentials:i}).then(x.f)},unreactWithEmoji:function(t){var e=t.id,n=t.emoji,i=t.credentials;return bt({url:pt(e,n),method:"DELETE",credentials:i}).then(x.f)},reportUser:function(t){var e=t.credentials,n=t.userId,i=t.statusIds,o=t.comment,r=t.forward;return bt({url:"/api/v1/reports",method:"POST",payload:{account_id:n,status_ids:i,comment:o,forward:r},credentials:e})},updateNotificationSettings:function(t){var e=t.credentials,n=t.settings,i=new FormData;return _()(n,function(t,e){i.append(e,t)}),vt("/api/pleroma/notification_settings",{headers:wt(e),method:"PUT",body:i}).then(function(t){return t.json()})},search2:function(t){var e=t.credentials,n=t.q,i=t.resolve,o=t.limit,r=t.offset,s=t.following,a="/api/v2/search",c=[];n&&c.push(["q",encodeURIComponent(n)]),i&&c.push(["resolve",i]),o&&c.push(["limit",o]),r&&c.push(["offset",r]),s&&c.push(["following",!0]),c.push(["with_relationships",!0]);var l=b()(c,function(t){return"".concat(t[0],"=").concat(t[1])}).join("&");return a+="?".concat(l),vt(a,{headers:wt(e)}).then(function(t){if(t.ok)return t;throw new Error("Error fetching search result",t)}).then(function(t){return t.json()}).then(function(t){return t.accounts=t.accounts.slice(0,o).map(function(t){return Object(x.g)(t)}),t.statuses=t.statuses.slice(0,o).map(function(t){return Object(x.f)(t)}),t})},searchUsers:function(t){var e=t.credentials,n=t.query;return bt({url:"/api/v1/accounts/search",params:{q:n,resolve:!0},credentials:e}).then(function(t){return t.map(x.g)})},fetchKnownDomains:function(t){var e=t.credentials;return bt({url:"/api/v1/instance/peers",credentials:e})},fetchDomainMutes:function(t){var e=t.credentials;return bt({url:"/api/v1/domain_blocks",credentials:e})},muteDomain:function(t){var e=t.domain,n=t.credentials;return bt({url:"/api/v1/domain_blocks",method:"POST",payload:{domain:e},credentials:n})},unmuteDomain:function(t){var e=t.domain,n=t.credentials;return bt({url:"/api/v1/domain_blocks",method:"DELETE",payload:{domain:e},credentials:n})},chats:function(t){var e=t.credentials;return vt("/api/v1/pleroma/chats",{headers:wt(e)}).then(function(t){return t.json()}).then(function(t){return{chats:t.map(x.b).filter(function(t){return t})}})},getOrCreateChat:function(t){var e,n=t.accountId,i=t.credentials;return bt({url:(e=n,"/api/v1/pleroma/chats/by-account-id/".concat(e)),method:"POST",credentials:i})},chatMessages:function(t){var e=t.id,n=t.credentials,i=t.maxId,o=t.sinceId,r=t.limit,s=void 0===r?20:r,a=ft(e),c=[i&&"max_id=".concat(i),o&&"since_id=".concat(o),s&&"limit=".concat(s)].filter(function(t){return t}).join("&");return bt({url:a+=c?"?"+c:"",method:"GET",credentials:n})},sendChatMessage:function(t){var e=t.id,n=t.content,i=t.mediaId,o=void 0===i?null:i,r=t.credentials,s={content:n};return o&&(s.media_id=o),bt({url:ft(e),method:"POST",payload:s,credentials:r})},readChat:function(t){var e=t.id,n=t.lastReadId,i=t.credentials;return bt({url:ht(e),method:"POST",payload:{last_read_id:n},credentials:i})},deleteChatMessage:function(t){var e=t.chatId,n=t.messageId,i=t.credentials;return bt({url:mt(e,n),method:"DELETE",credentials:i})}};e.c=Ot},,,,,,function(t,e,n){"use strict";var i=n(97),o=n.n(i),r=function(t){return t&&t.includes("@")};e.a=function(t,e,n){var i=!e||r(e)||o()(n,e);return{name:i?"external-user-profile":"user-profile",params:i?{id:t}:{name:e}}}},function(t,e,n){"use strict";n.r(e);var i={props:["user","betterShadow","compact"],data:function(){return{showPlaceholder:!1,defaultAvatar:"".concat(this.$store.state.instance.server+this.$store.state.instance.defaultAvatar)}},components:{StillImage:n(62).a},methods:{imgSrc:function(t){return!t||this.showPlaceholder?this.defaultAvatar:t},imageLoadError:function(){this.showPlaceholder=!0}}},o=n(0);var r=function(t){n(415)},s=Object(o.a)(i,function(){var t=this.$createElement;return(this._self._c||t)("StillImage",{staticClass:"Avatar",class:{"avatar-compact":this.compact,"better-shadow":this.betterShadow},attrs:{alt:this.user.screen_name,title:this.user.screen_name,src:this.imgSrc(this.user.profile_image_url_original),"image-load-error":this.imageLoadError}})},[],!1,r,null,null);e.default=s.exports},function(t,e,n){"use strict";n.d(e,"d",function(){return d}),n.d(e,"b",function(){return h}),n.d(e,"c",function(){return g}),n.d(e,"a",function(){return v}),n.d(e,"e",function(){return b});var i=n(97),o=n.n(i),r=n(98),s=n.n(r),a=n(37),c=n.n(a),l=n(99),u=n(100),d=function(t){return t.state.statuses.notifications.data},p=function(t){var e=t.rootState||t.state;return[e.config.notificationVisibility.likes&&"like",e.config.notificationVisibility.mentions&&"mention",e.config.notificationVisibility.repeats&&"repeat",e.config.notificationVisibility.follows&&"follow",e.config.notificationVisibility.followRequest&&"follow_request",e.config.notificationVisibility.moves&&"move",e.config.notificationVisibility.emojiReactions&&"pleroma:emoji_reaction"].filter(function(t){return t})},f=["like","mention","repeat","pleroma:emoji_reaction"],h=function(t){return o()(f,t)},m=function(t,e){var n=Number(t.id),i=Number(e.id),o=!Number.isNaN(n),r=!Number.isNaN(i);return o&&r?n>i?-1:1:o&&!r?1:!o&&r?-1:t.id>e.id?-1:1},g=function(t,e){var n=t.rootState||t.state;if(!e.seen&&p(t).includes(e.type)&&("mention"!==e.type||!function(t,e){if(e.status)return e.status.muted||Object(l.a)(e.status,t.rootGetters.mergedConfig.muteWords).length>0}(t,e))){var i=w(e,t.rootGetters.i18n);Object(u.a)(n,i)}},v=function(t,e){var n=d(t).map(function(t){return t}).sort(m);return(n=s()(n,"seen")).filter(function(n){return(e||p(t)).includes(n.type)})},b=function(t){return c()(v(t),function(t){return!t.seen})},w=function(t,e){var n,i={tag:t.id},o=t.status,r=t.from_profile.name;switch(i.title=r,i.icon=t.from_profile.profile_image_url,t.type){case"like":n="favorited_you";break;case"repeat":n="repeated_you";break;case"follow":n="followed_you";break;case"move":n="migrated_to";break;case"follow_request":n="follow_request"}return"pleroma:emoji_reaction"===t.type?i.body=e.t("notifications.reacted_with",[t.emoji]):n?i.body=e.t("notifications."+n):h(t.type)&&(i.body=t.status.text),o&&o.attachments&&o.attachments.length>0&&!o.nsfw&&o.attachments[0].mimetype.startsWith("image/")&&(i.image=o.attachments[0].url),i}},,function(t,e,n){"use strict";var i=function(t){return t.match(/text\/html/)?"html":t.match(/image/)?"image":t.match(/video/)?"video":t.match(/audio/)?"audio":"unknown"},o={fileType:i,fileMatchesSomeType:function(t,e){return t.some(function(t){return i(e.mimetype)===t})}};e.a=o},function(t,e,n){"use strict";n.r(e);var i={name:"Popover",props:{trigger:String,placement:String,boundTo:Object,boundToSelector:String,margin:Object,offset:Object,popoverClass:String},data:function(){return{hidden:!0,styles:{opacity:0},oldSize:{width:0,height:0}}},methods:{containerBoundingClientRect:function(){return(this.boundToSelector?this.$el.closest(this.boundToSelector):this.$el.offsetParent).getBoundingClientRect()},updateStyles:function(){if(this.hidden)this.styles={opacity:0};else{var t=this.$refs.trigger&&this.$refs.trigger.children[0]||this.$el,e=t.getBoundingClientRect(),n=e.left+.5*e.width,i=e.top,o=this.$refs.content,r=this.boundTo&&("container"===this.boundTo.x||"container"===this.boundTo.y)&&this.containerBoundingClientRect(),s=this.margin||{},a=this.boundTo&&"container"===this.boundTo.x?{min:r.left+(s.left||0),max:r.right-(s.right||0)}:{min:0+(s.left||10),max:window.innerWidth-(s.right||10)},c=this.boundTo&&"container"===this.boundTo.y?{min:r.top+(s.top||0),max:r.bottom-(s.bottom||0)}:{min:0+(s.top||50),max:window.innerHeight-(s.bottom||5)},l=0;n-.5*o.offsetWidth<a.min&&(l+=-(n-.5*o.offsetWidth)+a.min),n+l+.5*o.offsetWidth>a.max&&(l-=n+l+.5*o.offsetWidth-a.max);var u="bottom"!==this.placement;i+o.offsetHeight>c.max&&(u=!0),i-o.offsetHeight<c.min&&(u=!1);var d=this.offset&&this.offset.y||0,p=u?-t.offsetHeight-d-o.offsetHeight:d,f=this.offset&&this.offset.x||0,h=.5*t.offsetWidth-.5*o.offsetWidth+l+f;this.styles={opacity:1,transform:"translateX(".concat(Math.round(h),"px) translateY(").concat(Math.round(p),"px)")}}},showPopover:function(){this.hidden&&this.$emit("show"),this.hidden=!1,this.$nextTick(this.updateStyles)},hidePopover:function(){this.hidden||this.$emit("close"),this.hidden=!0,this.styles={opacity:0}},onMouseenter:function(t){"hover"===this.trigger&&this.showPopover()},onMouseleave:function(t){"hover"===this.trigger&&this.hidePopover()},onClick:function(t){"click"===this.trigger&&(this.hidden?this.showPopover():this.hidePopover())},onClickOutside:function(t){this.hidden||this.$el.contains(t.target)||this.hidePopover()}},updated:function(){var t=this.$refs.content;t&&(this.oldSize.width===t.offsetWidth&&this.oldSize.height===t.offsetHeight||(this.updateStyles(),this.oldSize={width:t.offsetWidth,height:t.offsetHeight}))},created:function(){document.addEventListener("click",this.onClickOutside)},destroyed:function(){document.removeEventListener("click",this.onClickOutside),this.hidePopover()}},o=n(0);var r=function(t){n(381)},s=Object(o.a)(i,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{on:{mouseenter:t.onMouseenter,mouseleave:t.onMouseleave}},[n("div",{ref:"trigger",on:{click:t.onClick}},[t._t("trigger")],2),t._v(" "),t.hidden?t._e():n("div",{ref:"content",staticClass:"popover",class:t.popoverClass||"popover-default",style:t.styles},[t._t("content",null,{close:t.hidePopover})],2)])},[],!1,r,null,null);e.default=s.exports},,,,,,function(t,e,n){"use strict";var i=n(1),o=n.n(i),r=n(18),s=n(113),a=n(78),c=n(109),l={props:{darkOverlay:{default:!0,type:Boolean},onCancel:{default:function(){},type:Function}}},u=n(0);var d=function(t){n(421)},p=Object(u.a)(l,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("span",{class:{"dark-overlay":t.darkOverlay},on:{click:function(e){return e.target!==e.currentTarget?null:(e.stopPropagation(),t.onCancel())}}},[n("div",{staticClass:"dialog-modal panel panel-default",on:{click:function(t){t.stopPropagation()}}},[n("div",{staticClass:"panel-heading dialog-modal-heading"},[n("div",{staticClass:"title"},[t._t("header")],2)]),t._v(" "),n("div",{staticClass:"dialog-modal-content"},[t._t("default")],2),t._v(" "),n("div",{staticClass:"dialog-modal-footer user-interactions panel-footer"},[t._t("footer")],2)])])},[],!1,d,null,null).exports,f=n(22),h={props:["user"],data:function(){return{tags:{FORCE_NSFW:"mrf_tag:media-force-nsfw",STRIP_MEDIA:"mrf_tag:media-strip",FORCE_UNLISTED:"mrf_tag:force-unlisted",DISABLE_REMOTE_SUBSCRIPTION:"mrf_tag:disable-remote-subscription",DISABLE_ANY_SUBSCRIPTION:"mrf_tag:disable-any-subscription",SANDBOX:"mrf_tag:sandbox",QUARANTINE:"mrf_tag:quarantine"},showDeleteUserDialog:!1,toggled:!1}},components:{DialogModal:p,Popover:f.default},computed:{tagsSet:function(){return new Set(this.user.tags)},hasTagPolicy:function(){return this.$store.state.instance.tagPolicyAvailable}},methods:{hasTag:function(t){return this.tagsSet.has(t)},toggleTag:function(t){var e=this,n=this.$store;this.tagsSet.has(t)?n.state.api.backendInteractor.untagUser({user:this.user,tag:t}).then(function(i){i.ok&&n.commit("untagUser",{user:e.user,tag:t})}):n.state.api.backendInteractor.tagUser({user:this.user,tag:t}).then(function(i){i.ok&&n.commit("tagUser",{user:e.user,tag:t})})},toggleRight:function(t){var e=this,n=this.$store;this.user.rights[t]?n.state.api.backendInteractor.deleteRight({user:this.user,right:t}).then(function(i){i.ok&&n.commit("updateRight",{user:e.user,right:t,value:!1})}):n.state.api.backendInteractor.addRight({user:this.user,right:t}).then(function(i){i.ok&&n.commit("updateRight",{user:e.user,right:t,value:!0})})},toggleActivationStatus:function(){this.$store.dispatch("toggleActivationStatus",{user:this.user})},deleteUserDialog:function(t){this.showDeleteUserDialog=t},deleteUser:function(){var t=this,e=this.$store,n=this.user,i=n.id,o=n.name;e.state.api.backendInteractor.deleteUser({user:n}).then(function(e){t.$store.dispatch("markStatusesAsDeleted",function(t){return n.id===t.user.id});var r="external-user-profile"===t.$route.name||"user-profile"===t.$route.name,s=t.$route.params.name===o||t.$route.params.id===i;r&&s&&window.history.back()})},setToggled:function(t){this.toggled=t}}};var m=function(t){n(419)},g=Object(u.a)(h,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",[n("Popover",{staticClass:"moderation-tools-popover",attrs:{trigger:"click",placement:"bottom",offset:{y:5}},on:{show:function(e){return t.setToggled(!0)},close:function(e){return t.setToggled(!1)}}},[n("div",{attrs:{slot:"content"},slot:"content"},[n("div",{staticClass:"dropdown-menu"},[t.user.is_local?n("span",[n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleRight("admin")}}},[t._v("\n "+t._s(t.$t(t.user.rights.admin?"user_card.admin_menu.revoke_admin":"user_card.admin_menu.grant_admin"))+"\n ")]),t._v(" "),n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleRight("moderator")}}},[t._v("\n "+t._s(t.$t(t.user.rights.moderator?"user_card.admin_menu.revoke_moderator":"user_card.admin_menu.grant_moderator"))+"\n ")]),t._v(" "),n("div",{staticClass:"dropdown-divider",attrs:{role:"separator"}})]):t._e(),t._v(" "),n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleActivationStatus()}}},[t._v("\n "+t._s(t.$t(t.user.deactivated?"user_card.admin_menu.activate_account":"user_card.admin_menu.deactivate_account"))+"\n ")]),t._v(" "),n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.deleteUserDialog(!0)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.delete_account"))+"\n ")]),t._v(" "),t.hasTagPolicy?n("div",{staticClass:"dropdown-divider",attrs:{role:"separator"}}):t._e(),t._v(" "),t.hasTagPolicy?n("span",[n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.FORCE_NSFW)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.force_nsfw"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.FORCE_NSFW)}})]),t._v(" "),n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.STRIP_MEDIA)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.strip_media"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.STRIP_MEDIA)}})]),t._v(" "),n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.FORCE_UNLISTED)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.force_unlisted"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.FORCE_UNLISTED)}})]),t._v(" "),n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.SANDBOX)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.sandbox"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.SANDBOX)}})]),t._v(" "),t.user.is_local?n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.DISABLE_REMOTE_SUBSCRIPTION)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.disable_remote_subscription"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.DISABLE_REMOTE_SUBSCRIPTION)}})]):t._e(),t._v(" "),t.user.is_local?n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.DISABLE_ANY_SUBSCRIPTION)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.disable_any_subscription"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.DISABLE_ANY_SUBSCRIPTION)}})]):t._e(),t._v(" "),t.user.is_local?n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.QUARANTINE)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.quarantine"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.QUARANTINE)}})]):t._e()]):t._e()])]),t._v(" "),n("button",{staticClass:"btn btn-default btn-block",class:{toggled:t.toggled},attrs:{slot:"trigger"},slot:"trigger"},[t._v("\n "+t._s(t.$t("user_card.admin_menu.moderation"))+"\n ")])]),t._v(" "),n("portal",{attrs:{to:"modal"}},[t.showDeleteUserDialog?n("DialogModal",{attrs:{"on-cancel":t.deleteUserDialog.bind(this,!1)}},[n("template",{slot:"header"},[t._v("\n "+t._s(t.$t("user_card.admin_menu.delete_user"))+"\n ")]),t._v(" "),n("p",[t._v(t._s(t.$t("user_card.admin_menu.delete_user_confirmation")))]),t._v(" "),n("template",{slot:"footer"},[n("button",{staticClass:"btn btn-default",on:{click:function(e){return t.deleteUserDialog(!1)}}},[t._v("\n "+t._s(t.$t("general.cancel"))+"\n ")]),t._v(" "),n("button",{staticClass:"btn btn-default danger",on:{click:function(e){return t.deleteUser()}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.delete_user"))+"\n ")])])],2):t._e()],1)],1)},[],!1,m,null,null).exports,v=n(2);function b(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var w={props:["user","relationship"],data:function(){return{}},components:{ProgressButton:a.a,Popover:f.default},methods:{showRepeats:function(){this.$store.dispatch("showReblogs",this.user.id)},hideRepeats:function(){this.$store.dispatch("hideReblogs",this.user.id)},blockUser:function(){this.$store.dispatch("blockUser",this.user.id)},unblockUser:function(){this.$store.dispatch("unblockUser",this.user.id)},reportUser:function(){this.$store.dispatch("openUserReportingModal",this.user.id)},openChat:function(){this.$router.push({name:"chat",params:{recipient_id:this.user.id}})}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?b(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):b(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},Object(v.e)({pleromaChatMessagesAvailable:function(t){return t.instance.pleromaChatMessagesAvailable}}))};var _=function(t){n(423)},x=Object(u.a)(w,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"account-actions"},[n("Popover",{attrs:{trigger:"click",placement:"bottom","bound-to":{x:"container"}}},[n("div",{staticClass:"account-tools-popover",attrs:{slot:"content"},slot:"content"},[n("div",{staticClass:"dropdown-menu"},[t.relationship.following?[t.relationship.showing_reblogs?n("button",{staticClass:"btn btn-default dropdown-item",on:{click:t.hideRepeats}},[t._v("\n "+t._s(t.$t("user_card.hide_repeats"))+"\n ")]):t._e(),t._v(" "),t.relationship.showing_reblogs?t._e():n("button",{staticClass:"btn btn-default dropdown-item",on:{click:t.showRepeats}},[t._v("\n "+t._s(t.$t("user_card.show_repeats"))+"\n ")]),t._v(" "),n("div",{staticClass:"dropdown-divider",attrs:{role:"separator"}})]:t._e(),t._v(" "),t.relationship.blocking?n("button",{staticClass:"btn btn-default btn-block dropdown-item",on:{click:t.unblockUser}},[t._v("\n "+t._s(t.$t("user_card.unblock"))+"\n ")]):n("button",{staticClass:"btn btn-default btn-block dropdown-item",on:{click:t.blockUser}},[t._v("\n "+t._s(t.$t("user_card.block"))+"\n ")]),t._v(" "),n("button",{staticClass:"btn btn-default btn-block dropdown-item",on:{click:t.reportUser}},[t._v("\n "+t._s(t.$t("user_card.report"))+"\n ")]),t._v(" "),t.pleromaChatMessagesAvailable?n("button",{staticClass:"btn btn-default btn-block dropdown-item",on:{click:t.openChat}},[t._v("\n "+t._s(t.$t("user_card.message"))+"\n ")]):t._e()],2)]),t._v(" "),n("div",{staticClass:"btn btn-default ellipsis-button",attrs:{slot:"trigger"},slot:"trigger"},[n("i",{staticClass:"icon-ellipsis trigger-button"})])])],1)},[],!1,_,null,null).exports,y=n(17);function k(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function C(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?k(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):k(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var S={props:["userId","switcher","selected","hideBio","rounded","bordered","allowZoomingAvatar"],data:function(){return{followRequestInProgress:!1,betterShadow:this.$store.state.interface.browserSupport.cssFilter}},created:function(){this.$store.dispatch("fetchUserRelationship",this.user.id)},computed:C({user:function(){return this.$store.getters.findUser(this.userId)},relationship:function(){return this.$store.getters.relationship(this.userId)},classes:function(){return[{"user-card-rounded-t":"top"===this.rounded,"user-card-rounded":!0===this.rounded,"user-card-bordered":!0===this.bordered}]},style:function(){return{backgroundImage:["linear-gradient(to bottom, var(--profileTint), var(--profileTint))","url(".concat(this.user.cover_photo,")")].join(", ")}},isOtherUser:function(){return this.user.id!==this.$store.state.users.currentUser.id},subscribeUrl:function(){var t=new URL(this.user.statusnet_profile_url);return"".concat(t.protocol,"//").concat(t.host,"/main/ostatus")},loggedIn:function(){return this.$store.state.users.currentUser},dailyAvg:function(){var t=Math.ceil((new Date-new Date(this.user.created_at))/864e5);return Math.round(this.user.statuses_count/t)},userHighlightType:C({get:function(){var t=this.$store.getters.mergedConfig.highlight[this.user.screen_name];return t&&t.type||"disabled"},set:function(t){var e=this.$store.getters.mergedConfig.highlight[this.user.screen_name];"disabled"!==t?this.$store.dispatch("setHighlight",{user:this.user.screen_name,color:e&&e.color||"#FFFFFF",type:t}):this.$store.dispatch("setHighlight",{user:this.user.screen_name,color:void 0})}},Object(v.c)(["mergedConfig"])),userHighlightColor:{get:function(){var t=this.$store.getters.mergedConfig.highlight[this.user.screen_name];return t&&t.color},set:function(t){this.$store.dispatch("setHighlight",{user:this.user.screen_name,color:t})}},visibleRole:function(){var t=this.user.rights;if(t){var e=t.admin||t.moderator,n=t.admin?"admin":"moderator";return e&&n}},hideFollowsCount:function(){return this.isOtherUser&&this.user.hide_follows_count},hideFollowersCount:function(){return this.isOtherUser&&this.user.hide_followers_count}},Object(v.c)(["mergedConfig"])),components:{UserAvatar:r.default,RemoteFollow:s.a,ModerationTools:g,AccountActions:x,ProgressButton:a.a,FollowButton:c.a},methods:{muteUser:function(){this.$store.dispatch("muteUser",this.user.id)},unmuteUser:function(){this.$store.dispatch("unmuteUser",this.user.id)},subscribeUser:function(){return this.$store.dispatch("subscribeUser",this.user.id)},unsubscribeUser:function(){return this.$store.dispatch("unsubscribeUser",this.user.id)},setProfileView:function(t){this.switcher&&this.$store.commit("setProfileView",{v:t})},linkClicked:function(t){var e=t.target;"SPAN"===e.tagName&&(e=e.parentNode),"A"===e.tagName&&window.open(e.href,"_blank")},userProfileLink:function(t){return Object(y.a)(t.id,t.screen_name,this.$store.state.instance.restrictedNicknames)},zoomAvatar:function(){var t={url:this.user.profile_image_url_original,mimetype:"image"};this.$store.dispatch("setMedia",[t]),this.$store.dispatch("setCurrent",t)},mentionUser:function(){this.$store.dispatch("openPostStatusModal",{replyTo:!0,repliedUser:this.user})}}};var j=function(t){n(413)},O=Object(u.a)(S,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"user-card",class:t.classes},[n("div",{staticClass:"background-image",class:{"hide-bio":t.hideBio},style:t.style}),t._v(" "),n("div",{staticClass:"panel-heading"},[n("div",{staticClass:"user-info"},[n("div",{staticClass:"container"},[t.allowZoomingAvatar?n("a",{staticClass:"user-info-avatar-link",on:{click:t.zoomAvatar}},[n("UserAvatar",{attrs:{"better-shadow":t.betterShadow,user:t.user}}),t._v(" "),t._m(0)],1):n("router-link",{attrs:{to:t.userProfileLink(t.user)}},[n("UserAvatar",{attrs:{"better-shadow":t.betterShadow,user:t.user}})],1),t._v(" "),n("div",{staticClass:"user-summary"},[n("div",{staticClass:"top-line"},[t.user.name_html?n("div",{staticClass:"user-name",attrs:{title:t.user.name},domProps:{innerHTML:t._s(t.user.name_html)}}):n("div",{staticClass:"user-name",attrs:{title:t.user.name}},[t._v("\n "+t._s(t.user.name)+"\n ")]),t._v(" "),t.isOtherUser&&!t.user.is_local?n("a",{attrs:{href:t.user.statusnet_profile_url,target:"_blank"}},[n("i",{staticClass:"icon-link-ext usersettings"})]):t._e(),t._v(" "),t.isOtherUser&&t.loggedIn?n("AccountActions",{attrs:{user:t.user,relationship:t.relationship}}):t._e()],1),t._v(" "),n("div",{staticClass:"bottom-line"},[n("router-link",{staticClass:"user-screen-name",attrs:{title:t.user.screen_name,to:t.userProfileLink(t.user)}},[t._v("\n @"+t._s(t.user.screen_name)+"\n ")]),t._v(" "),t.hideBio?t._e():[t.visibleRole?n("span",{staticClass:"alert user-role"},[t._v("\n "+t._s(t.visibleRole)+"\n ")]):t._e(),t._v(" "),t.user.bot?n("span",{staticClass:"alert user-role"},[t._v("\n bot\n ")]):t._e()],t._v(" "),t.user.locked?n("span",[n("i",{staticClass:"icon icon-lock"})]):t._e(),t._v(" "),t.mergedConfig.hideUserStats||t.hideBio?t._e():n("span",{staticClass:"dailyAvg"},[t._v(t._s(t.dailyAvg)+" "+t._s(t.$t("user_card.per_day")))])],2)])],1),t._v(" "),n("div",{staticClass:"user-meta"},[t.relationship.followed_by&&t.loggedIn&&t.isOtherUser?n("div",{staticClass:"following"},[t._v("\n "+t._s(t.$t("user_card.follows_you"))+"\n ")]):t._e(),t._v(" "),!t.isOtherUser||!t.loggedIn&&t.switcher?t._e():n("div",{staticClass:"highlighter"},["disabled"!==t.userHighlightType?n("input",{directives:[{name:"model",rawName:"v-model",value:t.userHighlightColor,expression:"userHighlightColor"}],staticClass:"userHighlightText",attrs:{id:"userHighlightColorTx"+t.user.id,type:"text"},domProps:{value:t.userHighlightColor},on:{input:function(e){e.target.composing||(t.userHighlightColor=e.target.value)}}}):t._e(),t._v(" "),"disabled"!==t.userHighlightType?n("input",{directives:[{name:"model",rawName:"v-model",value:t.userHighlightColor,expression:"userHighlightColor"}],staticClass:"userHighlightCl",attrs:{id:"userHighlightColor"+t.user.id,type:"color"},domProps:{value:t.userHighlightColor},on:{input:function(e){e.target.composing||(t.userHighlightColor=e.target.value)}}}):t._e(),t._v(" "),n("label",{staticClass:"userHighlightSel select",attrs:{for:"theme_tab"}},[n("select",{directives:[{name:"model",rawName:"v-model",value:t.userHighlightType,expression:"userHighlightType"}],staticClass:"userHighlightSel",attrs:{id:"userHighlightSel"+t.user.id},on:{change:function(e){var n=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.userHighlightType=e.target.multiple?n:n[0]}}},[n("option",{attrs:{value:"disabled"}},[t._v("No highlight")]),t._v(" "),n("option",{attrs:{value:"solid"}},[t._v("Solid bg")]),t._v(" "),n("option",{attrs:{value:"striped"}},[t._v("Striped bg")]),t._v(" "),n("option",{attrs:{value:"side"}},[t._v("Side stripe")])]),t._v(" "),n("i",{staticClass:"icon-down-open"})])])]),t._v(" "),t.loggedIn&&t.isOtherUser?n("div",{staticClass:"user-interactions"},[n("div",{staticClass:"btn-group"},[n("FollowButton",{attrs:{relationship:t.relationship}}),t._v(" "),t.relationship.following?[t.relationship.subscribing?n("ProgressButton",{staticClass:"btn btn-default toggled",attrs:{click:t.unsubscribeUser,title:t.$t("user_card.unsubscribe")}},[n("i",{staticClass:"icon-bell-ringing-o"})]):n("ProgressButton",{staticClass:"btn btn-default",attrs:{click:t.subscribeUser,title:t.$t("user_card.subscribe")}},[n("i",{staticClass:"icon-bell-alt"})])]:t._e()],2),t._v(" "),n("div",[t.relationship.muting?n("button",{staticClass:"btn btn-default btn-block toggled",on:{click:t.unmuteUser}},[t._v("\n "+t._s(t.$t("user_card.muted"))+"\n ")]):n("button",{staticClass:"btn btn-default btn-block",on:{click:t.muteUser}},[t._v("\n "+t._s(t.$t("user_card.mute"))+"\n ")])]),t._v(" "),n("div",[n("button",{staticClass:"btn btn-default btn-block",on:{click:t.mentionUser}},[t._v("\n "+t._s(t.$t("user_card.mention"))+"\n ")])]),t._v(" "),"admin"===t.loggedIn.role?n("ModerationTools",{attrs:{user:t.user}}):t._e()],1):t._e(),t._v(" "),!t.loggedIn&&t.user.is_local?n("div",{staticClass:"user-interactions"},[n("RemoteFollow",{attrs:{user:t.user}})],1):t._e()])]),t._v(" "),t.hideBio?t._e():n("div",{staticClass:"panel-body"},[!t.mergedConfig.hideUserStats&&t.switcher?n("div",{staticClass:"user-counts"},[n("div",{staticClass:"user-count",on:{click:function(e){return e.preventDefault(),t.setProfileView("statuses")}}},[n("h5",[t._v(t._s(t.$t("user_card.statuses")))]),t._v(" "),n("span",[t._v(t._s(t.user.statuses_count)+" "),n("br")])]),t._v(" "),n("div",{staticClass:"user-count",on:{click:function(e){return e.preventDefault(),t.setProfileView("friends")}}},[n("h5",[t._v(t._s(t.$t("user_card.followees")))]),t._v(" "),n("span",[t._v(t._s(t.hideFollowsCount?t.$t("user_card.hidden"):t.user.friends_count))])]),t._v(" "),n("div",{staticClass:"user-count",on:{click:function(e){return e.preventDefault(),t.setProfileView("followers")}}},[n("h5",[t._v(t._s(t.$t("user_card.followers")))]),t._v(" "),n("span",[t._v(t._s(t.hideFollowersCount?t.$t("user_card.hidden"):t.user.followers_count))])])]):t._e(),t._v(" "),!t.hideBio&&t.user.description_html?n("p",{staticClass:"user-card-bio",domProps:{innerHTML:t._s(t.user.description_html)},on:{click:function(e){return e.preventDefault(),t.linkClicked(e)}}}):t.hideBio?t._e():n("p",{staticClass:"user-card-bio"},[t._v("\n "+t._s(t.user.description)+"\n ")])])])},[function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"user-info-avatar-link-overlay"},[e("i",{staticClass:"button-icon icon-zoom-in"})])}],!1,j,null,null);e.a=O.exports},function(t,e,n){"use strict";n.d(e,"b",function(){return r}),n.d(e,"a",function(){return s}),n.d(e,"c",function(){return a});var i=n(14),o=n(9),r={undelay:null,topBar:null,badge:null,profileTint:null,fg:null,bg:"underlay",highlight:"bg",panel:"bg",popover:"bg",selectedMenu:"popover",btn:"bg",btnPanel:"panel",btnTopBar:"topBar",input:"bg",inputPanel:"panel",inputTopBar:"topBar",alert:"bg",alertPanel:"panel",poll:"bg",chatBg:"underlay",chatMessage:"chatBg"},s={profileTint:.5,alert:.5,input:.5,faint:.5,underlay:.15,alertPopup:.95},a={bg:{depends:[],opacity:"bg",priority:1},fg:{depends:[],priority:1},text:{depends:[],layer:"bg",opacity:null,priority:1},underlay:{default:"#000000",opacity:"underlay"},link:{depends:["accent"],priority:1},accent:{depends:["link"],priority:1},faint:{depends:["text"],opacity:"faint"},faintLink:{depends:["link"],opacity:"faint"},postFaintLink:{depends:["postLink"],opacity:"faint"},cBlue:"#0000ff",cRed:"#FF0000",cGreen:"#00FF00",cOrange:"#E3FF00",profileBg:{depends:["bg"],color:function(t,e){return{r:Math.floor(.53*e.r),g:Math.floor(.56*e.g),b:Math.floor(.59*e.b)}}},profileTint:{depends:["bg"],layer:"profileTint",opacity:"profileTint"},highlight:{depends:["bg"],color:function(t,e){return Object(i.brightness)(5*t,e).rgb}},highlightLightText:{depends:["lightText"],layer:"highlight",textColor:!0},highlightPostLink:{depends:["postLink"],layer:"highlight",textColor:"preserve"},highlightFaintText:{depends:["faint"],layer:"highlight",textColor:!0},highlightFaintLink:{depends:["faintLink"],layer:"highlight",textColor:"preserve"},highlightPostFaintLink:{depends:["postFaintLink"],layer:"highlight",textColor:"preserve"},highlightText:{depends:["text"],layer:"highlight",textColor:!0},highlightLink:{depends:["link"],layer:"highlight",textColor:"preserve"},highlightIcon:{depends:["highlight","highlightText"],color:function(t,e,n){return Object(o.g)(e,n)}},popover:{depends:["bg"],opacity:"popover"},popoverLightText:{depends:["lightText"],layer:"popover",textColor:!0},popoverPostLink:{depends:["postLink"],layer:"popover",textColor:"preserve"},popoverFaintText:{depends:["faint"],layer:"popover",textColor:!0},popoverFaintLink:{depends:["faintLink"],layer:"popover",textColor:"preserve"},popoverPostFaintLink:{depends:["postFaintLink"],layer:"popover",textColor:"preserve"},popoverText:{depends:["text"],layer:"popover",textColor:!0},popoverLink:{depends:["link"],layer:"popover",textColor:"preserve"},popoverIcon:{depends:["popover","popoverText"],color:function(t,e,n){return Object(o.g)(e,n)}},selectedPost:"--highlight",selectedPostFaintText:{depends:["highlightFaintText"],layer:"highlight",variant:"selectedPost",textColor:!0},selectedPostLightText:{depends:["highlightLightText"],layer:"highlight",variant:"selectedPost",textColor:!0},selectedPostPostLink:{depends:["highlightPostLink"],layer:"highlight",variant:"selectedPost",textColor:"preserve"},selectedPostFaintLink:{depends:["highlightFaintLink"],layer:"highlight",variant:"selectedPost",textColor:"preserve"},selectedPostText:{depends:["highlightText"],layer:"highlight",variant:"selectedPost",textColor:!0},selectedPostLink:{depends:["highlightLink"],layer:"highlight",variant:"selectedPost",textColor:"preserve"},selectedPostIcon:{depends:["selectedPost","selectedPostText"],color:function(t,e,n){return Object(o.g)(e,n)}},selectedMenu:{depends:["bg"],color:function(t,e){return Object(i.brightness)(5*t,e).rgb}},selectedMenuLightText:{depends:["highlightLightText"],layer:"selectedMenu",variant:"selectedMenu",textColor:!0},selectedMenuFaintText:{depends:["highlightFaintText"],layer:"selectedMenu",variant:"selectedMenu",textColor:!0},selectedMenuFaintLink:{depends:["highlightFaintLink"],layer:"selectedMenu",variant:"selectedMenu",textColor:"preserve"},selectedMenuText:{depends:["highlightText"],layer:"selectedMenu",variant:"selectedMenu",textColor:!0},selectedMenuLink:{depends:["highlightLink"],layer:"selectedMenu",variant:"selectedMenu",textColor:"preserve"},selectedMenuIcon:{depends:["selectedMenu","selectedMenuText"],color:function(t,e,n){return Object(o.g)(e,n)}},selectedMenuPopover:{depends:["popover"],color:function(t,e){return Object(i.brightness)(5*t,e).rgb}},selectedMenuPopoverLightText:{depends:["selectedMenuLightText"],layer:"selectedMenuPopover",variant:"selectedMenuPopover",textColor:!0},selectedMenuPopoverFaintText:{depends:["selectedMenuFaintText"],layer:"selectedMenuPopover",variant:"selectedMenuPopover",textColor:!0},selectedMenuPopoverFaintLink:{depends:["selectedMenuFaintLink"],layer:"selectedMenuPopover",variant:"selectedMenuPopover",textColor:"preserve"},selectedMenuPopoverText:{depends:["selectedMenuText"],layer:"selectedMenuPopover",variant:"selectedMenuPopover",textColor:!0},selectedMenuPopoverLink:{depends:["selectedMenuLink"],layer:"selectedMenuPopover",variant:"selectedMenuPopover",textColor:"preserve"},selectedMenuPopoverIcon:{depends:["selectedMenuPopover","selectedMenuText"],color:function(t,e,n){return Object(o.g)(e,n)}},lightText:{depends:["text"],layer:"bg",textColor:"preserve",color:function(t,e){return Object(i.brightness)(20*t,e).rgb}},postLink:{depends:["link"],layer:"bg",textColor:"preserve"},postGreentext:{depends:["cGreen"],layer:"bg",textColor:"preserve"},border:{depends:["fg"],opacity:"border",color:function(t,e){return Object(i.brightness)(2*t,e).rgb}},poll:{depends:["accent","bg"],copacity:"poll",color:function(t,e,n){return Object(o.a)(e,.4,n)}},pollText:{depends:["text"],layer:"poll",textColor:!0},icon:{depends:["bg","text"],inheritsOpacity:!1,color:function(t,e,n){return Object(o.g)(e,n)}},fgText:{depends:["text"],layer:"fg",textColor:!0},fgLink:{depends:["link"],layer:"fg",textColor:"preserve"},panel:{depends:["fg"],opacity:"panel"},panelText:{depends:["text"],layer:"panel",textColor:!0},panelFaint:{depends:["fgText"],layer:"panel",opacity:"faint",textColor:!0},panelLink:{depends:["fgLink"],layer:"panel",textColor:"preserve"},topBar:"--fg",topBarText:{depends:["fgText"],layer:"topBar",textColor:!0},topBarLink:{depends:["fgLink"],layer:"topBar",textColor:"preserve"},tab:{depends:["btn"]},tabText:{depends:["btnText"],layer:"btn",textColor:!0},tabActiveText:{depends:["text"],layer:"bg",textColor:!0},btn:{depends:["fg"],variant:"btn",opacity:"btn"},btnText:{depends:["fgText"],layer:"btn",textColor:!0},btnPanelText:{depends:["btnText"],layer:"btnPanel",variant:"btn",textColor:!0},btnTopBarText:{depends:["btnText"],layer:"btnTopBar",variant:"btn",textColor:!0},btnPressed:{depends:["btn"],layer:"btn"},btnPressedText:{depends:["btnText"],layer:"btn",variant:"btnPressed",textColor:!0},btnPressedPanel:{depends:["btnPressed"],layer:"btn"},btnPressedPanelText:{depends:["btnPanelText"],layer:"btnPanel",variant:"btnPressed",textColor:!0},btnPressedTopBar:{depends:["btnPressed"],layer:"btn"},btnPressedTopBarText:{depends:["btnTopBarText"],layer:"btnTopBar",variant:"btnPressed",textColor:!0},btnToggled:{depends:["btn"],layer:"btn",color:function(t,e){return Object(i.brightness)(20*t,e).rgb}},btnToggledText:{depends:["btnText"],layer:"btn",variant:"btnToggled",textColor:!0},btnToggledPanelText:{depends:["btnPanelText"],layer:"btnPanel",variant:"btnToggled",textColor:!0},btnToggledTopBarText:{depends:["btnTopBarText"],layer:"btnTopBar",variant:"btnToggled",textColor:!0},btnDisabled:{depends:["btn","bg"],color:function(t,e,n){return Object(o.a)(e,.25,n)}},btnDisabledText:{depends:["btnText","btnDisabled"],layer:"btn",variant:"btnDisabled",color:function(t,e,n){return Object(o.a)(e,.25,n)}},btnDisabledPanelText:{depends:["btnPanelText","btnDisabled"],layer:"btnPanel",variant:"btnDisabled",color:function(t,e,n){return Object(o.a)(e,.25,n)}},btnDisabledTopBarText:{depends:["btnTopBarText","btnDisabled"],layer:"btnTopBar",variant:"btnDisabled",color:function(t,e,n){return Object(o.a)(e,.25,n)}},input:{depends:["fg"],opacity:"input"},inputText:{depends:["text"],layer:"input",textColor:!0},inputPanelText:{depends:["panelText"],layer:"inputPanel",variant:"input",textColor:!0},inputTopbarText:{depends:["topBarText"],layer:"inputTopBar",variant:"input",textColor:!0},alertError:{depends:["cRed"],opacity:"alert"},alertErrorText:{depends:["text"],layer:"alert",variant:"alertError",textColor:!0},alertErrorPanelText:{depends:["panelText"],layer:"alertPanel",variant:"alertError",textColor:!0},alertWarning:{depends:["cOrange"],opacity:"alert"},alertWarningText:{depends:["text"],layer:"alert",variant:"alertWarning",textColor:!0},alertWarningPanelText:{depends:["panelText"],layer:"alertPanel",variant:"alertWarning",textColor:!0},alertNeutral:{depends:["text"],opacity:"alert"},alertNeutralText:{depends:["text"],layer:"alert",variant:"alertNeutral",color:function(t,e){return Object(i.invertLightness)(e).rgb},textColor:!0},alertNeutralPanelText:{depends:["panelText"],layer:"alertPanel",variant:"alertNeutral",textColor:!0},alertPopupError:{depends:["alertError"],opacity:"alertPopup"},alertPopupErrorText:{depends:["alertErrorText"],layer:"popover",variant:"alertPopupError",textColor:!0},alertPopupWarning:{depends:["alertWarning"],opacity:"alertPopup"},alertPopupWarningText:{depends:["alertWarningText"],layer:"popover",variant:"alertPopupWarning",textColor:!0},alertPopupNeutral:{depends:["alertNeutral"],opacity:"alertPopup"},alertPopupNeutralText:{depends:["alertNeutralText"],layer:"popover",variant:"alertPopupNeutral",textColor:!0},badgeNotification:"--cRed",badgeNotificationText:{depends:["text","badgeNotification"],layer:"badge",variant:"badgeNotification",textColor:"bw"},chatBg:{depends:["bg"]},chatMessageIncomingBg:{depends:["chatBg"]},chatMessageIncomingText:{depends:["text"],layer:"chatMessage",variant:"chatMessageIncomingBg",textColor:!0},chatMessageIncomingLink:{depends:["link"],layer:"chatMessage",variant:"chatMessageIncomingBg",textColor:"preserve"},chatMessageIncomingBorder:{depends:["border"],opacity:"border",color:function(t,e){return Object(i.brightness)(2*t,e).rgb}},chatMessageOutgoingBg:{depends:["chatMessageIncomingBg"],color:function(t,e){return Object(i.brightness)(5*t,e).rgb}},chatMessageOutgoingText:{depends:["text"],layer:"chatMessage",variant:"chatMessageOutgoingBg",textColor:!0},chatMessageOutgoingLink:{depends:["link"],layer:"chatMessage",variant:"chatMessageOutgoingBg",textColor:"preserve"},chatMessageOutgoingBorder:{depends:["chatMessageOutgoingBg"],opacity:"border",color:function(t,e){return Object(i.brightness)(2*t,e).rgb}}}},,,function(t,e,n){"use strict";n.d(e,"b",function(){return g}),n.d(e,"i",function(){return v}),n.d(e,"e",function(){return b}),n.d(e,"g",function(){return w}),n.d(e,"f",function(){return _}),n.d(e,"a",function(){return S}),n.d(e,"h",function(){return j}),n.d(e,"d",function(){return O}),n.d(e,"k",function(){return $}),n.d(e,"c",function(){return T}),n.d(e,"m",function(){return I}),n.d(e,"j",function(){return E}),n.d(e,"l",function(){return M});var i=n(27),o=n.n(i),r=n(10),s=n.n(r),a=n(1),c=n.n(a),l=n(7),u=n.n(l),d=n(14),p=n(9),f=n(39);function h(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function m(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?h(Object(n),!0).forEach(function(e){c()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):h(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var g=function(t){var e=P(t).rules,n=document.head,i=document.body;i.classList.add("hidden");var o=document.createElement("style");n.appendChild(o);var r=o.sheet;r.toString(),r.insertRule("body { ".concat(e.radii," }"),"index-max"),r.insertRule("body { ".concat(e.colors," }"),"index-max"),r.insertRule("body { ".concat(e.shadows," }"),"index-max"),r.insertRule("body { ".concat(e.fonts," }"),"index-max"),i.classList.remove("hidden")},v=function(t,e){return 0===t.length?"none":t.filter(function(t){return e?t.inset:t}).map(function(t){return[t.x,t.y,t.blur,t.spread].map(function(t){return t+"px"}).concat([Object(p.d)(t.color,t.alpha),t.inset?"inset":""]).join(" ")}).join(", ")},b=function(t){var e=t.themeEngineVersion?t.colors||t:T(t.colors||t),n=Object(f.d)(e,t.opacity||{}),i=n.colors,o=n.opacity,r=Object.entries(i).reduce(function(t,e){var n=u()(e,2),i=n[0],o=n[1];return o?(t.solid[i]=Object(p.i)(o),t.complete[i]=void 0===o.a?Object(p.i)(o):Object(p.j)(o),t):t},{complete:{},solid:{}});return{rules:{colors:Object.entries(r.complete).filter(function(t){var e=u()(t,2);e[0];return e[1]}).map(function(t){var e=u()(t,2),n=e[0],i=e[1];return"--".concat(n,": ").concat(i)}).join(";")},theme:{colors:r.solid,opacity:o}}},w=function(t){var e=t.radii||{};void 0!==t.btnRadius&&(e=Object.entries(t).filter(function(t){var e=u()(t,2),n=e[0];e[1];return n.endsWith("Radius")}).reduce(function(t,e){return t[e[0].split("Radius")[0]]=e[1],t},{}));var n=Object.entries(e).filter(function(t){var e=u()(t,2);e[0];return e[1]}).reduce(function(t,e){var n=u()(e,2),i=n[0],o=n[1];return t[i]=o,t},{btn:4,input:4,checkbox:2,panel:10,avatar:5,avatarAlt:50,tooltip:2,attachment:5,chatMessage:e.panel});return{rules:{radii:Object.entries(n).filter(function(t){var e=u()(t,2);e[0];return e[1]}).map(function(t){var e=u()(t,2),n=e[0],i=e[1];return"--".concat(n,"Radius: ").concat(i,"px")}).join(";")},theme:{radii:n}}},_=function(t){var e=Object.entries(t.fonts||{}).filter(function(t){var e=u()(t,2);e[0];return e[1]}).reduce(function(t,e){var n=u()(e,2),i=n[0],o=n[1];return t[i]=Object.entries(o).filter(function(t){var e=u()(t,2);e[0];return e[1]}).reduce(function(t,e){var n=u()(e,2),i=n[0],o=n[1];return t[i]=o,t},t[i]),t},{interface:{family:"sans-serif"},input:{family:"inherit"},post:{family:"inherit"},postCode:{family:"monospace"}});return{rules:{fonts:Object.entries(e).filter(function(t){var e=u()(t,2);e[0];return e[1]}).map(function(t){var e=u()(t,2),n=e[0],i=e[1];return"--".concat(n,"Font: ").concat(i.family)}).join(";")},theme:{fonts:e}}},x=function(t,e){return{x:0,y:t?1:-1,blur:0,spread:0,color:e?"#000000":"#FFFFFF",alpha:.2,inset:!0}},y=[x(!0,!1),x(!1,!0)],k=[x(!0,!0),x(!1,!1)],C={x:0,y:0,blur:4,spread:0,color:"--faint",alpha:1},S={panel:[{x:1,y:1,blur:4,spread:0,color:"#000000",alpha:.6}],topBar:[{x:0,y:0,blur:4,spread:0,color:"#000000",alpha:.6}],popup:[{x:2,y:2,blur:3,spread:0,color:"#000000",alpha:.5}],avatar:[{x:0,y:1,blur:8,spread:0,color:"#000000",alpha:.7}],avatarStatus:[],panelHeader:[],button:[{x:0,y:0,blur:2,spread:0,color:"#000000",alpha:1}].concat(y),buttonHover:[C].concat(y),buttonPressed:[C].concat(k),input:[].concat(k,[{x:0,y:0,blur:2,inset:!0,spread:0,color:"#000000",alpha:1}])},j=function(t,e){var n={button:"btn",panel:"bg",top:"topBar",popup:"popover",avatar:"bg",panelHeader:"panel",input:"input"},i=t.shadows&&!t.themeEngineVersion?I(t.shadows,t.opacity):t.shadows||{},o=Object.entries(m({},S,{},i)).reduce(function(t,i){var o=u()(i,2),r=o[0],a=o[1],l=r.replace(/[A-Z].*$/,""),h=n[l],g=Object(p.h)(Object(d.convert)(e[h]).rgb)<.5?1:-1,v=a.reduce(function(t,n){return[].concat(s()(t),[m({},n,{color:Object(p.i)(Object(f.c)(n.color,function(t){return Object(d.convert)(e[t]).rgb},g))})])},[]);return m({},t,c()({},r,v))},{});return{rules:{shadows:Object.entries(o).map(function(t){var e,n=u()(t,2),i=n[0],o=n[1];return["--".concat(i,"Shadow: ").concat(v(o)),"--".concat(i,"ShadowFilter: ").concat((e=o,0===e.length?"none":e.filter(function(t){return!t.inset&&0===Number(t.spread)}).map(function(t){return[t.x,t.y,t.blur/2].map(function(t){return t+"px"}).concat([Object(p.d)(t.color,t.alpha)]).join(" ")}).map(function(t){return"drop-shadow(".concat(t,")")}).join(" "))),"--".concat(i,"ShadowInset: ").concat(v(o,!0))].join(";")}).join(";")},theme:{shadows:o}}},O=function(t,e,n,i){return{rules:m({},n.rules,{},t.rules,{},e.rules,{},i.rules),theme:m({},n.theme,{},t.theme,{},e.theme,{},i.theme)}},P=function(t){var e=b(t);return O(e,w(t),j(t,e.theme.colors,e.mod),_(t))},$=function(){return window.fetch("/static/styles.json",{cache:"no-store"}).then(function(t){return t.json()}).then(function(t){return Object.entries(t).map(function(t){var e=u()(t,2),n=e[0],i=e[1],r=null;return"object"===o()(i)?r=Promise.resolve(i):"string"==typeof i&&(r=window.fetch(i,{cache:"no-store"}).then(function(t){return t.json()}).catch(function(t){return console.error(t),null})),[n,r]})}).then(function(t){return t.reduce(function(t,e){var n=u()(e,2),i=n[0],o=n[1];return t[i]=o,t},{})})},T=function(t){return Object.entries(t).reduce(function(t,e){var n=u()(e,2),i=n[0],o=n[1];switch(i){case"lightBg":return m({},t,{highlight:o});case"btnText":return m({},t,{},["","Panel","TopBar"].reduce(function(t,e){return m({},t,c()({},"btn"+e+"Text",o))},{}));default:return m({},t,c()({},i,o))}},{})},I=function(t,e){return Object.entries(t).reduce(function(t,n){var i=u()(n,2),o=i[0],r=i[1],a=r.reduce(function(t,n){return[].concat(s()(t),[m({},n,{alpha:(r=n,r.color.startsWith("--")?(i=n,o=i.color,e[Object(f.f)(o.substring(2).split(",")[0])]||1):n.alpha)})]);var i,o,r},[]);return m({},t,c()({},o,a))},{})},E=function(t){return $().then(function(e){return e[t]?e[t]:e["pleroma-dark"]}).then(function(t){var e=Array.isArray(t),n=e?{}:t.theme;if(e){var i=Object(p.f)(t[1]),o=Object(p.f)(t[2]),r=Object(p.f)(t[3]),s=Object(p.f)(t[4]),a=Object(p.f)(t[5]||"#FF0000"),c=Object(p.f)(t[6]||"#00FF00"),l=Object(p.f)(t[7]||"#0000FF"),u=Object(p.f)(t[8]||"#E3FF00");n.colors={bg:i,fg:o,text:r,link:s,cRed:a,cBlue:l,cGreen:c,cOrange:u}}return{theme:n,source:t.source}})},M=function(t){return E(t).then(function(t){return g(t.theme)})}},function(t,e,n){"use strict";n.r(e);var i=n(1),o=n.n(i),r=n(106),s=n.n(r),a=n(188),c=n.n(a),l=n(2);function u(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var d={props:["status","loggedIn"],data:function(){return{animated:!1}},methods:{favorite:function(){var t=this;this.status.favorited?this.$store.dispatch("unfavorite",{id:this.status.id}):this.$store.dispatch("favorite",{id:this.status.id}),this.animated=!0,setTimeout(function(){t.animated=!1},500)}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?u(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):u(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({classes:function(){return{"icon-star-empty":!this.status.favorited,"icon-star":this.status.favorited,"animate-spin":this.animated}}},Object(l.c)(["mergedConfig"]))},p=n(0);var f=function(t){n(377)},h=Object(p.a)(d,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.loggedIn?n("div",[n("i",{staticClass:"button-icon favorite-button fav-active",class:t.classes,attrs:{title:t.$t("tool_tip.favorite")},on:{click:function(e){return e.preventDefault(),t.favorite()}}}),t._v(" "),!t.mergedConfig.hidePostStats&&t.status.fave_num>0?n("span",[t._v(t._s(t.status.fave_num))]):t._e()]):n("div",[n("i",{staticClass:"button-icon favorite-button",class:t.classes,attrs:{title:t.$t("tool_tip.favorite")}}),t._v(" "),!t.mergedConfig.hidePostStats&&t.status.fave_num>0?n("span",[t._v(t._s(t.status.fave_num))]):t._e()])},[],!1,f,null,null).exports,m=n(22);function g(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var v={props:["status"],data:function(){return{filterWord:""}},components:{Popover:m.default},methods:{addReaction:function(t,e,n){var i=this.status.emoji_reactions.find(function(t){return t.name===e});i&&i.me?this.$store.dispatch("unreactWithEmoji",{id:this.status.id,emoji:e}):this.$store.dispatch("reactWithEmoji",{id:this.status.id,emoji:e}),n()}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?g(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):g(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({commonEmojis:function(){return["👍","😠","👀","😂","🔥"]},emojis:function(){if(""!==this.filterWord){var t=this.filterWord.toLowerCase();return this.$store.state.instance.emoji.filter(function(e){return e.displayText.toLowerCase().includes(t)})}return this.$store.state.instance.emoji||[]}},Object(l.c)(["mergedConfig"]))};var b=function(t){n(379)},w=Object(p.a)(v,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("Popover",{staticClass:"react-button-popover",attrs:{trigger:"click",placement:"top",offset:{y:5}},scopedSlots:t._u([{key:"content",fn:function(e){var i=e.close;return n("div",{},[n("div",{staticClass:"reaction-picker-filter"},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.filterWord,expression:"filterWord"}],attrs:{placeholder:t.$t("emoji.search_emoji")},domProps:{value:t.filterWord},on:{input:function(e){e.target.composing||(t.filterWord=e.target.value)}}})]),t._v(" "),n("div",{staticClass:"reaction-picker"},[t._l(t.commonEmojis,function(e){return n("span",{key:e,staticClass:"emoji-button",on:{click:function(n){return t.addReaction(n,e,i)}}},[t._v("\n "+t._s(e)+"\n ")])}),t._v(" "),n("div",{staticClass:"reaction-picker-divider"}),t._v(" "),t._l(t.emojis,function(e,o){return n("span",{key:o,staticClass:"emoji-button",on:{click:function(n){return t.addReaction(n,e.replacement,i)}}},[t._v("\n "+t._s(e.replacement)+"\n ")])}),t._v(" "),n("div",{staticClass:"reaction-bottom-fader"})],2)])}}])},[t._v(" "),n("i",{staticClass:"icon-smile button-icon add-reaction-button",attrs:{slot:"trigger",title:t.$t("tool_tip.add_reaction")},slot:"trigger"})])},[],!1,b,null,null).exports;function _(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var x={props:["status","loggedIn","visibility"],data:function(){return{animated:!1}},methods:{retweet:function(){var t=this;this.status.repeated?this.$store.dispatch("unretweet",{id:this.status.id}):this.$store.dispatch("retweet",{id:this.status.id}),this.animated=!0,setTimeout(function(){t.animated=!1},500)}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?_(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):_(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({classes:function(){return{retweeted:this.status.repeated,"retweeted-empty":!this.status.repeated,"animate-spin":this.animated}}},Object(l.c)(["mergedConfig"]))};var y=function(t){n(383)},k=Object(p.a)(x,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.loggedIn?n("div",["private"!==t.visibility&&"direct"!==t.visibility?[n("i",{staticClass:"button-icon retweet-button icon-retweet rt-active",class:t.classes,attrs:{title:t.$t("tool_tip.repeat")},on:{click:function(e){return e.preventDefault(),t.retweet()}}}),t._v(" "),!t.mergedConfig.hidePostStats&&t.status.repeat_num>0?n("span",[t._v(t._s(t.status.repeat_num))]):t._e()]:[n("i",{staticClass:"button-icon icon-lock",class:t.classes,attrs:{title:t.$t("timeline.no_retweet_hint")}})]],2):t.loggedIn?t._e():n("div",[n("i",{staticClass:"button-icon icon-retweet",class:t.classes,attrs:{title:t.$t("tool_tip.repeat")}}),t._v(" "),!t.mergedConfig.hidePostStats&&t.status.repeat_num>0?n("span",[t._v(t._s(t.status.repeat_num))]):t._e()])},[],!1,y,null,null).exports,C={props:["status"],components:{Popover:m.default},methods:{deleteStatus:function(){window.confirm(this.$t("status.delete_confirm"))&&this.$store.dispatch("deleteStatus",{id:this.status.id})},pinStatus:function(){var t=this;this.$store.dispatch("pinStatus",this.status.id).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})},unpinStatus:function(){var t=this;this.$store.dispatch("unpinStatus",this.status.id).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})},muteConversation:function(){var t=this;this.$store.dispatch("muteConversation",this.status.id).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})},unmuteConversation:function(){var t=this;this.$store.dispatch("unmuteConversation",this.status.id).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})},copyLink:function(){var t=this;navigator.clipboard.writeText(this.statusLink).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})},bookmarkStatus:function(){var t=this;this.$store.dispatch("bookmark",{id:this.status.id}).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})},unbookmarkStatus:function(){var t=this;this.$store.dispatch("unbookmark",{id:this.status.id}).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})}},computed:{currentUser:function(){return this.$store.state.users.currentUser},canDelete:function(){if(this.currentUser)return this.currentUser.rights.moderator||this.currentUser.rights.admin||this.status.user.id===this.currentUser.id},ownStatus:function(){return this.status.user.id===this.currentUser.id},canPin:function(){return this.ownStatus&&("public"===this.status.visibility||"unlisted"===this.status.visibility)},canMute:function(){return!!this.currentUser},statusLink:function(){return"".concat(this.$store.state.instance.server).concat(this.$router.resolve({name:"conversation",params:{id:this.status.id}}).href)}}};var S=function(t){n(385)},j=Object(p.a)(C,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("Popover",{staticClass:"extra-button-popover",attrs:{trigger:"click",placement:"top","bound-to":{x:"container"}},scopedSlots:t._u([{key:"content",fn:function(e){var i=e.close;return n("div",{},[n("div",{staticClass:"dropdown-menu"},[t.canMute&&!t.status.thread_muted?n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:function(e){return e.preventDefault(),t.muteConversation(e)}}},[n("i",{staticClass:"icon-eye-off"}),n("span",[t._v(t._s(t.$t("status.mute_conversation")))])]):t._e(),t._v(" "),t.canMute&&t.status.thread_muted?n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:function(e){return e.preventDefault(),t.unmuteConversation(e)}}},[n("i",{staticClass:"icon-eye-off"}),n("span",[t._v(t._s(t.$t("status.unmute_conversation")))])]):t._e(),t._v(" "),!t.status.pinned&&t.canPin?n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:[function(e){return e.preventDefault(),t.pinStatus(e)},i]}},[n("i",{staticClass:"icon-pin"}),n("span",[t._v(t._s(t.$t("status.pin")))])]):t._e(),t._v(" "),t.status.pinned&&t.canPin?n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:[function(e){return e.preventDefault(),t.unpinStatus(e)},i]}},[n("i",{staticClass:"icon-pin"}),n("span",[t._v(t._s(t.$t("status.unpin")))])]):t._e(),t._v(" "),t.status.bookmarked?t._e():n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:[function(e){return e.preventDefault(),t.bookmarkStatus(e)},i]}},[n("i",{staticClass:"icon-bookmark-empty"}),n("span",[t._v(t._s(t.$t("status.bookmark")))])]),t._v(" "),t.status.bookmarked?n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:[function(e){return e.preventDefault(),t.unbookmarkStatus(e)},i]}},[n("i",{staticClass:"icon-bookmark"}),n("span",[t._v(t._s(t.$t("status.unbookmark")))])]):t._e(),t._v(" "),t.canDelete?n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:[function(e){return e.preventDefault(),t.deleteStatus(e)},i]}},[n("i",{staticClass:"icon-cancel"}),n("span",[t._v(t._s(t.$t("status.delete")))])]):t._e(),t._v(" "),n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:[function(e){return e.preventDefault(),t.copyLink(e)},i]}},[n("i",{staticClass:"icon-share"}),n("span",[t._v(t._s(t.$t("status.copy_link")))])])])])}}])},[t._v(" "),n("i",{staticClass:"icon-ellipsis button-icon",attrs:{slot:"trigger"},slot:"trigger"})])},[],!1,S,null,null).exports,O=n(42),P=n(28),$=n(18),T=n(114),I=n(44),E=n(34),M=n(25),U=n.n(M),F={name:"StatusPopover",props:["statusId"],data:function(){return{error:!1}},computed:{status:function(){return U()(this.$store.state.statuses.allStatuses,{id:this.statusId})}},components:{Status:function(){return Promise.resolve().then(n.bind(null,33))},Popover:function(){return Promise.resolve().then(n.bind(null,22))}},methods:{enter:function(){var t=this;if(!this.status){if(!this.statusId)return void(this.error=!0);this.$store.dispatch("fetchStatus",this.statusId).then(function(e){return t.error=!1}).catch(function(e){return t.error=!0})}}}};var D=function(t){n(427)},L=Object(p.a)(F,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("Popover",{attrs:{trigger:"hover","popover-class":"popover-default status-popover","bound-to":{x:"container"}},on:{show:t.enter}},[n("template",{slot:"trigger"},[t._t("default")],2),t._v(" "),n("div",{attrs:{slot:"content"},slot:"content"},[t.status?n("Status",{attrs:{"is-preview":!0,statusoid:t.status,compact:!0}}):t.error?n("div",{staticClass:"status-preview-no-content faint"},[t._v("\n "+t._s(t.$t("status.status_unavailable"))+"\n ")]):n("div",{staticClass:"status-preview-no-content"},[n("i",{staticClass:"icon-spin4 animate-spin"})])],1)],2)},[],!1,D,null,null).exports,N={name:"UserListPopover",props:["users"],components:{Popover:function(){return Promise.resolve().then(n.bind(null,22))},UserAvatar:function(){return Promise.resolve().then(n.bind(null,18))}},computed:{usersCapped:function(){return this.users.slice(0,16)}}};var R=function(t){n(429)},A=Object(p.a)(N,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("Popover",{attrs:{trigger:"hover",placement:"top",offset:{y:5}}},[n("template",{slot:"trigger"},[t._t("default")],2),t._v(" "),n("div",{staticClass:"user-list-popover",attrs:{slot:"content"},slot:"content"},[t.users.length?n("div",t._l(t.usersCapped,function(e){return n("div",{key:e.id,staticClass:"user-list-row"},[n("UserAvatar",{staticClass:"avatar-small",attrs:{user:e,compact:!0}}),t._v(" "),n("div",{staticClass:"user-list-names"},[n("span",{domProps:{innerHTML:t._s(e.name_html)}}),t._v(" "),n("span",{staticClass:"user-list-screen-name"},[t._v(t._s(e.screen_name))])])],1)}),0):n("div",[n("i",{staticClass:"icon-spin4 animate-spin"})])])],2)},[],!1,R,null,null).exports,B={name:"EmojiReactions",components:{UserAvatar:$.default,UserListPopover:A},props:["status"],data:function(){return{showAll:!1}},computed:{tooManyReactions:function(){return this.status.emoji_reactions.length>12},emojiReactions:function(){return this.showAll?this.status.emoji_reactions:this.status.emoji_reactions.slice(0,12)},showMoreString:function(){return"+".concat(this.status.emoji_reactions.length-12)},accountsForEmoji:function(){return this.status.emoji_reactions.reduce(function(t,e){return t[e.name]=e.accounts||[],t},{})},loggedIn:function(){return!!this.$store.state.users.currentUser}},methods:{toggleShowAll:function(){this.showAll=!this.showAll},reactedWith:function(t){return this.status.emoji_reactions.find(function(e){return e.name===t}).me},fetchEmojiReactionsByIfMissing:function(){this.status.emoji_reactions.find(function(t){return!t.accounts})&&this.$store.dispatch("fetchEmojiReactionsBy",this.status.id)},reactWith:function(t){this.$store.dispatch("reactWithEmoji",{id:this.status.id,emoji:t})},unreact:function(t){this.$store.dispatch("unreactWithEmoji",{id:this.status.id,emoji:t})},emojiOnClick:function(t,e){this.loggedIn&&(this.reactedWith(t)?this.unreact(t):this.reactWith(t))}}};var z=function(t){n(431)},H=Object(p.a)(B,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"emoji-reactions"},[t._l(t.emojiReactions,function(e){return n("UserListPopover",{key:e.name,attrs:{users:t.accountsForEmoji[e.name]}},[n("button",{staticClass:"emoji-reaction btn btn-default",class:{"picked-reaction":t.reactedWith(e.name),"not-clickable":!t.loggedIn},on:{click:function(n){return t.emojiOnClick(e.name,n)},mouseenter:function(e){return t.fetchEmojiReactionsByIfMissing()}}},[n("span",{staticClass:"reaction-emoji"},[t._v(t._s(e.name))]),t._v(" "),n("span",[t._v(t._s(e.count))])])])}),t._v(" "),t.tooManyReactions?n("a",{staticClass:"emoji-reaction-expand faint",attrs:{href:"javascript:void(0)"},on:{click:t.toggleShowAll}},[t._v("\n "+t._s(t.showAll?t.$t("general.show_less"):t.showMoreString)+"\n ")]):t._e()],2)},[],!1,z,null,null).exports,q=n(17),W=n(46),V=n(99);function G(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var K={name:"Status",components:{FavoriteButton:h,ReactButton:w,RetweetButton:k,ExtraButtons:j,PostStatusForm:O.a,UserCard:P.a,UserAvatar:$.default,AvatarList:T.a,Timeago:I.a,StatusPopover:L,UserListPopover:A,EmojiReactions:H,StatusContent:E.a},props:["statusoid","expandable","inConversation","focused","highlight","compact","replies","isPreview","noHeading","inlineExpanded","showPinned","inProfile","profileUserId"],data:function(){return{replying:!1,unmuted:!1,userExpanded:!1,error:null}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?G(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):G(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({muteWords:function(){return this.mergedConfig.muteWords},showReasonMutedThread:function(){return(this.status.thread_muted||this.status.reblog&&this.status.reblog.thread_muted)&&!this.inConversation},repeaterClass:function(){var t=this.statusoid.user;return Object(W.a)(t)},userClass:function(){var t=this.retweet?this.statusoid.retweeted_status.user:this.statusoid.user;return Object(W.a)(t)},deleted:function(){return this.statusoid.deleted},repeaterStyle:function(){var t=this.statusoid.user,e=this.mergedConfig.highlight;return Object(W.b)(e[t.screen_name])},userStyle:function(){if(!this.noHeading){var t=this.retweet?this.statusoid.retweeted_status.user:this.statusoid.user,e=this.mergedConfig.highlight;return Object(W.b)(e[t.screen_name])}},userProfileLink:function(){return this.generateUserProfileLink(this.status.user.id,this.status.user.screen_name)},replyProfileLink:function(){if(this.isReply)return this.generateUserProfileLink(this.status.in_reply_to_user_id,this.replyToName)},retweet:function(){return!!this.statusoid.retweeted_status},retweeter:function(){return this.statusoid.user.name||this.statusoid.user.screen_name},retweeterHtml:function(){return this.statusoid.user.name_html},retweeterProfileLink:function(){return this.generateUserProfileLink(this.statusoid.user.id,this.statusoid.user.screen_name)},status:function(){return this.retweet?this.statusoid.retweeted_status:this.statusoid},statusFromGlobalRepository:function(){return this.$store.state.statuses.allStatusesObject[this.status.id]},loggedIn:function(){return!!this.currentUser},muteWordHits:function(){return Object(V.a)(this.status,this.muteWords)},muted:function(){var t=this.status,e=t.reblog,n=this.$store.getters.relationship(t.user.id),i=e&&this.$store.getters.relationship(e.user.id),o=t.muted||e&&e.muted||n.muting||i&&i.muting||t.thread_muted||this.muteWordHits.length>0,r=(this.inProfile&&(!e&&t.user.id===this.profileUserId||e&&e.user.id===this.profileUserId)||this.inConversation&&t.thread_muted)&&!this.muteWordHits.length>0;return!this.unmuted&&!r&&o},hideFilteredStatuses:function(){return this.mergedConfig.hideFilteredStatuses},hideStatus:function(){return this.deleted||this.muted&&this.hideFilteredStatuses},isFocused:function(){return!!this.focused||!!this.inConversation&&this.status.id===this.highlight},isReply:function(){return!(!this.status.in_reply_to_status_id||!this.status.in_reply_to_user_id)},replyToName:function(){if(this.status.in_reply_to_screen_name)return this.status.in_reply_to_screen_name;var t=this.$store.getters.findUser(this.status.in_reply_to_user_id);return t&&t.screen_name},replySubject:function(){if(!this.status.summary)return"";var t=c()(this.status.summary),e=this.mergedConfig.subjectLineBehavior,n=t.match(/^re[: ]/i);return"noop"!==e&&n||"masto"===e?t:"email"===e?"re: ".concat(t):"noop"===e?"":void 0},combinedFavsAndRepeatsUsers:function(){var t=[].concat(this.statusFromGlobalRepository.favoritedBy,this.statusFromGlobalRepository.rebloggedBy);return s()(t,"id")},tags:function(){return this.status.tags.filter(function(t){return t.hasOwnProperty("name")}).map(function(t){return t.name}).join(" ")},hidePostStats:function(){return this.mergedConfig.hidePostStats}},Object(l.c)(["mergedConfig"]),{},Object(l.e)({betterShadow:function(t){return t.interface.browserSupport.cssFilter},currentUser:function(t){return t.users.currentUser}})),methods:{visibilityIcon:function(t){switch(t){case"private":return"icon-lock";case"unlisted":return"icon-lock-open-alt";case"direct":return"icon-mail-alt";default:return"icon-globe"}},showError:function(t){this.error=t},clearError:function(){this.error=void 0},toggleReplying:function(){this.replying=!this.replying},gotoOriginal:function(t){this.inConversation&&this.$emit("goto",t)},toggleExpanded:function(){this.$emit("toggleExpanded")},toggleMute:function(){this.unmuted=!this.unmuted},toggleUserExpanded:function(){this.userExpanded=!this.userExpanded},generateUserProfileLink:function(t,e){return Object(q.a)(t,e,this.$store.state.instance.restrictedNicknames)}},watch:{highlight:function(t){if(this.status.id===t){var e=this.$el.getBoundingClientRect();e.top<100?window.scrollBy(0,e.top-100):e.height>=window.innerHeight-50?window.scrollBy(0,e.top-100):e.bottom>window.innerHeight-50&&window.scrollBy(0,e.bottom-window.innerHeight+50)}},"status.repeat_num":function(t){this.isFocused&&this.statusFromGlobalRepository.rebloggedBy&&this.statusFromGlobalRepository.rebloggedBy.length!==t&&this.$store.dispatch("fetchRepeats",this.status.id)},"status.fave_num":function(t){this.isFocused&&this.statusFromGlobalRepository.favoritedBy&&this.statusFromGlobalRepository.favoritedBy.length!==t&&this.$store.dispatch("fetchFavs",this.status.id)}},filters:{capitalize:function(t){return t.charAt(0).toUpperCase()+t.slice(1)}}};var Y=function(t){n(374)},J=Object(p.a)(K,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.hideStatus?t._e():n("div",{staticClass:"Status",class:[{"-focused":t.isFocused},{"-conversation":t.inlineExpanded}]},[t.error?n("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.error)+"\n "),n("i",{staticClass:"button-icon icon-cancel",on:{click:t.clearError}})]):t._e(),t._v(" "),t.muted&&!t.isPreview?[n("div",{staticClass:"status-csontainer muted"},[n("small",{staticClass:"status-username"},[t.muted&&t.retweet?n("i",{staticClass:"button-icon icon-retweet"}):t._e(),t._v(" "),n("router-link",{attrs:{to:t.userProfileLink}},[t._v("\n "+t._s(t.status.user.screen_name)+"\n ")])],1),t._v(" "),t.showReasonMutedThread?n("small",{staticClass:"mute-thread"},[t._v("\n "+t._s(t.$t("status.thread_muted"))+"\n ")]):t._e(),t._v(" "),t.showReasonMutedThread&&t.muteWordHits.length>0?n("small",{staticClass:"mute-thread"},[t._v("\n "+t._s(t.$t("status.thread_muted_and_words"))+"\n ")]):t._e(),t._v(" "),n("small",{staticClass:"mute-words",attrs:{title:t.muteWordHits.join(", ")}},[t._v("\n "+t._s(t.muteWordHits.join(", "))+"\n ")]),t._v(" "),n("a",{staticClass:"unmute",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleMute(e)}}},[n("i",{staticClass:"button-icon icon-eye-off"})])])]:[t.showPinned?n("div",{staticClass:"pin"},[n("i",{staticClass:"fa icon-pin faint"}),t._v(" "),n("span",{staticClass:"faint"},[t._v(t._s(t.$t("status.pinned")))])]):t._e(),t._v(" "),!t.retweet||t.noHeading||t.inConversation?t._e():n("div",{staticClass:"status-container repeat-info",class:[t.repeaterClass,{highlighted:t.repeaterStyle}],style:[t.repeaterStyle]},[t.retweet?n("UserAvatar",{staticClass:"left-side repeater-avatar",attrs:{"better-shadow":t.betterShadow,user:t.statusoid.user}}):t._e(),t._v(" "),n("div",{staticClass:"right-side faint"},[n("span",{staticClass:"status-username repeater-name",attrs:{title:t.retweeter}},[t.retweeterHtml?n("router-link",{attrs:{to:t.retweeterProfileLink},domProps:{innerHTML:t._s(t.retweeterHtml)}}):n("router-link",{attrs:{to:t.retweeterProfileLink}},[t._v(t._s(t.retweeter))])],1),t._v(" "),n("i",{staticClass:"fa icon-retweet retweeted",attrs:{title:t.$t("tool_tip.repeat")}}),t._v("\n "+t._s(t.$t("timeline.repeated"))+"\n ")])],1),t._v(" "),n("div",{staticClass:"status-container",class:[t.userClass,{highlighted:t.userStyle,"-repeat":t.retweet&&!t.inConversation}],style:[t.userStyle],attrs:{"data-tags":t.tags}},[t.noHeading?t._e():n("div",{staticClass:"left-side"},[n("router-link",{attrs:{to:t.userProfileLink},nativeOn:{"!click":function(e){return e.stopPropagation(),e.preventDefault(),t.toggleUserExpanded(e)}}},[n("UserAvatar",{attrs:{compact:t.compact,"better-shadow":t.betterShadow,user:t.status.user}})],1)],1),t._v(" "),n("div",{staticClass:"right-side"},[t.userExpanded?n("UserCard",{staticClass:"usercard",attrs:{"user-id":t.status.user.id,rounded:!0,bordered:!0}}):t._e(),t._v(" "),t.noHeading?t._e():n("div",{staticClass:"status-heading"},[n("div",{staticClass:"heading-name-row"},[n("div",{staticClass:"heading-left"},[t.status.user.name_html?n("h4",{staticClass:"status-username",attrs:{title:t.status.user.name},domProps:{innerHTML:t._s(t.status.user.name_html)}}):n("h4",{staticClass:"status-username",attrs:{title:t.status.user.name}},[t._v("\n "+t._s(t.status.user.name)+"\n ")]),t._v(" "),n("router-link",{staticClass:"account-name",attrs:{title:t.status.user.screen_name,to:t.userProfileLink}},[t._v("\n "+t._s(t.status.user.screen_name)+"\n ")]),t._v(" "),t.status.user&&t.status.user.favicon?n("img",{staticClass:"status-favicon",attrs:{src:t.status.user.favicon}}):t._e()],1),t._v(" "),n("span",{staticClass:"heading-right"},[n("router-link",{staticClass:"timeago faint-link",attrs:{to:{name:"conversation",params:{id:t.status.id}}}},[n("Timeago",{attrs:{time:t.status.created_at,"auto-update":60}})],1),t._v(" "),t.status.visibility?n("div",{staticClass:"button-icon visibility-icon"},[n("i",{class:t.visibilityIcon(t.status.visibility),attrs:{title:t._f("capitalize")(t.status.visibility)}})]):t._e(),t._v(" "),t.status.is_local||t.isPreview?t._e():n("a",{staticClass:"source_url",attrs:{href:t.status.external_url,target:"_blank",title:"Source"}},[n("i",{staticClass:"button-icon icon-link-ext-alt"})]),t._v(" "),t.expandable&&!t.isPreview?[n("a",{attrs:{href:"#",title:"Expand"},on:{click:function(e){return e.preventDefault(),t.toggleExpanded(e)}}},[n("i",{staticClass:"button-icon icon-plus-squared"})])]:t._e(),t._v(" "),t.unmuted?n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleMute(e)}}},[n("i",{staticClass:"button-icon icon-eye-off"})]):t._e()],2)]),t._v(" "),n("div",{staticClass:"heading-reply-row"},[t.isReply?n("div",{staticClass:"reply-to-and-accountname"},[t.isPreview?n("span",{staticClass:"reply-to-no-popover"},[n("span",{staticClass:"reply-to-text"},[t._v(t._s(t.$t("status.reply_to")))])]):n("StatusPopover",{staticClass:"reply-to-popover",class:{"-strikethrough":!t.status.parent_visible},staticStyle:{"min-width":"0"},attrs:{"status-id":t.status.parent_visible&&t.status.in_reply_to_status_id}},[n("a",{staticClass:"reply-to",attrs:{href:"#","aria-label":t.$t("tool_tip.reply")},on:{click:function(e){return e.preventDefault(),t.gotoOriginal(t.status.in_reply_to_status_id)}}},[n("i",{staticClass:"button-icon reply-button icon-reply"}),t._v(" "),n("span",{staticClass:"faint-link reply-to-text"},[t._v("\n "+t._s(t.$t("status.reply_to"))+"\n ")])])]),t._v(" "),n("router-link",{staticClass:"reply-to-link",attrs:{title:t.replyToName,to:t.replyProfileLink}},[t._v("\n "+t._s(t.replyToName)+"\n ")]),t._v(" "),t.replies&&t.replies.length?n("span",{staticClass:"faint replies-separator"},[t._v("\n -\n ")]):t._e()],1):t._e(),t._v(" "),t.inConversation&&!t.isPreview&&t.replies&&t.replies.length?n("div",{staticClass:"replies"},[n("span",{staticClass:"faint"},[t._v(t._s(t.$t("status.replies_list")))]),t._v(" "),t._l(t.replies,function(e){return n("StatusPopover",{key:e.id,attrs:{"status-id":e.id}},[n("a",{staticClass:"reply-link",attrs:{href:"#"},on:{click:function(n){return n.preventDefault(),t.gotoOriginal(e.id)}}},[t._v(t._s(e.name))])])})],2):t._e()])]),t._v(" "),n("StatusContent",{attrs:{status:t.status,"no-heading":t.noHeading,highlight:t.highlight,focused:t.isFocused}}),t._v(" "),n("transition",{attrs:{name:"fade"}},[!t.hidePostStats&&t.isFocused&&t.combinedFavsAndRepeatsUsers.length>0?n("div",{staticClass:"favs-repeated-users"},[n("div",{staticClass:"stats"},[t.statusFromGlobalRepository.rebloggedBy&&t.statusFromGlobalRepository.rebloggedBy.length>0?n("UserListPopover",{attrs:{users:t.statusFromGlobalRepository.rebloggedBy}},[n("div",{staticClass:"stat-count"},[n("a",{staticClass:"stat-title"},[t._v(t._s(t.$t("status.repeats")))]),t._v(" "),n("div",{staticClass:"stat-number"},[t._v("\n "+t._s(t.statusFromGlobalRepository.rebloggedBy.length)+"\n ")])])]):t._e(),t._v(" "),t.statusFromGlobalRepository.favoritedBy&&t.statusFromGlobalRepository.favoritedBy.length>0?n("UserListPopover",{attrs:{users:t.statusFromGlobalRepository.favoritedBy}},[n("div",{staticClass:"stat-count"},[n("a",{staticClass:"stat-title"},[t._v(t._s(t.$t("status.favorites")))]),t._v(" "),n("div",{staticClass:"stat-number"},[t._v("\n "+t._s(t.statusFromGlobalRepository.favoritedBy.length)+"\n ")])])]):t._e(),t._v(" "),n("div",{staticClass:"avatar-row"},[n("AvatarList",{attrs:{users:t.combinedFavsAndRepeatsUsers}})],1)],1)]):t._e()]),t._v(" "),!t.mergedConfig.emojiReactionsOnTimeline&&!t.isFocused||t.noHeading||t.isPreview?t._e():n("EmojiReactions",{attrs:{status:t.status}}),t._v(" "),t.noHeading||t.isPreview?t._e():n("div",{staticClass:"status-actions"},[n("div",[t.loggedIn?n("i",{staticClass:"button-icon button-reply icon-reply",class:{"-active":t.replying},attrs:{title:t.$t("tool_tip.reply")},on:{click:function(e){return e.preventDefault(),t.toggleReplying(e)}}}):n("i",{staticClass:"button-icon button-reply -disabled icon-reply",attrs:{title:t.$t("tool_tip.reply")}}),t._v(" "),t.status.replies_count>0?n("span",[t._v(t._s(t.status.replies_count))]):t._e()]),t._v(" "),n("retweet-button",{attrs:{visibility:t.status.visibility,"logged-in":t.loggedIn,status:t.status}}),t._v(" "),n("favorite-button",{attrs:{"logged-in":t.loggedIn,status:t.status}}),t._v(" "),t.loggedIn?n("ReactButton",{attrs:{status:t.status}}):t._e(),t._v(" "),n("extra-buttons",{attrs:{status:t.status},on:{onError:t.showError,onSuccess:t.clearError}})],1)],1)]),t._v(" "),t.replying?n("div",{staticClass:"status-container reply-form"},[n("PostStatusForm",{staticClass:"reply-body",attrs:{"reply-to":t.status.id,attentions:t.status.attentions,"replied-user":t.status.user,"copy-message-scope":t.status.visibility,subject:t.replySubject},on:{posted:t.toggleReplying}})],1):t._e()]],2)},[],!1,Y,null,null);e.default=J.exports},function(t,e,n){"use strict";var i=n(1),o=n.n(i),r=n(43),s=n(15),a=n.n(s),c=n(130),l=n.n(c),u={name:"Poll",props:["basePoll"],components:{Timeago:n(44).a},data:function(){return{loading:!1,choices:[]}},created:function(){this.$store.state.polls.pollsObject[this.pollId]||this.$store.dispatch("mergeOrAddPoll",this.basePoll),this.$store.dispatch("trackPoll",this.pollId)},destroyed:function(){this.$store.dispatch("untrackPoll",this.pollId)},computed:{pollId:function(){return this.basePoll.id},poll:function(){return this.$store.state.polls.pollsObject[this.pollId]||{}},options:function(){return this.poll&&this.poll.options||[]},expiresAt:function(){return this.poll&&this.poll.expires_at||0},expired:function(){return this.poll&&this.poll.expired||!1},loggedIn:function(){return this.$store.state.users.currentUser},showResults:function(){return this.poll.voted||this.expired||!this.loggedIn},totalVotesCount:function(){return this.poll.votes_count},containerClass:function(){return{loading:this.loading}},choiceIndices:function(){return this.choices.map(function(t,e){return t&&e}).filter(function(t){return"number"==typeof t})},isDisabled:function(){var t=0===this.choiceIndices.length;return this.loading||t}},methods:{percentageForOption:function(t){return 0===this.totalVotesCount?0:Math.round(t/this.totalVotesCount*100)},resultTitle:function(t){return"".concat(t.votes_count,"/").concat(this.totalVotesCount," ").concat(this.$t("polls.votes"))},fetchPoll:function(){this.$store.dispatch("refreshPoll",{id:this.statusId,pollId:this.poll.id})},activateOption:function(t){var e=this.$el.querySelectorAll("input"),n=this.$el.querySelector('input[value="'.concat(t,'"]'));this.poll.multiple?n.checked=!n.checked:(l()(e,function(t){t.checked=!1}),n.checked=!0),this.choices=a()(e,function(t){return t.checked})},optionId:function(t){return"poll".concat(this.poll.id,"-").concat(t)},vote:function(){var t=this;0!==this.choiceIndices.length&&(this.loading=!0,this.$store.dispatch("votePoll",{id:this.statusId,pollId:this.poll.id,choices:this.choiceIndices}).then(function(e){t.loading=!1}))}}},d=n(0);var p=function(t){n(407)},f=Object(d.a)(u,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"poll",class:t.containerClass},[t._l(t.options,function(e,i){return n("div",{key:i,staticClass:"poll-option"},[t.showResults?n("div",{staticClass:"option-result",attrs:{title:t.resultTitle(e)}},[n("div",{staticClass:"option-result-label"},[n("span",{staticClass:"result-percentage"},[t._v("\n "+t._s(t.percentageForOption(e.votes_count))+"%\n ")]),t._v(" "),n("span",{domProps:{innerHTML:t._s(e.title_html)}})]),t._v(" "),n("div",{staticClass:"result-fill",style:{width:t.percentageForOption(e.votes_count)+"%"}})]):n("div",{on:{click:function(e){return t.activateOption(i)}}},[t.poll.multiple?n("input",{attrs:{type:"checkbox",disabled:t.loading},domProps:{value:i}}):n("input",{attrs:{type:"radio",disabled:t.loading},domProps:{value:i}}),t._v(" "),n("label",{staticClass:"option-vote"},[n("div",[t._v(t._s(e.title))])])])])}),t._v(" "),n("div",{staticClass:"footer faint"},[t.showResults?t._e():n("button",{staticClass:"btn btn-default poll-vote-button",attrs:{type:"button",disabled:t.isDisabled},on:{click:t.vote}},[t._v("\n "+t._s(t.$t("polls.vote"))+"\n ")]),t._v(" "),n("div",{staticClass:"total"},[t._v("\n "+t._s(t.totalVotesCount)+" "+t._s(t.$t("polls.votes"))+" · \n ")]),t._v(" "),n("i18n",{attrs:{path:t.expired?"polls.expired":"polls.expires_in"}},[n("Timeago",{attrs:{time:t.expiresAt,"auto-update":60,"now-threshold":0}})],1)],1)],2)},[],!1,p,null,null).exports,h=n(111),m=n(112),g=n(17),v=n(21),b=n(7),w=n.n(b),_=n(2);function x(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var y={name:"StatusContent",props:["status","focused","noHeading","fullContent","singleLine"],data:function(){return{showingTall:this.fullContent||this.inConversation&&this.focused,showingLongSubject:!1,expandingSubject:!this.$store.getters.mergedConfig.collapseMessageWithSubject}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?x(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):x(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({localCollapseSubjectDefault:function(){return this.mergedConfig.collapseMessageWithSubject},hideAttachments:function(){return this.mergedConfig.hideAttachments&&!this.inConversation||this.mergedConfig.hideAttachmentsInConv&&this.inConversation},tallStatus:function(){return this.status.statusnet_html.split(/<p|<br/).length+this.status.text.length/80>20},longSubject:function(){return this.status.summary.length>240},mightHideBecauseSubject:function(){return!!this.status.summary&&this.localCollapseSubjectDefault},mightHideBecauseTall:function(){return this.tallStatus&&!(this.status.summary&&this.localCollapseSubjectDefault)},hideSubjectStatus:function(){return this.mightHideBecauseSubject&&!this.expandingSubject},hideTallStatus:function(){return this.mightHideBecauseTall&&!this.showingTall},showingMore:function(){return this.mightHideBecauseTall&&this.showingTall||this.mightHideBecauseSubject&&this.expandingSubject},nsfwClickthrough:function(){return!!this.status.nsfw&&(!this.status.summary||!this.localCollapseSubjectDefault)},attachmentSize:function(){return this.mergedConfig.hideAttachments&&!this.inConversation||this.mergedConfig.hideAttachmentsInConv&&this.inConversation||this.status.attachments.length>this.maxThumbnails?"hide":this.compact?"small":"normal"},galleryTypes:function(){return"hide"===this.attachmentSize?[]:this.mergedConfig.playVideosInModal?["image","video"]:["image"]},galleryAttachments:function(){var t=this;return this.status.attachments.filter(function(e){return v.a.fileMatchesSomeType(t.galleryTypes,e)})},nonGalleryAttachments:function(){var t=this;return this.status.attachments.filter(function(e){return!v.a.fileMatchesSomeType(t.galleryTypes,e)})},attachmentTypes:function(){return this.status.attachments.map(function(t){return v.a.fileType(t.mimetype)})},maxThumbnails:function(){return this.mergedConfig.maxThumbnails},postBodyHtml:function(){var t=this.status.statusnet_html;if(!this.mergedConfig.greentext)return t;try{return t.includes("&gt;")?function(t,e){for(var n,i=new Set(["p","br","div"]),o=new Set(["p","div"]),r="",s=[],a="",c=null,l=function(){a.trim().length>0?r+=e(a):r+=a,a=""},u=function(t){l(),r+=t},d=function(t){l(),r+=t,s.push(t)},p=function(t){l(),r+=t,s[s.length-1]===t&&s.pop()},f=0;f<t.length;f++){var h=t[f];if("<"===h&&null===c)c=h;else if(">"!==h&&null!==c)c+=h;else if(">"===h&&null!==c){var m=c+=h;c=null;var g=(n=void 0,(n=/(?:<\/(\w+)>|<(\w+)\s?[^/]*?\/?>)/gi.exec(m))&&(n[1]||n[2]));i.has(g)?"br"===g?u(m):o.has(g)&&("/"===m[1]?p(m):"/"===m[m.length-2]?u(m):d(m)):a+=m}else"\n"===h?u(h):a+=h}return c&&(a+=c),l(),r}(t,function(t){return t.includes("&gt;")&&t.replace(/<[^>]+?>/gi,"").replace(/@\w+/gi,"").trim().startsWith("&gt;")?"<span class='greentext'>".concat(t,"</span>"):t}):t}catch(e){return console.err("Failed to process status html",e),t}}},Object(_.c)(["mergedConfig"]),{},Object(_.e)({betterShadow:function(t){return t.interface.browserSupport.cssFilter},currentUser:function(t){return t.users.currentUser}})),components:{Attachment:r.a,Poll:f,Gallery:h.a,LinkPreview:m.a},methods:{linkClicked:function(t){var e,n,i=t.target.closest(".status-content a");if(i){if(i.className.match(/mention/)){var o=i.href,r=this.status.attentions.find(function(t){return function(t,e){if(e===t.statusnet_profile_url)return!0;var n=t.screen_name.split("@"),i=w()(n,2),o=i[0],r=i[1],s=new RegExp("://"+r+"/.*"+o+"$","g");return!!e.match(s)}(t,o)});if(r){t.stopPropagation(),t.preventDefault();var s=this.generateUserProfileLink(r.id,r.screen_name);return void this.$router.push(s)}}if(i.rel.match(/(?:^|\s)tag(?:$|\s)/)||i.className.match(/hashtag/)){var a=i.dataset.tag||(e=i.href,!!(n=/tag[s]*\/(\w+)$/g.exec(e))&&n[1]);if(a){var c=this.generateTagLink(a);return void this.$router.push(c)}}window.open(i.href,"_blank")}},toggleShowMore:function(){this.mightHideBecauseTall?this.showingTall=!this.showingTall:this.mightHideBecauseSubject&&(this.expandingSubject=!this.expandingSubject)},generateUserProfileLink:function(t,e){return Object(g.a)(t,e,this.$store.state.instance.restrictedNicknames)},generateTagLink:function(t){return"/tag/".concat(t)},setMedia:function(){var t=this,e="hide"===this.attachmentSize?this.status.attachments:this.galleryAttachments;return function(){return t.$store.dispatch("setMedia",e)}}}};var k=function(t){n(405)},C=Object(d.a)(y,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"StatusContent"},[t._t("header"),t._v(" "),t.status.summary_html?n("div",{staticClass:"summary-wrapper",class:{"tall-subject":t.longSubject&&!t.showingLongSubject}},[n("div",{staticClass:"media-body summary",domProps:{innerHTML:t._s(t.status.summary_html)},on:{click:function(e){return e.preventDefault(),t.linkClicked(e)}}}),t._v(" "),t.longSubject&&t.showingLongSubject?n("a",{staticClass:"tall-subject-hider",attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.showingLongSubject=!1}}},[t._v(t._s(t.$t("status.hide_full_subject")))]):t.longSubject?n("a",{staticClass:"tall-subject-hider",class:{"tall-subject-hider_focused":t.focused},attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.showingLongSubject=!0}}},[t._v("\n "+t._s(t.$t("status.show_full_subject"))+"\n ")]):t._e()]):t._e(),t._v(" "),n("div",{staticClass:"status-content-wrapper",class:{"tall-status":t.hideTallStatus}},[t.hideTallStatus?n("a",{staticClass:"tall-status-hider",class:{"tall-status-hider_focused":t.focused},attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleShowMore(e)}}},[t._v("\n "+t._s(t.$t("general.show_more"))+"\n ")]):t._e(),t._v(" "),t.hideSubjectStatus?t._e():n("div",{staticClass:"status-content media-body",class:{"single-line":t.singleLine},domProps:{innerHTML:t._s(t.postBodyHtml)},on:{click:function(e){return e.preventDefault(),t.linkClicked(e)}}}),t._v(" "),t.hideSubjectStatus?n("a",{staticClass:"cw-status-hider",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleShowMore(e)}}},[t._v("\n "+t._s(t.$t("status.show_content"))+"\n "),t.attachmentTypes.includes("image")?n("span",{staticClass:"icon-picture"}):t._e(),t._v(" "),t.attachmentTypes.includes("video")?n("span",{staticClass:"icon-video"}):t._e(),t._v(" "),t.attachmentTypes.includes("audio")?n("span",{staticClass:"icon-music"}):t._e(),t._v(" "),t.attachmentTypes.includes("unknown")?n("span",{staticClass:"icon-doc"}):t._e(),t._v(" "),t.status.poll&&t.status.poll.options?n("span",{staticClass:"icon-chart-bar"}):t._e(),t._v(" "),t.status.card?n("span",{staticClass:"icon-link"}):t._e()]):t._e(),t._v(" "),t.showingMore&&!t.fullContent?n("a",{staticClass:"status-unhider",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleShowMore(e)}}},[t._v("\n "+t._s(t.tallStatus?t.$t("general.show_less"):t.$t("status.hide_content"))+"\n ")]):t._e()]),t._v(" "),t.status.poll&&t.status.poll.options&&!t.hideSubjectStatus?n("div",[n("poll",{attrs:{"base-poll":t.status.poll}})],1):t._e(),t._v(" "),0===t.status.attachments.length||t.hideSubjectStatus&&!t.showingLongSubject?t._e():n("div",{staticClass:"attachments media-body"},[t._l(t.nonGalleryAttachments,function(e){return n("attachment",{key:e.id,staticClass:"non-gallery",attrs:{size:t.attachmentSize,nsfw:t.nsfwClickthrough,attachment:e,"allow-play":!0,"set-media":t.setMedia()}})}),t._v(" "),t.galleryAttachments.length>0?n("gallery",{attrs:{nsfw:t.nsfwClickthrough,attachments:t.galleryAttachments,"set-media":t.setMedia()}}):t._e()],2),t._v(" "),!t.status.card||t.hideSubjectStatus||t.noHeading?t._e():n("div",{staticClass:"link-preview media-body"},[n("link-preview",{attrs:{card:t.status.card,size:t.attachmentSize,nsfw:t.nsfwClickthrough}})],1),t._v(" "),t._t("footer")],2)},[],!1,k,null,null);e.a=C.exports},function(t,e,n){"use strict";n.d(e,"c",function(){return i}),n.d(e,"b",function(){return o}),n.d(e,"a",function(){return r}),n.d(e,"d",function(){return l}),n.d(e,"e",function(){return u});var i=6e4,o=60*i,r=24*o,s=7*r,a=30*r,c=365.25*r,l=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:1;"string"==typeof t&&(t=Date.parse(t));var n=Date.now()>t?Math.floor:Math.ceil,l=Math.abs(Date.now()-t),u={num:n(l/c),key:"time.years"};return l<1e3*e?(u.num=0,u.key="time.now"):l<i?(u.num=n(l/1e3),u.key="time.seconds"):l<o?(u.num=n(l/i),u.key="time.minutes"):l<r?(u.num=n(l/o),u.key="time.hours"):l<s?(u.num=n(l/r),u.key="time.days"):l<a?(u.num=n(l/s),u.key="time.weeks"):l<c&&(u.num=n(l/a),u.key="time.months"),1===u.num&&(u.key=u.key.slice(0,-1)),u},u=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:1,n=l(t,e);return n.key+="_short",n}},,,function(t,e,n){"use strict";var i=n(28),o=n(18),r=n(17),s={props:["user"],data:function(){return{userExpanded:!1}},components:{UserCard:i.a,UserAvatar:o.default},methods:{toggleUserExpanded:function(){this.userExpanded=!this.userExpanded},userProfileLink:function(t){return Object(r.a)(t.id,t.screen_name,this.$store.state.instance.restrictedNicknames)}}},a=n(0);var c=function(t){n(463)},l=Object(a.a)(s,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"basic-user-card"},[n("router-link",{attrs:{to:t.userProfileLink(t.user)}},[n("UserAvatar",{staticClass:"avatar",attrs:{user:t.user},nativeOn:{click:function(e){return e.preventDefault(),t.toggleUserExpanded(e)}}})],1),t._v(" "),t.userExpanded?n("div",{staticClass:"basic-user-card-expanded-content"},[n("UserCard",{attrs:{"user-id":t.user.id,rounded:!0,bordered:!0}})],1):n("div",{staticClass:"basic-user-card-collapsed-content"},[n("div",{staticClass:"basic-user-card-user-name",attrs:{title:t.user.name}},[t.user.name_html?n("span",{staticClass:"basic-user-card-user-name-value",domProps:{innerHTML:t._s(t.user.name_html)}}):n("span",{staticClass:"basic-user-card-user-name-value"},[t._v(t._s(t.user.name))])]),t._v(" "),n("div",[n("router-link",{staticClass:"basic-user-card-screen-name",attrs:{to:t.userProfileLink(t.user)}},[t._v("\n @"+t._s(t.user.screen_name)+"\n ")])],1),t._v(" "),t._t("default")],2)],1)},[],!1,c,null,null);e.a=l.exports},function(t,e,n){"use strict";n.d(e,"a",function(){return g}),n.d(e,"e",function(){return b}),n.d(e,"f",function(){return x}),n.d(e,"b",function(){return C}),n.d(e,"c",function(){return S}),n.d(e,"d",function(){return j});var i=n(1),o=n.n(i),r=n(7),s=n.n(r),a=n(27),c=n.n(a),l=n(10),u=n.n(l),d=n(14),p=n(9),f=n(29);function h(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function m(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?h(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):h(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var g=3,v=function(t){for(var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:f.b,n=[t],i=e[t];i;)n.unshift(i),i=e[i];return n},b=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:t,n=arguments.length>2?arguments[2]:void 0,i=arguments.length>3?arguments[3]:void 0,o=arguments.length>4?arguments[4]:void 0;return v(t).map(function(r){return[r===t?i[e]:i[r],r===t?o[n]||1:o[r]]})},w=function(t,e){var n=e[t];if("string"==typeof n&&n.startsWith("--"))return[n.substring(2)];if(null===n)return[];var i=n.depends,o=n.layer,r=n.variant,s=o?v(o).map(function(t){return t===o?r||o:t}):[];return Array.isArray(i)?[].concat(u()(i),u()(s)):u()(s)},_=function(t){return"object"===c()(t)?t:{depends:t.startsWith("--")?[t.substring(2)]:[],default:t.startsWith("#")?t:void 0}},x=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:f.c,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:w,i=_(e[t]);if(null!==i.opacity){if(i.opacity)return i.opacity;return i.depends?function i(o){var r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[t],s=n(o,e)[0];if(void 0!==s){var a=e[s];if(void 0!==a)return a.opacity||null===a?a.opacity:a.depends&&r.includes(s)?i(s,[].concat(u()(r),[s])):null}}(t):void 0}},y=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:f.c,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:w,i=_(e[t]);if(f.b[t])return t;if(null!==i.layer){if(i.layer)return i.layer;return i.depends?function i(o){var r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[t],s=n(o,e)[0];if(void 0!==s){var a=e[s];if(void 0!==a)return a.layer||null===a?a.layer:a.depends?i(a,[].concat(u()(r),[s])):null}}(t):void 0}},k=function(){for(var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:f.c,e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:w,n=Object.keys(t),i=new Set(n),o=new Set,r=new Set,s=u()(n),a=[],c=function n(s){if(i.has(s))i.delete(s),o.add(s),e(s,t).forEach(n),o.delete(s),r.add(s),a.push(s);else if(o.has(s))console.debug("Cyclic depenency in topoSort, ignoring"),a.push(s);else if(!r.has(s))throw new Error("Unintended condition in topoSort!")};s.length>0;)c(s.pop());return a.map(function(t,e){return{data:t,index:e}}).sort(function(n,i){var o=n.data,r=n.index,s=i.data,a=i.index,c=e(o,t).length,l=e(s,t).length;return c===l||0!==l&&0!==c?r-a:0===c&&0!==l?-1:0===l&&0!==c?1:void 0}).map(function(t){return t.data})}(Object.entries(f.c).sort(function(t,e){var n=s()(t,2),i=(n[0],n[1]),o=s()(e,2),r=(o[0],o[1]);return(i&&i.priority||0)-(r&&r.priority||0)}).reduce(function(t,e){var n=s()(e,2),i=n[0],r=n[1];return m({},t,o()({},i,r))},{})),C=Object.entries(f.c).reduce(function(t,e){var n=s()(e,2),i=n[0],r=(n[1],x(i,f.c,w));return r?m({},t,o()({},r,{defaultValue:f.a[r]||1,affectedSlots:[].concat(u()(t[r]&&t[r].affectedSlots||[]),[i])})):t},{}),S=function(t,e,n){if("string"!=typeof t||!t.startsWith("--"))return t;var i=null,o=t.split(/,/g).map(function(t){return t.trim()}),r=s()(o,2),a=r[0],c=r[1];return i=e(a.substring(2)),c&&(i=Object(d.brightness)(Number.parseFloat(c)*n,i).rgb),i},j=function(t,e){return k.reduce(function(n,i){var r=n.colors,s=n.opacity,a=t[i],c=_(f.c[i]),l=w(i,f.c),h=!!c.textColor,g=c.variant||c.layer,v=null;v=h?Object(p.b)(m({},r[l[0]]||Object(d.convert)(t[i]||"#FF00FF").rgb),b(y(i)||"bg",g||"bg",x(g),r,s)):g&&g!==i?r[g]||Object(d.convert)(t[g]).rgb:r.bg||Object(d.convert)(t.bg);var k=Object(p.h)(v)<.5?1:-1,j=null;if(a){var O=a;if("transparent"===O){var P=b(y(i),i,x(i)||i,r,s).slice(0,-1);O=m({},Object(p.b)(Object(d.convert)("#FF00FF").rgb,P),{a:0})}else"string"==typeof a&&a.startsWith("--")?O=S(a,function(e){return r[e]||t[e]},k):"string"==typeof a&&a.startsWith("#")&&(O=Object(d.convert)(O).rgb);j=m({},O)}else if(c.default)j=Object(d.convert)(c.default).rgb;else{var $=c.color||function(t,e){return m({},e)};if(c.textColor)if("bw"===c.textColor)j=Object(d.contrastRatio)(v).rgb;else{var T=m({},r[l[0]]);c.color&&(T=$.apply(void 0,[k].concat(u()(l.map(function(t){return m({},r[t])}))))),j=Object(p.e)(v,m({},T),"preserve"===c.textColor)}else j=$.apply(void 0,[k].concat(u()(l.map(function(t){return m({},r[t])}))))}if(!j)throw new Error("Couldn't generate color for "+i);var I=c.opacity||x(i),E=c.opacity;if(null===E)j.a=1;else if("transparent"===a)j.a=0;else{var M=E&&void 0!==e[I],U=l[0],F=U&&r[U];E||!F||c.textColor||null===E?F||I?F&&0===F.a?j.a=0:j.a=Number(M?e[I]:(C[I]||{}).defaultValue):delete j.a:j.a=F.a}return(Number.isNaN(j.a)||void 0===j.a)&&(j.a=1),I?{colors:m({},r,o()({},i,j)),opacity:m({},s,o()({},I,j.a))}:{colors:m({},r,o()({},i,j)),opacity:s}},{colors:{},opacity:{}})}},,,function(t,e,n){"use strict";var i=n(3),o=n.n(i),r=n(1),s=n.n(r),a=n(10),c=n.n(a),l=n(41),u=n.n(l),d=n(106),p=n.n(d),f=n(15),h=n.n(f),m=n(189),g=n.n(m),v=n(61),b=n(134),w={data:function(){return{uploadCount:0,uploadReady:!0}},computed:{uploading:function(){return this.uploadCount>0}},methods:{uploadFile:function(t){var e=this,n=this.$store;if(t.size>n.state.instance.uploadlimit){var i=b.a.fileSizeFormat(t.size),o=b.a.fileSizeFormat(n.state.instance.uploadlimit);e.$emit("upload-failed","file_too_big",{filesize:i.num,filesizeunit:i.unit,allowedsize:o.num,allowedsizeunit:o.unit})}else{var r=new FormData;r.append("file",t),e.$emit("uploading"),e.uploadCount++,v.a.uploadMedia({store:n,formData:r}).then(function(t){e.$emit("uploaded",t),e.decreaseUploadCount()},function(t){e.$emit("upload-failed","default"),e.decreaseUploadCount()})}},decreaseUploadCount:function(){this.uploadCount--,0===this.uploadCount&&this.$emit("all-uploaded")},clearFile:function(){var t=this;this.uploadReady=!1,this.$nextTick(function(){t.uploadReady=!0})},multiUpload:function(t){var e=!0,n=!1,i=void 0;try{for(var o,r=t[Symbol.iterator]();!(e=(o=r.next()).done);e=!0){var s=o.value;this.uploadFile(s)}}catch(t){n=!0,i=t}finally{try{e||null==r.return||r.return()}finally{if(n)throw i}}},change:function(t){var e=t.target;this.multiUpload(e.files)}},props:["dropFiles","disabled"],watch:{dropFiles:function(t){this.uploading||this.multiUpload(t)}}},_=n(0);var x=function(t){n(389)},y=Object(_.a)(w,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"media-upload",class:{disabled:t.disabled}},[n("label",{staticClass:"label",attrs:{title:t.$t("tool_tip.media_upload")}},[t.uploading?n("i",{staticClass:"progress-icon icon-spin4 animate-spin"}):t._e(),t._v(" "),t.uploading?t._e():n("i",{staticClass:"new-icon icon-upload"}),t._v(" "),t.uploadReady?n("input",{staticStyle:{position:"fixed",top:"-100em"},attrs:{disabled:t.disabled,type:"file",multiple:"true"},on:{change:t.change}}):t._e()])])},[],!1,x,null,null).exports,k=n(196),C=n(195),S=n(77),j=n.n(S),O=n(35),P={name:"PollForm",props:["visible"],data:function(){return{pollType:"single",options:["",""],expiryAmount:10,expiryUnit:"minutes"}},computed:{pollLimits:function(){return this.$store.state.instance.pollLimits},maxOptions:function(){return this.pollLimits.max_options},maxLength:function(){return this.pollLimits.max_option_chars},expiryUnits:function(){var t=this,e=this.convertExpiryFromUnit;return["minutes","hours","days"].filter(function(n){return t.pollLimits.max_expiration>=e(n,1)})},minExpirationInCurrentUnit:function(){return Math.ceil(this.convertExpiryToUnit(this.expiryUnit,this.pollLimits.min_expiration))},maxExpirationInCurrentUnit:function(){return Math.floor(this.convertExpiryToUnit(this.expiryUnit,this.pollLimits.max_expiration))}},methods:{clear:function(){this.pollType="single",this.options=["",""],this.expiryAmount=10,this.expiryUnit="minutes"},nextOption:function(t){var e=this.$el.querySelector("#poll-".concat(t+1));e?e.focus():this.addOption()&&this.$nextTick(function(){this.nextOption(t)})},addOption:function(){return this.options.length<this.maxOptions&&(this.options.push(""),!0)},deleteOption:function(t,e){this.options.length>2&&(this.options.splice(t,1),this.updatePollToParent())},convertExpiryToUnit:function(t,e){switch(t){case"minutes":return 1e3*e/O.c;case"hours":return 1e3*e/O.b;case"days":return 1e3*e/O.a}},convertExpiryFromUnit:function(t,e){switch(t){case"minutes":return.001*e*O.c;case"hours":return.001*e*O.b;case"days":return.001*e*O.a}},expiryAmountChange:function(){this.expiryAmount=Math.max(this.minExpirationInCurrentUnit,this.expiryAmount),this.expiryAmount=Math.min(this.maxExpirationInCurrentUnit,this.expiryAmount),this.updatePollToParent()},updatePollToParent:function(){var t=this.convertExpiryFromUnit(this.expiryUnit,this.expiryAmount),e=j()(this.options.filter(function(t){return""!==t}));e.length<2?this.$emit("update-poll",{error:this.$t("polls.not_enough_options")}):this.$emit("update-poll",{options:e,multiple:"multiple"===this.pollType,expiresIn:t})}}};var $=function(t){n(399)},T=Object(_.a)(P,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.visible?n("div",{staticClass:"poll-form"},[t._l(t.options,function(e,i){return n("div",{key:i,staticClass:"poll-option"},[n("div",{staticClass:"input-container"},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.options[i],expression:"options[index]"}],staticClass:"poll-option-input",attrs:{id:"poll-"+i,type:"text",placeholder:t.$t("polls.option"),maxlength:t.maxLength},domProps:{value:t.options[i]},on:{change:t.updatePollToParent,keydown:function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:(e.stopPropagation(),e.preventDefault(),t.nextOption(i))},input:function(e){e.target.composing||t.$set(t.options,i,e.target.value)}}})]),t._v(" "),t.options.length>2?n("div",{staticClass:"icon-container"},[n("i",{staticClass:"icon-cancel",on:{click:function(e){return t.deleteOption(i)}}})]):t._e()])}),t._v(" "),t.options.length<t.maxOptions?n("a",{staticClass:"add-option faint",on:{click:t.addOption}},[n("i",{staticClass:"icon-plus"}),t._v("\n "+t._s(t.$t("polls.add_option"))+"\n ")]):t._e(),t._v(" "),n("div",{staticClass:"poll-type-expiry"},[n("div",{staticClass:"poll-type",attrs:{title:t.$t("polls.type")}},[n("label",{staticClass:"select",attrs:{for:"poll-type-selector"}},[n("select",{directives:[{name:"model",rawName:"v-model",value:t.pollType,expression:"pollType"}],staticClass:"select",on:{change:[function(e){var n=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.pollType=e.target.multiple?n:n[0]},t.updatePollToParent]}},[n("option",{attrs:{value:"single"}},[t._v(t._s(t.$t("polls.single_choice")))]),t._v(" "),n("option",{attrs:{value:"multiple"}},[t._v(t._s(t.$t("polls.multiple_choices")))])]),t._v(" "),n("i",{staticClass:"icon-down-open"})])]),t._v(" "),n("div",{staticClass:"poll-expiry",attrs:{title:t.$t("polls.expiry")}},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.expiryAmount,expression:"expiryAmount"}],staticClass:"expiry-amount hide-number-spinner",attrs:{type:"number",min:t.minExpirationInCurrentUnit,max:t.maxExpirationInCurrentUnit},domProps:{value:t.expiryAmount},on:{change:t.expiryAmountChange,input:function(e){e.target.composing||(t.expiryAmount=e.target.value)}}}),t._v(" "),n("label",{staticClass:"expiry-unit select"},[n("select",{directives:[{name:"model",rawName:"v-model",value:t.expiryUnit,expression:"expiryUnit"}],on:{change:[function(e){var n=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.expiryUnit=e.target.multiple?n:n[0]},t.expiryAmountChange]}},t._l(t.expiryUnits,function(e){return n("option",{key:e,domProps:{value:e}},[t._v("\n "+t._s(t.$t("time."+e+"_short",[""]))+"\n ")])}),0),t._v(" "),n("i",{staticClass:"icon-down-open"})])])])],2):t._e()},[],!1,$,null,null).exports,I=n(43),E=n(34),M=n(21),U=n(107),F=n(135),D=n(2),L=n(54);function N(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var R=function(t){return Number(t.substring(0,t.length-2))},A={props:["replyTo","repliedUser","attentions","copyMessageScope","subject","disableSubject","disableScopeSelector","disableNotice","disableLockWarning","disablePolls","disableSensitivityCheckbox","disableSubmit","disablePreview","placeholder","maxHeight","postHandler","preserveFocus","autoFocus","fileLimit","submitOnEnter","emojiPickerPlacement"],components:{MediaUpload:y,EmojiInput:C.a,PollForm:T,ScopeSelector:k.a,Checkbox:L.a,Attachment:I.a,StatusContent:E.a},mounted:function(){if(this.updateIdempotencyKey(),this.resize(this.$refs.textarea),this.replyTo){var t=this.$refs.textarea.value.length;this.$refs.textarea.setSelectionRange(t,t)}(this.replyTo||this.autoFocus)&&this.$refs.textarea.focus()},data:function(){var t=this.$route.query.message||"",e=this.$store.getters.mergedConfig.scopeCopy;if(this.replyTo){var n=this.$store.state.users.currentUser;t=function(t,e){var n=t.user,i=t.attentions,o=void 0===i?[]:i,r=c()(o);r.unshift(n),r=p()(r,"id"),r=g()(r,{id:e.id});var s=h()(r,function(t){return"@".concat(t.screen_name)});return s.length>0?s.join(" ")+" ":""}({user:this.repliedUser,attentions:this.attentions},n)}var i=this.copyMessageScope&&e||"direct"===this.copyMessageScope?this.copyMessageScope:this.$store.state.users.currentUser.default_scope,o=this.$store.getters.mergedConfig.postContentType;return{dropFiles:[],uploadingFiles:!1,error:null,posting:!1,highlighted:0,newStatus:{spoilerText:this.subject||"",status:t,nsfw:!1,files:[],poll:{},mediaDescriptions:{},visibility:i,contentType:o},caret:0,pollFormVisible:!1,showDropIcon:"hide",dropStopTimeout:null,preview:null,previewLoading:!1,emojiInputShown:!1,idempotencyKey:""}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?N(Object(n),!0).forEach(function(e){s()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):N(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({users:function(){return this.$store.state.users.users},userDefaultScope:function(){return this.$store.state.users.currentUser.default_scope},showAllScopes:function(){return!this.mergedConfig.minimalScopesMode},emojiUserSuggestor:function(){var t=this;return Object(F.a)({emoji:[].concat(c()(this.$store.state.instance.emoji),c()(this.$store.state.instance.customEmoji)),users:this.$store.state.users.users,updateUsersList:function(e){return t.$store.dispatch("searchUsers",{query:e})}})},emojiSuggestor:function(){return Object(F.a)({emoji:[].concat(c()(this.$store.state.instance.emoji),c()(this.$store.state.instance.customEmoji))})},emoji:function(){return this.$store.state.instance.emoji||[]},customEmoji:function(){return this.$store.state.instance.customEmoji||[]},statusLength:function(){return this.newStatus.status.length},spoilerTextLength:function(){return this.newStatus.spoilerText.length},statusLengthLimit:function(){return this.$store.state.instance.textlimit},hasStatusLengthLimit:function(){return this.statusLengthLimit>0},charactersLeft:function(){return this.statusLengthLimit-(this.statusLength+this.spoilerTextLength)},isOverLengthLimit:function(){return this.hasStatusLengthLimit&&this.charactersLeft<0},minimalScopesMode:function(){return this.$store.state.instance.minimalScopesMode},alwaysShowSubject:function(){return this.mergedConfig.alwaysShowSubjectInput},postFormats:function(){return this.$store.state.instance.postFormats||[]},safeDMEnabled:function(){return this.$store.state.instance.safeDM},pollsAvailable:function(){return this.$store.state.instance.pollsAvailable&&this.$store.state.instance.pollLimits.max_options>=2&&!0!==this.disablePolls},hideScopeNotice:function(){return this.disableNotice||this.$store.getters.mergedConfig.hideScopeNotice},pollContentError:function(){return this.pollFormVisible&&this.newStatus.poll&&this.newStatus.poll.error},showPreview:function(){return!this.disablePreview&&(!!this.preview||this.previewLoading)},emptyStatus:function(){return""===this.newStatus.status.trim()&&0===this.newStatus.files.length},uploadFileLimitReached:function(){return this.newStatus.files.length>=this.fileLimit}},Object(D.c)(["mergedConfig"]),{},Object(D.e)({mobileLayout:function(t){return t.interface.mobileLayout}})),watch:{newStatus:{deep:!0,handler:function(){this.statusChanged()}}},methods:{statusChanged:function(){this.autoPreview(),this.updateIdempotencyKey()},clearStatus:function(){var t=this,e=this.newStatus;this.newStatus={status:"",spoilerText:"",files:[],visibility:e.visibility,contentType:e.contentType,poll:{},mediaDescriptions:{}},this.pollFormVisible=!1,this.$refs.mediaUpload&&this.$refs.mediaUpload.clearFile(),this.clearPollForm(),this.preserveFocus&&this.$nextTick(function(){t.$refs.textarea.focus()});var n=this.$el.querySelector("textarea");n.style.height="auto",n.style.height=void 0,this.error=null,this.preview&&this.previewStatus()},postStatus:function(t,e){var n,i,r=this,s=arguments;return o.a.async(function(a){for(;;)switch(a.prev=a.next){case 0:if(s.length>2&&void 0!==s[2]?s[2]:{},!this.posting){a.next=3;break}return a.abrupt("return");case 3:if(!this.disableSubmit){a.next=5;break}return a.abrupt("return");case 5:if(!this.emojiInputShown){a.next=7;break}return a.abrupt("return");case 7:if(this.submitOnEnter&&(t.stopPropagation(),t.preventDefault()),!this.emptyStatus){a.next=11;break}return this.error=this.$t("post_status.empty_status_error"),a.abrupt("return");case 11:if(n=this.pollFormVisible?this.newStatus.poll:{},!this.pollContentError){a.next=15;break}return this.error=this.pollContentError,a.abrupt("return");case 15:return this.posting=!0,a.prev=16,a.next=19,o.a.awrap(this.setAllMediaDescriptions());case 19:a.next=26;break;case 21:return a.prev=21,a.t0=a.catch(16),this.error=this.$t("post_status.media_description_error"),this.posting=!1,a.abrupt("return");case 26:i={status:e.status,spoilerText:e.spoilerText||null,visibility:e.visibility,sensitive:e.nsfw,media:e.files,store:this.$store,inReplyToStatusId:this.replyTo,contentType:e.contentType,poll:n,idempotencyKey:this.idempotencyKey},(this.postHandler?this.postHandler:v.a.postStatus)(i).then(function(t){t.error?r.error=t.error:(r.clearStatus(),r.$emit("posted",t)),r.posting=!1});case 29:case"end":return a.stop()}},null,this,[[16,21]])},previewStatus:function(){var t=this;if(this.emptyStatus&&""===this.newStatus.spoilerText.trim())return this.preview={error:this.$t("post_status.preview_empty")},void(this.previewLoading=!1);var e=this.newStatus;this.previewLoading=!0,v.a.postStatus({status:e.status,spoilerText:e.spoilerText||null,visibility:e.visibility,sensitive:e.nsfw,media:[],store:this.$store,inReplyToStatusId:this.replyTo,contentType:e.contentType,poll:{},preview:!0}).then(function(e){t.previewLoading&&(e.error?t.preview={error:e.error}:t.preview=e)}).catch(function(e){t.preview={error:e}}).finally(function(){t.previewLoading=!1})},debouncePreviewStatus:u()(function(){this.previewStatus()},500),autoPreview:function(){this.preview&&(this.previewLoading=!0,this.debouncePreviewStatus())},closePreview:function(){this.preview=null,this.previewLoading=!1},togglePreview:function(){this.showPreview?this.closePreview():this.previewStatus()},addMediaFile:function(t){this.newStatus.files.push(t),this.$emit("resize",{delayed:!0})},removeMediaFile:function(t){var e=this.newStatus.files.indexOf(t);this.newStatus.files.splice(e,1),this.$emit("resize")},uploadFailed:function(t,e){e=e||{},this.error=this.$t("upload.error.base")+" "+this.$t("upload.error."+t,e)},startedUploadingFiles:function(){this.uploadingFiles=!0},finishedUploadingFiles:function(){this.$emit("resize"),this.uploadingFiles=!1},type:function(t){return M.a.fileType(t.mimetype)},paste:function(t){this.autoPreview(),this.resize(t),t.clipboardData.files.length>0&&(t.preventDefault(),this.dropFiles=[t.clipboardData.files[0]])},fileDrop:function(t){t.dataTransfer&&t.dataTransfer.types.includes("Files")&&(t.preventDefault(),this.dropFiles=t.dataTransfer.files,clearTimeout(this.dropStopTimeout),this.showDropIcon="hide")},fileDragStop:function(t){var e=this;clearTimeout(this.dropStopTimeout),this.showDropIcon="fade",this.dropStopTimeout=setTimeout(function(){return e.showDropIcon="hide"},500)},fileDrag:function(t){t.dataTransfer.dropEffect=this.uploadFileLimitReached?"none":"copy",t.dataTransfer&&t.dataTransfer.types.includes("Files")&&(clearTimeout(this.dropStopTimeout),this.showDropIcon="show")},onEmojiInputInput:function(t){var e=this;this.$nextTick(function(){e.resize(e.$refs.textarea)})},resize:function(t){var e=t.target||t;if(e instanceof window.Element){if(""===e.value)return e.style.height=null,this.$emit("resize"),void this.$refs["emoji-input"].resize();var n=this.$refs.form,i=this.$refs.bottom,o=window.getComputedStyle(i)["padding-bottom"],r=R(o),s=this.$el.closest(".sidebar-scroller")||this.$el.closest(".post-form-modal-view")||window,a=window.getComputedStyle(e)["padding-top"],c=window.getComputedStyle(e)["padding-bottom"],l=R(a)+R(c),u=R(e.style.height),d=s===window?s.scrollY:s.scrollTop,p=s===window?s.innerHeight:s.offsetHeight,f=d+p;e.style.height="auto";var h=Math.floor(e.scrollHeight-l),m=this.maxHeight?Math.min(h,this.maxHeight):h;Math.abs(m-u)<=1&&(m=u),e.style.height="".concat(m,"px"),this.$emit("resize",m);var g=i.offsetHeight+Object(U.a)(i,s).top+r,v=f<g,b=p<n.offsetHeight,w=g-f,_=d+(v&&!(b&&this.$refs.textarea.selectionStart!==this.$refs.textarea.value.length)?w:0);s===window?s.scroll(0,_):s.scrollTop=_,this.$refs["emoji-input"].resize()}},showEmojiPicker:function(){this.$refs.textarea.focus(),this.$refs["emoji-input"].triggerShowPicker()},clearError:function(){this.error=null},changeVis:function(t){this.newStatus.visibility=t},togglePollForm:function(){this.pollFormVisible=!this.pollFormVisible},setPoll:function(t){this.newStatus.poll=t},clearPollForm:function(){this.$refs.pollForm&&this.$refs.pollForm.clear()},dismissScopeNotice:function(){this.$store.dispatch("setOption",{name:"hideScopeNotice",value:!0})},setMediaDescription:function(t){var e=this.newStatus.mediaDescriptions[t];if(e&&""!==e.trim())return v.a.setMediaDescription({store:this.$store,id:t,description:e})},setAllMediaDescriptions:function(){var t=this,e=this.newStatus.files.map(function(t){return t.id});return Promise.all(e.map(function(e){return t.setMediaDescription(e)}))},handleEmojiInputShow:function(t){this.emojiInputShown=t},updateIdempotencyKey:function(){this.idempotencyKey=Date.now().toString()},openProfileTab:function(){this.$store.dispatch("openSettingsModalTab","profile")}}};var B=function(t){n(387)},z=Object(_.a)(A,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{ref:"form",staticClass:"post-status-form"},[n("form",{attrs:{autocomplete:"off"},on:{submit:function(t){t.preventDefault()},dragover:function(e){return e.preventDefault(),t.fileDrag(e)}}},[n("div",{directives:[{name:"show",rawName:"v-show",value:"hide"!==t.showDropIcon,expression:"showDropIcon !== 'hide'"}],staticClass:"drop-indicator",class:[t.uploadFileLimitReached?"icon-block":"icon-upload"],style:{animation:"show"===t.showDropIcon?"fade-in 0.25s":"fade-out 0.5s"},on:{dragleave:t.fileDragStop,drop:function(e){return e.stopPropagation(),t.fileDrop(e)}}}),t._v(" "),n("div",{staticClass:"form-group"},[t.$store.state.users.currentUser.locked||"private"!=t.newStatus.visibility||t.disableLockWarning?t._e():n("i18n",{staticClass:"visibility-notice",attrs:{path:"post_status.account_not_locked_warning",tag:"p"}},[n("a",{attrs:{href:"#"},on:{click:t.openProfileTab}},[t._v("\n "+t._s(t.$t("post_status.account_not_locked_warning_link"))+"\n ")])]),t._v(" "),t.hideScopeNotice||"public"!==t.newStatus.visibility?t.hideScopeNotice||"unlisted"!==t.newStatus.visibility?!t.hideScopeNotice&&"private"===t.newStatus.visibility&&t.$store.state.users.currentUser.locked?n("p",{staticClass:"visibility-notice notice-dismissible"},[n("span",[t._v(t._s(t.$t("post_status.scope_notice.private")))]),t._v(" "),n("a",{staticClass:"button-icon dismiss",on:{click:function(e){return e.preventDefault(),t.dismissScopeNotice()}}},[n("i",{staticClass:"icon-cancel"})])]):"direct"===t.newStatus.visibility?n("p",{staticClass:"visibility-notice"},[t.safeDMEnabled?n("span",[t._v(t._s(t.$t("post_status.direct_warning_to_first_only")))]):n("span",[t._v(t._s(t.$t("post_status.direct_warning_to_all")))])]):t._e():n("p",{staticClass:"visibility-notice notice-dismissible"},[n("span",[t._v(t._s(t.$t("post_status.scope_notice.unlisted")))]),t._v(" "),n("a",{staticClass:"button-icon dismiss",on:{click:function(e){return e.preventDefault(),t.dismissScopeNotice()}}},[n("i",{staticClass:"icon-cancel"})])]):n("p",{staticClass:"visibility-notice notice-dismissible"},[n("span",[t._v(t._s(t.$t("post_status.scope_notice.public")))]),t._v(" "),n("a",{staticClass:"button-icon dismiss",on:{click:function(e){return e.preventDefault(),t.dismissScopeNotice()}}},[n("i",{staticClass:"icon-cancel"})])]),t._v(" "),t.disablePreview?t._e():n("div",{staticClass:"preview-heading faint"},[n("a",{staticClass:"preview-toggle faint",on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.togglePreview(e)}}},[t._v("\n "+t._s(t.$t("post_status.preview"))+"\n "),n("i",{class:t.showPreview?"icon-left-open":"icon-right-open"})]),t._v(" "),n("i",{directives:[{name:"show",rawName:"v-show",value:t.previewLoading,expression:"previewLoading"}],staticClass:"icon-spin3 animate-spin"})]),t._v(" "),t.showPreview?n("div",{staticClass:"preview-container"},[t.preview?t.preview.error?n("div",{staticClass:"preview-status preview-error"},[t._v("\n "+t._s(t.preview.error)+"\n ")]):n("StatusContent",{staticClass:"preview-status",attrs:{status:t.preview}}):n("div",{staticClass:"preview-status"},[t._v("\n "+t._s(t.$t("general.loading"))+"\n ")])],1):t._e(),t._v(" "),t.disableSubject||!t.newStatus.spoilerText&&!t.alwaysShowSubject?t._e():n("EmojiInput",{staticClass:"form-control",attrs:{"enable-emoji-picker":"",suggest:t.emojiSuggestor},model:{value:t.newStatus.spoilerText,callback:function(e){t.$set(t.newStatus,"spoilerText",e)},expression:"newStatus.spoilerText"}},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.newStatus.spoilerText,expression:"newStatus.spoilerText"}],staticClass:"form-post-subject",attrs:{type:"text",placeholder:t.$t("post_status.content_warning"),disabled:t.posting},domProps:{value:t.newStatus.spoilerText},on:{input:function(e){e.target.composing||t.$set(t.newStatus,"spoilerText",e.target.value)}}})]),t._v(" "),n("EmojiInput",{ref:"emoji-input",staticClass:"form-control main-input",attrs:{suggest:t.emojiUserSuggestor,placement:t.emojiPickerPlacement,"enable-emoji-picker":"","hide-emoji-button":"","newline-on-ctrl-enter":t.submitOnEnter,"enable-sticker-picker":""},on:{input:t.onEmojiInputInput,"sticker-uploaded":t.addMediaFile,"sticker-upload-failed":t.uploadFailed,shown:t.handleEmojiInputShow},model:{value:t.newStatus.status,callback:function(e){t.$set(t.newStatus,"status",e)},expression:"newStatus.status"}},[n("textarea",{directives:[{name:"model",rawName:"v-model",value:t.newStatus.status,expression:"newStatus.status"}],ref:"textarea",staticClass:"form-post-body",class:{"scrollable-form":!!t.maxHeight},attrs:{placeholder:t.placeholder||t.$t("post_status.default"),rows:"1",cols:"1",disabled:t.posting},domProps:{value:t.newStatus.status},on:{keydown:[function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:e.ctrlKey||e.shiftKey||e.altKey||e.metaKey?null:void(t.submitOnEnter&&t.postStatus(e,t.newStatus))},function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:e.metaKey?t.postStatus(e,t.newStatus):null},function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:e.ctrlKey?void(!t.submitOnEnter&&t.postStatus(e,t.newStatus)):null}],input:[function(e){e.target.composing||t.$set(t.newStatus,"status",e.target.value)},t.resize],compositionupdate:t.resize,paste:t.paste}}),t._v(" "),t.hasStatusLengthLimit?n("p",{staticClass:"character-counter faint",class:{error:t.isOverLengthLimit}},[t._v("\n "+t._s(t.charactersLeft)+"\n ")]):t._e()]),t._v(" "),t.disableScopeSelector?t._e():n("div",{staticClass:"visibility-tray"},[n("scope-selector",{attrs:{"show-all":t.showAllScopes,"user-default":t.userDefaultScope,"original-scope":t.copyMessageScope,"initial-scope":t.newStatus.visibility,"on-scope-change":t.changeVis}}),t._v(" "),t.postFormats.length>1?n("div",{staticClass:"text-format"},[n("label",{staticClass:"select",attrs:{for:"post-content-type"}},[n("select",{directives:[{name:"model",rawName:"v-model",value:t.newStatus.contentType,expression:"newStatus.contentType"}],staticClass:"form-control",attrs:{id:"post-content-type"},on:{change:function(e){var n=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.$set(t.newStatus,"contentType",e.target.multiple?n:n[0])}}},t._l(t.postFormats,function(e){return n("option",{key:e,domProps:{value:e}},[t._v("\n "+t._s(t.$t('post_status.content_type["'+e+'"]'))+"\n ")])}),0),t._v(" "),n("i",{staticClass:"icon-down-open"})])]):t._e(),t._v(" "),1===t.postFormats.length&&"text/plain"!==t.postFormats[0]?n("div",{staticClass:"text-format"},[n("span",{staticClass:"only-format"},[t._v("\n "+t._s(t.$t('post_status.content_type["'+t.postFormats[0]+'"]'))+"\n ")])]):t._e()],1)],1),t._v(" "),t.pollsAvailable?n("poll-form",{ref:"pollForm",attrs:{visible:t.pollFormVisible},on:{"update-poll":t.setPoll}}):t._e(),t._v(" "),n("div",{ref:"bottom",staticClass:"form-bottom"},[n("div",{staticClass:"form-bottom-left"},[n("media-upload",{ref:"mediaUpload",staticClass:"media-upload-icon",attrs:{"drop-files":t.dropFiles,disabled:t.uploadFileLimitReached},on:{uploading:t.startedUploadingFiles,uploaded:t.addMediaFile,"upload-failed":t.uploadFailed,"all-uploaded":t.finishedUploadingFiles}}),t._v(" "),n("div",{staticClass:"emoji-icon"},[n("i",{staticClass:"icon-smile btn btn-default",attrs:{title:t.$t("emoji.add_emoji")},on:{click:t.showEmojiPicker}})]),t._v(" "),t.pollsAvailable?n("div",{staticClass:"poll-icon",class:{selected:t.pollFormVisible}},[n("i",{staticClass:"icon-chart-bar btn btn-default",attrs:{title:t.$t("polls.add_poll")},on:{click:t.togglePollForm}})]):t._e()],1),t._v(" "),t.posting?n("button",{staticClass:"btn btn-default",attrs:{disabled:""}},[t._v("\n "+t._s(t.$t("post_status.posting"))+"\n ")]):t.isOverLengthLimit?n("button",{staticClass:"btn btn-default",attrs:{disabled:""}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")]):n("button",{staticClass:"btn btn-default",attrs:{disabled:t.uploadingFiles||t.disableSubmit},on:{touchstart:function(e){return e.stopPropagation(),e.preventDefault(),t.postStatus(e,t.newStatus)},click:function(e){return e.stopPropagation(),e.preventDefault(),t.postStatus(e,t.newStatus)}}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")])]),t._v(" "),t.error?n("div",{staticClass:"alert error"},[t._v("\n Error: "+t._s(t.error)+"\n "),n("i",{staticClass:"button-icon icon-cancel",on:{click:t.clearError}})]):t._e(),t._v(" "),n("div",{staticClass:"attachments"},t._l(t.newStatus.files,function(e){return n("div",{key:e.url,staticClass:"media-upload-wrapper"},[n("i",{staticClass:"fa button-icon icon-cancel",on:{click:function(n){return t.removeMediaFile(e)}}}),t._v(" "),n("attachment",{attrs:{attachment:e,"set-media":function(){return t.$store.dispatch("setMedia",t.newStatus.files)},size:"small","allow-play":"false"}}),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.newStatus.mediaDescriptions[e.id],expression:"newStatus.mediaDescriptions[file.id]"}],attrs:{type:"text",placeholder:t.$t("post_status.media_description")},domProps:{value:t.newStatus.mediaDescriptions[e.id]},on:{keydown:function(e){if(!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter"))return null;e.preventDefault()},input:function(n){n.target.composing||t.$set(t.newStatus.mediaDescriptions,e.id,n.target.value)}}})],1)}),0),t._v(" "),t.newStatus.files.length>0&&!t.disableSensitivityCheckbox?n("div",{staticClass:"upload_settings"},[n("Checkbox",{model:{value:t.newStatus.nsfw,callback:function(e){t.$set(t.newStatus,"nsfw",e)},expression:"newStatus.nsfw"}},[t._v("\n "+t._s(t.$t("post_status.attachments_sensitive"))+"\n ")])],1):t._e()],1)])},[],!1,B,null,null);e.a=z.exports},function(t,e,n){"use strict";var i=n(1),o=n.n(i),r=n(62),s=n(110),a=n(216),c=n.n(a),l=n(21),u=n(2);function d(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var p={props:["attachment","nsfw","size","allowPlay","setMedia","naturalSizeLoad"],data:function(){return{nsfwImage:this.$store.state.instance.nsfwCensorImage||c.a,hideNsfwLocal:this.$store.getters.mergedConfig.hideNsfw,preloadImage:this.$store.getters.mergedConfig.preloadImage,loading:!1,img:"image"===l.a.fileType(this.attachment.mimetype)&&document.createElement("img"),modalOpen:!1,showHidden:!1}},components:{StillImage:r.a,VideoAttachment:s.a},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?d(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):d(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({usePlaceholder:function(){return"hide"===this.size||"unknown"===this.type},placeholderName:function(){return""!==this.attachment.description&&this.attachment.description?this.attachment.description:this.type.toUpperCase()},placeholderIconClass:function(){return"image"===this.type?"icon-picture":"video"===this.type?"icon-video":"audio"===this.type?"icon-music":"icon-doc"},referrerpolicy:function(){return this.$store.state.instance.mediaProxyAvailable?"":"no-referrer"},type:function(){return l.a.fileType(this.attachment.mimetype)},hidden:function(){return this.nsfw&&this.hideNsfwLocal&&!this.showHidden},isEmpty:function(){return"html"===this.type&&!this.attachment.oembed||"unknown"===this.type},isSmall:function(){return"small"===this.size},fullwidth:function(){return"hide"!==this.size&&("html"===this.type||"audio"===this.type||"unknown"===this.type)},useModal:function(){return("hide"===this.size?["image","video","audio"]:this.mergedConfig.playVideosInModal?["image","video"]:["image"]).includes(this.type)}},Object(u.c)(["mergedConfig"])),methods:{linkClicked:function(t){var e=t.target;"A"===e.tagName&&window.open(e.href,"_blank")},openModal:function(t){this.useModal&&(t.stopPropagation(),t.preventDefault(),this.setMedia(),this.$store.dispatch("setCurrent",this.attachment))},toggleHidden:function(t){var e=this;!this.mergedConfig.useOneClickNsfw||this.showHidden||"video"===this.type&&!this.mergedConfig.playVideosInModal?this.img&&!this.preloadImage?this.img.onload?this.img.onload():(this.loading=!0,this.img.src=this.attachment.url,this.img.onload=function(){e.loading=!1,e.showHidden=!e.showHidden}):this.showHidden=!this.showHidden:this.openModal(t)},onImageLoad:function(t){var e=t.naturalWidth,n=t.naturalHeight;this.naturalSizeLoad&&this.naturalSizeLoad({width:e,height:n})}}},f=n(0);var h=function(t){n(401)},m=Object(f.a)(p,function(){var t,e=this,n=e.$createElement,i=e._self._c||n;return e.usePlaceholder?i("div",{class:{fullwidth:e.fullwidth},on:{click:e.openModal}},["html"!==e.type?i("a",{staticClass:"placeholder",attrs:{target:"_blank",href:e.attachment.url,alt:e.attachment.description,title:e.attachment.description}},[i("span",{class:e.placeholderIconClass}),e._v(" "),i("b",[e._v(e._s(e.nsfw?"NSFW / ":""))]),e._v(e._s(e.placeholderName)+"\n ")]):e._e()]):i("div",{directives:[{name:"show",rawName:"v-show",value:!e.isEmpty,expression:"!isEmpty"}],staticClass:"attachment",class:(t={},t[e.type]=!0,t.loading=e.loading,t.fullwidth=e.fullwidth,t["nsfw-placeholder"]=e.hidden,t)},[e.hidden?i("a",{staticClass:"image-attachment",attrs:{href:e.attachment.url,alt:e.attachment.description,title:e.attachment.description},on:{click:function(t){return t.preventDefault(),e.toggleHidden(t)}}},[i("img",{key:e.nsfwImage,staticClass:"nsfw",class:{small:e.isSmall},attrs:{src:e.nsfwImage}}),e._v(" "),"video"===e.type?i("i",{staticClass:"play-icon icon-play-circled"}):e._e()]):e._e(),e._v(" "),e.nsfw&&e.hideNsfwLocal&&!e.hidden?i("div",{staticClass:"hider"},[i("a",{attrs:{href:"#"},on:{click:function(t){return t.preventDefault(),e.toggleHidden(t)}}},[e._v("Hide")])]):e._e(),e._v(" "),"image"!==e.type||e.hidden&&!e.preloadImage?e._e():i("a",{staticClass:"image-attachment",class:{hidden:e.hidden&&e.preloadImage},attrs:{href:e.attachment.url,target:"_blank"},on:{click:e.openModal}},[i("StillImage",{staticClass:"image",attrs:{referrerpolicy:e.referrerpolicy,mimetype:e.attachment.mimetype,src:e.attachment.large_thumb_url||e.attachment.url,"image-load-handler":e.onImageLoad,alt:e.attachment.description}})],1),e._v(" "),"video"!==e.type||e.hidden?e._e():i("a",{staticClass:"video-container",class:{small:e.isSmall},attrs:{href:e.allowPlay?void 0:e.attachment.url},on:{click:e.openModal}},[i("VideoAttachment",{staticClass:"video",attrs:{attachment:e.attachment,controls:e.allowPlay}}),e._v(" "),e.allowPlay?e._e():i("i",{staticClass:"play-icon icon-play-circled"})],1),e._v(" "),"audio"===e.type?i("audio",{attrs:{src:e.attachment.url,alt:e.attachment.description,title:e.attachment.description,controls:""}}):e._e(),e._v(" "),"html"===e.type&&e.attachment.oembed?i("div",{staticClass:"oembed",on:{click:function(t){return t.preventDefault(),e.linkClicked(t)}}},[e.attachment.thumb_url?i("div",{staticClass:"image"},[i("img",{attrs:{src:e.attachment.thumb_url}})]):e._e(),e._v(" "),i("div",{staticClass:"text"},[i("h1",[i("a",{attrs:{href:e.attachment.url}},[e._v(e._s(e.attachment.oembed.title))])]),e._v(" "),i("div",{domProps:{innerHTML:e._s(e.attachment.oembed.oembedHTML)}})])]):e._e()])},[],!1,h,null,null);e.a=m.exports},function(t,e,n){"use strict";var i=n(35),o={name:"Timeago",props:["time","autoUpdate","longFormat","nowThreshold"],data:function(){return{relativeTime:{key:"time.now",num:0},interval:null}},computed:{localeDateString:function(){return"string"==typeof this.time?new Date(Date.parse(this.time)).toLocaleString():this.time.toLocaleString()}},created:function(){this.refreshRelativeTimeObject()},destroyed:function(){clearTimeout(this.interval)},methods:{refreshRelativeTimeObject:function(){var t="number"==typeof this.nowThreshold?this.nowThreshold:1;this.relativeTime=this.longFormat?i.d(this.time,t):i.e(this.time,t),this.autoUpdate&&(this.interval=setTimeout(this.refreshRelativeTimeObject,1e3*this.autoUpdate))}}},r=n(0),s=Object(r.a)(o,function(){var t=this.$createElement;return(this._self._c||t)("time",{attrs:{datetime:this.time,title:this.localeDateString}},[this._v("\n "+this._s(this.$t(this.relativeTime.key,[this.relativeTime.num]))+"\n")])},[],!1,null,null,null);e.a=s.exports},,function(t,e,n){"use strict";n.d(e,"a",function(){return r}),n.d(e,"b",function(){return o});var i=n(9),o=function(t){if(void 0!==t){var e=t.color,n=t.type;if("string"==typeof e){var o=Object(i.f)(e);if(null!=o){var r="rgb(".concat(Math.floor(o.r),", ").concat(Math.floor(o.g),", ").concat(Math.floor(o.b),")"),s="rgba(".concat(Math.floor(o.r),", ").concat(Math.floor(o.g),", ").concat(Math.floor(o.b),", .1)"),a="rgba(".concat(Math.floor(o.r),", ").concat(Math.floor(o.g),", ").concat(Math.floor(o.b),", .2)");return"striped"===n?{backgroundImage:["repeating-linear-gradient(135deg,","".concat(s," ,"),"".concat(s," 20px,"),"".concat(a," 20px,"),"".concat(a," 40px")].join(" "),backgroundPosition:"0 0"}:"solid"===n?{backgroundColor:a}:"side"===n?{backgroundImage:["linear-gradient(to right,","".concat(r," ,"),"".concat(r," 2px,"),"transparent 6px"].join(" "),backgroundPosition:"0 0"}:void 0}}}},r=function(t){return"USER____"+t.screen_name.replace(/\./g,"_").replace(/@/g,"_AT_")}},,,,,,function(t,e,n){"use strict";var i={props:{items:{type:Array,default:function(){return[]}},getKey:{type:Function,default:function(t){return t.id}}}},o=n(0);var r=function(t){n(465)},s=Object(o.a)(i,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"list"},[t._l(t.items,function(e){return n("div",{key:t.getKey(e),staticClass:"list-item"},[t._t("item",null,{item:e})],2)}),t._v(" "),0===t.items.length&&t.$slots.empty?n("div",{staticClass:"list-empty-content faint"},[t._t("empty")],2):t._e()],2)},[],!1,r,null,null);e.a=s.exports},,function(t,e,n){"use strict";var i=n(0);var o=function(t){n(397)},r=Object(i.a)({model:{prop:"checked",event:"change"},props:["checked","indeterminate","disabled"]},function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("label",{staticClass:"checkbox",class:{disabled:t.disabled,indeterminate:t.indeterminate}},[n("input",{attrs:{type:"checkbox",disabled:t.disabled},domProps:{checked:t.checked,indeterminate:t.indeterminate},on:{change:function(e){return t.$emit("change",e.target.checked)}}}),t._v(" "),n("i",{staticClass:"checkbox-indicator"}),t._v(" "),t.$slots.default?n("span",{staticClass:"label"},[t._t("default")],2):t._e()])},[],!1,o,null,null);e.a=r.exports},,,,,,,function(t,e,n){"use strict";var i=n(15),o=n.n(i),r=n(11),s={postStatus:function(t){var e=t.store,n=t.status,i=t.spoilerText,s=t.visibility,a=t.sensitive,c=t.poll,l=t.media,u=void 0===l?[]:l,d=t.inReplyToStatusId,p=void 0===d?void 0:d,f=t.contentType,h=void 0===f?"text/plain":f,m=t.preview,g=void 0!==m&&m,v=t.idempotencyKey,b=void 0===v?"":v,w=o()(u,"id");return r.c.postStatus({credentials:e.state.users.currentUser.credentials,status:n,spoilerText:i,visibility:s,sensitive:a,mediaIds:w,inReplyToStatusId:p,contentType:h,poll:c,preview:g,idempotencyKey:b}).then(function(t){return t.error||g||e.dispatch("addNewStatuses",{statuses:[t],timeline:"friends",showImmediately:!0,noIdUpdate:!0}),t}).catch(function(t){return{error:t.message}})},uploadMedia:function(t){var e=t.store,n=t.formData,i=e.state.users.currentUser.credentials;return r.c.uploadMedia({credentials:i,formData:n})},setMediaDescription:function(t){var e=t.store,n=t.id,i=t.description,o=e.state.users.currentUser.credentials;return r.c.setMediaDescription({credentials:o,id:n,description:i})}};e.a=s},function(t,e,n){"use strict";var i={props:["src","referrerpolicy","mimetype","imageLoadError","imageLoadHandler","alt"],data:function(){return{stopGifs:this.$store.getters.mergedConfig.stopGifs}},computed:{animated:function(){return this.stopGifs&&("image/gif"===this.mimetype||this.src.endsWith(".gif"))}},methods:{onLoad:function(){this.imageLoadHandler&&this.imageLoadHandler(this.$refs.src);var t=this.$refs.canvas;if(t){var e=this.$refs.src.naturalWidth,n=this.$refs.src.naturalHeight;t.width=e,t.height=n,t.getContext("2d").drawImage(this.$refs.src,0,0,e,n)}},onError:function(){this.imageLoadError&&this.imageLoadError()}}},o=n(0);var r=function(t){n(403)},s=Object(o.a)(i,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"still-image",class:{animated:t.animated}},[t.animated?n("canvas",{ref:"canvas"}):t._e(),t._v(" "),n("img",{key:t.src,ref:"src",attrs:{alt:t.alt,title:t.alt,src:t.src,referrerpolicy:t.referrerpolicy},on:{load:t.onLoad,error:t.onError}})])},[],!1,r,null,null);e.a=s.exports},,,,,,,,,,,,function(t,e,n){"use strict";var i=n(3),o=n.n(i),r=n(10),s={ar:function(){return n.e(5).then(n.t.bind(null,563,3))},ca:function(){return n.e(6).then(n.t.bind(null,564,3))},cs:function(){return n.e(7).then(n.t.bind(null,565,3))},de:function(){return n.e(8).then(n.t.bind(null,566,3))},eo:function(){return n.e(9).then(n.t.bind(null,567,3))},es:function(){return n.e(10).then(n.t.bind(null,568,3))},et:function(){return n.e(11).then(n.t.bind(null,569,3))},eu:function(){return n.e(12).then(n.t.bind(null,570,3))},fi:function(){return n.e(13).then(n.t.bind(null,571,3))},fr:function(){return n.e(14).then(n.t.bind(null,572,3))},ga:function(){return n.e(15).then(n.t.bind(null,573,3))},he:function(){return n.e(16).then(n.t.bind(null,574,3))},hu:function(){return n.e(17).then(n.t.bind(null,575,3))},it:function(){return n.e(18).then(n.t.bind(null,576,3))},ja:function(){return n.e(20).then(n.t.bind(null,577,3))},ja_easy:function(){return n.e(19).then(n.t.bind(null,578,3))},ko:function(){return n.e(21).then(n.t.bind(null,579,3))},nb:function(){return n.e(22).then(n.t.bind(null,580,3))},nl:function(){return n.e(23).then(n.t.bind(null,581,3))},oc:function(){return n.e(24).then(n.t.bind(null,582,3))},pl:function(){return n.e(25).then(n.t.bind(null,583,3))},pt:function(){return n.e(26).then(n.t.bind(null,584,3))},ro:function(){return n.e(27).then(n.t.bind(null,585,3))},ru:function(){return n.e(28).then(n.t.bind(null,586,3))},te:function(){return n.e(29).then(n.t.bind(null,587,3))},zh:function(){return n.e(30).then(n.t.bind(null,588,3))}},a={languages:["en"].concat(n.n(r)()(Object.keys(s))),default:{en:n(325)},setLanguage:function(t,e){var n;return o.a.async(function(i){for(;;)switch(i.prev=i.next){case 0:if(!s[e]){i.next=5;break}return i.next=3,o.a.awrap(s[e]());case 3:n=i.sent,t.setLocaleMessage(e,n);case 5:t.locale=e;case 6:case"end":return i.stop()}})}};e.a=a},,,,function(t,e,n){"use strict";var i={props:{disabled:{type:Boolean},click:{type:Function,default:function(){return Promise.resolve()}}},data:function(){return{progress:!1}},methods:{onClick:function(){var t=this;this.progress=!0,this.click().then(function(){t.progress=!1})}}},o=n(0),r=Object(o.a)(i,function(){var t=this.$createElement;return(this._self._c||t)("button",{attrs:{disabled:this.progress||this.disabled},on:{click:this.onClick}},[this.progress&&this.$slots.progress?[this._t("progress")]:[this._t("default")]],2)},[],!1,null,null,null);e.a=r.exports},,,,,,,,,,,,,,,,,function(t,e,n){"use strict";n.d(e,"d",function(){return f}),n.d(e,"b",function(){return h}),n.d(e,"c",function(){return m});var i=n(1),o=n.n(i),r=n(7),s=n.n(r),a=n(6),c=n(32),l=n(74);function u(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function d(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?u(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):u(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var p=(window.navigator.language||"en").split("-")[0],f=["postContentType","subjectLineBehavior"],h={colors:{},theme:void 0,customTheme:void 0,customThemeSource:void 0,hideISP:!1,hideMutedPosts:void 0,collapseMessageWithSubject:void 0,padEmoji:!0,hideAttachments:!1,hideAttachmentsInConv:!1,maxThumbnails:16,hideNsfw:!0,preloadImage:!0,loopVideo:!0,loopVideoSilentOnly:!0,streaming:!1,emojiReactionsOnTimeline:!0,autohideFloatingPostButton:!1,pauseOnUnfocused:!0,stopGifs:!1,replyVisibility:"all",notificationVisibility:{follows:!0,mentions:!0,likes:!0,repeats:!0,moves:!0,emojiReactions:!1,followRequest:!0,chatMention:!0},webPushNotifications:!1,muteWords:[],highlight:{},interfaceLanguage:p,hideScopeNotice:!1,useStreamingApi:!1,scopeCopy:void 0,subjectLineBehavior:void 0,alwaysShowSubjectInput:void 0,postContentType:void 0,minimalScopesMode:void 0,hideFilteredStatuses:void 0,playVideosInModal:!1,useOneClickNsfw:!1,useContainFit:!1,greentext:void 0,hidePostStats:void 0,hideUserStats:void 0},m=Object.entries(h).filter(function(t){var e=s()(t,2);e[0];return void 0===e[1]}).map(function(t){var e=s()(t,2),n=e[0];e[1];return n}),g={state:h,getters:{mergedConfig:function(t,e,n,i){var r=n.instance;return d({},t,{},m.map(function(e){return[e,void 0===t[e]?r[e]:t[e]]}).reduce(function(t,e){var n=s()(e,2),i=n[0],r=n[1];return d({},t,o()({},i,r))},{}))}},mutations:{setOption:function(t,e){var n=e.name,i=e.value;Object(a.set)(t,n,i)},setHighlight:function(t,e){var n=e.user,i=e.color,o=e.type,r=this.state.config.highlight[n];i||o?Object(a.set)(t.highlight,n,{color:i||r.color,type:o||r.type}):Object(a.delete)(t.highlight,n)}},actions:{setHighlight:function(t,e){var n=t.commit;t.dispatch;n("setHighlight",{user:e.user,color:e.color,type:e.type})},setOption:function(t,e){var n=t.commit,i=(t.dispatch,e.name),o=e.value;switch(n("setOption",{name:i,value:o}),i){case"theme":Object(c.l)(o);break;case"customTheme":case"customThemeSource":Object(c.b)(o);break;case"interfaceLanguage":l.a.setLanguage(this.getters.i18n,o)}}}};e.a=g},,,,function(t,e,n){"use strict";n.d(e,"a",function(){return r});var i=n(37),o=n.n(i),r=function(t,e){var n=t.text.toLowerCase(),i=t.summary.toLowerCase();return o()(e,function(t){return n.includes(t.toLowerCase())||i.includes(t.toLowerCase())})}},function(t,e,n){"use strict";n.d(e,"a",function(){return i});var i=function(t,e){if("Notification"in window&&"granted"===window.Notification.permission&&!t.statuses.notifications.desktopNotificationSilence){var n=new window.Notification(e.title,e);setTimeout(n.close.bind(n),5e3)}}},,,,,,,function(t,e,n){"use strict";n.d(e,"a",function(){return i});var i=function t(e,n){var i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},r=i.top,s=void 0===r?0:r,a=i.left,c=void 0===a?0:a,l=!(arguments.length>3&&void 0!==arguments[3])||arguments[3],u={top:s+e.offsetTop,left:c+e.offsetLeft};if(!l&&e!==window){var d=o(e),p=d.topPadding,f=d.leftPadding;u.top+=l?0:p,u.left+=l?0:f}if(e.offsetParent&&(n===window||n.contains(e.offsetParent)||n===e.offsetParent))return t(e.offsetParent,n,u,!1);if(n!==window){var h=o(n),m=h.topPadding,g=h.leftPadding;u.top+=m,u.left+=g}return u},o=function(t){var e=window.getComputedStyle(t)["padding-top"],n=Number(e.substring(0,e.length-2)),i=window.getComputedStyle(t)["padding-left"];return{topPadding:n,leftPadding:Number(i.substring(0,i.length-2))}}},,function(t,e,n){"use strict";var i=n(7),o=n.n(i),r=function(t,e){return new Promise(function(n,i){e.state.api.backendInteractor.followUser({id:t}).then(function(t){if(e.commit("updateUserRelationship",[t]),!(t.following||t.locked&&t.requested))return function t(e,n,i){return new Promise(function(t,o){setTimeout(function(){i.state.api.backendInteractor.fetchUserRelationship({id:n}).then(function(t){return i.commit("updateUserRelationship",[t]),t}).then(function(n){return t([n.following,n.requested,n.locked,e])}).catch(function(t){return o(t)})},500)}).then(function(e){var r=o()(e,4),s=r[0],a=r[1],c=r[2],l=r[3];s||c&&a||!(l<=3)||t(++l,n,i)})}(1,t,e).then(function(){n()});n()})})},s={props:["relationship","labelFollowing","buttonClass"],data:function(){return{inProgress:!1}},computed:{isPressed:function(){return this.inProgress||this.relationship.following},title:function(){return this.inProgress||this.relationship.following?this.$t("user_card.follow_unfollow"):this.relationship.requested?this.$t("user_card.follow_again"):this.$t("user_card.follow")},label:function(){return this.inProgress?this.$t("user_card.follow_progress"):this.relationship.following?this.labelFollowing||this.$t("user_card.following"):this.relationship.requested?this.$t("user_card.follow_sent"):this.$t("user_card.follow")}},methods:{onClick:function(){this.relationship.following?this.unfollow():this.follow()},follow:function(){var t=this;this.inProgress=!0,r(this.relationship.id,this.$store).then(function(){t.inProgress=!1})},unfollow:function(){var t=this,e=this.$store;this.inProgress=!0,function(t,e){return new Promise(function(n,i){e.state.api.backendInteractor.unfollowUser({id:t}).then(function(t){e.commit("updateUserRelationship",[t]),n({updated:t})})})}(this.relationship.id,e).then(function(){t.inProgress=!1,e.commit("removeStatus",{timeline:"friends",userId:t.relationship.id})})}}},a=n(0),c=Object(a.a)(s,function(){var t=this.$createElement;return(this._self._c||t)("button",{staticClass:"btn btn-default follow-button",class:{toggled:this.isPressed},attrs:{disabled:this.inProgress,title:this.title},on:{click:this.onClick}},[this._v("\n "+this._s(this.label)+"\n")])},[],!1,null,null,null);e.a=c.exports},function(t,e,n){"use strict";var i={props:["attachment","controls"],data:function(){return{loopVideo:this.$store.getters.mergedConfig.loopVideo}},methods:{onVideoDataLoad:function(t){var e=t.srcElement||t.target;void 0!==e.webkitAudioDecodedByteCount?e.webkitAudioDecodedByteCount>0&&(this.loopVideo=this.loopVideo&&!this.$store.getters.mergedConfig.loopVideoSilentOnly):void 0!==e.mozHasAudio?e.mozHasAudio&&(this.loopVideo=this.loopVideo&&!this.$store.getters.mergedConfig.loopVideoSilentOnly):void 0!==e.audioTracks&&e.audioTracks.length>0&&(this.loopVideo=this.loopVideo&&!this.$store.getters.mergedConfig.loopVideoSilentOnly)}}},o=n(0),r=Object(o.a)(i,function(){var t=this.$createElement;return(this._self._c||t)("video",{staticClass:"video",attrs:{src:this.attachment.url,loop:this.loopVideo,controls:this.controls,alt:this.attachment.description,title:this.attachment.description,playsinline:""},on:{loadeddata:this.onVideoDataLoad}})},[],!1,null,null,null);e.a=r.exports},function(t,e,n){"use strict";var i=n(104),o=n.n(i),r=n(217),s=n.n(r),a=n(23),c=n.n(a),l=n(218),u=n.n(l),d={props:["attachments","nsfw","setMedia"],data:function(){return{sizes:{}}},components:{Attachment:n(43).a},computed:{rows:function(){if(!this.attachments)return[];var t=u()(this.attachments,3);if(1===c()(t).length&&t.length>1){var e=c()(t)[0],n=s()(t);return c()(n).push(e),n}return t},useContainFit:function(){return this.$store.getters.mergedConfig.useContainFit}},methods:{onNaturalSizeLoad:function(t,e){this.$set(this.sizes,t,e)},rowStyle:function(t){return{"padding-bottom":"".concat(100/(t+.6),"%")}},itemStyle:function(t,e){var n=this,i=o()(e,function(t){return n.getAspectRatio(t.id)});return{flex:"".concat(this.getAspectRatio(t)/i," 1 0%")}},getAspectRatio:function(t){var e=this.sizes[t];return e?e.width/e.height:1}}},p=n(0);var f=function(t){n(409)},h=Object(p.a)(d,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{ref:"galleryContainer",staticStyle:{width:"100%"}},t._l(t.rows,function(e,i){return n("div",{key:i,staticClass:"gallery-row",class:{"contain-fit":t.useContainFit,"cover-fit":!t.useContainFit},style:t.rowStyle(e.length)},[n("div",{staticClass:"gallery-row-inner"},t._l(e,function(i){return n("attachment",{key:i.id,style:t.itemStyle(i.id,e),attrs:{"set-media":t.setMedia,nsfw:t.nsfw,attachment:i,"allow-play":!1,"natural-size-load":t.onNaturalSizeLoad.bind(null,i.id)}})}),1)])}),0)},[],!1,f,null,null);e.a=h.exports},function(t,e,n){"use strict";var i={name:"LinkPreview",props:["card","size","nsfw"],data:function(){return{imageLoaded:!1}},computed:{useImage:function(){return this.card.image&&!this.nsfw&&"hide"!==this.size},useDescription:function(){return this.card.description&&/\S/.test(this.card.description)}},created:function(){var t=this;if(this.useImage){var e=new Image;e.onload=function(){t.imageLoaded=!0},e.src=this.card.image}}},o=n(0);var r=function(t){n(411)},s=Object(o.a)(i,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",[n("a",{staticClass:"link-preview-card",attrs:{href:t.card.url,target:"_blank",rel:"noopener"}},[t.useImage&&t.imageLoaded?n("div",{staticClass:"card-image",class:{"small-image":"small"===t.size}},[n("img",{attrs:{src:t.card.image}})]):t._e(),t._v(" "),n("div",{staticClass:"card-content"},[n("span",{staticClass:"card-host faint"},[t._v(t._s(t.card.provider_name))]),t._v(" "),n("h4",{staticClass:"card-title"},[t._v(t._s(t.card.title))]),t._v(" "),t.useDescription?n("p",{staticClass:"card-description"},[t._v(t._s(t.card.description))]):t._e()])])])},[],!1,r,null,null);e.a=s.exports},function(t,e,n){"use strict";var i={props:["user"],computed:{subscribeUrl:function(){var t=new URL(this.user.statusnet_profile_url);return"".concat(t.protocol,"//").concat(t.host,"/main/ostatus")}}},o=n(0);var r=function(t){n(417)},s=Object(o.a)(i,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"remote-follow"},[e("form",{attrs:{method:"POST",action:this.subscribeUrl}},[e("input",{attrs:{type:"hidden",name:"nickname"},domProps:{value:this.user.screen_name}}),this._v(" "),e("input",{attrs:{type:"hidden",name:"profile",value:""}}),this._v(" "),e("button",{staticClass:"remote-button",attrs:{click:"submit"}},[this._v("\n "+this._s(this.$t("user_card.remote_follow"))+"\n ")])])])},[],!1,r,null,null);e.a=s.exports},function(t,e,n){"use strict";var i=n(18),o=n(17),r={props:["users"],computed:{slicedUsers:function(){return this.users?this.users.slice(0,15):[]}},components:{UserAvatar:i.default},methods:{userProfileLink:function(t){return Object(o.a)(t.id,t.screen_name,this.$store.state.instance.restrictedNicknames)}}},s=n(0);var a=function(t){n(425)},c=Object(s.a)(r,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"avatars"},t._l(t.slicedUsers,function(e){return n("router-link",{key:e.id,staticClass:"avatars-item",attrs:{to:t.userProfileLink(e)}},[n("UserAvatar",{staticClass:"avatar-small",attrs:{user:e}})],1)}),1)},[],!1,a,null,null);e.a=c.exports},,,,,,,,,,,,,,,,,,,,function(t,e,n){"use strict";var i={fileSizeFormat:function(t){var e,n=["B","KiB","MiB","GiB","TiB"];return t<1?t+" "+n[0]:(e=Math.min(Math.floor(Math.log(t)/Math.log(1024)),n.length-1),{num:t=1*(t/Math.pow(1024,e)).toFixed(2),unit:n[e]})}};e.a=i},function(t,e,n){"use strict";var i=n(41),o=n.n(i)()(function(t,e){t.updateUsersList(e)},500);e.a=function(t){return function(e){var n=e[0];return":"===n&&t.emoji?r(t.emoji)(e):"@"===n&&t.users?s(t)(e):[]}};var r=function(t){return function(e){var n=e.toLowerCase().substr(1);return t.filter(function(t){return t.displayText.toLowerCase().match(n)}).sort(function(t,e){var i=0,o=0;return i+=t.displayText.toLowerCase()===n?200:0,o+=e.displayText.toLowerCase()===n?200:0,i+=t.imageUrl?100:0,o+=e.imageUrl?100:0,i+=t.displayText.toLowerCase().startsWith(n)?10:0,o+=e.displayText.toLowerCase().startsWith(n)?10:0,i-=t.displayText.length,(o-=e.displayText.length)-i+(t.displayText>e.displayText?.5:-.5)})}},s=function(t){return function(e){var n=e.toLowerCase().substr(1),i=t.users.filter(function(t){return t.screen_name.toLowerCase().startsWith(n)||t.name.toLowerCase().startsWith(n)}).slice(0,20).sort(function(t,e){var i=0,o=0;return i+=t.screen_name.toLowerCase().startsWith(n)?2:0,o+=e.screen_name.toLowerCase().startsWith(n)?2:0,i+=t.name.toLowerCase().startsWith(n)?1:0,10*((o+=e.name.toLowerCase().startsWith(n)?1:0)-i)+(t.name>e.name?1:-1)+(t.screen_name>e.screen_name?1:-1)}).map(function(t){var e=t.screen_name;return{displayText:e,detailText:t.name,imageUrl:t.profile_image_url_original,replacement:"@"+e+" "}});return t.updateUsersList&&o(t,n),i}}},,,,,,function(t,e,n){"use strict";var i=n(1),o=n.n(i),r=n(6),s=n.n(r),a=n(2);n(475);function c(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}e.a=s.a.component("tab-switcher",{name:"TabSwitcher",props:{renderOnlyFocused:{required:!1,type:Boolean,default:!1},onSwitch:{required:!1,type:Function,default:void 0},activeTab:{required:!1,type:String,default:void 0},scrollableTabs:{required:!1,type:Boolean,default:!1},sideTabBar:{required:!1,type:Boolean,default:!1}},data:function(){return{active:this.$slots.default.findIndex(function(t){return t.tag})}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?c(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):c(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({activeIndex:function(){var t=this;return this.activeTab?this.$slots.default.findIndex(function(e){return t.activeTab===e.key}):this.active},settingsModalVisible:function(){return"visible"===this.settingsModalState}},Object(a.e)({settingsModalState:function(t){return t.interface.settingsModalState}})),beforeUpdate:function(){this.$slots.default[this.active].tag||(this.active=this.$slots.default.findIndex(function(t){return t.tag}))},methods:{clickTab:function(t){var e=this;return function(n){n.preventDefault(),e.setTab(t)}},setTab:function(t){"function"==typeof this.onSwitch&&this.onSwitch.call(null,this.$slots.default[t].key),this.active=t,this.scrollableTabs&&(this.$refs.contents.scrollTop=0)}},render:function(t){var e=this,n=this.$slots.default.map(function(n,i){if(n.tag){var o=["tab"],r=["tab-wrapper"];return e.activeIndex===i&&(o.push("active"),r.push("active")),n.data.attrs.image?t("div",{class:r.join(" ")},[t("button",{attrs:{disabled:n.data.attrs.disabled},on:{click:e.clickTab(i)},class:o.join(" ")},[t("img",{attrs:{src:n.data.attrs.image,title:n.data.attrs["image-tooltip"]}}),n.data.attrs.label?"":n.data.attrs.label])]):t("div",{class:r.join(" ")},[t("button",{attrs:{disabled:n.data.attrs.disabled,type:"button"},on:{click:e.clickTab(i)},class:o.join(" ")},[n.data.attrs.icon?t("i",{class:"tab-icon icon-"+n.data.attrs.icon}):"",t("span",{class:"text"},[n.data.attrs.label])])])}}),i=this.$slots.default.map(function(n,i){if(n.tag){var o=e.activeIndex===i,r=[o?"active":"hidden"];n.data.attrs.fullHeight&&r.push("full-height");var s=!e.renderOnlyFocused||o?n:"";return t("div",{class:r},[e.sideTabBar?t("h1",{class:"mobile-label"},[n.data.attrs.label]):"",s])}});return t("div",{class:"tab-switcher "+(this.sideTabBar?"side-tabs":"top-tabs")},[t("div",{class:"tabs"},[n]),t("div",{ref:"contents",class:"contents"+(this.scrollableTabs?" scrollable-tabs":""),directives:[{name:"body-scroll-lock",value:this.settingsModalVisible}]},[i])])}})},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(t,e,n){"use strict";n.d(e,"a",function(){return r});var i=n(73),o=n.n(i),r=function(t){return function(t){return o()(t)?t.options:t}(t).props}},,,function(t,e,n){"use strict";var i=n(1),o=n.n(i),r=n(75),s=n.n(r),a=n(215),c=n.n(a),l=n(25),u=n.n(l),d=n(40),p=n.n(d),f=function(t){return p()(t,function(t,e){var n={word:e,start:0,end:e.length};if(t.length>0){var i=t.pop();n.start+=i.end,n.end+=i.end,t.push(i)}return t.push(n),t},[])},h=function(t){for(var e=[],n="",i=0;i<t.length;i++){var o=t[i];n?!!o.trim()==!!n.trim()?n+=o:(e.push(n),n=o):n=o}return n&&e.push(n),e},m={wordAtPosition:function(t,e){var n=h(t),i=f(n);return u()(i,function(t){var n=t.start,i=t.end;return n<=e&&i>e})},addPositionToWords:f,splitByWhitespaceBoundary:h,replaceWord:function(t,e,n){return t.slice(0,e.start)+n+t.slice(e.end)}},g=n(54),v=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";return t.filter(function(t){return t.displayText.includes(e)})},b={props:{enableStickerPicker:{required:!1,type:Boolean,default:!1}},data:function(){return{keyword:"",activeGroup:"custom",showingStickers:!1,groupsScrolledClass:"scrolled-top",keepOpen:!1,customEmojiBufferSlice:60,customEmojiTimeout:null,customEmojiLoadAllConfirmed:!1}},components:{StickerPicker:function(){return n.e(4).then(n.bind(null,642))},Checkbox:g.a},methods:{onStickerUploaded:function(t){this.$emit("sticker-uploaded",t)},onStickerUploadFailed:function(t){this.$emit("sticker-upload-failed",t)},onEmoji:function(t){var e=t.imageUrl?":".concat(t.displayText,":"):t.replacement;this.$emit("emoji",{insertion:e,keepOpen:this.keepOpen})},onScroll:function(t){var e=t&&t.target||this.$refs["emoji-groups"];this.updateScrolledClass(e),this.scrolledGroup(e),this.triggerLoadMore(e)},highlight:function(t){var e=this,n=this.$refs["group-"+t][0].offsetTop;this.setShowStickers(!1),this.activeGroup=t,this.$nextTick(function(){e.$refs["emoji-groups"].scrollTop=n+1})},updateScrolledClass:function(t){t.scrollTop<=5?this.groupsScrolledClass="scrolled-top":t.scrollTop>=t.scrollTopMax-5?this.groupsScrolledClass="scrolled-bottom":this.groupsScrolledClass="scrolled-middle"},triggerLoadMore:function(t){var e=this.$refs["group-end-custom"][0];if(e){var n=e.offsetTop+e.offsetHeight,i=t.scrollTop+t.clientHeight,o=t.scrollTop,r=t.scrollHeight;n<o||i===r||!(n-i<64)&&!(o<5)||this.loadEmoji()}},scrolledGroup:function(t){var e=this,n=t.scrollTop+5;this.$nextTick(function(){e.emojisView.forEach(function(t){e.$refs["group-"+t.id][0].offsetTop<=n&&(e.activeGroup=t.id)})})},loadEmoji:function(){this.customEmojiBuffer.length===this.filteredEmoji.length||(this.customEmojiBufferSlice+=60)},startEmojiLoad:function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]&&arguments[0];e||(this.keyword=""),this.$nextTick(function(){t.$refs["emoji-groups"].scrollTop=0}),this.customEmojiBuffer.length===this.filteredEmoji.length&&!e||(this.customEmojiBufferSlice=60)},toggleStickers:function(){this.showingStickers=!this.showingStickers},setShowStickers:function(t){this.showingStickers=t}},watch:{keyword:function(){this.customEmojiLoadAllConfirmed=!1,this.onScroll(),this.startEmojiLoad(!0)}},computed:{activeGroupView:function(){return this.showingStickers?"":this.activeGroup},stickersAvailable:function(){return this.$store.state.instance.stickers?this.$store.state.instance.stickers.length>0:0},filteredEmoji:function(){return v(this.$store.state.instance.customEmoji||[],this.keyword)},customEmojiBuffer:function(){return this.filteredEmoji.slice(0,this.customEmojiBufferSlice)},emojis:function(){var t=this.$store.state.instance.emoji||[],e=this.customEmojiBuffer;return[{id:"custom",text:this.$t("emoji.custom"),icon:"icon-smile",emojis:e},{id:"standard",text:this.$t("emoji.unicode"),icon:"icon-picture",emojis:v(t,this.keyword)}]},emojisView:function(){return this.emojis.filter(function(t){return t.emojis.length>0})},stickerPickerEnabled:function(){return 0!==(this.$store.state.instance.stickers||[]).length}}},w=n(0);var _=function(t){n(395)},x=Object(w.a)(b,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"emoji-picker panel panel-default panel-body"},[n("div",{staticClass:"heading"},[n("span",{staticClass:"emoji-tabs"},t._l(t.emojis,function(e){return n("span",{key:e.id,staticClass:"emoji-tabs-item",class:{active:t.activeGroupView===e.id,disabled:0===e.emojis.length},attrs:{title:e.text},on:{click:function(n){return n.preventDefault(),t.highlight(e.id)}}},[n("i",{class:e.icon})])}),0),t._v(" "),t.stickerPickerEnabled?n("span",{staticClass:"additional-tabs"},[n("span",{staticClass:"stickers-tab-icon additional-tabs-item",class:{active:t.showingStickers},attrs:{title:t.$t("emoji.stickers")},on:{click:function(e){return e.preventDefault(),t.toggleStickers(e)}}},[n("i",{staticClass:"icon-star"})])]):t._e()]),t._v(" "),n("div",{staticClass:"content"},[n("div",{staticClass:"emoji-content",class:{hidden:t.showingStickers}},[n("div",{staticClass:"emoji-search"},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.keyword,expression:"keyword"}],staticClass:"form-control",attrs:{type:"text",placeholder:t.$t("emoji.search_emoji")},domProps:{value:t.keyword},on:{input:function(e){e.target.composing||(t.keyword=e.target.value)}}})]),t._v(" "),n("div",{ref:"emoji-groups",staticClass:"emoji-groups",class:t.groupsScrolledClass,on:{scroll:t.onScroll}},t._l(t.emojisView,function(e){return n("div",{key:e.id,staticClass:"emoji-group"},[n("h6",{ref:"group-"+e.id,refInFor:!0,staticClass:"emoji-group-title"},[t._v("\n "+t._s(e.text)+"\n ")]),t._v(" "),t._l(e.emojis,function(i){return n("span",{key:e.id+i.displayText,staticClass:"emoji-item",attrs:{title:i.displayText},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.onEmoji(i)}}},[i.imageUrl?n("img",{attrs:{src:i.imageUrl}}):n("span",[t._v(t._s(i.replacement))])])}),t._v(" "),n("span",{ref:"group-end-"+e.id,refInFor:!0})],2)}),0),t._v(" "),n("div",{staticClass:"keep-open"},[n("Checkbox",{model:{value:t.keepOpen,callback:function(e){t.keepOpen=e},expression:"keepOpen"}},[t._v("\n "+t._s(t.$t("emoji.keep_open"))+"\n ")])],1)]),t._v(" "),t.showingStickers?n("div",{staticClass:"stickers-content"},[n("sticker-picker",{on:{uploaded:t.onStickerUploaded,"upload-failed":t.onStickerUploadFailed}})],1):t._e()])])},[],!1,_,null,null).exports,y=n(107);function k(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var C={props:{suggest:{required:!0,type:Function},value:{required:!0,type:String},enableEmojiPicker:{required:!1,type:Boolean,default:!1},hideEmojiButton:{required:!1,type:Boolean,default:!1},enableStickerPicker:{required:!1,type:Boolean,default:!1},placement:{required:!1,type:String,default:"auto"},newlineOnCtrlEnter:{required:!1,type:Boolean,default:!1}},data:function(){return{input:void 0,highlighted:0,caret:0,focused:!1,blurTimeout:null,showPicker:!1,temporarilyHideSuggestions:!1,keepOpen:!1,disableClickOutside:!1}},components:{EmojiPicker:x},computed:{padEmoji:function(){return this.$store.getters.mergedConfig.padEmoji},suggestions:function(){var t=this,e=this.textAtCaret.charAt(0);if(this.textAtCaret===e)return[];var n=this.suggest(this.textAtCaret);return n.length<=0?[]:c()(n,5).map(function(e,n){var i=e.imageUrl;return function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?k(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):k(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},s()(e,["imageUrl"]),{img:i||"",highlighted:n===t.highlighted})})},showSuggestions:function(){return this.focused&&this.suggestions&&this.suggestions.length>0&&!this.showPicker&&!this.temporarilyHideSuggestions},textAtCaret:function(){return(this.wordAtCaret||{}).word||""},wordAtCaret:function(){if(this.value&&this.caret)return m.wordAtPosition(this.value,this.caret-1)||{}}},mounted:function(){var t=this.$slots.default;if(t&&0!==t.length){var e=t.find(function(t){return["input","textarea"].includes(t.tag)});e&&(this.input=e,this.resize(),e.elm.addEventListener("blur",this.onBlur),e.elm.addEventListener("focus",this.onFocus),e.elm.addEventListener("paste",this.onPaste),e.elm.addEventListener("keyup",this.onKeyUp),e.elm.addEventListener("keydown",this.onKeyDown),e.elm.addEventListener("click",this.onClickInput),e.elm.addEventListener("transitionend",this.onTransition),e.elm.addEventListener("input",this.onInput))}},unmounted:function(){var t=this.input;t&&(t.elm.removeEventListener("blur",this.onBlur),t.elm.removeEventListener("focus",this.onFocus),t.elm.removeEventListener("paste",this.onPaste),t.elm.removeEventListener("keyup",this.onKeyUp),t.elm.removeEventListener("keydown",this.onKeyDown),t.elm.removeEventListener("click",this.onClickInput),t.elm.removeEventListener("transitionend",this.onTransition),t.elm.removeEventListener("input",this.onInput))},watch:{showSuggestions:function(t){this.$emit("shown",t)}},methods:{triggerShowPicker:function(){var t=this;this.showPicker=!0,this.$refs.picker.startEmojiLoad(),this.$nextTick(function(){t.scrollIntoView()}),this.disableClickOutside=!0,setTimeout(function(){t.disableClickOutside=!1},0)},togglePicker:function(){this.input.elm.focus(),this.showPicker=!this.showPicker,this.showPicker&&(this.scrollIntoView(),this.$refs.picker.startEmojiLoad())},replace:function(t){var e=m.replaceWord(this.value,this.wordAtCaret,t);this.$emit("input",e),this.caret=0},insert:function(t){var e=t.insertion,n=t.keepOpen,i=t.surroundingSpace,o=void 0===i||i,r=this.value.substring(0,this.caret)||"",s=this.value.substring(this.caret)||"",a=/\s/,c=o&&!a.exec(r.slice(-1))&&r.length&&this.padEmoji>0?" ":"",l=o&&!a.exec(s[0])&&this.padEmoji?" ":"",u=[r,c,e,l,s].join("");this.keepOpen=n,this.$emit("input",u);var d=this.caret+(e+l+c).length;n||this.input.elm.focus(),this.$nextTick(function(){this.input.elm.setSelectionRange(d,d),this.caret=d})},replaceText:function(t,e){var n=this.suggestions.length||0;if(1!==this.textAtCaret.length&&(n>0||e)){var i=(e||this.suggestions[this.highlighted]).replacement,o=m.replaceWord(this.value,this.wordAtCaret,i);this.$emit("input",o),this.highlighted=0;var r=this.wordAtCaret.start+i.length;this.$nextTick(function(){this.input.elm.focus(),this.input.elm.setSelectionRange(r,r),this.caret=r}),t.preventDefault()}},cycleBackward:function(t){(this.suggestions.length||0)>1?(this.highlighted-=1,this.highlighted<0&&(this.highlighted=this.suggestions.length-1),t.preventDefault()):this.highlighted=0},cycleForward:function(t){var e=this.suggestions.length||0;e>1?(this.highlighted+=1,this.highlighted>=e&&(this.highlighted=0),t.preventDefault()):this.highlighted=0},scrollIntoView:function(){var t=this,e=this.$refs.picker.$el,n=this.$el.closest(".sidebar-scroller")||this.$el.closest(".post-form-modal-view")||window,i=n===window?n.scrollY:n.scrollTop,o=i+(n===window?n.innerHeight:n.offsetHeight),r=e.offsetHeight+Object(y.a)(e,n).top,s=i+Math.max(0,r-o);n===window?n.scroll(0,s):n.scrollTop=s,this.$nextTick(function(){var e=t.input.elm.offsetHeight,n=t.$refs.picker;n.$el.getBoundingClientRect().bottom>window.innerHeight&&(n.$el.style.top="auto",n.$el.style.bottom=e+"px")})},onTransition:function(t){this.resize()},onBlur:function(t){var e=this;this.blurTimeout=setTimeout(function(){e.focused=!1,e.setCaret(t),e.resize()},200)},onClick:function(t,e){this.replaceText(t,e)},onFocus:function(t){this.blurTimeout&&(clearTimeout(this.blurTimeout),this.blurTimeout=null),this.keepOpen||(this.showPicker=!1),this.focused=!0,this.setCaret(t),this.resize(),this.temporarilyHideSuggestions=!1},onKeyUp:function(t){var e=t.key;this.setCaret(t),this.resize(),this.temporarilyHideSuggestions="Escape"===e},onPaste:function(t){this.setCaret(t),this.resize()},onKeyDown:function(t){var e=this,n=t.ctrlKey,i=t.shiftKey,o=t.key;this.newlineOnCtrlEnter&&n&&"Enter"===o&&(this.insert({insertion:"\n",surroundingSpace:!1}),t.stopPropagation(),t.preventDefault(),this.$nextTick(function(){e.input.elm.blur(),e.input.elm.focus()})),this.temporarilyHideSuggestions||("Tab"===o&&(i?this.cycleBackward(t):this.cycleForward(t)),"ArrowUp"===o?this.cycleBackward(t):"ArrowDown"===o&&this.cycleForward(t),"Enter"===o&&(n||this.replaceText(t))),"Escape"===o&&(this.temporarilyHideSuggestions||this.input.elm.focus()),this.showPicker=!1,this.resize()},onInput:function(t){this.showPicker=!1,this.setCaret(t),this.resize(),this.$emit("input",t.target.value)},onClickInput:function(t){this.showPicker=!1},onClickOutside:function(t){this.disableClickOutside||(this.showPicker=!1)},onStickerUploaded:function(t){this.showPicker=!1,this.$emit("sticker-uploaded",t)},onStickerUploadFailed:function(t){this.showPicker=!1,this.$emit("sticker-upload-Failed",t)},setCaret:function(t){var e=t.target.selectionStart;this.caret=e},resize:function(){var t=this.$refs.panel;if(t){var e=this.$refs.picker.$el,n=this.$refs["panel-body"],i=this.input.elm,o=i.offsetHeight,r=i.offsetTop+o;this.setPlacement(n,t,r),this.setPlacement(e,e,r)}},setPlacement:function(t,e,n){t&&e&&(e.style.top=n+"px",e.style.bottom="auto",("top"===this.placement||"auto"===this.placement&&this.overflowsBottom(t))&&(e.style.top="auto",e.style.bottom=this.input.elm.offsetHeight+"px"))},overflowsBottom:function(t){return t.getBoundingClientRect().bottom>window.innerHeight}}};var S=function(t){n(393)},j=Object(w.a)(C,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{directives:[{name:"click-outside",rawName:"v-click-outside",value:t.onClickOutside,expression:"onClickOutside"}],staticClass:"emoji-input",class:{"with-picker":!t.hideEmojiButton}},[t._t("default"),t._v(" "),t.enableEmojiPicker?[t.hideEmojiButton?t._e():n("div",{staticClass:"emoji-picker-icon",on:{click:function(e){return e.preventDefault(),t.togglePicker(e)}}},[n("i",{staticClass:"icon-smile"})]),t._v(" "),t.enableEmojiPicker?n("EmojiPicker",{ref:"picker",staticClass:"emoji-picker-panel",class:{hide:!t.showPicker},attrs:{"enable-sticker-picker":t.enableStickerPicker},on:{emoji:t.insert,"sticker-uploaded":t.onStickerUploaded,"sticker-upload-failed":t.onStickerUploadFailed}}):t._e()]:t._e(),t._v(" "),n("div",{ref:"panel",staticClass:"autocomplete-panel",class:{hide:!t.showSuggestions}},[n("div",{ref:"panel-body",staticClass:"autocomplete-panel-body"},t._l(t.suggestions,function(e,i){return n("div",{key:i,staticClass:"autocomplete-item",class:{highlighted:e.highlighted},on:{click:function(n){return n.stopPropagation(),n.preventDefault(),t.onClick(n,e)}}},[n("span",{staticClass:"image"},[e.img?n("img",{attrs:{src:e.img}}):n("span",[t._v(t._s(e.replacement))])]),t._v(" "),n("div",{staticClass:"label"},[n("span",{staticClass:"displayText"},[t._v(t._s(e.displayText))]),t._v(" "),n("span",{staticClass:"detailText"},[t._v(t._s(e.detailText))])])])}),0)])],2)},[],!1,S,null,null);e.a=j.exports},function(t,e,n){"use strict";var i={props:["showAll","userDefault","originalScope","initialScope","onScopeChange"],data:function(){return{currentScope:this.initialScope}},computed:{showNothing:function(){return!(this.showPublic||this.showUnlisted||this.showPrivate||this.showDirect)},showPublic:function(){return"direct"!==this.originalScope&&this.shouldShow("public")},showUnlisted:function(){return"direct"!==this.originalScope&&this.shouldShow("unlisted")},showPrivate:function(){return"direct"!==this.originalScope&&this.shouldShow("private")},showDirect:function(){return this.shouldShow("direct")},css:function(){return{public:{selected:"public"===this.currentScope},unlisted:{selected:"unlisted"===this.currentScope},private:{selected:"private"===this.currentScope},direct:{selected:"direct"===this.currentScope}}}},methods:{shouldShow:function(t){return this.showAll||this.currentScope===t||this.originalScope===t||this.userDefault===t||"direct"===t},changeVis:function(t){this.currentScope=t,this.onScopeChange&&this.onScopeChange(t)}}},o=n(0);var r=function(t){n(391)},s=Object(o.a)(i,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.showNothing?t._e():n("div",{staticClass:"scope-selector"},[t.showDirect?n("i",{staticClass:"icon-mail-alt",class:t.css.direct,attrs:{title:t.$t("post_status.scope.direct")},on:{click:function(e){return t.changeVis("direct")}}}):t._e(),t._v(" "),t.showPrivate?n("i",{staticClass:"icon-lock",class:t.css.private,attrs:{title:t.$t("post_status.scope.private")},on:{click:function(e){return t.changeVis("private")}}}):t._e(),t._v(" "),t.showUnlisted?n("i",{staticClass:"icon-lock-open-alt",class:t.css.unlisted,attrs:{title:t.$t("post_status.scope.unlisted")},on:{click:function(e){return t.changeVis("unlisted")}}}):t._e(),t._v(" "),t.showPublic?n("i",{staticClass:"icon-globe",class:t.css.public,attrs:{title:t.$t("post_status.scope.public")},on:{click:function(e){return t.changeVis("public")}}}):t._e()])},[],!1,r,null,null);e.a=s.exports},,,,,,,,,,,,,,,,,,,,function(t,e,n){t.exports=n.p+"static/img/nsfw.74818f9.png"},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(t){t.exports={about:{mrf:{federation:"Federation",keyword:{keyword_policies:"Keyword Policies",ftl_removal:'Removal from "The Whole Known Network" Timeline',reject:"Reject",replace:"Replace",is_replaced_by:"→"},mrf_policies:"Enabled MRF Policies",mrf_policies_desc:"MRF policies manipulate the federation behaviour of the instance. The following policies are enabled:",simple:{simple_policies:"Instance-specific Policies",accept:"Accept",accept_desc:"This instance only accepts messages from the following instances:",reject:"Reject",reject_desc:"This instance will not accept messages from the following instances:",quarantine:"Quarantine",quarantine_desc:"This instance will send only public posts to the following instances:",ftl_removal:'Removal from "The Whole Known Network" Timeline',ftl_removal_desc:'This instance removes these instances from "The Whole Known Network" timeline:',media_removal:"Media Removal",media_removal_desc:"This instance removes media from posts on the following instances:",media_nsfw:"Media Force-set As Sensitive",media_nsfw_desc:"This instance forces media to be set sensitive in posts on the following instances:"}},staff:"Staff"},shoutbox:{title:"Shoutbox"},domain_mute_card:{mute:"Mute",mute_progress:"Muting…",unmute:"Unmute",unmute_progress:"Unmuting…"},exporter:{export:"Export",processing:"Processing, you'll soon be asked to download your file"},features_panel:{chat:"Chat",pleroma_chat_messages:"Pleroma Chat",gopher:"Gopher",media_proxy:"Media proxy",scope_options:"Scope options",text_limit:"Text limit",title:"Features",who_to_follow:"Who to follow"},finder:{error_fetching_user:"Error fetching user",find_user:"Find user"},general:{apply:"Apply",submit:"Submit",more:"More",loading:"Loading…",generic_error:"An error occured",error_retry:"Please try again",retry:"Try again",optional:"optional",show_more:"Show more",show_less:"Show less",dismiss:"Dismiss",cancel:"Cancel",disable:"Disable",enable:"Enable",confirm:"Confirm",verify:"Verify",close:"Close",peek:"Peek"},image_cropper:{crop_picture:"Crop picture",save:"Save",save_without_cropping:"Save without cropping",cancel:"Cancel"},importer:{submit:"Submit",success:"Imported successfully.",error:"An error occured while importing this file."},login:{login:"Log in",description:"Log in with OAuth",logout:"Log out",password:"Password",placeholder:"e.g. lain",register:"Register",username:"Username",hint:"Log in to join the discussion",authentication_code:"Authentication code",enter_recovery_code:"Enter a recovery code",enter_two_factor_code:"Enter a two-factor code",recovery_code:"Recovery code",heading:{totp:"Two-factor authentication",recovery:"Two-factor recovery"}},media_modal:{previous:"Previous",next:"Next"},nav:{about:"About",administration:"Administration",back:"Back",chat:"Local Chat",friend_requests:"Follow Requests",mentions:"Mentions",interactions:"Interactions",dms:"Direct Messages",public_tl:"Public Timeline",timeline:"Timeline",twkn:"Known Network",bookmarks:"Bookmarks",user_search:"User Search",search:"Search",who_to_follow:"Who to follow",preferences:"Preferences",timelines:"Timelines",chats:"Chats"},notifications:{broken_favorite:"Unknown status, searching for it…",favorited_you:"favorited your status",followed_you:"followed you",follow_request:"wants to follow you",load_older:"Load older notifications",notifications:"Notifications",read:"Read!",repeated_you:"repeated your status",no_more_notifications:"No more notifications",migrated_to:"migrated to",reacted_with:"reacted with {0}"},polls:{add_poll:"Add Poll",add_option:"Add Option",option:"Option",votes:"votes",vote:"Vote",type:"Poll type",single_choice:"Single choice",multiple_choices:"Multiple choices",expiry:"Poll age",expires_in:"Poll ends in {0}",expired:"Poll ended {0} ago",not_enough_options:"Too few unique options in poll"},emoji:{stickers:"Stickers",emoji:"Emoji",keep_open:"Keep picker open",search_emoji:"Search for an emoji",add_emoji:"Insert emoji",custom:"Custom emoji",unicode:"Unicode emoji",load_all_hint:"Loaded first {saneAmount} emoji, loading all emoji may cause performance issues.",load_all:"Loading all {emojiAmount} emoji"},errors:{storage_unavailable:"Pleroma could not access browser storage. Your login or your local settings won't be saved and you might encounter unexpected issues. Try enabling cookies."},interactions:{favs_repeats:"Repeats and Favorites",follows:"New follows",moves:"User migrates",load_older:"Load older interactions"},post_status:{new_status:"Post new status",account_not_locked_warning:"Your account is not {0}. Anyone can follow you to view your follower-only posts.",account_not_locked_warning_link:"locked",attachments_sensitive:"Mark attachments as sensitive",media_description:"Media description",content_type:{"text/plain":"Plain text","text/html":"HTML","text/markdown":"Markdown","text/bbcode":"BBCode"},content_warning:"Subject (optional)",default:"Just landed in L.A.",direct_warning_to_all:"This post will be visible to all the mentioned users.",direct_warning_to_first_only:"This post will only be visible to the mentioned users at the beginning of the message.",posting:"Posting",preview:"Preview",preview_empty:"Empty",empty_status_error:"Can't post an empty status with no files",media_description_error:"Failed to update media, try again",scope_notice:{public:"This post will be visible to everyone",private:"This post will be visible to your followers only",unlisted:"This post will not be visible in Public Timeline and The Whole Known Network"},scope:{direct:"Direct - Post to mentioned users only",private:"Followers-only - Post to followers only",public:"Public - Post to public timelines",unlisted:"Unlisted - Do not post to public timelines"}},registration:{bio:"Bio",email:"Email",fullname:"Display name",password_confirm:"Password confirmation",registration:"Registration",token:"Invite token",captcha:"CAPTCHA",new_captcha:"Click the image to get a new captcha",username_placeholder:"e.g. lain",fullname_placeholder:"e.g. Lain Iwakura",bio_placeholder:"e.g.\nHi, I'm Lain.\nI’m an anime girl living in suburban Japan. You may know me from the Wired.",validations:{username_required:"cannot be left blank",fullname_required:"cannot be left blank",email_required:"cannot be left blank",password_required:"cannot be left blank",password_confirmation_required:"cannot be left blank",password_confirmation_match:"should be the same as password"}},remote_user_resolver:{remote_user_resolver:"Remote user resolver",searching_for:"Searching for",error:"Not found."},selectable_list:{select_all:"Select all"},settings:{app_name:"App name",security:"Security",enter_current_password_to_confirm:"Enter your current password to confirm your identity",mfa:{otp:"OTP",setup_otp:"Setup OTP",wait_pre_setup_otp:"presetting OTP",confirm_and_enable:"Confirm & enable OTP",title:"Two-factor Authentication",generate_new_recovery_codes:"Generate new recovery codes",warning_of_generate_new_codes:"When you generate new recovery codes, your old codes won’t work anymore.",recovery_codes:"Recovery codes.",waiting_a_recovery_codes:"Receiving backup codes…",recovery_codes_warning:"Write the codes down or save them somewhere secure - otherwise you won't see them again. If you lose access to your 2FA app and recovery codes you'll be locked out of your account.",authentication_methods:"Authentication methods",scan:{title:"Scan",desc:"Using your two-factor app, scan this QR code or enter text key:",secret_code:"Key"},verify:{desc:"To enable two-factor authentication, enter the code from your two-factor app:"}},allow_following_move:"Allow auto-follow when following account moves",attachmentRadius:"Attachments",attachments:"Attachments",avatar:"Avatar",avatarAltRadius:"Avatars (Notifications)",avatarRadius:"Avatars",background:"Background",bio:"Bio",block_export:"Block export",block_export_button:"Export your blocks to a csv file",block_import:"Block import",block_import_error:"Error importing blocks",blocks_imported:"Blocks imported! Processing them will take a while.",blocks_tab:"Blocks",bot:"This is a bot account",btnRadius:"Buttons",cBlue:"Blue (Reply, follow)",cGreen:"Green (Retweet)",cOrange:"Orange (Favorite)",cRed:"Red (Cancel)",change_email:"Change Email",change_email_error:"There was an issue changing your email.",changed_email:"Email changed successfully!",change_password:"Change Password",change_password_error:"There was an issue changing your password.",changed_password:"Password changed successfully!",chatMessageRadius:"Chat message",collapse_subject:"Collapse posts with subjects",composing:"Composing",confirm_new_password:"Confirm new password",current_password:"Current password",mutes_and_blocks:"Mutes and Blocks",data_import_export_tab:"Data Import / Export",default_vis:"Default visibility scope",delete_account:"Delete Account",delete_account_description:"Permanently delete your data and deactivate your account.",delete_account_error:"There was an issue deleting your account. If this persists please contact your instance administrator.",delete_account_instructions:"Type your password in the input below to confirm account deletion.",discoverable:"Allow discovery of this account in search results and other services",domain_mutes:"Domains",avatar_size_instruction:"The recommended minimum size for avatar images is 150x150 pixels.",pad_emoji:"Pad emoji with spaces when adding from picker",emoji_reactions_on_timeline:"Show emoji reactions on timeline",export_theme:"Save preset",filtering:"Filtering",filtering_explanation:"All statuses containing these words will be muted, one per line",follow_export:"Follow export",follow_export_button:"Export your follows to a csv file",follow_import:"Follow import",follow_import_error:"Error importing followers",follows_imported:"Follows imported! Processing them will take a while.",accent:"Accent",foreground:"Foreground",general:"General",hide_attachments_in_convo:"Hide attachments in conversations",hide_attachments_in_tl:"Hide attachments in timeline",hide_muted_posts:"Hide posts of muted users",max_thumbnails:"Maximum amount of thumbnails per post",hide_isp:"Hide instance-specific panel",preload_images:"Preload images",use_one_click_nsfw:"Open NSFW attachments with just one click",hide_post_stats:"Hide post statistics (e.g. the number of favorites)",hide_user_stats:"Hide user statistics (e.g. the number of followers)",hide_filtered_statuses:"Hide filtered statuses",import_blocks_from_a_csv_file:"Import blocks from a csv file",import_followers_from_a_csv_file:"Import follows from a csv file",import_theme:"Load preset",inputRadius:"Input fields",checkboxRadius:"Checkboxes",instance_default:"(default: {value})",instance_default_simple:"(default)",interface:"Interface",interfaceLanguage:"Interface language",invalid_theme_imported:"The selected file is not a supported Pleroma theme. No changes to your theme were made.",limited_availability:"Unavailable in your browser",links:"Links",lock_account_description:"Restrict your account to approved followers only",loop_video:"Loop videos",loop_video_silent_only:'Loop only videos without sound (i.e. Mastodon\'s "gifs")',mutes_tab:"Mutes",play_videos_in_modal:"Play videos in a popup frame",profile_fields:{label:"Profile metadata",add_field:"Add Field",name:"Label",value:"Content"},use_contain_fit:"Don't crop the attachment in thumbnails",name:"Name",name_bio:"Name & Bio",new_email:"New Email",new_password:"New password",notification_visibility:"Types of notifications to show",notification_visibility_follows:"Follows",notification_visibility_likes:"Likes",notification_visibility_mentions:"Mentions",notification_visibility_repeats:"Repeats",notification_visibility_moves:"User Migrates",notification_visibility_emoji_reactions:"Reactions",no_rich_text_description:"Strip rich text formatting from all posts",no_blocks:"No blocks",no_mutes:"No mutes",hide_follows_description:"Don't show who I'm following",hide_followers_description:"Don't show who's following me",hide_follows_count_description:"Don't show follow count",hide_followers_count_description:"Don't show follower count",show_admin_badge:"Show Admin badge in my profile",show_moderator_badge:"Show Moderator badge in my profile",nsfw_clickthrough:"Enable clickthrough NSFW attachment hiding",oauth_tokens:"OAuth tokens",token:"Token",refresh_token:"Refresh Token",valid_until:"Valid Until",revoke_token:"Revoke",panelRadius:"Panels",pause_on_unfocused:"Pause streaming when tab is not focused",presets:"Presets",profile_background:"Profile Background",profile_banner:"Profile Banner",profile_tab:"Profile",radii_help:"Set up interface edge rounding (in pixels)",replies_in_timeline:"Replies in timeline",reply_visibility_all:"Show all replies",reply_visibility_following:"Only show replies directed at me or users I'm following",reply_visibility_self:"Only show replies directed at me",autohide_floating_post_button:"Automatically hide New Post button (mobile)",saving_err:"Error saving settings",saving_ok:"Settings saved",search_user_to_block:"Search whom you want to block",search_user_to_mute:"Search whom you want to mute",security_tab:"Security",scope_copy:"Copy scope when replying (DMs are always copied)",minimal_scopes_mode:"Minimize post scope selection options",set_new_avatar:"Set new avatar",set_new_profile_background:"Set new profile background",set_new_profile_banner:"Set new profile banner",reset_avatar:"Reset avatar",reset_profile_background:"Reset profile background",reset_profile_banner:"Reset profile banner",reset_avatar_confirm:"Do you really want to reset the avatar?",reset_banner_confirm:"Do you really want to reset the banner?",reset_background_confirm:"Do you really want to reset the background?",settings:"Settings",subject_input_always_show:"Always show subject field",subject_line_behavior:"Copy subject when replying",subject_line_email:'Like email: "re: subject"',subject_line_mastodon:"Like mastodon: copy as is",subject_line_noop:"Do not copy",post_status_content_type:"Post status content type",stop_gifs:"Play-on-hover GIFs",streaming:"Enable automatic streaming of new posts when scrolled to the top",user_mutes:"Users",useStreamingApi:"Receive posts and notifications real-time",useStreamingApiWarning:"(Not recommended, experimental, known to skip posts)",text:"Text",theme:"Theme",theme_help:"Use hex color codes (#rrggbb) to customize your color theme.",theme_help_v2_1:'You can also override certain component\'s colors and opacity by toggling the checkbox, use "Clear all" button to clear all overrides.',theme_help_v2_2:"Icons underneath some entries are background/text contrast indicators, hover over for detailed info. Please keep in mind that when using transparency contrast indicators show the worst possible case.",tooltipRadius:"Tooltips/alerts",type_domains_to_mute:"Search domains to mute",upload_a_photo:"Upload a photo",user_settings:"User Settings",values:{false:"no",true:"yes"},fun:"Fun",greentext:"Meme arrows",notifications:"Notifications",notification_setting_filters:"Filters",notification_setting_block_from_strangers:"Block notifications from users who you do not follow",notification_setting_privacy:"Privacy",notification_setting_hide_notification_contents:"Hide the sender and contents of push notifications",notification_mutes:"To stop receiving notifications from a specific user, use a mute.",notification_blocks:"Blocking a user stops all notifications as well as unsubscribes them.",enable_web_push_notifications:"Enable web push notifications",style:{switcher:{keep_color:"Keep colors",keep_shadows:"Keep shadows",keep_opacity:"Keep opacity",keep_roundness:"Keep roundness",keep_fonts:"Keep fonts",save_load_hint:'"Keep" options preserve currently set options when selecting or loading themes, it also stores said options when exporting a theme. When all checkboxes unset, exporting theme will save everything.',reset:"Reset",clear_all:"Clear all",clear_opacity:"Clear opacity",load_theme:"Load theme",keep_as_is:"Keep as is",use_snapshot:"Old version",use_source:"New version",help:{upgraded_from_v2:"PleromaFE has been upgraded, theme could look a little bit different than you remember.",v2_imported:"File you imported was made for older FE. We try to maximize compatibility but there still could be inconsistencies.",future_version_imported:"File you imported was made in newer version of FE.",older_version_imported:"File you imported was made in older version of FE.",snapshot_present:"Theme snapshot is loaded, so all values are overriden. You can load theme's actual data instead.",snapshot_missing:"No theme snapshot was in the file so it could look different than originally envisioned.",fe_upgraded:"PleromaFE's theme engine upgraded after version update.",fe_downgraded:"PleromaFE's version rolled back.",migration_snapshot_ok:"Just to be safe, theme snapshot loaded. You can try loading theme data.",migration_napshot_gone:"For whatever reason snapshot was missing, some stuff could look different than you remember.",snapshot_source_mismatch:"Versions conflict: most likely FE was rolled back and updated again, if you changed theme using older version of FE you most likely want to use old version, otherwise use new version."}},common:{color:"Color",opacity:"Opacity",contrast:{hint:"Contrast ratio is {ratio}, it {level} {context}",level:{aa:"meets Level AA guideline (minimal)",aaa:"meets Level AAA guideline (recommended)",bad:"doesn't meet any accessibility guidelines"},context:{"18pt":"for large (18pt+) text",text:"for text"}}},common_colors:{_tab_label:"Common",main:"Common colors",foreground_hint:'See "Advanced" tab for more detailed control',rgbo:"Icons, accents, badges"},advanced_colors:{_tab_label:"Advanced",alert:"Alert background",alert_error:"Error",alert_warning:"Warning",alert_neutral:"Neutral",post:"Posts/User bios",badge:"Badge background",popover:"Tooltips, menus, popovers",badge_notification:"Notification",panel_header:"Panel header",top_bar:"Top bar",borders:"Borders",buttons:"Buttons",inputs:"Input fields",faint_text:"Faded text",underlay:"Underlay",poll:"Poll graph",icons:"Icons",highlight:"Highlighted elements",pressed:"Pressed",selectedPost:"Selected post",selectedMenu:"Selected menu item",disabled:"Disabled",toggled:"Toggled",tabs:"Tabs",chat:{incoming:"Incoming",outgoing:"Outgoing",border:"Border"}},radii:{_tab_label:"Roundness"},shadows:{_tab_label:"Shadow and lighting",component:"Component",override:"Override",shadow_id:"Shadow #{value}",blur:"Blur",spread:"Spread",inset:"Inset",hintV3:"For shadows you can also use the {0} notation to use other color slot.",filter_hint:{always_drop_shadow:"Warning, this shadow always uses {0} when browser supports it.",drop_shadow_syntax:"{0} does not support {1} parameter and {2} keyword.",avatar_inset:"Please note that combining both inset and non-inset shadows on avatars might give unexpected results with transparent avatars.",spread_zero:"Shadows with spread > 0 will appear as if it was set to zero",inset_classic:"Inset shadows will be using {0}"},components:{panel:"Panel",panelHeader:"Panel header",topBar:"Top bar",avatar:"User avatar (in profile view)",avatarStatus:"User avatar (in post display)",popup:"Popups and tooltips",button:"Button",buttonHover:"Button (hover)",buttonPressed:"Button (pressed)",buttonPressedHover:"Button (pressed+hover)",input:"Input field"}},fonts:{_tab_label:"Fonts",help:'Select font to use for elements of UI. For "custom" you have to enter exact font name as it appears in system.',components:{interface:"Interface",input:"Input fields",post:"Post text",postCode:"Monospaced text in a post (rich text)"},family:"Font name",size:"Size (in px)",weight:"Weight (boldness)",custom:"Custom"},preview:{header:"Preview",content:"Content",error:"Example error",button:"Button",text:"A bunch of more {0} and {1}",mono:"content",input:"Just landed in L.A.",faint_link:"helpful manual",fine_print:"Read our {0} to learn nothing useful!",header_faint:"This is fine",checkbox:"I have skimmed over terms and conditions",link:"a nice lil' link"}},version:{title:"Version",backend_version:"Backend Version",frontend_version:"Frontend Version"}},time:{day:"{0} day",days:"{0} days",day_short:"{0}d",days_short:"{0}d",hour:"{0} hour",hours:"{0} hours",hour_short:"{0}h",hours_short:"{0}h",in_future:"in {0}",in_past:"{0} ago",minute:"{0} minute",minutes:"{0} minutes",minute_short:"{0}min",minutes_short:"{0}min",month:"{0} month",months:"{0} months",month_short:"{0}mo",months_short:"{0}mo",now:"just now",now_short:"now",second:"{0} second",seconds:"{0} seconds",second_short:"{0}s",seconds_short:"{0}s",week:"{0} week",weeks:"{0} weeks",week_short:"{0}w",weeks_short:"{0}w",year:"{0} year",years:"{0} years",year_short:"{0}y",years_short:"{0}y"},timeline:{collapse:"Collapse",conversation:"Conversation",error_fetching:"Error fetching updates",load_older:"Load older statuses",no_retweet_hint:"Post is marked as followers-only or direct and cannot be repeated",repeated:"repeated",show_new:"Show new",reload:"Reload",up_to_date:"Up-to-date",no_more_statuses:"No more statuses",no_statuses:"No statuses"},status:{favorites:"Favorites",repeats:"Repeats",delete:"Delete status",pin:"Pin on profile",unpin:"Unpin from profile",pinned:"Pinned",bookmark:"Bookmark",unbookmark:"Unbookmark",delete_confirm:"Do you really want to delete this status?",reply_to:"Reply to",replies_list:"Replies:",mute_conversation:"Mute conversation",unmute_conversation:"Unmute conversation",status_unavailable:"Status unavailable",copy_link:"Copy link to status",thread_muted:"Thread muted",thread_muted_and_words:", has words:",show_full_subject:"Show full subject",hide_full_subject:"Hide full subject",show_content:"Show content",hide_content:"Hide content"},user_card:{approve:"Approve",block:"Block",blocked:"Blocked!",deny:"Deny",favorites:"Favorites",follow:"Follow",follow_sent:"Request sent!",follow_progress:"Requesting…",follow_again:"Send request again?",follow_unfollow:"Unfollow",followees:"Following",followers:"Followers",following:"Following!",follows_you:"Follows you!",hidden:"Hidden",its_you:"It's you!",media:"Media",mention:"Mention",message:"Message",mute:"Mute",muted:"Muted",per_day:"per day",remote_follow:"Remote follow",report:"Report",statuses:"Statuses",subscribe:"Subscribe",unsubscribe:"Unsubscribe",unblock:"Unblock",unblock_progress:"Unblocking…",block_progress:"Blocking…",unmute:"Unmute",unmute_progress:"Unmuting…",mute_progress:"Muting…",hide_repeats:"Hide repeats",show_repeats:"Show repeats",admin_menu:{moderation:"Moderation",grant_admin:"Grant Admin",revoke_admin:"Revoke Admin",grant_moderator:"Grant Moderator",revoke_moderator:"Revoke Moderator",activate_account:"Activate account",deactivate_account:"Deactivate account",delete_account:"Delete account",force_nsfw:"Mark all posts as NSFW",strip_media:"Remove media from posts",force_unlisted:"Force posts to be unlisted",sandbox:"Force posts to be followers-only",disable_remote_subscription:"Disallow following user from remote instances",disable_any_subscription:"Disallow following user at all",quarantine:"Disallow user posts from federating",delete_user:"Delete user",delete_user_confirmation:"Are you absolutely sure? This action cannot be undone."}},user_profile:{timeline_title:"User Timeline",profile_does_not_exist:"Sorry, this profile does not exist.",profile_loading_error:"Sorry, there was an error loading this profile."},user_reporting:{title:"Reporting {0}",add_comment_description:"The report will be sent to your instance moderators. You can provide an explanation of why you are reporting this account below:",additional_comments:"Additional comments",forward_description:"The account is from another server. Send a copy of the report there as well?",forward_to:"Forward to {0}",submit:"Submit",generic_error:"An error occurred while processing your request."},who_to_follow:{more:"More",who_to_follow:"Who to follow"},tool_tip:{media_upload:"Upload Media",repeat:"Repeat",reply:"Reply",favorite:"Favorite",add_reaction:"Add Reaction",user_settings:"User Settings",accept_follow_request:"Accept follow request",reject_follow_request:"Reject follow request",bookmark:"Bookmark"},upload:{error:{base:"Upload failed.",file_too_big:"File too big [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]",default:"Try again later"},file_size_units:{B:"B",KiB:"KiB",MiB:"MiB",GiB:"GiB",TiB:"TiB"}},search:{people:"People",hashtags:"Hashtags",person_talking:"{count} person talking",people_talking:"{count} people talking",no_results:"No results"},password_reset:{forgot_password:"Forgot password?",password_reset:"Password reset",instruction:"Enter your email address or username. We will send you a link to reset your password.",placeholder:"Your email or username",check_email:"Check your email for a link to reset your password.",return_home:"Return to the home page",too_many_requests:"You have reached the limit of attempts, try again later.",password_reset_disabled:"Password reset is disabled. Please contact your instance administrator.",password_reset_required:"You must reset your password to log in.",password_reset_required_but_mailer_is_disabled:"You must reset your password, but password reset is disabled. Please contact your instance administrator."},chats:{you:"You:",message_user:"Message {nickname}",delete:"Delete",chats:"Chats",new:"New Chat",empty_message_error:"Cannot post empty message",more:"More",delete_confirm:"Do you really want to delete this message?",error_loading_chat:"Something went wrong when loading the chat.",error_sending_message:"Something went wrong when sending the message.",empty_chat_list_placeholder:"You don't have any chats yet. Start a new chat!"},file_type:{audio:"Audio",video:"Video",image:"Image",file:"File"},display_date:{today:"Today"}}},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(t,e,n){var i=n(369);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("0084eb3d",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".timeline .loadmore-text{opacity:1}.timeline-heading{max-width:100%;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.timeline-heading .loadmore-button,.timeline-heading .loadmore-text{-ms-flex-negative:0;flex-shrink:0}.timeline-heading .loadmore-text{line-height:1em}",""])},,,,,function(t,e,n){var i=n(375);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("80571546",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.Status{min-width:0}.Status:hover{--still-image-img:visible;--still-image-canvas:hidden}.Status.-focused{background-color:#151e2a;background-color:var(--selectedPost,#151e2a);color:#b9b9ba;color:var(--selectedPostText,#b9b9ba);--lightText:var(--selectedPostLightText,$fallback--light);--faint:var(--selectedPostFaintText,$fallback--faint);--faintLink:var(--selectedPostFaintLink,$fallback--faint);--postLink:var(--selectedPostPostLink,$fallback--faint);--postFaintLink:var(--selectedPostFaintPostLink,$fallback--faint);--icon:var(--selectedPostIcon,$fallback--icon)}.Status .status-container{display:-ms-flexbox;display:flex;padding:.75em}.Status .status-container.-repeat{padding-top:0}.Status .pin{padding:.75em .75em 0;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:end;justify-content:flex-end}.Status .left-side{margin-right:.75em}.Status .right-side{-ms-flex:1;flex:1;min-width:0}.Status .usercard{margin-bottom:.75em}.Status .status-username{white-space:nowrap;font-size:14px;overflow:hidden;max-width:85%;font-weight:700;-ms-flex-negative:1;flex-shrink:1;margin-right:.4em;text-overflow:ellipsis}.Status .status-username .emoji{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.Status .status-favicon{height:18px;width:18px;margin-right:.4em}.Status .status-heading{margin-bottom:.5em}.Status .heading-name-row{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;line-height:18px}.Status .heading-name-row a{display:inline-block;word-break:break-all}.Status .account-name{min-width:1.6em;margin-right:.4em;white-space:nowrap;overflow:hidden;text-overflow:ellipsis;-ms-flex:1 1 0px;flex:1 1 0}.Status .heading-left{display:-ms-flexbox;display:flex;min-width:0}.Status .heading-right{display:-ms-flexbox;display:flex;-ms-flex-negative:0;flex-shrink:0}.Status .timeago{margin-right:.2em}.Status .heading-reply-row{position:relative;-ms-flex-line-pack:baseline;align-content:baseline;font-size:12px;line-height:18px;max-width:100%;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-align:stretch;align-items:stretch}.Status .reply-to-and-accountname{display:-ms-flexbox;display:flex;height:18px;margin-right:.5em;max-width:100%}.Status .reply-to-and-accountname .reply-to-link{white-space:nowrap;word-break:break-word;text-overflow:ellipsis;overflow-x:hidden}.Status .reply-to-and-accountname .icon-reply{transform:scaleX(-1)}.Status .reply-to-no-popover,.Status .reply-to-popover{min-width:0;margin-right:.4em;-ms-flex-negative:0;flex-shrink:0}.Status .reply-to-popover .reply-to:hover:before{content:"";display:block;position:absolute;bottom:0;width:100%;border-bottom:1px solid var(--faint);pointer-events:none}.Status .reply-to-popover .faint-link:hover{text-decoration:none}.Status .reply-to-popover.-strikethrough .reply-to:after{content:"";display:block;position:absolute;top:50%;width:100%;border-bottom:1px solid var(--faint);pointer-events:none}.Status .reply-to{display:-ms-flexbox;display:flex;position:relative}.Status .reply-to-text{overflow:hidden;text-overflow:ellipsis;white-space:nowrap;margin-left:.2em}.Status .replies-separator{margin-left:.4em}.Status .replies{line-height:18px;font-size:12px;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.Status .replies>*{margin-right:.4em}.Status .reply-link{height:17px}.Status .repeat-info{padding:.4em .75em;line-height:22px}.Status .repeat-info .right-side{display:-ms-flexbox;display:flex;-ms-flex-line-pack:center;align-content:center;-ms-flex-wrap:wrap;flex-wrap:wrap}.Status .repeat-info i{padding:0 .2em}.Status .repeater-avatar{border-radius:var(--avatarAltRadius,10px);margin-left:28px;width:20px;height:20px}.Status .repeater-name{text-overflow:ellipsis;margin-right:0}.Status .repeater-name .emoji{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.Status .status-fadein{animation-duration:.4s;animation-name:fadein}@keyframes fadein{0%{opacity:0}to{opacity:1}}.Status .status-actions{position:relative;width:100%;display:-ms-flexbox;display:flex;margin-top:.75em}.Status .status-actions>*{max-width:4em;-ms-flex:1;flex:1}.Status .button-reply:not(.-disabled){cursor:pointer}.Status .button-reply.-active,.Status .button-reply:not(.-disabled):hover{color:#0095ff;color:var(--cBlue,#0095ff)}.Status .muted{padding:.25em .6em;height:1.2em;line-height:1.2em;text-overflow:ellipsis;overflow:hidden;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.Status .muted .mute-thread,.Status .muted .mute-words,.Status .muted .status-username{word-wrap:normal;word-break:normal;white-space:nowrap}.Status .muted .mute-words,.Status .muted .status-username{text-overflow:ellipsis;overflow:hidden}.Status .muted .status-username{font-weight:400;-ms-flex:0 1 auto;flex:0 1 auto;margin-right:.2em;font-size:smaller}.Status .muted .mute-thread{-ms-flex:0 0 auto;flex:0 0 auto}.Status .muted .mute-words{-ms-flex:1 0 5em;flex:1 0 5em;margin-left:.2em}.Status .muted .mute-words:before{content:" "}.Status .muted .unmute{-ms-flex:0 0 auto;flex:0 0 auto;margin-left:auto;display:block}.Status .reply-form{padding-top:0;padding-bottom:0}.Status .reply-body{-ms-flex:1;flex:1}.Status .favs-repeated-users{margin-top:.75em}.Status .stats{width:100%;display:-ms-flexbox;display:flex;line-height:1em}.Status .avatar-row{-ms-flex:1;flex:1;overflow:hidden;position:relative;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.Status .avatar-row:before{content:"";position:absolute;height:100%;width:1px;left:0;background-color:var(--faint,hsla(240,1%,73%,.5))}.Status .stat-count{margin-right:.75em;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.Status .stat-count .stat-title{color:var(--faint,hsla(240,1%,73%,.5));font-size:12px;text-transform:uppercase;position:relative}.Status .stat-count .stat-number{font-weight:bolder;font-size:16px;line-height:1em}.Status .stat-count:hover .stat-title{text-decoration:underline}@media (max-width:800px){.Status .repeater-avatar{margin-left:20px}.Status .avatar:not(.repeater-avatar){width:40px;height:40px}.Status .avatar:not(.repeater-avatar).avatar-compact{width:32px;height:32px}}',""])},,function(t,e,n){var i=n(378);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7d4fb47f",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".fav-active{cursor:pointer;animation-duration:.6s}.fav-active:hover,.favorite-button.icon-star{color:orange;color:var(--cOrange,orange)}",""])},function(t,e,n){var i=n(380);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("b98558e8",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".reaction-picker-filter{padding:.5em;display:-ms-flexbox;display:flex}.reaction-picker-filter input{-ms-flex:1;flex:1}.reaction-picker-divider{height:1px;width:100%;margin:.5em;background-color:var(--border,#222)}.reaction-picker{width:10em;height:9em;font-size:1.5em;overflow-y:scroll;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;padding:.5em;text-align:center;-ms-flex-line-pack:start;align-content:flex-start;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;-webkit-mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);transition:-webkit-mask-size .15s;transition:mask-size .15s;transition:mask-size .15s,-webkit-mask-size .15s;-webkit-mask-size:100% 20px,100% 20px,auto;mask-size:100% 20px,100% 20px,auto;-webkit-mask-composite:xor;mask-composite:exclude}.reaction-picker .emoji-button{cursor:pointer;-ms-flex-preferred-size:20%;flex-basis:20%;line-height:1.5em;-ms-flex-line-pack:center;align-content:center}.reaction-picker .emoji-button:hover{transform:scale(1.25)}.add-reaction-button{cursor:pointer}.add-reaction-button:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}",""])},function(t,e,n){var i=n(382);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("92bf6e22",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".popover{z-index:8;position:absolute;min-width:0}.popover-default{transition:opacity .3s;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);border-radius:4px;border-radius:var(--btnRadius,4px);background-color:#121a24;background-color:var(--popover,#121a24);color:#b9b9ba;color:var(--popoverText,#b9b9ba);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--postLink:var(--popoverPostLink,$fallback--link);--postFaintLink:var(--popoverPostFaintLink,$fallback--link);--icon:var(--popoverIcon,$fallback--icon)}.dropdown-menu{display:block;padding:.5rem 0;font-size:1rem;text-align:left;list-style:none;max-width:100vw;z-index:10;white-space:nowrap}.dropdown-menu .dropdown-divider{height:0;margin:.5rem 0;overflow:hidden;border-top:1px solid #222;border-top:1px solid var(--border,#222)}.dropdown-menu .dropdown-item{line-height:21px;margin-right:5px;overflow:auto;display:block;padding:.25rem 1rem .25rem 1.5rem;clear:both;font-weight:400;text-align:inherit;white-space:nowrap;border:none;border-radius:0;background-color:transparent;box-shadow:none;width:100%;height:100%;--btnText:var(--popoverText,$fallback--text)}.dropdown-menu .dropdown-item-icon{padding-left:.5rem}.dropdown-menu .dropdown-item-icon i{margin-right:.25rem;color:var(--menuPopoverIcon,#666)}.dropdown-menu .dropdown-item:active,.dropdown-menu .dropdown-item:hover{background-color:#151e2a;background-color:var(--selectedMenuPopover,#151e2a);color:#d8a070;color:var(--selectedMenuPopoverText,#d8a070);--faint:var(--selectedMenuPopoverFaintText,$fallback--faint);--faintLink:var(--selectedMenuPopoverFaintLink,$fallback--faint);--lightText:var(--selectedMenuPopoverLightText,$fallback--lightText);--icon:var(--selectedMenuPopoverIcon,$fallback--icon)}.dropdown-menu .dropdown-item:active i,.dropdown-menu .dropdown-item:hover i{color:var(--selectedMenuPopoverIcon,#666)}",""])},function(t,e,n){var i=n(384);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("2c52cbcb",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".rt-active{cursor:pointer;animation-duration:.6s}.icon-retweet.retweeted,.rt-active:hover{color:#0fa00f;color:var(--cGreen,#0fa00f)}",""])},function(t,e,n){var i=n(386);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("0d2c533c",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".icon-ellipsis{cursor:pointer}.extra-button-popover.open .icon-ellipsis,.icon-ellipsis:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}",""])},function(t,e,n){var i=n(388);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("ce7966a8",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".tribute-container ul{padding:0}.tribute-container ul li{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.tribute-container img{padding:3px;width:16px;height:16px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.post-status-form{position:relative}.post-status-form .form-bottom{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;padding:.5em;height:32px}.post-status-form .form-bottom button{width:10em}.post-status-form .form-bottom p{margin:.35em;padding:.35em;display:-ms-flexbox;display:flex}.post-status-form .form-bottom-left{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1;padding-right:7px;margin-right:7px;max-width:10em}.post-status-form .preview-heading{padding-left:.5em;display:-ms-flexbox;display:flex;width:100%}.post-status-form .preview-heading .icon-spin3{margin-left:auto}.post-status-form .preview-toggle{display:-ms-flexbox;display:flex;cursor:pointer;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.post-status-form .preview-toggle:hover{text-decoration:underline}.post-status-form .preview-toggle i{margin-left:.2em;font-size:.8em;transform:rotate(90deg)}.post-status-form .preview-container{margin-bottom:1em}.post-status-form .preview-error{font-style:italic;color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.post-status-form .preview-status{border:1px solid #222;border:1px solid var(--border,#222);border-radius:5px;border-radius:var(--tooltipRadius,5px);padding:.5em;margin:0;line-height:1.4em}.post-status-form .text-format .only-format{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.post-status-form .visibility-tray{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;padding-top:5px}.post-status-form .emoji-icon,.post-status-form .media-upload-icon,.post-status-form .poll-icon{font-size:26px;-ms-flex:1;flex:1}.post-status-form .emoji-icon.selected i,.post-status-form .emoji-icon.selected label,.post-status-form .emoji-icon:hover i,.post-status-form .emoji-icon:hover label,.post-status-form .media-upload-icon.selected i,.post-status-form .media-upload-icon.selected label,.post-status-form .media-upload-icon:hover i,.post-status-form .media-upload-icon:hover label,.post-status-form .poll-icon.selected i,.post-status-form .poll-icon.selected label,.post-status-form .poll-icon:hover i,.post-status-form .poll-icon:hover label{color:#b9b9ba;color:var(--lightText,#b9b9ba)}.post-status-form .emoji-icon.disabled i,.post-status-form .media-upload-icon.disabled i,.post-status-form .poll-icon.disabled i{cursor:not-allowed;color:#666;color:var(--btnDisabledText,#666)}.post-status-form .emoji-icon.disabled i:hover,.post-status-form .media-upload-icon.disabled i:hover,.post-status-form .poll-icon.disabled i:hover{color:#666;color:var(--btnDisabledText,#666)}.post-status-form .media-upload-icon{-ms-flex-order:1;order:1;text-align:left}.post-status-form .emoji-icon{-ms-flex-order:2;order:2;text-align:center}.post-status-form .poll-icon{-ms-flex-order:3;order:3;text-align:right}.post-status-form .icon-chart-bar{cursor:pointer}.post-status-form .error{text-align:center}.post-status-form .media-upload-wrapper{margin-right:.2em;margin-bottom:.5em;width:18em}.post-status-form .media-upload-wrapper .icon-cancel{display:inline-block;position:static;margin:0;padding-bottom:0;margin-left:10px;margin-left:var(--attachmentRadius,10px);background-color:#182230;background-color:var(--btn,#182230);border-bottom-left-radius:0;border-bottom-right-radius:0}.post-status-form .media-upload-wrapper img,.post-status-form .media-upload-wrapper video{-o-object-fit:contain;object-fit:contain;max-height:10em}.post-status-form .media-upload-wrapper .video{max-height:10em}.post-status-form .media-upload-wrapper input{-ms-flex:1;flex:1;width:100%}.post-status-form .status-input-wrapper{display:-ms-flexbox;display:flex;position:relative;width:100%;-ms-flex-direction:column;flex-direction:column}.post-status-form .media-upload-wrapper .attachments{padding:0 .5em}.post-status-form .media-upload-wrapper .attachments .attachment{margin:0;padding:0;position:relative}.post-status-form .media-upload-wrapper .attachments i{position:absolute;margin:10px;padding:5px;background:hsla(0,0%,90%,.6);border-radius:10px;border-radius:var(--attachmentRadius,10px);font-weight:700}.post-status-form form{margin:.6em;position:relative}.post-status-form .form-group,.post-status-form form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.post-status-form .form-group{padding:.25em .5em .5em;line-height:24px}.post-status-form .form-post-body,.post-status-form form textarea.form-cw{line-height:16px;resize:none;overflow:hidden;transition:min-height .2s .1s;min-height:1px}.post-status-form .form-post-body{height:16px;padding-bottom:1.75em;box-sizing:content-box}.post-status-form .form-post-body.scrollable-form{overflow-y:auto}.post-status-form .main-input{position:relative}.post-status-form .character-counter{position:absolute;bottom:0;right:0;padding:0;margin:0 .5em}.post-status-form .character-counter.error{color:red;color:var(--cRed,red)}.post-status-form .btn{cursor:pointer}.post-status-form .btn[disabled]{cursor:not-allowed}.post-status-form .icon-cancel{cursor:pointer;z-index:4}@keyframes fade-in{0%{opacity:0}to{opacity:.6}}@keyframes fade-out{0%{opacity:.6}to{opacity:0}}.post-status-form .drop-indicator{position:absolute;z-index:1;width:100%;height:100%;font-size:5em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;opacity:.6;color:#b9b9ba;color:var(--text,#b9b9ba);background-color:#121a24;background-color:var(--bg,#121a24);border-radius:5px;border-radius:var(--tooltipRadius,5px);border:2px dashed #b9b9ba;border:2px dashed var(--text,#b9b9ba)}.media-upload-container>video,img.media-upload{line-height:0;max-height:200px;max-width:100%}",""])},function(t,e,n){var i=n(390);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("8585287c",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".media-upload .label{display:inline-block}.media-upload .new-icon{cursor:pointer}.media-upload .progress-icon{display:inline-block;line-height:0}.media-upload .progress-icon:before{margin:0;line-height:0}",""])},function(t,e,n){var i=n(392);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("770eecd8",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".scope-selector i{font-size:1.2em;cursor:pointer}.scope-selector i.selected{color:#b9b9ba;color:var(--lightText,#b9b9ba)}",""])},function(t,e,n){var i=n(394);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("d6bd964a",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".emoji-input{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;position:relative}.emoji-input.with-picker input{padding-right:30px}.emoji-input .emoji-picker-icon{position:absolute;top:0;right:0;margin:.2em .25em;font-size:16px;cursor:pointer;line-height:24px}.emoji-input .emoji-picker-icon:hover i{color:#b9b9ba;color:var(--text,#b9b9ba)}.emoji-input .emoji-picker-panel{position:absolute;z-index:20;margin-top:2px}.emoji-input .emoji-picker-panel.hide{display:none}.emoji-input .autocomplete-panel{position:absolute;z-index:20;margin-top:2px}.emoji-input .autocomplete-panel.hide{display:none}.emoji-input .autocomplete-panel-body{margin:0 .5em;border-radius:5px;border-radius:var(--tooltipRadius,5px);box-shadow:1px 2px 4px rgba(0,0,0,.5);box-shadow:var(--popupShadow);min-width:75%;background-color:#121a24;background-color:var(--popover,#121a24);color:#d8a070;color:var(--popoverText,#d8a070);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--postLink:var(--popoverPostLink,$fallback--link);--postFaintLink:var(--popoverPostFaintLink,$fallback--link);--icon:var(--popoverIcon,$fallback--icon)}.emoji-input .autocomplete-item{display:-ms-flexbox;display:flex;cursor:pointer;padding:.2em .4em;border-bottom:1px solid rgba(0,0,0,.4);height:32px}.emoji-input .autocomplete-item .image{width:32px;height:32px;line-height:32px;text-align:center;font-size:32px;margin-right:4px}.emoji-input .autocomplete-item .image img{width:32px;height:32px;-o-object-fit:contain;object-fit:contain}.emoji-input .autocomplete-item .label{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-pack:center;justify-content:center;margin:0 .1em 0 .2em}.emoji-input .autocomplete-item .label .displayText{line-height:1.5}.emoji-input .autocomplete-item .label .detailText{font-size:9px;line-height:9px}.emoji-input .autocomplete-item.highlighted{background-color:#182230;background-color:var(--selectedMenuPopover,#182230);color:var(--selectedMenuPopoverText,#b9b9ba);--faint:var(--selectedMenuPopoverFaintText,$fallback--faint);--faintLink:var(--selectedMenuPopoverFaintLink,$fallback--faint);--lightText:var(--selectedMenuPopoverLightText,$fallback--lightText);--icon:var(--selectedMenuPopoverIcon,$fallback--icon)}.emoji-input input,.emoji-input textarea{-ms-flex:1 0 auto;flex:1 0 auto}",""])},function(t,e,n){var i=n(396);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7bb72e68",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".emoji-picker{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;position:absolute;right:0;left:0;margin:0!important;z-index:1;background-color:#121a24;background-color:var(--popover,#121a24);color:#d8a070;color:var(--popoverText,#d8a070);--lightText:var(--popoverLightText,$fallback--faint);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--icon:var(--popoverIcon,$fallback--icon)}.emoji-picker .keep-open,.emoji-picker .too-many-emoji{padding:7px;line-height:normal}.emoji-picker .too-many-emoji{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.emoji-picker .keep-open-label{padding:0 7px;display:-ms-flexbox;display:flex}.emoji-picker .heading{display:-ms-flexbox;display:flex;height:32px;padding:10px 7px 5px}.emoji-picker .content{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex:1 1 auto;flex:1 1 auto;min-height:0}.emoji-picker .emoji-tabs{-ms-flex-positive:1;flex-grow:1}.emoji-picker .emoji-groups{min-height:200px}.emoji-picker .additional-tabs{border-left:1px solid;border-left-color:#666;border-left-color:var(--icon,#666);padding-left:7px;-ms-flex:0 0 auto;flex:0 0 auto}.emoji-picker .additional-tabs,.emoji-picker .emoji-tabs{display:block;min-width:0;-ms-flex-preferred-size:auto;flex-basis:auto;-ms-flex-negative:1;flex-shrink:1}.emoji-picker .additional-tabs-item,.emoji-picker .emoji-tabs-item{padding:0 7px;cursor:pointer;font-size:24px}.emoji-picker .additional-tabs-item.disabled,.emoji-picker .emoji-tabs-item.disabled{opacity:.5;pointer-events:none}.emoji-picker .additional-tabs-item.active,.emoji-picker .emoji-tabs-item.active{border-bottom:4px solid}.emoji-picker .additional-tabs-item.active i,.emoji-picker .emoji-tabs-item.active i{color:#b9b9ba;color:var(--lightText,#b9b9ba)}.emoji-picker .sticker-picker{-ms-flex:1 1 auto;flex:1 1 auto}.emoji-picker .emoji-content,.emoji-picker .stickers-content{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex:1 1 auto;flex:1 1 auto;min-height:0}.emoji-picker .emoji-content.hidden,.emoji-picker .stickers-content.hidden{opacity:0;pointer-events:none;position:absolute}.emoji-picker .emoji-search{padding:5px;-ms-flex:0 0 auto;flex:0 0 auto}.emoji-picker .emoji-search input{width:100%}.emoji-picker .emoji-groups{-ms-flex:1 1 1px;flex:1 1 1px;position:relative;overflow:auto;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;-webkit-mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);transition:-webkit-mask-size .15s;transition:mask-size .15s;transition:mask-size .15s,-webkit-mask-size .15s;-webkit-mask-size:100% 20px,100% 20px,auto;mask-size:100% 20px,100% 20px,auto;-webkit-mask-composite:xor;mask-composite:exclude}.emoji-picker .emoji-groups.scrolled-top{-webkit-mask-size:100% 20px,100% 0,auto;mask-size:100% 20px,100% 0,auto}.emoji-picker .emoji-groups.scrolled-bottom{-webkit-mask-size:100% 0,100% 20px,auto;mask-size:100% 0,100% 20px,auto}.emoji-picker .emoji-group{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-wrap:wrap;flex-wrap:wrap;padding-left:5px;-ms-flex-pack:left;justify-content:left}.emoji-picker .emoji-group-title{font-size:12px;width:100%;margin:0}.emoji-picker .emoji-group-title.disabled{display:none}.emoji-picker .emoji-item{width:32px;height:32px;box-sizing:border-box;display:-ms-flexbox;display:flex;font-size:32px;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;margin:4px;cursor:pointer}.emoji-picker .emoji-item img{-o-object-fit:contain;object-fit:contain;max-width:100%;max-height:100%}",""])},function(t,e,n){var i=n(398);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("002629bb",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.checkbox{position:relative;display:inline-block;min-height:1.2em}.checkbox-indicator{position:relative;padding-left:1.2em}.checkbox-indicator:before{position:absolute;right:0;top:0;display:block;content:"\\2713";transition:color .2s;width:1.1em;height:1.1em;border-radius:2px;border-radius:var(--checkboxRadius,2px);box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow);background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}.checkbox.disabled .checkbox-indicator:before,.checkbox.disabled .label{opacity:.5}.checkbox.disabled .label{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.checkbox input[type=checkbox]{display:none}.checkbox input[type=checkbox]:checked+.checkbox-indicator:before{color:#b9b9ba;color:var(--inputText,#b9b9ba)}.checkbox input[type=checkbox]:indeterminate+.checkbox-indicator:before{content:"\\2013";color:#b9b9ba;color:var(--inputText,#b9b9ba)}.checkbox>span{margin-left:.5em}',""])},function(t,e,n){var i=n(400);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("60db0262",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".poll-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:0 .5em .5em}.poll-form .add-option{-ms-flex-item-align:start;align-self:flex-start;padding-top:.25em;cursor:pointer}.poll-form .poll-option{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;-ms-flex-pack:justify;justify-content:space-between;margin-bottom:.25em}.poll-form .input-container{width:100%}.poll-form .input-container input{padding-right:2.5em;width:100%}.poll-form .icon-container{width:2em;margin-left:-2em;z-index:1}.poll-form .poll-type-expiry{margin-top:.5em;display:-ms-flexbox;display:flex;width:100%}.poll-form .poll-type{margin-right:.75em;-ms-flex:1 1 60%;flex:1 1 60%}.poll-form .poll-type .select{border:none;box-shadow:none;background-color:transparent}.poll-form .poll-expiry{display:-ms-flexbox;display:flex}.poll-form .poll-expiry .expiry-amount{width:3em;text-align:right}.poll-form .poll-expiry .expiry-unit{border:none;box-shadow:none;background-color:transparent}",""])},function(t,e,n){var i=n(402);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("60b296ca",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".attachments{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.attachments .non-gallery{max-width:100%}.attachments .placeholder{display:inline-block;padding:.3em 1em .3em 0;color:#d8a070;color:var(--postLink,#d8a070);overflow:hidden;white-space:nowrap;text-overflow:ellipsis;max-width:100%}.attachments .nsfw-placeholder{cursor:pointer}.attachments .nsfw-placeholder.loading{cursor:progress}.attachments .attachment{position:relative;margin-top:.5em;-ms-flex-item-align:start;align-self:flex-start;line-height:0;border-radius:10px;border-radius:var(--attachmentRadius,10px);border-color:#222;border:1px solid var(--border,#222);overflow:hidden}.attachments .non-gallery.attachment.video{-ms-flex:1 0 40%;flex:1 0 40%}.attachments .non-gallery.attachment .nsfw{height:260px}.attachments .non-gallery.attachment .small{height:120px;-ms-flex-positive:0;flex-grow:0}.attachments .non-gallery.attachment .video{height:260px;display:-ms-flexbox;display:flex}.attachments .non-gallery.attachment video{max-height:100%;-o-object-fit:contain;object-fit:contain}.attachments .fullwidth{-ms-flex-preferred-size:100%;flex-basis:100%}.attachments.video{line-height:0}.attachments .video-container{display:-ms-flexbox;display:flex;max-height:100%}.attachments .video{width:100%;height:100%}.attachments .play-icon{position:absolute;font-size:64px;top:calc(50% - 32px);left:calc(50% - 32px);color:hsla(0,0%,100%,.75);text-shadow:0 0 2px rgba(0,0,0,.4)}.attachments .play-icon:before{margin:0}.attachments.html{-ms-flex-preferred-size:90%;flex-basis:90%;width:100%;display:-ms-flexbox;display:flex}.attachments .hider{position:absolute;right:0;white-space:nowrap;margin:10px;padding:5px;background:hsla(0,0%,90%,.6);font-weight:700;z-index:4;line-height:1;border-radius:5px;border-radius:var(--tooltipRadius,5px)}.attachments video{z-index:0}.attachments audio{width:100%}.attachments img.media-upload{line-height:0;max-height:200px;max-width:100%}.attachments .oembed{line-height:1.2em;-ms-flex:1 0 100%;flex:1 0 100%;width:100%;margin-right:15px;display:-ms-flexbox;display:flex}.attachments .oembed img{width:100%}.attachments .oembed .image{-ms-flex:1;flex:1}.attachments .oembed .image img{border:0;border-radius:5px;height:100%;-o-object-fit:cover;object-fit:cover}.attachments .oembed .text{-ms-flex:2;flex:2;margin:8px;word-break:break-all}.attachments .oembed .text h1{font-size:14px;margin:0}.attachments .image-attachment,.attachments .image-attachment .image{width:100%;height:100%}.attachments .image-attachment.hidden{display:none}.attachments .image-attachment .nsfw{-o-object-fit:cover;object-fit:cover;width:100%;height:100%}.attachments .image-attachment img{image-orientation:from-image}",""])},function(t,e,n){var i=n(404);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("24ab97e0",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.still-image{position:relative;line-height:0;overflow:hidden;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.still-image canvas{position:absolute;top:0;bottom:0;left:0;right:0;height:100%;visibility:var(--still-image-canvas,visible)}.still-image canvas,.still-image img{width:100%;-o-object-fit:contain;object-fit:contain}.still-image img{min-height:100%}.still-image.animated:before{content:"gif";position:absolute;line-height:10px;font-size:10px;top:5px;left:5px;background:hsla(0,0%,50%,.5);color:#fff;display:block;padding:2px 4px;border-radius:5px;border-radius:var(--tooltipRadius,5px);z-index:2;visibility:var(--still-image-label-visibility,visible)}.still-image.animated:hover canvas{display:none}.still-image.animated:hover:before,.still-image.animated img{visibility:var(--still-image-img,hidden)}.still-image.animated:hover img{visibility:visible}',""])},function(t,e,n){var i=n(406);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("af4a4f5c",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".StatusContent{-ms-flex:1;flex:1;min-width:0}.StatusContent .status-content-wrapper{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.StatusContent .tall-status{position:relative;height:220px;overflow-x:hidden;overflow-y:hidden;z-index:1}.StatusContent .tall-status .status-content{min-height:0;-webkit-mask:linear-gradient(0deg,#fff,transparent) bottom/100% 70px no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff,transparent) bottom/100% 70px no-repeat,linear-gradient(0deg,#fff,#fff);-webkit-mask-composite:xor;mask-composite:exclude}.StatusContent .tall-status-hider{position:absolute;height:70px;margin-top:150px;line-height:110px;z-index:2}.StatusContent .cw-status-hider,.StatusContent .status-unhider,.StatusContent .tall-status-hider{display:inline-block;word-break:break-all;width:100%;text-align:center}.StatusContent img,.StatusContent video{max-width:100%;max-height:400px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.StatusContent img.emoji,.StatusContent video.emoji{width:32px;height:32px}.StatusContent .summary-wrapper{margin-bottom:.5em;border-style:solid;border-width:0 0 1px;border-color:var(--border,#222);-ms-flex-positive:0;flex-grow:0}.StatusContent .summary{font-style:italic;padding-bottom:.5em}.StatusContent .tall-subject{position:relative}.StatusContent .tall-subject .summary{max-height:2em;overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.StatusContent .tall-subject-hider{display:inline-block;word-break:break-all;width:100%;text-align:center;padding-bottom:.5em}.StatusContent .status-content{font-family:var(--postFont,sans-serif);line-height:1.4em;white-space:pre-wrap;overflow-wrap:break-word;word-wrap:break-word;word-break:break-word}.StatusContent .status-content blockquote{margin:.2em 0 .2em 2em;font-style:italic}.StatusContent .status-content pre{overflow:auto}.StatusContent .status-content code,.StatusContent .status-content kbd,.StatusContent .status-content pre,.StatusContent .status-content samp,.StatusContent .status-content var{font-family:var(--postCodeFont,monospace)}.StatusContent .status-content p{margin:0 0 1em}.StatusContent .status-content p:last-child{margin:0}.StatusContent .status-content h1{font-size:1.1em;line-height:1.2em;margin:1.4em 0}.StatusContent .status-content h2{font-size:1.1em;margin:1em 0}.StatusContent .status-content h3{font-size:1em;margin:1.2em 0}.StatusContent .status-content h4{margin:1.1em 0}.StatusContent .status-content.single-line{white-space:nowrap;text-overflow:ellipsis;overflow:hidden;height:1.4em}.greentext{color:#0fa00f;color:var(--postGreentext,#0fa00f)}",""])},function(t,e,n){var i=n(408);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("1a8b173f",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".poll .votes{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:0 0 .5em}.poll .poll-option{margin:.75em .5em}.poll .option-result{height:100%;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;position:relative;color:#b9b9ba;color:var(--lightText,#b9b9ba)}.poll .option-result-label{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;padding:.1em .25em;z-index:1;word-break:break-word}.poll .result-percentage{width:3.5em;-ms-flex-negative:0;flex-shrink:0}.poll .result-fill{height:100%;position:absolute;color:#b9b9ba;color:var(--pollText,#b9b9ba);background-color:#151e2a;background-color:var(--poll,#151e2a);border-radius:10px;border-radius:var(--panelRadius,10px);top:0;left:0;transition:width .5s}.poll .option-vote{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.poll input{width:3.5em}.poll .footer{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.poll.loading *{cursor:progress}.poll .poll-vote-button{padding:0 .5em;margin-right:.5em}",""])},function(t,e,n){var i=n(410);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("6c9d5cbc",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".gallery-row{position:relative;height:0;width:100%;-ms-flex-positive:1;flex-grow:1;margin-top:.5em}.gallery-row .gallery-row-inner{position:absolute;top:0;left:0;right:0;bottom:0;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-wrap:nowrap;flex-wrap:nowrap;-ms-flex-line-pack:stretch;align-content:stretch}.gallery-row .gallery-row-inner .attachment{margin:0 .5em 0 0;-ms-flex-positive:1;flex-grow:1;height:100%;box-sizing:border-box;min-width:2em}.gallery-row .gallery-row-inner .attachment:last-child{margin:0}.gallery-row .image-attachment{width:100%;height:100%}.gallery-row .video-container{height:100%}.gallery-row.contain-fit canvas,.gallery-row.contain-fit img,.gallery-row.contain-fit video{-o-object-fit:contain;object-fit:contain;height:100%}.gallery-row.cover-fit canvas,.gallery-row.cover-fit img,.gallery-row.cover-fit video{-o-object-fit:cover;object-fit:cover}",""])},function(t,e,n){var i=n(412);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("c13d6bee",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".link-preview-card{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;cursor:pointer;overflow:hidden;margin-top:.5em;color:#b9b9ba;color:var(--text,#b9b9ba);border-radius:10px;border-radius:var(--attachmentRadius,10px);border-color:#222;border:1px solid var(--border,#222)}.link-preview-card .card-image{-ms-flex-negative:0;flex-shrink:0;width:120px;max-width:25%}.link-preview-card .card-image img{width:100%;height:100%;-o-object-fit:cover;object-fit:cover;border-radius:10px;border-radius:var(--attachmentRadius,10px)}.link-preview-card .small-image{width:80px}.link-preview-card .card-content{max-height:100%;margin:.5em;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.link-preview-card .card-host{font-size:12px}.link-preview-card .card-description{margin:.5em 0 0;overflow:hidden;text-overflow:ellipsis;word-break:break-word;line-height:1.2em;max-height:calc(1.2em * 3 - 1px)}",""])},function(t,e,n){var i=n(414);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("0060b6a4",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".user-card{position:relative}.user-card .panel-heading{padding:.5em 0;text-align:center;box-shadow:none;background:transparent;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:stretch;align-items:stretch;position:relative}.user-card .panel-body{word-wrap:break-word;border-bottom-right-radius:inherit;border-bottom-left-radius:inherit;position:relative}.user-card .background-image{position:absolute;top:0;left:0;right:0;bottom:0;-webkit-mask:linear-gradient(0deg,#fff,transparent) bottom no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff,transparent) bottom no-repeat,linear-gradient(0deg,#fff,#fff);-webkit-mask-composite:xor;mask-composite:exclude;background-size:cover;-webkit-mask-size:100% 60%;mask-size:100% 60%;border-top-left-radius:calc(var(--panelRadius) - 1px);border-top-right-radius:calc(var(--panelRadius) - 1px);background-color:var(--profileBg)}.user-card .background-image.hide-bio{-webkit-mask-size:100% 40px;mask-size:100% 40px}.user-card p{margin-bottom:0}.user-card-bio{text-align:center}.user-card-bio a{color:#d8a070;color:var(--postLink,#d8a070)}.user-card-bio img{-o-object-fit:contain;object-fit:contain;vertical-align:middle;max-width:100%;max-height:400px}.user-card-bio img.emoji{width:32px;height:32px}.user-card-rounded-t{border-top-left-radius:10px;border-top-left-radius:var(--panelRadius,10px);border-top-right-radius:10px;border-top-right-radius:var(--panelRadius,10px)}.user-card-rounded{border-radius:10px;border-radius:var(--panelRadius,10px)}.user-card-bordered{border-color:#222;border:1px solid var(--border,#222)}.user-info{color:#b9b9ba;color:var(--lightText,#b9b9ba);padding:0 26px}.user-info .container{padding:16px 0 6px;display:-ms-flexbox;display:flex;-ms-flex-align:start;align-items:flex-start;max-height:56px}.user-info .container .Avatar{-ms-flex:1 0 100%;flex:1 0 100%;width:56px;height:56px;box-shadow:0 1px 8px rgba(0,0,0,.75);box-shadow:var(--avatarShadow);-o-object-fit:cover;object-fit:cover}.user-info:hover .Avatar{--still-image-img:visible;--still-image-canvas:hidden}.user-info-avatar-link{position:relative;cursor:pointer}.user-info-avatar-link-overlay{position:absolute;left:0;top:0;right:0;bottom:0;background-color:rgba(0,0,0,.3);display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:center;align-items:center;border-radius:4px;border-radius:var(--avatarRadius,4px);opacity:0;transition:opacity .2s ease}.user-info-avatar-link-overlay i{color:#fff}.user-info-avatar-link:hover .user-info-avatar-link-overlay{opacity:1}.user-info .usersettings{color:#b9b9ba;color:var(--lightText,#b9b9ba);opacity:.8}.user-info .user-summary{display:block;margin-left:.6em;text-align:left;text-overflow:ellipsis;white-space:nowrap;-ms-flex:1 1 0px;flex:1 1 0;z-index:1}.user-info .user-summary img{width:26px;height:26px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.user-info .user-summary .top-line{display:-ms-flexbox;display:flex}.user-info .user-name{text-overflow:ellipsis;overflow:hidden;-ms-flex:1 1 auto;flex:1 1 auto;margin-right:1em;font-size:15px}.user-info .user-name img{-o-object-fit:contain;object-fit:contain;height:16px;width:16px;vertical-align:middle}.user-info .bottom-line{display:-ms-flexbox;display:flex;font-weight:light;font-size:15px}.user-info .bottom-line .user-screen-name{min-width:1px;-ms-flex:0 1 auto;flex:0 1 auto;text-overflow:ellipsis;overflow:hidden;color:#b9b9ba;color:var(--lightText,#b9b9ba)}.user-info .bottom-line .dailyAvg{min-width:1px;-ms-flex:0 0 auto;flex:0 0 auto;margin-left:1em;font-size:.7em;color:#b9b9ba;color:var(--text,#b9b9ba)}.user-info .bottom-line .user-role{-ms-flex:none;flex:none;text-transform:capitalize;color:#b9b9ba;color:var(--alertNeutralText,#b9b9ba);background-color:#182230;background-color:var(--alertNeutral,#182230)}.user-info .user-meta{margin-bottom:.15em;display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;font-size:14px;line-height:22px;-ms-flex-wrap:wrap;flex-wrap:wrap}.user-info .user-meta .following{-ms-flex:1 0 auto;flex:1 0 auto;margin:0;margin-bottom:.25em;text-align:left}.user-info .user-meta .highlighter{-ms-flex:0 1 auto;flex:0 1 auto;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin-right:-.5em;-ms-flex-item-align:start;align-self:start}.user-info .user-meta .highlighter .userHighlightCl{padding:2px 10px;-ms-flex:1 0 auto;flex:1 0 auto}.user-info .user-meta .highlighter .userHighlightSel,.user-info .user-meta .highlighter .userHighlightSel.select{padding-top:0;padding-bottom:0;-ms-flex:1 0 auto;flex:1 0 auto}.user-info .user-meta .highlighter .userHighlightSel.select i{line-height:22px}.user-info .user-meta .highlighter .userHighlightText{width:70px;-ms-flex:1 0 auto;flex:1 0 auto}.user-info .user-meta .highlighter .userHighlightCl,.user-info .user-meta .highlighter .userHighlightSel,.user-info .user-meta .highlighter .userHighlightSel.select,.user-info .user-meta .highlighter .userHighlightText{height:22px;vertical-align:top;margin-right:.5em;margin-bottom:.25em}.user-info .user-interactions{position:relative;display:-ms-flexbox;display:flex;-ms-flex-flow:row wrap;flex-flow:row wrap;margin-right:-.75em}.user-info .user-interactions>*{margin:0 .75em .6em 0;white-space:nowrap;min-width:95px}.user-info .user-interactions button{margin:0}.user-counts{display:-ms-flexbox;display:flex;line-height:16px;padding:.5em 1.5em 0;text-align:center;-ms-flex-pack:justify;justify-content:space-between;color:#b9b9ba;color:var(--lightText,#b9b9ba);-ms-flex-wrap:wrap;flex-wrap:wrap}.user-count{-ms-flex:1 0 auto;flex:1 0 auto;padding:.5em 0;margin:0 .5em}.user-count h5{font-size:1em;font-weight:bolder;margin:0 0 .25em}.user-count a{text-decoration:none}",""])},function(t,e,n){var i=n(416);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("6b6f3617",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".Avatar{--still-image-label-visibility:hidden;width:48px;height:48px;box-shadow:var(--avatarStatusShadow);border-radius:4px;border-radius:var(--avatarRadius,4px)}.Avatar img{width:100%;height:100%}.Avatar.better-shadow{box-shadow:var(--avatarStatusShadowInset);filter:var(--avatarStatusShadowFilter)}.Avatar.animated:before{display:none}.Avatar.avatar-compact{width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}",""])},function(t,e,n){var i=n(418);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("4852bbb4",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".remote-follow{max-width:220px}.remote-follow .remote-button{width:100%;min-height:28px}",""])},function(t,e,n){var i=n(420);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("2c0672fc",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.menu-checkbox{float:right;min-width:22px;max-width:22px;min-height:22px;max-height:22px;line-height:22px;text-align:center;border-radius:0;background-color:#182230;background-color:var(--input,#182230);box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow)}.menu-checkbox.menu-checkbox-checked:after{content:"\\2714"}.moderation-tools-popover{height:100%}.moderation-tools-popover .trigger{display:-ms-flexbox!important;display:flex!important;height:100%}',""])},function(t,e,n){var i=n(422);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("56d82e88",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.dark-overlay:before{bottom:0;content:" ";left:0;right:0;background:rgba(27,31,35,.5);z-index:99}.dark-overlay:before,.dialog-modal.panel{display:block;cursor:default;position:fixed;top:0}.dialog-modal.panel{left:50%;max-height:80vh;max-width:90vw;margin:15vh auto;transform:translateX(-50%);z-index:999;background-color:#121a24;background-color:var(--bg,#121a24)}.dialog-modal.panel .dialog-modal-heading{padding:.5em;margin-right:auto;margin-bottom:0;white-space:nowrap;color:var(--panelText);background-color:#182230;background-color:var(--panel,#182230)}.dialog-modal.panel .dialog-modal-heading .title{margin-bottom:0;text-align:center}.dialog-modal.panel .dialog-modal-content{margin:0;padding:1rem;background-color:#121a24;background-color:var(--bg,#121a24);white-space:normal}.dialog-modal.panel .dialog-modal-footer{margin:0;padding:.5em;background-color:#121a24;background-color:var(--bg,#121a24);border-top:1px solid #222;border-top:1px solid var(--border,#222);display:-ms-flexbox;display:flex;-ms-flex-pack:end;justify-content:flex-end}.dialog-modal.panel .dialog-modal-footer button{width:auto;margin-left:.5rem}',""])},function(t,e,n){var i=n(424);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("8c9d5016",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".account-actions{margin:0 .8em}.account-actions button.dropdown-item{margin-left:0}.account-actions .trigger-button{color:#b9b9ba;color:var(--lightText,#b9b9ba);opacity:.8;cursor:pointer}.account-actions .trigger-button:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}",""])},function(t,e,n){var i=n(426);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7096a06e",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".avatars{display:-ms-flexbox;display:flex;margin:0;padding:0;-ms-flex-wrap:wrap;flex-wrap:wrap;height:24px}.avatars .avatars-item{margin:0 0 5px 5px}.avatars .avatars-item:first-child{padding-left:5px}.avatars .avatars-item .avatar-small{border-radius:10px;border-radius:var(--avatarAltRadius,10px);height:24px;width:24px}",""])},function(t,e,n){var i=n(428);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("14cff5b4",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".status-popover.popover{font-size:1rem;min-width:15em;max-width:95%;border-color:#222;border:1px solid var(--border,#222);border-radius:5px;border-radius:var(--tooltipRadius,5px);box-shadow:2px 2px 3px rgba(0,0,0,.5);box-shadow:var(--popupShadow)}.status-popover.popover .Status.Status{border:none}.status-popover.popover .status-preview-no-content{padding:1em;text-align:center}.status-popover.popover .status-preview-no-content i{font-size:2em}",""])},function(t,e,n){var i=n(430);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("50540f22",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".user-list-popover{padding:.5em}.user-list-popover .user-list-row{padding:.25em;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row}.user-list-popover .user-list-row .user-list-names{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin-left:.5em;min-width:5em}.user-list-popover .user-list-row .user-list-names img{width:1em;height:1em}.user-list-popover .user-list-row .user-list-screen-name{font-size:9px}",""])},function(t,e,n){var i=n(432);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("cf35b50a",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".emoji-reactions{display:-ms-flexbox;display:flex;margin-top:.25em;-ms-flex-wrap:wrap;flex-wrap:wrap}.emoji-reaction{padding:0 .5em;margin-right:.5em;margin-top:.5em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;box-sizing:border-box}.emoji-reaction .reaction-emoji{width:1.25em;margin-right:.25em}.emoji-reaction:focus{outline:none}.emoji-reaction.not-clickable{cursor:default}.emoji-reaction.not-clickable:hover{box-shadow:0 0 2px 0 #000,inset 0 1px 0 0 hsla(0,0%,100%,.2),inset 0 -1px 0 0 rgba(0,0,0,.2);box-shadow:var(--buttonShadow)}.emoji-reaction-expand{padding:0 .5em;margin-right:.5em;margin-top:.5em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center}.emoji-reaction-expand:hover{text-decoration:underline}.picked-reaction{border:1px solid var(--accent,#d8a070);margin-left:-1px;margin-right:calc(.5em - 1px)}",""])},function(t,e,n){var i=n(434);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("93498d0a",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".Conversation .conversation-status{border-left:none;border-bottom-width:1px;border-bottom-style:solid;border-bottom-color:var(--border,#222);border-radius:0}.Conversation.-expanded .conversation-status{border-color:#222;border-color:var(--border,#222);border-left:4px solid red;border-left:4px solid var(--cRed,red)}.Conversation.-expanded .conversation-status:last-child{border-bottom:none;border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}",""])},,,,,,,,,,,,,,,function(t,e,n){var i=n(450);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("b449a0b2",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".timeline-menu{-ms-flex-negative:1;flex-shrink:1;margin-right:auto;min-width:0;width:24rem}.timeline-menu .timeline-menu-popover-wrap{overflow:hidden;margin-top:.6rem;padding:0 15px 15px}.timeline-menu .timeline-menu-popover{width:24rem;max-width:100vw;margin:0;font-size:1rem;transform:translateY(-100%);transition:transform .1s}.timeline-menu .panel:after,.timeline-menu .timeline-menu-popover{border-top-right-radius:0;border-top-left-radius:0}.timeline-menu.open .timeline-menu-popover{transform:translateY(0)}.timeline-menu .timeline-menu-title{margin:0;cursor:pointer;display:-ms-flexbox;display:flex;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;width:100%}.timeline-menu .timeline-menu-title span{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.timeline-menu .timeline-menu-title i{margin-left:.6em;-ms-flex-negative:0;flex-shrink:0;font-size:1rem;transition:transform .1s}.timeline-menu.open .timeline-menu-title i{color:#b9b9ba;color:var(--panelText,#b9b9ba);transform:rotate(180deg)}.timeline-menu .panel{box-shadow:var(--popoverShadow)}.timeline-menu ul{list-style:none;margin:0;padding:0}.timeline-menu li{border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);padding:0}.timeline-menu li:last-child a{border-bottom-right-radius:10px;border-bottom-right-radius:var(--panelRadius,10px);border-bottom-left-radius:10px;border-bottom-left-radius:var(--panelRadius,10px)}.timeline-menu li:last-child{border:none}.timeline-menu li i{margin:0 .5em}.timeline-menu a{display:block;padding:.6em 0}.timeline-menu a:hover{color:#d8a070;color:var(--selectedMenuText,#d8a070)}.timeline-menu a.router-link-active,.timeline-menu a:hover{background-color:#151e2a;background-color:var(--selectedMenu,#151e2a);--faint:var(--selectedMenuFaintText,$fallback--faint);--faintLink:var(--selectedMenuFaintLink,$fallback--faint);--lightText:var(--selectedMenuLightText,$fallback--lightText);--icon:var(--selectedMenuIcon,$fallback--icon)}.timeline-menu a.router-link-active{font-weight:bolder;color:#b9b9ba;color:var(--selectedMenuText,#b9b9ba)}.timeline-menu a.router-link-active:hover{text-decoration:underline}",""])},function(t,e,n){var i=n(452);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("87e1cf2e",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".notifications:not(.minimal){padding-bottom:15em}.notifications .loadmore-error{color:#b9b9ba;color:var(--text,#b9b9ba)}.notifications .notification{position:relative}.notifications .notification .notification-overlay{position:absolute;top:0;right:0;left:0;bottom:0;pointer-events:none}.notifications .notification.unseen .notification-overlay{background-image:linear-gradient(135deg,var(--badgeNotification,red) 4px,transparent 10px)}.notification{box-sizing:border-box;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);word-wrap:break-word;word-break:break-word}.notification:hover .animated.Avatar canvas{display:none}.notification:hover .animated.Avatar img{visibility:visible}.notification .non-mention{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1;-ms-flex-wrap:nowrap;flex-wrap:nowrap;padding:.6em;min-width:0;--link:var(--faintLink);--text:var(--faint)}.notification .non-mention .avatar-container{width:32px;height:32px}.notification .follow-request-accept{cursor:pointer}.notification .follow-request-accept:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}.notification .follow-request-reject{cursor:pointer}.notification .follow-request-reject:hover{color:red;color:var(--cRed,red)}.notification .follow-text,.notification .move-text{padding:.5em 0;overflow-wrap:break-word;display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between}.notification .follow-text .follow-name,.notification .move-text .follow-name{display:block;max-width:100%;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.notification .Status{-ms-flex:1;flex:1}.notification time{white-space:nowrap}.notification .notification-right{-ms-flex:1;flex:1;padding-left:.8em;min-width:0}.notification .notification-right .timeago{min-width:3em;text-align:right}.notification .emoji-reaction-emoji{font-size:16px}.notification .notification-details{min-width:0;word-wrap:break-word;line-height:18px;position:relative;overflow:hidden;width:100%;-ms-flex:1 1 0px;flex:1 1 0;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap;-ms-flex-pack:justify;justify-content:space-between}.notification .notification-details .name-and-action{-ms-flex:1;flex:1;overflow:hidden;text-overflow:ellipsis}.notification .notification-details .username{font-weight:bolder;max-width:100%;text-overflow:ellipsis;white-space:nowrap}.notification .notification-details .username img{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.notification .notification-details .timeago{margin-right:.2em}.notification .notification-details .icon-retweet.lit{color:#0fa00f;color:var(--cGreen,#0fa00f)}.notification .notification-details .icon-reply.lit,.notification .notification-details .icon-user-plus.lit,.notification .notification-details .icon-user.lit{color:#0095ff;color:var(--cBlue,#0095ff)}.notification .notification-details .icon-star.lit{color:orange;color:var(--cOrange,orange)}.notification .notification-details .icon-arrow-curved.lit{color:#0095ff;color:var(--cBlue,#0095ff)}.notification .notification-details .status-content{margin:0;max-height:300px}.notification .notification-details h1{word-break:break-all;margin:0 0 .3em;padding:0;font-size:1em;line-height:20px}.notification .notification-details h1 small{font-weight:lighter}.notification .notification-details p{margin:0;margin-top:0;margin-bottom:.3em}",""])},function(t,e,n){var i=n(454);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("41041624",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.Notification.-muted{padding:.25em .6em;height:1.2em;line-height:1.2em;text-overflow:ellipsis;overflow:hidden;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.Notification.-muted .mute-thread,.Notification.-muted .mute-words,.Notification.-muted .status-username{word-wrap:normal;word-break:normal;white-space:nowrap}.Notification.-muted .mute-words,.Notification.-muted .status-username{text-overflow:ellipsis;overflow:hidden}.Notification.-muted .status-username{font-weight:400;-ms-flex:0 1 auto;flex:0 1 auto;margin-right:.2em;font-size:smaller}.Notification.-muted .mute-thread{-ms-flex:0 0 auto;flex:0 0 auto}.Notification.-muted .mute-words{-ms-flex:1 0 5em;flex:1 0 5em;margin-left:.2em}.Notification.-muted .mute-words:before{content:" "}.Notification.-muted .unmute{-ms-flex:0 0 auto;flex:0 0 auto;margin-left:auto;display:block}',""])},function(t,e,n){var i=n(456);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("3a6f72a2",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".chat-list{min-height:25em;margin-bottom:0}.emtpy-chat-list-alert{padding:3em;font-size:1.2em;display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;color:#b9b9ba;color:var(--faint,#b9b9ba)}",""])},function(t,e,n){var i=n(458);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("33c6b65e",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".chat-list-item{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;padding:.75em;height:5em;overflow:hidden;box-sizing:border-box;cursor:pointer}.chat-list-item :focus{outline:none}.chat-list-item:hover{background-color:var(--selectedPost,#151e2a);box-shadow:0 0 3px 1px rgba(0,0,0,.1)}.chat-list-item .chat-list-item-left{margin-right:1em}.chat-list-item .chat-list-item-center{width:100%;box-sizing:border-box;overflow:hidden;word-wrap:break-word}.chat-list-item .heading{width:100%;display:-ms-inline-flexbox;display:inline-flex;-ms-flex-pack:justify;justify-content:space-between;line-height:1em}.chat-list-item .heading-right{white-space:nowrap}.chat-list-item .name-and-account-name{text-overflow:ellipsis;white-space:nowrap;overflow:hidden;-ms-flex-negative:1;flex-shrink:1;line-height:1.4em}.chat-list-item .chat-preview{display:-ms-inline-flexbox;display:inline-flex;overflow:hidden;white-space:nowrap;text-overflow:ellipsis;margin:.35em 0;color:#b9b9ba;color:var(--faint,#b9b9ba);width:100%}.chat-list-item a{color:var(--faintLink,#d8a070);text-decoration:none;pointer-events:none}.chat-list-item:hover .animated.avatar canvas{display:none}.chat-list-item:hover .animated.avatar img{visibility:visible}.chat-list-item .Avatar{border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.chat-list-item .StatusContent img.emoji{width:1.4em;height:1.4em}.chat-list-item .time-wrapper{line-height:1.4em}.chat-list-item .single-line{padding-right:1em}",""])},function(t,e,n){var i=n(460);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("3dcd538d",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".chat-title{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.chat-title,.chat-title .username{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.chat-title .username{max-width:100%;display:inline;word-wrap:break-word}.chat-title .username .emoji{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.chat-title .Avatar{width:23px;height:23px;margin-right:.5em;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.chat-title .Avatar.animated:before{display:none}",""])},function(t,e,n){var i=n(462);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("ca48b176",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".chat-new .input-wrap{display:-ms-flexbox;display:flex;margin:.7em .5em}.chat-new .input-wrap input{width:100%}.chat-new .icon-search{font-size:1.5em;float:right;margin-right:.3em}.chat-new .member-list{padding-bottom:.7rem}.chat-new .basic-user-card:hover{cursor:pointer;background-color:var(--selectedPost,#151e2a)}.chat-new .go-back-button{cursor:pointer}",""])},function(t,e,n){var i=n(464);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("119ab786",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".basic-user-card{display:-ms-flexbox;display:flex;-ms-flex:1 0;flex:1 0;margin:0;padding:.6em 1em}.basic-user-card-collapsed-content{margin-left:.7em;text-align:left;-ms-flex:1;flex:1;min-width:0}.basic-user-card-user-name img{-o-object-fit:contain;object-fit:contain;height:16px;width:16px;vertical-align:middle}.basic-user-card-screen-name,.basic-user-card-user-name-value{display:inline-block;max-width:100%;overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.basic-user-card-expanded-content{-ms-flex:1;flex:1;margin-left:.7em;min-width:0}",""])},function(t,e,n){var i=n(466);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("33745640",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".list-item:not(:last-child){border-bottom:1px solid;border-bottom-color:#222;border-bottom-color:var(--border,#222)}.list-empty-content{text-align:center;padding:10px}",""])},function(t,e,n){var i=n(468);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("0f673926",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".chat-view{display:-ms-flexbox;display:flex;height:calc(100vh - 60px);width:100%}.chat-view .chat-title{height:28px}.chat-view .chat-view-inner{height:auto;margin:.5em .5em 0}.chat-view .chat-view-body,.chat-view .chat-view-inner{width:100%;overflow:visible;display:-ms-flexbox;display:flex}.chat-view .chat-view-body{background-color:var(--chatBg,#121a24);-ms-flex-direction:column;flex-direction:column;min-height:100%;margin:0;border-radius:10px 10px 0 0;border-radius:var(--panelRadius,10px) var(--panelRadius,10px) 0 0}.chat-view .chat-view-body:after{border-radius:0}.chat-view .scrollable-message-list{padding:0 .8em;height:100%;overflow-y:scroll;overflow-x:hidden;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.chat-view .footer{position:-webkit-sticky;position:sticky;bottom:0}.chat-view .chat-view-heading{-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between;top:50px;display:-ms-flexbox;display:flex;z-index:2;position:-webkit-sticky;position:sticky;overflow:hidden}.chat-view .go-back-button{cursor:pointer;margin-right:1.4em}.chat-view .go-back-button i,.chat-view .jump-to-bottom-button{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.chat-view .jump-to-bottom-button{width:2.5em;height:2.5em;border-radius:100%;position:absolute;right:1.3em;top:-3.2em;background-color:#182230;background-color:var(--btn,#182230);-ms-flex-pack:center;justify-content:center;box-shadow:0 1px 1px rgba(0,0,0,.3),0 2px 4px rgba(0,0,0,.3);z-index:10;transition:all .35s;transition-timing-function:cubic-bezier(0,1,.5,1);opacity:0;visibility:hidden;cursor:pointer}.chat-view .jump-to-bottom-button.visible{opacity:1;visibility:visible}.chat-view .jump-to-bottom-button i{font-size:1em;color:#b9b9ba;color:var(--text,#b9b9ba)}.chat-view .jump-to-bottom-button .unread-message-count{font-size:.8em;left:50%;transform:translate(-50%);border-radius:100%;margin-top:-1rem;padding:0}.chat-view .jump-to-bottom-button .chat-loading-error{width:100%;display:-ms-flexbox;display:flex;-ms-flex-align:end;align-items:flex-end;height:100%}.chat-view .jump-to-bottom-button .chat-loading-error .error{width:100%}@media (max-width:800px){.chat-view{height:100%;overflow:hidden}.chat-view .chat-view-inner{overflow:hidden;height:100%;margin-top:0;margin-left:0;margin-right:0}.chat-view .chat-view-body{display:-ms-flexbox;display:flex;min-height:auto;overflow:hidden;height:100%;margin:0;border-radius:0}.chat-view .chat-view-heading{position:static;z-index:9999;top:0;margin-top:0;border-radius:0}.chat-view .scrollable-message-list{display:unset;overflow-y:scroll;overflow-x:hidden;-webkit-overflow-scrolling:touch}.chat-view .footer{position:-webkit-sticky;position:sticky;bottom:auto}}",""])},function(t,e,n){var i=n(470);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("20b81e5e",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.chat-message-wrapper.hovered-message-chain .animated.Avatar canvas{display:none}.chat-message-wrapper.hovered-message-chain .animated.Avatar img{visibility:visible}.chat-message-wrapper .chat-message-menu{transition:opacity .1s;opacity:0;position:absolute;top:-.8em}.chat-message-wrapper .chat-message-menu button{padding-top:.2em;padding-bottom:.2em}.chat-message-wrapper .icon-ellipsis{cursor:pointer;border-radius:10px;border-radius:var(--chatMessageRadius,10px)}.chat-message-wrapper .icon-ellipsis:hover,.extra-button-popover.open .chat-message-wrapper .icon-ellipsis{color:#b9b9ba;color:var(--text,#b9b9ba)}.chat-message-wrapper .popover{width:12em}.chat-message-wrapper .chat-message{display:-ms-flexbox;display:flex;padding-bottom:.5em}.chat-message-wrapper .avatar-wrapper{margin-right:.72em;width:32px}.chat-message-wrapper .attachments,.chat-message-wrapper .link-preview{margin-bottom:1em}.chat-message-wrapper .chat-message-inner{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:start;align-items:flex-start;max-width:80%;min-width:10em;width:100%}.chat-message-wrapper .chat-message-inner.with-media{width:100%}.chat-message-wrapper .chat-message-inner.with-media .gallery-row{overflow:hidden}.chat-message-wrapper .chat-message-inner.with-media .status{width:100%}.chat-message-wrapper .status{border-radius:10px;border-radius:var(--chatMessageRadius,10px);display:-ms-flexbox;display:flex;padding:.75em}.chat-message-wrapper .created-at{position:relative;float:right;font-size:.8em;margin:-1em 0 -.5em;font-style:italic;opacity:.8}.chat-message-wrapper .without-attachment .status-content:after{margin-right:5.4em;content:" ";display:inline-block}.chat-message-wrapper .incoming a{color:var(--chatMessageIncomingLink,#d8a070)}.chat-message-wrapper .incoming .status{background-color:var(--chatMessageIncomingBg,#121a24);border:1px solid var(--chatMessageIncomingBorder,--border)}.chat-message-wrapper .incoming .created-at a,.chat-message-wrapper .incoming .status{color:var(--chatMessageIncomingText,#b9b9ba)}.chat-message-wrapper .incoming .chat-message-menu{left:.4rem}.chat-message-wrapper .outgoing{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-line-pack:end;align-content:end;-ms-flex-pack:end;justify-content:flex-end}.chat-message-wrapper .outgoing a{color:var(--chatMessageOutgoingLink,#d8a070)}.chat-message-wrapper .outgoing .status{color:var(--chatMessageOutgoingText,#b9b9ba);background-color:var(--chatMessageOutgoingBg,#151e2a);border:1px solid var(--chatMessageOutgoingBorder,--lightBg)}.chat-message-wrapper .outgoing .chat-message-inner{-ms-flex-align:end;align-items:flex-end}.chat-message-wrapper .outgoing .chat-message-menu{right:.4rem}.chat-message-wrapper .visible{opacity:1}.chat-message-date-separator{text-align:center;margin:1.4em 0;font-size:.9em;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;color:#b9b9ba;color:var(--faintedText,#b9b9ba)}',""])},function(t,e,n){var i=n(472);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7563b46e",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".user-profile{-ms-flex:2;flex:2;-ms-flex-preferred-size:500px;flex-basis:500px}.user-profile .user-profile-fields{margin:0 .5em}.user-profile .user-profile-fields img{-o-object-fit:contain;object-fit:contain;vertical-align:middle;max-width:100%;max-height:400px}.user-profile .user-profile-fields img.emoji{width:18px;height:18px}.user-profile .user-profile-fields .user-profile-field{display:-ms-flexbox;display:flex;margin:.25em auto;max-width:32em;border:1px solid var(--border,#222);border-radius:4px;border-radius:var(--inputRadius,4px)}.user-profile .user-profile-fields .user-profile-field .user-profile-field-name{-ms-flex:0 1 30%;flex:0 1 30%;font-weight:500;text-align:right;color:var(--lightText);min-width:120px;border-right:1px solid var(--border,#222)}.user-profile .user-profile-fields .user-profile-field .user-profile-field-value{-ms-flex:1 1 70%;flex:1 1 70%;color:var(--text);margin:0 0 0 .25em}.user-profile .user-profile-fields .user-profile-field .user-profile-field-name,.user-profile .user-profile-fields .user-profile-field .user-profile-field-value{line-height:18px;text-overflow:ellipsis;white-space:nowrap;overflow:hidden;padding:.5em 1.5em;box-sizing:border-box}.user-profile .userlist-placeholder{-ms-flex-align:middle;align-items:middle;padding:2em}.user-profile .timeline-heading,.user-profile .userlist-placeholder{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center}.user-profile .timeline-heading .alert,.user-profile .timeline-heading .loadmore-button{-ms-flex:1;flex:1}.user-profile .timeline-heading .loadmore-button{height:28px;margin:10px .6em}.user-profile .timeline-heading .loadmore-text,.user-profile .timeline-heading .title{display:none}.user-profile-placeholder .panel-body{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:middle;align-items:middle;padding:7em}",""])},function(t,e,n){var i=n(474);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("ae955a70",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".follow-card-content-container{-ms-flex-negative:0;flex-shrink:0;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-wrap:wrap;flex-wrap:wrap;line-height:1.5em}.follow-card-follow-button{margin-top:.5em;margin-left:auto;width:10em}",""])},function(t,e,n){},function(t,e,n){},function(t,e,n){var i=n(478);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("354d66d6",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".search-result-heading{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));padding:.75rem;text-align:center}@media (max-width:800px){.search-nav-heading .tab-switcher .tabs .tab-wrapper{display:block;-ms-flex-pack:center;justify-content:center;-ms-flex:1 1 auto;flex:1 1 auto;text-align:center}}.search-result{box-sizing:border-box;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222)}.search-result-footer{border-width:1px 0 0;border-style:solid;border-color:var(--border,#222);padding:10px;background-color:#182230;background-color:var(--panel,#182230)}.search-input-container{padding:.8rem;display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center}.search-input-container .search-input{width:100%;line-height:1.125rem;font-size:1rem;padding:.5rem;box-sizing:border-box}.search-input-container .search-button{margin-left:.5em}.loading-icon{padding:1em}.trend{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.trend .hashtag{-ms-flex:1 1 auto;flex:1 1 auto;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.trend .count,.trend .hashtag{color:#b9b9ba;color:var(--text,#b9b9ba)}.trend .count{-ms-flex:0 0 auto;flex:0 0 auto;width:2rem;font-size:1.5rem;line-height:2.25rem;font-weight:500;text-align:center}",""])},function(t,e,n){var i=n(480);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("16815f76",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.registration-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:.6em}.registration-form .container{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row}.registration-form .terms-of-service{-ms-flex:0 1 50%;flex:0 1 50%;margin:.8em}.registration-form .text-fields{margin-top:.6em;-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.registration-form textarea{min-height:100px;resize:vertical}.registration-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.3em 0;line-height:24px;margin-bottom:1em}.registration-form .form-group--error{animation-name:shakeError;animation-duration:.6s;animation-timing-function:ease-in-out}.registration-form .form-group--error .form--label{color:#f04124;color:var(--cRed,#f04124)}.registration-form .form-error{margin-top:-.7em;text-align:left}.registration-form .form-error span{font-size:12px}.registration-form .form-error ul{list-style:none;padding:0 0 0 5px;margin-top:0}.registration-form .form-error ul li:before{content:"\\2022 "}.registration-form form textarea{line-height:16px;resize:vertical}.registration-form .captcha{max-width:350px;margin-bottom:.4em}.registration-form .btn{margin-top:.6em;height:28px}.registration-form .error{text-align:center}@media (max-width:800px){.registration-form .container{-ms-flex-direction:column-reverse;flex-direction:column-reverse}}',""])},,,,,,,,,,,,,,,,,,,,,,,,,function(t,e,n){var i=n(506);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("1ef4fd93",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".password-reset-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:center;align-items:center;margin:.6em}.password-reset-form .container{display:-ms-flexbox;display:flex;-ms-flex:1 0;flex:1 0;-ms-flex-direction:column;flex-direction:column;margin-top:.6em;max-width:18rem}.password-reset-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin-bottom:1em;padding:.3em 0;line-height:24px}.password-reset-form .error{text-align:center;animation-name:shakeError;animation-duration:.4s;animation-timing-function:ease-in-out}.password-reset-form .alert{padding:.5em;margin:.3em 0 1em}.password-reset-form .password-reset-required{background-color:var(--alertError,rgba(211,16,20,.5));padding:10px 0}.password-reset-form .notice-dismissible{padding-right:2rem}.password-reset-form .icon-cancel{cursor:pointer}",""])},function(t,e,n){var i=n(508);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("ad510f10",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".follow-request-card-content-container{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-wrap:wrap;flex-wrap:wrap}.follow-request-card-content-container button{margin-top:.5em;margin-right:.5em;-ms-flex:1 1;flex:1 1;max-width:12em;min-width:8em}.follow-request-card-content-container button:last-child{margin-right:0}",""])},function(t,e,n){var i=n(510);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("42704024",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".login-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.6em}.login-form .btn{min-height:28px;width:10em}.login-form .register{-ms-flex:1 1;flex:1 1}.login-form .login-bottom{margin-top:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between}.login-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.3em .5em .6em;line-height:24px}.login-form .form-bottom{display:-ms-flexbox;display:flex;padding:.5em;height:32px}.login-form .form-bottom button{width:10em}.login-form .form-bottom p{margin:.35em;padding:.35em;display:-ms-flexbox;display:flex}.login-form .error{text-align:center;animation-name:shakeError;animation-duration:.4s;animation-timing-function:ease-in-out}",""])},function(t,e,n){var i=n(512);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("2c0040e1",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".floating-chat{position:fixed;right:0;bottom:0;z-index:1000;max-width:25em}.chat-panel .chat-heading{cursor:pointer}.chat-panel .chat-heading .icon-comment-empty{color:#b9b9ba;color:var(--text,#b9b9ba)}.chat-panel .chat-window{overflow-y:auto;overflow-x:hidden;max-height:20em}.chat-panel .chat-window-container{height:100%}.chat-panel .chat-message{display:-ms-flexbox;display:flex;padding:.2em .5em}.chat-panel .chat-avatar img{height:24px;width:24px;border-radius:4px;border-radius:var(--avatarRadius,4px);margin-right:.5em;margin-top:.25em}.chat-panel .chat-input{display:-ms-flexbox;display:flex}.chat-panel .chat-input textarea{-ms-flex:1;flex:1;margin:.6em;min-height:3.5em;resize:none}.chat-panel .chat-panel .title{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between}",""])},function(t,e,n){var i=n(514);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("c74f4f44",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,"",""])},function(t,e,n){var i=n(516);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7dfaed97",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,"",""])},function(t,e,n){var i=n(518);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("55ca8508",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".features-panel li{line-height:24px}",""])},function(t,e,n){var i=n(520);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("42aabc98",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".tos-content{margin:1em}",""])},function(t,e,n){var i=n(522);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("5aa588af",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,"",""])},function(t,e,n){var i=n(524);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("72647543",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".mrf-section{margin:1em}",""])},function(t,e,n){var i=n(526);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("67a8aa3d",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,"",""])},function(t,e,n){var i=n(528);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("5c806d03",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'#app{min-height:100vh;max-width:100%;overflow:hidden}.app-bg-wrapper{position:fixed;z-index:-1;height:100%;left:0;right:-20px;background-size:cover;background-repeat:no-repeat;background-position:0 50%}i[class^=icon-]{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}h4{margin:0}#content{box-sizing:border-box;padding-top:60px;margin:auto;min-height:100vh;max-width:980px;-ms-flex-line-pack:start;align-content:flex-start}.underlay{background-color:rgba(0,0,0,.15);background-color:var(--underlay,rgba(0,0,0,.15))}.text-center{text-align:center}html{font-size:14px}body{overscroll-behavior-y:none;font-family:sans-serif;font-family:var(--interfaceFont,sans-serif);margin:0;color:#b9b9ba;color:var(--text,#b9b9ba);max-width:100vw;overflow-x:hidden;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}body.hidden{display:none}a{text-decoration:none;color:#d8a070;color:var(--link,#d8a070)}button{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;background-color:#182230;background-color:var(--btn,#182230);border:none;border-radius:4px;border-radius:var(--btnRadius,4px);cursor:pointer;box-shadow:0 0 2px 0 #000,inset 0 1px 0 0 hsla(0,0%,100%,.2),inset 0 -1px 0 0 rgba(0,0,0,.2);box-shadow:var(--buttonShadow);font-size:14px;font-family:sans-serif;font-family:var(--interfaceFont,sans-serif)}button,button i[class*=icon-]{color:#b9b9ba;color:var(--btnText,#b9b9ba)}button::-moz-focus-inner{border:none}button:hover{box-shadow:0 0 4px hsla(0,0%,100%,.3);box-shadow:var(--buttonHoverShadow)}button:active{box-shadow:0 0 4px 0 hsla(0,0%,100%,.3),inset 0 1px 0 0 rgba(0,0,0,.2),inset 0 -1px 0 0 hsla(0,0%,100%,.2);box-shadow:var(--buttonPressedShadow);background-color:#182230;background-color:var(--btnPressed,#182230)}button:active,button:active i{color:#b9b9ba;color:var(--btnPressedText,#b9b9ba)}button:disabled{cursor:not-allowed;background-color:#182230;background-color:var(--btnDisabled,#182230)}button:disabled,button:disabled i{color:#b9b9ba;color:var(--btnDisabledText,#b9b9ba)}button.toggled{background-color:#182230;background-color:var(--btnToggled,#182230);box-shadow:0 0 4px 0 hsla(0,0%,100%,.3),inset 0 1px 0 0 rgba(0,0,0,.2),inset 0 -1px 0 0 hsla(0,0%,100%,.2);box-shadow:var(--buttonPressedShadow)}button.toggled,button.toggled i{color:#b9b9ba;color:var(--btnToggledText,#b9b9ba)}button.danger{color:#b9b9ba;color:var(--alertErrorPanelText,#b9b9ba);background-color:rgba(211,16,20,.5);background-color:var(--alertError,rgba(211,16,20,.5))}.input,.select,input,textarea{border:none;border-radius:4px;border-radius:var(--inputRadius,4px);box-shadow:inset 0 1px 0 0 rgba(0,0,0,.2),inset 0 -1px 0 0 hsla(0,0%,100%,.2),inset 0 0 2px 0 #000;box-shadow:var(--inputShadow);background-color:#182230;background-color:var(--input,#182230);color:#b9b9ba;color:var(--inputText,#b9b9ba);font-family:sans-serif;font-family:var(--inputFont,sans-serif);font-size:14px;margin:0;box-sizing:border-box;display:inline-block;position:relative;height:28px;line-height:16px;-webkit-hyphens:none;-ms-hyphens:none;hyphens:none;padding:8px .5em}.input.unstyled,.select.unstyled,input.unstyled,textarea.unstyled{border-radius:0;background:none;box-shadow:none;height:unset}.input.select,.select.select,input.select,textarea.select{padding:0}.input:disabled,.input[disabled=disabled],.select:disabled,.select[disabled=disabled],input:disabled,input[disabled=disabled],textarea:disabled,textarea[disabled=disabled]{cursor:not-allowed;opacity:.5}.input .icon-down-open,.select .icon-down-open,input .icon-down-open,textarea .icon-down-open{position:absolute;top:0;bottom:0;right:5px;height:100%;color:#b9b9ba;color:var(--inputText,#b9b9ba);line-height:28px;z-index:0;pointer-events:none}.input select,.select select,input select,textarea select{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:transparent;border:none;color:#b9b9ba;color:var(--inputText,--text,#b9b9ba);margin:0;padding:0 2em 0 .2em;font-family:sans-serif;font-family:var(--inputFont,sans-serif);font-size:14px;width:100%;z-index:1;height:28px;line-height:16px}.input[type=range],.select[type=range],input[type=range],textarea[type=range]{background:none;border:none;margin:0;box-shadow:none;-ms-flex:1;flex:1}.input[type=radio],.select[type=radio],input[type=radio],textarea[type=radio]{display:none}.input[type=radio]:checked+label:before,.select[type=radio]:checked+label:before,input[type=radio]:checked+label:before,textarea[type=radio]:checked+label:before{box-shadow:inset 0 0 2px #000,inset 0 0 0 4px #182230;box-shadow:var(--inputShadow),0 0 0 4px var(--fg,#182230) inset;background-color:var(--accent,#d8a070)}.input[type=radio]:disabled,.input[type=radio]:disabled+label,.input[type=radio]:disabled+label:before,.select[type=radio]:disabled,.select[type=radio]:disabled+label,.select[type=radio]:disabled+label:before,input[type=radio]:disabled,input[type=radio]:disabled+label,input[type=radio]:disabled+label:before,textarea[type=radio]:disabled,textarea[type=radio]:disabled+label,textarea[type=radio]:disabled+label:before{opacity:.5}.input[type=radio]+label:before,.select[type=radio]+label:before,input[type=radio]+label:before,textarea[type=radio]+label:before{-ms-flex-negative:0;flex-shrink:0;display:inline-block;content:"";transition:box-shadow .2s;width:1.1em;height:1.1em;border-radius:100%;box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow);margin-right:.5em;background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}.input[type=checkbox],.select[type=checkbox],input[type=checkbox],textarea[type=checkbox]{display:none}.input[type=checkbox]:checked+label:before,.select[type=checkbox]:checked+label:before,input[type=checkbox]:checked+label:before,textarea[type=checkbox]:checked+label:before{color:#b9b9ba;color:var(--inputText,#b9b9ba)}.input[type=checkbox]:disabled,.input[type=checkbox]:disabled+label,.input[type=checkbox]:disabled+label:before,.select[type=checkbox]:disabled,.select[type=checkbox]:disabled+label,.select[type=checkbox]:disabled+label:before,input[type=checkbox]:disabled,input[type=checkbox]:disabled+label,input[type=checkbox]:disabled+label:before,textarea[type=checkbox]:disabled,textarea[type=checkbox]:disabled+label,textarea[type=checkbox]:disabled+label:before{opacity:.5}.input[type=checkbox]+label:before,.select[type=checkbox]+label:before,input[type=checkbox]+label:before,textarea[type=checkbox]+label:before{-ms-flex-negative:0;flex-shrink:0;display:inline-block;content:"\\2714";transition:color .2s;width:1.1em;height:1.1em;border-radius:2px;border-radius:var(--checkboxRadius,2px);box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow);margin-right:.5em;background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}option{color:#b9b9ba;color:var(--text,#b9b9ba);background-color:#121a24;background-color:var(--bg,#121a24)}.hide-number-spinner{-moz-appearance:textfield}.hide-number-spinner[type=number]::-webkit-inner-spin-button,.hide-number-spinner[type=number]::-webkit-outer-spin-button{opacity:0;display:none}i[class*=icon-]{color:#666;color:var(--icon,#666)}.btn-block{display:block;width:100%}.btn-group{position:relative;display:-ms-inline-flexbox;display:inline-flex;vertical-align:middle}.btn-group button{position:relative;-ms-flex:1 1 auto;flex:1 1 auto}.btn-group button:not(:last-child){border-top-right-radius:0;border-bottom-right-radius:0}.btn-group button:not(:first-child){border-top-left-radius:0;border-bottom-left-radius:0}.container{-ms-flex-wrap:wrap;flex-wrap:wrap;margin:0;padding:0 10px}.container,.item{display:-ms-flexbox;display:flex}.item{-ms-flex:1;flex:1;line-height:50px;height:50px;overflow:hidden;-ms-flex-wrap:wrap;flex-wrap:wrap}.item .nav-icon{margin-left:.4em}.item.right{-ms-flex-pack:end;justify-content:flex-end}.auto-size{-ms-flex:1;flex:1}.nav-bar{padding:0;width:100%;-ms-flex-align:center;align-items:center;position:fixed;height:50px;box-sizing:border-box}.nav-bar button,.nav-bar button i[class*=icon-]{color:#b9b9ba;color:var(--btnTopBarText,#b9b9ba)}.nav-bar button:active{background-color:#182230;background-color:var(--btnPressedTopBar,#182230);color:#b9b9ba;color:var(--btnPressedTopBarText,#b9b9ba)}.nav-bar button:disabled{color:#b9b9ba;color:var(--btnDisabledTopBarText,#b9b9ba)}.nav-bar button.toggled{color:#b9b9ba;color:var(--btnToggledTopBarText,#b9b9ba);background-color:#182230;background-color:var(--btnToggledTopBar,#182230)}.nav-bar .logo{display:-ms-flexbox;display:flex;-ms-flex-align:stretch;align-items:stretch;-ms-flex-pack:center;justify-content:center;-ms-flex:0 0 auto;flex:0 0 auto;z-index:-1;transition:opacity;transition-timing-function:ease-out;transition-duration:.1s}.nav-bar .logo,.nav-bar .logo .mask{position:absolute;top:0;bottom:0;left:0;right:0}.nav-bar .logo .mask{-webkit-mask-repeat:no-repeat;mask-repeat:no-repeat;-webkit-mask-position:center;mask-position:center;-webkit-mask-size:contain;mask-size:contain;background-color:#182230;background-color:var(--topBarText,#182230)}.nav-bar .logo img{height:100%;-o-object-fit:contain;object-fit:contain;display:block;-ms-flex:0;flex:0}.nav-bar .inner-nav{position:relative;margin:auto;box-sizing:border-box;padding-left:10px;padding-right:10px;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-preferred-size:970px;flex-basis:970px;height:50px}.nav-bar .inner-nav a,.nav-bar .inner-nav a i{color:#d8a070;color:var(--topBarLink,#d8a070)}main-router{-ms-flex:1;flex:1}.status.compact{color:rgba(0,0,0,.42);font-weight:300}.status.compact p{margin:0;font-size:.8em}.panel{display:-ms-flexbox;display:flex;position:relative;-ms-flex-direction:column;flex-direction:column;margin:.5em;background-color:#121a24;background-color:var(--bg,#121a24)}.panel,.panel:after{border-radius:10px;border-radius:var(--panelRadius,10px)}.panel:after{content:"";position:absolute;top:0;bottom:0;left:0;right:0;pointer-events:none;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow)}.panel-body:empty:before{content:"\\AF\\\\_(\\30C4)_/\\AF";display:block;margin:1em;text-align:center}.panel-heading{display:-ms-flexbox;display:flex;-ms-flex:none;flex:none;border-radius:10px 10px 0 0;border-radius:var(--panelRadius,10px) var(--panelRadius,10px) 0 0;background-size:cover;padding:.6em;text-align:left;line-height:28px;color:var(--panelText);background-color:#182230;background-color:var(--panel,#182230);-ms-flex-align:baseline;align-items:baseline;box-shadow:var(--panelHeaderShadow)}.panel-heading .title{-ms-flex:1 0 auto;flex:1 0 auto;font-size:1.3em}.panel-heading .faint{background-color:transparent;color:hsla(240,1%,73%,.5);color:var(--panelFaint,hsla(240,1%,73%,.5))}.panel-heading .faint-link{color:hsla(240,1%,73%,.5);color:var(--faintLink,hsla(240,1%,73%,.5))}.panel-heading .alert{white-space:nowrap;text-overflow:ellipsis;overflow-x:hidden}.panel-heading button{-ms-flex-negative:0;flex-shrink:0}.panel-heading .alert,.panel-heading button{line-height:21px;min-height:0;box-sizing:border-box;margin:0;margin-left:.5em;min-width:1px;-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.panel-heading button,.panel-heading button i[class*=icon-]{color:#b9b9ba;color:var(--btnPanelText,#b9b9ba)}.panel-heading button:active{background-color:#182230;background-color:var(--btnPressedPanel,#182230);color:#b9b9ba;color:var(--btnPressedPanelText,#b9b9ba)}.panel-heading button:disabled{color:#b9b9ba;color:var(--btnDisabledPanelText,#b9b9ba)}.panel-heading button.toggled{color:#b9b9ba;color:var(--btnToggledPanelText,#b9b9ba)}.panel-heading a{color:#d8a070;color:var(--panelLink,#d8a070)}.panel-heading.stub{border-radius:10px;border-radius:var(--panelRadius,10px)}.panel-footer{border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}.panel-footer .faint{color:hsla(240,1%,73%,.5);color:var(--panelFaint,hsla(240,1%,73%,.5))}.panel-footer a{color:#d8a070;color:var(--panelLink,#d8a070)}.panel-body>p{line-height:18px;padding:1em;margin:0}.container>*{min-width:0}.fa{color:grey}nav{z-index:1000;color:var(--topBarText);background-color:#182230;background-color:var(--topBar,#182230);color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));box-shadow:0 0 4px rgba(0,0,0,.6);box-shadow:var(--topBarShadow)}.fade-enter-active,.fade-leave-active{transition:opacity .2s}.fade-enter,.fade-leave-active{opacity:0}.main{-ms-flex-preferred-size:50%;flex-basis:50%;-ms-flex-positive:1;flex-grow:1;-ms-flex-negative:1;flex-shrink:1}.sidebar-bounds{-ms-flex:0;flex:0;-ms-flex-preferred-size:35%;flex-basis:35%}.sidebar-flexer{-ms-flex:1;flex:1;-ms-flex-preferred-size:345px;flex-basis:345px;width:365px}.mobile-shown{display:none}@media (min-width:800px){body{overflow-y:scroll}.sidebar-bounds{overflow:hidden;max-height:100vh;width:345px;position:fixed;margin-top:-10px}.sidebar-bounds .sidebar-scroller{height:96vh;width:365px;padding-top:10px;padding-right:50px;overflow-x:hidden;overflow-y:scroll}.sidebar-bounds .sidebar{width:345px}.sidebar-flexer{max-height:96vh;-ms-flex-negative:0;flex-shrink:0;-ms-flex-positive:0;flex-grow:0}}.badge{display:inline-block;border-radius:99px;min-width:22px;max-width:22px;min-height:22px;max-height:22px;font-size:15px;line-height:22px;text-align:center;vertical-align:middle;white-space:nowrap;padding:0}.badge.badge-notification{background-color:red;background-color:var(--badgeNotification,red);color:#fff;color:var(--badgeNotificationText,#fff)}.alert{margin:.35em;padding:.25em;border-radius:5px;border-radius:var(--tooltipRadius,5px);min-height:28px;line-height:28px}.alert.error{background-color:rgba(211,16,20,.5);background-color:var(--alertError,rgba(211,16,20,.5));color:#b9b9ba;color:var(--alertErrorText,#b9b9ba)}.panel-heading .alert.error{color:#b9b9ba;color:var(--alertErrorPanelText,#b9b9ba)}.alert.warning{background-color:rgba(111,111,20,.5);background-color:var(--alertWarning,rgba(111,111,20,.5));color:#b9b9ba;color:var(--alertWarningText,#b9b9ba)}.panel-heading .alert.warning{color:#b9b9ba;color:var(--alertWarningPanelText,#b9b9ba)}.faint,.faint-link{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.faint-link:hover{text-decoration:underline}@media (min-width:800px){.logo{opacity:1!important}}.item.right{text-align:right}.visibility-notice{padding:.5em;border:1px solid hsla(240,1%,73%,.5);border:1px solid var(--faint,hsla(240,1%,73%,.5));border-radius:4px;border-radius:var(--inputRadius,4px)}.notice-dismissible{padding-right:4rem;position:relative}.notice-dismissible .dismiss{position:absolute;top:0;right:0;padding:.5em;color:inherit}.button-icon{font-size:1.2em}@keyframes shakeError{0%{transform:translateX(0)}15%{transform:translateX(.375rem)}30%{transform:translateX(-.375rem)}45%{transform:translateX(.375rem)}60%{transform:translateX(-.375rem)}75%{transform:translateX(.375rem)}90%{transform:translateX(-.375rem)}to{transform:translateX(0)}}@media (max-width:800px){.mobile-hidden{display:none}.panel-switcher{display:-ms-flexbox;display:flex}.container{padding:0}.panel{margin:.5em 0}.menu-button{display:block;margin-right:.8em}.main{margin-bottom:7em}}.select-multiple{display:-ms-flexbox;display:flex}.select-multiple .option-list{margin:0;padding-left:.5em}.option-list,.setting-list{list-style-type:none;padding-left:2em}.option-list li,.setting-list li{margin-bottom:.5em}.option-list .suboptions,.setting-list .suboptions{margin-top:.3em}.login-hint{text-align:center}@media (min-width:801px){.login-hint{display:none}}.login-hint a{display:inline-block;padding:1em 0;width:100%}.btn.btn-default{min-height:28px}.animate-spin{animation:spin 2s infinite linear;display:inline-block}@keyframes spin{0%{transform:rotate(0deg)}to{transform:rotate(359deg)}}.new-status-notification{position:relative;margin-top:-1px;font-size:1.1em;border-width:1px 0 0;border-style:solid;border-color:var(--border,#222);padding:10px;z-index:1;background-color:#182230;background-color:var(--panel,#182230)}.unread-chat-count{font-size:.9em;font-weight:bolder;font-style:normal;position:absolute;right:.6rem;padding:0 .3em;min-width:1.3rem;min-height:1.3rem;max-height:1.3rem;line-height:1.3rem}.chat-layout{overflow:hidden;height:100%}@media (max-width:800px){.chat-layout body{height:100%}.chat-layout #app{height:100%;overflow:hidden;min-height:auto}.chat-layout #app_bg_wrapper{overflow:hidden}.chat-layout .main{overflow:hidden;height:100%}.chat-layout #content{padding-top:0;height:100%;overflow:visible}}',""])},function(t,e,n){var i=n(530);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("04d46dee",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".user-panel .signed-in{overflow:visible}",""])},function(t,e,n){var i=n(532);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("b030addc",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".nav-panel .panel{overflow:hidden;box-shadow:var(--panelShadow)}.nav-panel ul{list-style:none;margin:0;padding:0}.follow-request-count{margin:-6px 10px;background-color:#121a24;background-color:var(--input,hsla(240,1%,73%,.5))}.nav-panel li{border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);padding:0}.nav-panel li:first-child a{border-top-right-radius:10px;border-top-right-radius:var(--panelRadius,10px);border-top-left-radius:10px;border-top-left-radius:var(--panelRadius,10px)}.nav-panel li:last-child a{border-bottom-right-radius:10px;border-bottom-right-radius:var(--panelRadius,10px);border-bottom-left-radius:10px;border-bottom-left-radius:var(--panelRadius,10px)}.nav-panel li:last-child{border:none}.nav-panel a{display:block;padding:.8em .85em}.nav-panel a:hover{color:#d8a070;color:var(--selectedMenuText,#d8a070)}.nav-panel a.router-link-active,.nav-panel a:hover{background-color:#151e2a;background-color:var(--selectedMenu,#151e2a);--faint:var(--selectedMenuFaintText,$fallback--faint);--faintLink:var(--selectedMenuFaintLink,$fallback--faint);--lightText:var(--selectedMenuLightText,$fallback--lightText);--icon:var(--selectedMenuIcon,$fallback--icon)}.nav-panel a.router-link-active{font-weight:bolder;color:#b9b9ba;color:var(--selectedMenuText,#b9b9ba)}.nav-panel a.router-link-active:hover{text-decoration:underline}.nav-panel .button-icon:before{width:1.1em}",""])},function(t,e,n){var i=n(534);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("0ea9aafc",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".search-bar-container{max-width:100%;display:-ms-inline-flexbox;display:inline-flex;-ms-flex-align:baseline;align-items:baseline;vertical-align:baseline;-ms-flex-pack:end;justify-content:flex-end}.search-bar-container .search-bar-input,.search-bar-container .search-button{height:29px}.search-bar-container .search-bar-input{max-width:calc(100% - 30px - 30px - 20px)}.search-bar-container .search-button{margin-left:.5em;margin-right:.5em}.search-bar-container .icon-cancel{cursor:pointer}",""])},function(t,e,n){var i=n(536);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("2f18dd03",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".who-to-follow *{vertical-align:middle}.who-to-follow img{width:32px;height:32px}.who-to-follow{padding:0 1em;margin:0}.who-to-follow-items{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;padding:0;margin:1em 0}.who-to-follow-more{padding:0;margin:1em 0;text-align:center}",""])},,,,function(t,e,n){var i=n(541);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7272e6fe",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".settings-modal{overflow:hidden}.settings-modal.peek .settings-modal-panel{transform:translateY(calc(((100vh - 100%) / 2 + 100%) - 50px))}@media (max-width:800px){.settings-modal.peek .settings-modal-panel{transform:translateY(calc(100% - 50px))}}.settings-modal .settings-modal-panel{overflow:hidden;transition:transform;transition-timing-function:ease-in-out;transition-duration:.3s;width:1000px;max-width:90vw;height:90vh}@media (max-width:800px){.settings-modal .settings-modal-panel{max-width:100vw;height:100%}}.settings-modal .settings-modal-panel>.panel-body{height:100%;overflow-y:hidden}.settings-modal .settings-modal-panel>.panel-body .btn{min-height:28px;min-width:10em;padding:0 2em}",""])},function(t,e,n){var i=n(543);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("f7395e92",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".modal-view{z-index:1000;position:fixed;top:0;left:0;right:0;bottom:0;display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:center;align-items:center;overflow:auto;pointer-events:none;animation-duration:.2s;animation-name:modal-background-fadein;opacity:0}.modal-view>*{pointer-events:auto}.modal-view.modal-background{pointer-events:auto;background-color:rgba(0,0,0,.5)}.modal-view.open{opacity:1}@keyframes modal-background-fadein{0%{background-color:transparent}to{background-color:rgba(0,0,0,.5)}}",""])},function(t,e,n){var i=n(545);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("1c82888b",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".panel-loading{display:-ms-flexbox;display:flex;height:100%;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;font-size:2em;color:#b9b9ba;color:var(--text,#b9b9ba)}.panel-loading .loading-text i{font-size:3em;line-height:0;vertical-align:middle;color:#b9b9ba;color:var(--text,#b9b9ba)}",""])},function(t,e,n){var i=n(547);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("2970b266",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".async-component-error{display:-ms-flexbox;display:flex;height:100%;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center}.async-component-error .btn{margin:.5em;padding:.5em 2em}",""])},function(t,e,n){var i=n(549);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("23b00cfc",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".modal-view.media-modal-view{z-index:1001}.modal-view.media-modal-view .modal-view-button-arrow{opacity:.75}.modal-view.media-modal-view .modal-view-button-arrow:focus,.modal-view.media-modal-view .modal-view-button-arrow:hover{outline:none;box-shadow:none}.modal-view.media-modal-view .modal-view-button-arrow:hover{opacity:1}.modal-image{max-width:90%;max-height:90%;box-shadow:0 5px 15px 0 rgba(0,0,0,.5);image-orientation:from-image}.modal-view-button-arrow{position:absolute;display:block;top:50%;margin-top:-50px;width:70px;height:100px;border:0;padding:0;opacity:0;box-shadow:none;background:none;-webkit-appearance:none;-moz-appearance:none;appearance:none;overflow:visible;cursor:pointer;transition:opacity 333ms cubic-bezier(.4,0,.22,1)}.modal-view-button-arrow .arrow-icon{position:absolute;top:35px;height:30px;width:32px;font-size:14px;line-height:30px;color:#fff;text-align:center;background-color:rgba(0,0,0,.3)}.modal-view-button-arrow--prev{left:0}.modal-view-button-arrow--prev .arrow-icon{left:6px}.modal-view-button-arrow--next{right:0}.modal-view-button-arrow--next .arrow-icon{right:6px}",""])},function(t,e,n){var i=n(551);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("34992fba",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".side-drawer-container{position:fixed;z-index:1000;top:0;left:0;width:100%;height:100%;display:-ms-flexbox;display:flex;-ms-flex-align:stretch;align-items:stretch;transition-duration:0s;transition-property:transform}.side-drawer-container-open{transform:translate(0)}.side-drawer-container-closed{transition-delay:.35s;transform:translate(-100%)}.side-drawer-darken{top:0;left:0;width:100vw;height:100vh;position:fixed;z-index:-1;transition:.35s;transition-property:background-color;background-color:rgba(0,0,0,.5)}.side-drawer-darken-closed{background-color:transparent}.side-drawer-click-outside{-ms-flex:1 1 100%;flex:1 1 100%}.side-drawer{overflow-x:hidden;transition-timing-function:cubic-bezier(0,1,.5,1);transition:.35s;transition-property:transform;margin:0 0 0 -100px;padding:0 0 1em 100px;width:80%;max-width:20em;-ms-flex:0 0 80%;flex:0 0 80%;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);background-color:#121a24;background-color:var(--popover,#121a24);color:#d8a070;color:var(--popoverText,#d8a070);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--icon:var(--popoverIcon,$fallback--icon)}.side-drawer .button-icon:before{width:1.1em}.side-drawer-logo-wrapper{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;padding:.85em}.side-drawer-logo-wrapper img{-ms-flex:none;flex:none;height:50px;margin-right:.85em}.side-drawer-logo-wrapper span{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.side-drawer-click-outside-closed{-ms-flex:0 0 0px;flex:0 0 0}.side-drawer-closed{transform:translate(-100%)}.side-drawer-heading{background:transparent;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:stretch;align-items:stretch;display:-ms-flexbox;display:flex;padding:0;margin:0}.side-drawer ul{list-style:none;margin:0;padding:0;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);margin:.2em 0}.side-drawer ul:last-child{border:0}.side-drawer li{padding:0}.side-drawer li a{display:block;padding:.5em .85em}.side-drawer li a:hover{background-color:#151e2a;background-color:var(--selectedMenuPopover,#151e2a);color:#b9b9ba;color:var(--selectedMenuPopoverText,#b9b9ba);--faint:var(--selectedMenuPopoverFaintText,$fallback--faint);--faintLink:var(--selectedMenuPopoverFaintLink,$fallback--faint);--lightText:var(--selectedMenuPopoverLightText,$fallback--lightText);--icon:var(--selectedMenuPopoverIcon,$fallback--icon)}",""])},function(t,e,n){var i=n(553);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7f8eca07",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".new-status-button{width:5em;height:5em;border-radius:100%;position:fixed;bottom:1.5em;right:1.5em;background-color:#182230;background-color:var(--btn,#182230);display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:center;align-items:center;box-shadow:0 2px 2px rgba(0,0,0,.3),0 4px 6px rgba(0,0,0,.3);z-index:10;transition:transform .35s;transition-timing-function:cubic-bezier(0,1,.5,1)}.new-status-button.hidden{transform:translateY(150%)}.new-status-button i{font-size:1.5em;color:#b9b9ba;color:var(--text,#b9b9ba)}@media (min-width:801px){.new-status-button{display:none}}",""])},function(t,e,n){var i=n(555);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("1e0fbcf8",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".mobile-inner-nav{width:100%;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.mobile-nav-button{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;width:50px;position:relative;cursor:pointer}.alert-dot{border-radius:100%;height:8px;width:8px;position:absolute;left:calc(50% - 4px);top:calc(50% - 4px);margin-left:6px;margin-top:-6px;background-color:red;background-color:var(--badgeNotification,red)}.mobile-notifications-drawer{width:100%;height:100vh;overflow-x:hidden;position:fixed;top:0;left:0;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);transition-property:transform;transition-duration:.25s;transform:translateX(0);z-index:1001;-webkit-overflow-scrolling:touch}.mobile-notifications-drawer.closed{transform:translateX(100%)}.mobile-notifications-header{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between;z-index:1;width:100%;height:50px;line-height:50px;position:absolute;color:var(--topBarText);background-color:#182230;background-color:var(--topBar,#182230);box-shadow:0 0 4px rgba(0,0,0,.6);box-shadow:var(--topBarShadow)}.mobile-notifications-header .title{font-size:1.3em;margin-left:.6em}.mobile-notifications{margin-top:50px;width:100vw;height:calc(100vh - 50px);overflow-x:hidden;overflow-y:scroll;color:#b9b9ba;color:var(--text,#b9b9ba);background-color:#121a24;background-color:var(--bg,#121a24)}.mobile-notifications .notifications{padding:0;border-radius:0;box-shadow:none}.mobile-notifications .notifications .panel{border-radius:0;margin:0;box-shadow:none}.mobile-notifications .notifications .panel:after{border-radius:0}.mobile-notifications .notifications .panel .panel-heading{border-radius:0;box-shadow:none}",""])},function(t,e,n){var i=n(557);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("10c04f96",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".user-reporting-panel{width:90vw;max-width:700px;min-height:20vh;max-height:80vh}.user-reporting-panel .panel-heading .title{text-align:center;-ms-flex:1;flex:1;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.user-reporting-panel .panel-body{display:-ms-flexbox;display:flex;-ms-flex-direction:column-reverse;flex-direction:column-reverse;border-top:1px solid;border-color:#222;border-color:var(--border,#222);overflow:hidden}.user-reporting-panel-left{padding:1.1em .7em .7em;line-height:1.4em;box-sizing:border-box}.user-reporting-panel-left>div{margin-bottom:1em}.user-reporting-panel-left>div:last-child{margin-bottom:0}.user-reporting-panel-left p{margin-top:0}.user-reporting-panel-left textarea.form-control{line-height:16px;resize:none;overflow:hidden;transition:min-height .2s .1s;min-height:44px;width:100%}.user-reporting-panel-left .btn{min-width:10em;padding:0 2em}.user-reporting-panel-left .alert{margin:1em 0 0;line-height:1.3em}.user-reporting-panel-right{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;overflow-y:auto}.user-reporting-panel-sitem{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between}.user-reporting-panel-sitem>.Status{-ms-flex:1;flex:1}.user-reporting-panel-sitem>.checkbox{margin:.75em}@media (min-width:801px){.user-reporting-panel .panel-body{-ms-flex-direction:row;flex-direction:row}.user-reporting-panel-left{width:50%;max-width:320px;border-right:1px solid;border-color:#222;border-color:var(--border,#222);padding:1.1em}.user-reporting-panel-left>div{margin-bottom:2em}.user-reporting-panel-right{width:50%;-ms-flex:1 1 auto;flex:1 1 auto;margin-bottom:12px}}",""])},function(t,e,n){var i=n(559);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7628c2ae",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".modal-view.post-form-modal-view{-ms-flex-align:start;align-items:flex-start}.post-form-modal-panel{-ms-flex-negative:0;flex-shrink:0;margin-top:25%;margin-bottom:2em;width:100%;max-width:700px}@media (orientation:landscape){.post-form-modal-panel{margin-top:8%}}",""])},function(t,e,n){var i=n(561);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("cdffaf96",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".global-notice-list{position:fixed;top:50px;width:100%;pointer-events:none;z-index:1001;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:center;align-items:center}.global-notice-list .global-notice{pointer-events:auto;text-align:center;width:40em;max-width:calc(100% - 3em);display:-ms-flexbox;display:flex;padding-left:1.5em;line-height:2em}.global-notice-list .global-notice .notice-message{-ms-flex:1 1 100%;flex:1 1 100%}.global-notice-list .global-notice i{-ms-flex:0 0;flex:0 0;width:1.5em;cursor:pointer}.global-notice-list .global-error{background-color:var(--alertPopupError,red)}.global-notice-list .global-error,.global-notice-list .global-error i{color:var(--alertPopupErrorText,#b9b9ba)}.global-notice-list .global-warning{background-color:var(--alertPopupWarning,orange)}.global-notice-list .global-warning,.global-notice-list .global-warning i{color:var(--alertPopupWarningText,#b9b9ba)}.global-notice-list .global-info{background-color:var(--alertPopupNeutral,#182230)}.global-notice-list .global-info,.global-notice-list .global-info i{color:var(--alertPopupNeutralText,#b9b9ba)}",""])},function(t,e,n){"use strict";n.r(e);var i=n(3),o=n.n(i),r=n(6),s=n.n(r),a=n(108),c=n(2),l=(n(226),n(197));try{new EventTarget}catch(t){window.EventTarget=l.a}var u={state:{settingsModalState:"hidden",settingsModalLoaded:!1,settingsModalTargetTab:null,settings:{currentSaveStateNotice:null,noticeClearTimeout:null,notificationPermission:null},browserSupport:{cssFilter:window.CSS&&window.CSS.supports&&(window.CSS.supports("filter","drop-shadow(0 0)")||window.CSS.supports("-webkit-filter","drop-shadow(0 0)"))},mobileLayout:!1,globalNotices:[],layoutHeight:0,lastTimeline:null},mutations:{settingsSaved:function(t,e){var n=e.success,i=e.error;n?(t.noticeClearTimeout&&clearTimeout(t.noticeClearTimeout),Object(r.set)(t.settings,"currentSaveStateNotice",{error:!1,data:n}),Object(r.set)(t.settings,"noticeClearTimeout",setTimeout(function(){return Object(r.delete)(t.settings,"currentSaveStateNotice")},2e3))):Object(r.set)(t.settings,"currentSaveStateNotice",{error:!0,errorData:i})},setNotificationPermission:function(t,e){t.notificationPermission=e},setMobileLayout:function(t,e){t.mobileLayout=e},closeSettingsModal:function(t){t.settingsModalState="hidden"},togglePeekSettingsModal:function(t){switch(t.settingsModalState){case"minimized":return void(t.settingsModalState="visible");case"visible":return void(t.settingsModalState="minimized");default:throw new Error("Illegal minimization state of settings modal")}},openSettingsModal:function(t){t.settingsModalState="visible",t.settingsModalLoaded||(t.settingsModalLoaded=!0)},setSettingsModalTargetTab:function(t,e){t.settingsModalTargetTab=e},pushGlobalNotice:function(t,e){t.globalNotices.push(e)},removeGlobalNotice:function(t,e){t.globalNotices=t.globalNotices.filter(function(t){return t!==e})},setLayoutHeight:function(t,e){t.layoutHeight=e},setLastTimeline:function(t,e){t.lastTimeline=e}},actions:{setPageTitle:function(t){var e=t.rootState,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";document.title="".concat(n," ").concat(e.instance.name)},settingsSaved:function(t,e){var n=t.commit;t.dispatch;n("settingsSaved",{success:e.success,error:e.error})},setNotificationPermission:function(t,e){(0,t.commit)("setNotificationPermission",e)},setMobileLayout:function(t,e){(0,t.commit)("setMobileLayout",e)},closeSettingsModal:function(t){(0,t.commit)("closeSettingsModal")},openSettingsModal:function(t){(0,t.commit)("openSettingsModal")},togglePeekSettingsModal:function(t){(0,t.commit)("togglePeekSettingsModal")},clearSettingsModalTargetTab:function(t){(0,t.commit)("setSettingsModalTargetTab",null)},openSettingsModalTab:function(t,e){var n=t.commit;n("setSettingsModalTargetTab",e),n("openSettingsModal")},pushGlobalNotice:function(t,e){var n=t.commit,i=t.dispatch,o=e.messageKey,r=e.messageArgs,s=void 0===r?{}:r,a=e.level,c=void 0===a?"error":a,l=e.timeout,u=void 0===l?0:l,d={messageKey:o,messageArgs:s,level:c};return u&&setTimeout(function(){return i("removeGlobalNotice",d)},u),n("pushGlobalNotice",d),d},removeGlobalNotice:function(t,e){(0,t.commit)("removeGlobalNotice",e)},setLayoutHeight:function(t,e){(0,t.commit)("setLayoutHeight",e)},setLastTimeline:function(t,e){(0,t.commit)("setLastTimeline",e)}}},d=n(10),p=n.n(d),f=n(1),h=n.n(f),m=n(7),g=n.n(m),v=n(32),b=n(39),w=n(11),_=n(95);function x(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var y={state:{name:"Pleroma FE",registrationOpen:!0,server:"http://localhost:4040/",textlimit:5e3,themeData:void 0,vapidPublicKey:void 0,alwaysShowSubjectInput:!0,defaultAvatar:"/images/avi.png",defaultBanner:"/images/banner.png",background:"/static/aurora_borealis.jpg",collapseMessageWithSubject:!1,disableChat:!1,greentext:!1,hideFilteredStatuses:!1,hideMutedPosts:!1,hidePostStats:!1,hideSitename:!1,hideUserStats:!1,loginMethod:"password",logo:"/static/logo.png",logoMargin:".2em",logoMask:!0,minimalScopesMode:!1,nsfwCensorImage:void 0,postContentType:"text/plain",redirectRootLogin:"/main/friends",redirectRootNoLogin:"/main/all",scopeCopy:!0,showFeaturesPanel:!0,showInstanceSpecificPanel:!1,sidebarRight:!1,subjectLineBehavior:"email",theme:"pleroma-dark",customEmoji:[],customEmojiFetched:!1,emoji:[],emojiFetched:!1,pleromaBackend:!0,postFormats:[],restrictedNicknames:[],safeDM:!0,knownDomains:[],chatAvailable:!1,pleromaChatMessagesAvailable:!1,gopherAvailable:!1,mediaProxyAvailable:!1,suggestionsEnabled:!1,suggestionsWeb:"",instanceSpecificPanelContent:"",tos:"",backendVersion:"",frontendVersion:"",pollsAvailable:!1,pollLimits:{max_options:4,max_option_chars:255,min_expiration:60,max_expiration:86400}},mutations:{setInstanceOption:function(t,e){var n=e.name,i=e.value;void 0!==i&&Object(r.set)(t,n,i)},setKnownDomains:function(t,e){t.knownDomains=e}},getters:{instanceDefaultConfig:function(t){return _.c.map(function(e){return[e,t[e]]}).reduce(function(t,e){var n=g()(e,2),i=n[0],o=n[1];return function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?x(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):x(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},t,h()({},i,o))},{})}},actions:{setInstanceOption:function(t,e){var n=t.commit,i=t.dispatch,o=e.name,r=e.value;switch(n("setInstanceOption",{name:o,value:r}),o){case"name":i("setPageTitle");break;case"chatAvailable":r&&i("initializeSocket");break;case"theme":i("setTheme",r)}},getStaticEmoji:function(t){var e,n,i,r;return o.a.async(function(s){for(;;)switch(s.prev=s.next){case 0:return e=t.commit,s.prev=1,s.next=4,o.a.awrap(window.fetch("/static/emoji.json"));case 4:if(!(n=s.sent).ok){s.next=13;break}return s.next=8,o.a.awrap(n.json());case 8:i=s.sent,r=Object.keys(i).map(function(t){return{displayText:t,imageUrl:!1,replacement:i[t]}}).sort(function(t,e){return t.displayText-e.displayText}),e("setInstanceOption",{name:"emoji",value:r}),s.next=14;break;case 13:throw n;case 14:s.next=20;break;case 16:s.prev=16,s.t0=s.catch(1),console.warn("Can't load static emoji"),console.warn(s.t0);case 20:case"end":return s.stop()}},null,null,[[1,16]])},getCustomEmoji:function(t){var e,n,i,r,s,a;return o.a.async(function(c){for(;;)switch(c.prev=c.next){case 0:return e=t.commit,n=t.state,c.prev=1,c.next=4,o.a.awrap(window.fetch("/api/pleroma/emoji.json"));case 4:if(!(i=c.sent).ok){c.next=14;break}return c.next=8,o.a.awrap(i.json());case 8:r=c.sent,s=Array.isArray(r)?Object.assign.apply(Object,[{}].concat(p()(r))):r,a=Object.entries(s).map(function(t){var e=g()(t,2),i=e[0],o=e[1],r=o.image_url;return{displayText:i,imageUrl:r?n.server+r:o,tags:r?o.tags.sort(function(t,e){return t>e?1:0}):["utf"],replacement:":".concat(i,": ")}}).sort(function(t,e){return t.displayText.toLowerCase()>e.displayText.toLowerCase()?1:0}),e("setInstanceOption",{name:"customEmoji",value:a}),c.next=15;break;case 14:throw i;case 15:c.next=21;break;case 17:c.prev=17,c.t0=c.catch(1),console.warn("Can't load custom emojis"),console.warn(c.t0);case 21:case"end":return c.stop()}},null,null,[[1,17]])},setTheme:function(t,e){var n=t.commit,i=t.rootState;n("setInstanceOption",{name:"theme",value:e}),Object(v.j)(e).then(function(t){if(n("setInstanceOption",{name:"themeData",value:t}),!i.config.customTheme){var e=t.source;!t.theme||e&&e.themeEngineVersion===b.a?Object(v.b)(e):Object(v.b)(t.theme)}})},fetchEmoji:function(t){var e=t.dispatch,n=t.state;n.customEmojiFetched||(n.customEmojiFetched=!0,e("getCustomEmoji")),n.emojiFetched||(n.emojiFetched=!0,e("getStaticEmoji"))},getKnownDomains:function(t){var e,n,i;return o.a.async(function(r){for(;;)switch(r.prev=r.next){case 0:return e=t.commit,n=t.rootState,r.prev=1,r.next=4,o.a.awrap(w.c.fetchKnownDomains({credentials:n.users.currentUser.credentials}));case 4:i=r.sent,e("setKnownDomains",i),r.next=12;break;case 8:r.prev=8,r.t0=r.catch(1),console.warn("Can't load known domains"),console.warn(r.t0);case 12:case"end":return r.stop()}},null,null,[[1,8]])}}},k=n(101),C=n.n(k),S=n(13),j=n.n(S),O=n(23),P=n.n(O),$=n(203),T=n.n($),I=n(96),E=n.n(I),M=n(102),U=n.n(M),F=n(103),D=n.n(F),L=n(25),N=n.n(L),R=n(45),A=n.n(R),B=n(24),z=n.n(B),H=n(204),q=n.n(H),W=n(47),V=n.n(W),G=n(19);function K(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function Y(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?K(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):K(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var J=function(){return{statuses:[],statusesObject:{},faves:[],visibleStatuses:[],visibleStatusesObject:{},newStatusCount:0,maxId:0,minId:0,minVisibleId:0,loading:!1,followers:[],friends:[],userId:arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,flushMarker:0}},X=function(){return{desktopNotificationSilence:!0,maxId:0,minId:Number.POSITIVE_INFINITY,data:[],idStore:{},loading:!1,error:!1}},Q=function(){return{allStatuses:[],allStatusesObject:{},conversationsObject:{},maxId:0,notifications:X(),favorites:new Set,error:!1,errorData:null,timelines:{mentions:J(),public:J(),user:J(),favorites:J(),media:J(),publicAndExternal:J(),friends:J(),tag:J(),dms:J(),bookmarks:J()}}},Z=function(t,e,n){var i,o=e[n.id];return o?(E()(o,C()(n,function(t,e){return null===t||"user"===e})),o.attachments.splice(o.attachments.length),{item:o,new:!1}):((i=n).deleted=!1,i.attachments=i.attachments||[],t.push(n),Object(r.set)(e,n.id,n),{item:n,new:!0})},tt=function(t,e){var n=Number(t.id),i=Number(e.id),o=!Number.isNaN(n),r=!Number.isNaN(i);return o&&r?n>i?-1:1:o&&!r?1:!o&&r?-1:t.id>e.id?-1:1},et=function(t){return t.visibleStatuses=t.visibleStatuses.sort(tt),t.statuses=t.statuses.sort(tt),t.minVisibleId=(P()(t.visibleStatuses)||{}).id,t},nt=function(t,e){var n=Z(t.allStatuses,t.allStatusesObject,e);if(n.new){var i=n.item,o=t.conversationsObject,s=i.statusnet_conversation_id;o[s]?o[s].push(i):Object(r.set)(o,s,[i])}return n},it={addNewStatuses:function(t,e){var n=e.statuses,i=e.showImmediately,o=void 0!==i&&i,r=e.timeline,s=e.user,a=void 0===s?{}:s,c=e.noIdUpdate,l=void 0!==c&&c,u=e.userId,d=e.pagination,p=void 0===d?{}:d;if(!j()(n))return!1;var f=t.allStatuses,h=t.timelines[r],m=p.maxId||(n.length>0?U()(n,"id").id:0),g=p.minId||(n.length>0?D()(n,"id").id:0),v=r&&(g>h.maxId||0===h.maxId)&&n.length>0,b=r&&(m<h.minId||0===h.minId)&&n.length>0;if(!l&&v&&(h.maxId=g),!l&&b&&(h.minId=m),"user"!==r&&"media"!==r||h.userId===u){var w=function(e,n){var i,o=!(arguments.length>2&&void 0!==arguments[2])||arguments[2],s=nt(t,e),c=s.item;if(s.new){if("status"===c.type&&N()(c.attentions,{id:a.id})){var l=t.timelines.mentions;h!==l&&(Z(l.statuses,l.statusesObject,c),l.newStatusCount+=1,et(l))}if("direct"===c.visibility){var u=t.timelines.dms;Z(u.statuses,u.statusesObject,c),u.newStatusCount+=1,et(u)}}return r&&o&&(i=Z(h.statuses,h.statusesObject,c)),r&&n?Z(h.visibleStatuses,h.visibleStatusesObject,c):r&&o&&i.new&&(h.newStatusCount+=1),c},_={status:function(t){w(t,o)},retweet:function(t){var e,n=w(t.retweeted_status,!1,!1);e=r&&N()(h.statuses,function(t){return t.retweeted_status?t.id===n.id||t.retweeted_status.id===n.id:t.id===n.id})?w(t,!1,!1):w(t,o),e.retweeted_status=n},favorite:function(e){t.favorites.has(e.id)||(t.favorites.add(e.id),function(t,e){var n=N()(f,{id:t.in_reply_to_status_id});n&&(t.user.id===a.id?n.favorited=!0:n.fave_num+=1)}(e))},deletion:function(e){var n=e.uri,i=N()(f,{uri:n});i&&(function(t,e){V()(t.allStatuses,{id:e.id}),V()(t.notifications.data,function(t){return t.action.id===e.id});var n=e.statusnet_conversation_id;t.conversationsObject[n]&&V()(t.conversationsObject[n],{id:e.id})}(t,i),r&&(V()(h.statuses,{uri:n}),V()(h.visibleStatuses,{uri:n})))},follow:function(t){},default:function(t){console.log("unknown status type"),console.log(t)}};z()(n,function(t){var e=t.type;(_[e]||_.default)(t)}),r&&"bookmarks"!==r&&et(h)}},addNewNotifications:function(t,e){var n=e.dispatch,i=e.notifications,o=(e.older,e.visibleNotificationTypes,e.rootGetters,e.newNotificationSideEffects);z()(i,function(e){Object(G.b)(e.type)&&(e.action=nt(t,e.action).item,e.status=e.status&&nt(t,e.status).item),"pleroma:emoji_reaction"===e.type&&n("fetchEmojiReactionsBy",e.status.id),t.notifications.idStore.hasOwnProperty(e.id)?e.seen&&(t.notifications.idStore[e.id].seen=!0):(t.notifications.maxId=e.id>t.notifications.maxId?e.id:t.notifications.maxId,t.notifications.minId=e.id<t.notifications.minId?e.id:t.notifications.minId,t.notifications.data.push(e),t.notifications.idStore[e.id]=e,o(e))})},removeStatus:function(t,e){var n=e.timeline,i=e.userId,o=t.timelines[n];i&&(V()(o.statuses,{user:{id:i}}),V()(o.visibleStatuses,{user:{id:i}}),o.minVisibleId=o.visibleStatuses.length>0?P()(o.visibleStatuses).id:0,o.maxId=o.statuses.length>0?T()(o.statuses).id:0)},showNewStatuses:function(t,e){var n=e.timeline,i=t.timelines[n];i.newStatusCount=0,i.visibleStatuses=q()(i.statuses,0,50),i.minVisibleId=P()(i.visibleStatuses).id,i.minId=i.minVisibleId,i.visibleStatusesObject={},z()(i.visibleStatuses,function(t){i.visibleStatusesObject[t.id]=t})},resetStatuses:function(t){var e=Q();Object.entries(e).forEach(function(e){var n=g()(e,2),i=n[0],o=n[1];t[i]=o})},clearTimeline:function(t,e){var n=e.timeline,i=e.excludeUserId,o=void 0!==i&&i?t.timelines[n].userId:void 0;t.timelines[n]=J(o)},clearNotifications:function(t){t.notifications=X()},setFavorited:function(t,e){var n=e.status,i=e.value,o=t.allStatusesObject[n.id];o.favorited!==i&&(i?o.fave_num++:o.fave_num--),o.favorited=i},setFavoritedConfirm:function(t,e){var n=e.status,i=e.user,o=t.allStatusesObject[n.id];o.favorited=n.favorited,o.fave_num=n.fave_num;var r=A()(o.favoritedBy,{id:i.id});-1===r||o.favorited?-1===r&&o.favorited&&o.favoritedBy.push(i):o.favoritedBy.splice(r,1)},setMutedStatus:function(t,e){var n=t.allStatusesObject[e.id];n.thread_muted=e.thread_muted,void 0!==n.thread_muted&&t.conversationsObject[n.statusnet_conversation_id].forEach(function(t){t.thread_muted=n.thread_muted})},setRetweeted:function(t,e){var n=e.status,i=e.value,o=t.allStatusesObject[n.id];o.repeated!==i&&(i?o.repeat_num++:o.repeat_num--),o.repeated=i},setRetweetedConfirm:function(t,e){var n=e.status,i=e.user,o=t.allStatusesObject[n.id];o.repeated=n.repeated,o.repeat_num=n.repeat_num;var r=A()(o.rebloggedBy,{id:i.id});-1===r||o.repeated?-1===r&&o.repeated&&o.rebloggedBy.push(i):o.rebloggedBy.splice(r,1)},setBookmarked:function(t,e){var n=e.status,i=e.value;t.allStatusesObject[n.id].bookmarked=i},setBookmarkedConfirm:function(t,e){var n=e.status;t.allStatusesObject[n.id].bookmarked=n.bookmarked},setDeleted:function(t,e){var n=e.status,i=t.allStatusesObject[n.id];i&&(i.deleted=!0)},setManyDeleted:function(t,e){Object.values(t.allStatusesObject).forEach(function(t){e(t)&&(t.deleted=!0)})},setLoading:function(t,e){var n=e.timeline,i=e.value;t.timelines[n].loading=i},setNsfw:function(t,e){var n=e.id,i=e.nsfw;t.allStatusesObject[n].nsfw=i},setError:function(t,e){var n=e.value;t.error=n},setErrorData:function(t,e){var n=e.value;t.errorData=n},setNotificationsLoading:function(t,e){var n=e.value;t.notifications.loading=n},setNotificationsError:function(t,e){var n=e.value;t.notifications.error=n},setNotificationsSilence:function(t,e){var n=e.value;t.notifications.desktopNotificationSilence=n},markNotificationsAsSeen:function(t){z()(t.notifications.data,function(t){t.seen=!0})},markSingleNotificationAsSeen:function(t,e){var n=e.id,i=N()(t.notifications.data,function(t){return t.id===n});i&&(i.seen=!0)},dismissNotification:function(t,e){var n=e.id;t.notifications.data=t.notifications.data.filter(function(t){return t.id!==n})},dismissNotifications:function(t,e){var n=e.finder;t.notifications.data=t.notifications.data.filter(function(t){return n})},updateNotification:function(t,e){var n=e.id,i=e.updater,o=N()(t.notifications.data,function(t){return t.id===n});o&&i(o)},queueFlush:function(t,e){var n=e.timeline,i=e.id;t.timelines[n].flushMarker=i},queueFlushAll:function(t){Object.keys(t.timelines).forEach(function(e){t.timelines[e].flushMarker=t.timelines[e].maxId})},addRepeats:function(t,e){var n=e.id,i=e.rebloggedByUsers,o=e.currentUser,r=t.allStatusesObject[n];r.rebloggedBy=i.filter(function(t){return t}),r.repeat_num=r.rebloggedBy.length,r.repeated=!!r.rebloggedBy.find(function(t){var e=t.id;return o.id===e})},addFavs:function(t,e){var n=e.id,i=e.favoritedByUsers,o=e.currentUser,r=t.allStatusesObject[n];r.favoritedBy=i.filter(function(t){return t}),r.fave_num=r.favoritedBy.length,r.favorited=!!r.favoritedBy.find(function(t){var e=t.id;return o.id===e})},addEmojiReactionsBy:function(t,e){var n=e.id,i=e.emojiReactions,o=(e.currentUser,t.allStatusesObject[n]);Object(r.set)(o,"emoji_reactions",i)},addOwnReaction:function(t,e){var n=e.id,i=e.emoji,o=e.currentUser,s=t.allStatusesObject[n],a=A()(s.emoji_reactions,{name:i}),c=s.emoji_reactions[a]||{name:i,count:0,accounts:[]},l=Y({},c,{count:c.count+1,me:!0,accounts:[].concat(p()(c.accounts),[o])});a>=0?Object(r.set)(s.emoji_reactions,a,l):Object(r.set)(s,"emoji_reactions",[].concat(p()(s.emoji_reactions),[l]))},removeOwnReaction:function(t,e){var n=e.id,i=e.emoji,o=e.currentUser,s=t.allStatusesObject[n],a=A()(s.emoji_reactions,{name:i});if(!(a<0)){var c=s.emoji_reactions[a],l=c.accounts||[],u=Y({},c,{count:c.count-1,me:!1,accounts:l.filter(function(t){return t.id!==o.id})});u.count>0?Object(r.set)(s.emoji_reactions,a,u):Object(r.set)(s,"emoji_reactions",s.emoji_reactions.filter(function(t){return t.name!==i}))}},updateStatusWithPoll:function(t,e){var n=e.id,i=e.poll;t.allStatusesObject[n].poll=i}},ot={state:Q(),actions:{addNewStatuses:function(t,e){var n=t.rootState,i=t.commit,o=e.statuses,r=e.showImmediately,s=void 0!==r&&r,a=e.timeline,c=void 0!==a&&a,l=e.noIdUpdate,u=void 0!==l&&l,d=e.userId,p=e.pagination;i("addNewStatuses",{statuses:o,showImmediately:s,timeline:c,noIdUpdate:u,user:n.users.currentUser,userId:d,pagination:p})},addNewNotifications:function(t,e){var n=e.notifications,i=e.older;(0,t.commit)("addNewNotifications",{dispatch:t.dispatch,notifications:n,older:i,rootGetters:t.rootGetters,newNotificationSideEffects:function(e){Object(G.c)(t,e)}})},setError:function(t,e){t.rootState;(0,t.commit)("setError",{value:e.value})},setErrorData:function(t,e){t.rootState;(0,t.commit)("setErrorData",{value:e.value})},setNotificationsLoading:function(t,e){t.rootState;(0,t.commit)("setNotificationsLoading",{value:e.value})},setNotificationsError:function(t,e){t.rootState;(0,t.commit)("setNotificationsError",{value:e.value})},setNotificationsSilence:function(t,e){t.rootState;(0,t.commit)("setNotificationsSilence",{value:e.value})},fetchStatus:function(t,e){var n=t.rootState,i=t.dispatch;return n.api.backendInteractor.fetchStatus({id:e}).then(function(t){return i("addNewStatuses",{statuses:[t]})})},deleteStatus:function(t,e){var n=t.rootState;(0,t.commit)("setDeleted",{status:e}),w.c.deleteStatus({id:e.id,credentials:n.users.currentUser.credentials})},markStatusesAsDeleted:function(t,e){(0,t.commit)("setManyDeleted",e)},favorite:function(t,e){var n=t.rootState,i=t.commit;i("setFavorited",{status:e,value:!0}),n.api.backendInteractor.favorite({id:e.id}).then(function(t){return i("setFavoritedConfirm",{status:t,user:n.users.currentUser})})},unfavorite:function(t,e){var n=t.rootState,i=t.commit;i("setFavorited",{status:e,value:!1}),n.api.backendInteractor.unfavorite({id:e.id}).then(function(t){return i("setFavoritedConfirm",{status:t,user:n.users.currentUser})})},fetchPinnedStatuses:function(t,e){var n=t.rootState,i=t.dispatch;n.api.backendInteractor.fetchPinnedStatuses({id:e}).then(function(t){return i("addNewStatuses",{statuses:t,timeline:"user",userId:e,showImmediately:!0,noIdUpdate:!0})})},pinStatus:function(t,e){var n=t.rootState,i=t.dispatch;return n.api.backendInteractor.pinOwnStatus({id:e}).then(function(t){return i("addNewStatuses",{statuses:[t]})})},unpinStatus:function(t,e){var n=t.rootState,i=t.dispatch;n.api.backendInteractor.unpinOwnStatus({id:e}).then(function(t){return i("addNewStatuses",{statuses:[t]})})},muteConversation:function(t,e){var n=t.rootState,i=t.commit;return n.api.backendInteractor.muteConversation({id:e}).then(function(t){return i("setMutedStatus",t)})},unmuteConversation:function(t,e){var n=t.rootState,i=t.commit;return n.api.backendInteractor.unmuteConversation({id:e}).then(function(t){return i("setMutedStatus",t)})},retweet:function(t,e){var n=t.rootState,i=t.commit;i("setRetweeted",{status:e,value:!0}),n.api.backendInteractor.retweet({id:e.id}).then(function(t){return i("setRetweetedConfirm",{status:t.retweeted_status,user:n.users.currentUser})})},unretweet:function(t,e){var n=t.rootState,i=t.commit;i("setRetweeted",{status:e,value:!1}),n.api.backendInteractor.unretweet({id:e.id}).then(function(t){return i("setRetweetedConfirm",{status:t,user:n.users.currentUser})})},bookmark:function(t,e){var n=t.rootState,i=t.commit;i("setBookmarked",{status:e,value:!0}),n.api.backendInteractor.bookmarkStatus({id:e.id}).then(function(t){i("setBookmarkedConfirm",{status:t})})},unbookmark:function(t,e){var n=t.rootState,i=t.commit;i("setBookmarked",{status:e,value:!1}),n.api.backendInteractor.unbookmarkStatus({id:e.id}).then(function(t){i("setBookmarkedConfirm",{status:t})})},queueFlush:function(t,e){t.rootState;(0,t.commit)("queueFlush",{timeline:e.timeline,id:e.id})},queueFlushAll:function(t){t.rootState;(0,t.commit)("queueFlushAll")},markNotificationsAsSeen:function(t){var e=t.rootState;(0,t.commit)("markNotificationsAsSeen"),w.c.markNotificationsAsSeen({id:e.statuses.notifications.maxId,credentials:e.users.currentUser.credentials})},markSingleNotificationAsSeen:function(t,e){var n=t.rootState,i=t.commit,o=e.id;i("markSingleNotificationAsSeen",{id:o}),w.c.markNotificationsAsSeen({single:!0,id:o,credentials:n.users.currentUser.credentials})},dismissNotificationLocal:function(t,e){t.rootState;(0,t.commit)("dismissNotification",{id:e.id})},dismissNotification:function(t,e){var n=t.rootState,i=t.commit,o=e.id;i("dismissNotification",{id:o}),n.api.backendInteractor.dismissNotification({id:o})},updateNotification:function(t,e){t.rootState;(0,t.commit)("updateNotification",{id:e.id,updater:e.updater})},fetchFavsAndRepeats:function(t,e){var n=t.rootState,i=t.commit;Promise.all([n.api.backendInteractor.fetchFavoritedByUsers({id:e}),n.api.backendInteractor.fetchRebloggedByUsers({id:e})]).then(function(t){var o=g()(t,2),r=o[0],s=o[1];i("addFavs",{id:e,favoritedByUsers:r,currentUser:n.users.currentUser}),i("addRepeats",{id:e,rebloggedByUsers:s,currentUser:n.users.currentUser})})},reactWithEmoji:function(t,e){var n=t.rootState,i=t.dispatch,o=t.commit,r=e.id,s=e.emoji,a=n.users.currentUser;a&&(o("addOwnReaction",{id:r,emoji:s,currentUser:a}),n.api.backendInteractor.reactWithEmoji({id:r,emoji:s}).then(function(t){i("fetchEmojiReactionsBy",r)}))},unreactWithEmoji:function(t,e){var n=t.rootState,i=t.dispatch,o=t.commit,r=e.id,s=e.emoji,a=n.users.currentUser;a&&(o("removeOwnReaction",{id:r,emoji:s,currentUser:a}),n.api.backendInteractor.unreactWithEmoji({id:r,emoji:s}).then(function(t){i("fetchEmojiReactionsBy",r)}))},fetchEmojiReactionsBy:function(t,e){var n=t.rootState,i=t.commit;n.api.backendInteractor.fetchEmojiReactions({id:e}).then(function(t){i("addEmojiReactionsBy",{id:e,emojiReactions:t,currentUser:n.users.currentUser})})},fetchFavs:function(t,e){var n=t.rootState,i=t.commit;n.api.backendInteractor.fetchFavoritedByUsers({id:e}).then(function(t){return i("addFavs",{id:e,favoritedByUsers:t,currentUser:n.users.currentUser})})},fetchRepeats:function(t,e){var n=t.rootState,i=t.commit;n.api.backendInteractor.fetchRebloggedByUsers({id:e}).then(function(t){return i("addRepeats",{id:e,rebloggedByUsers:t,currentUser:n.users.currentUser})})},search:function(t,e){var n=e.q,i=e.resolve,o=e.limit,r=e.offset,s=e.following;return t.rootState.api.backendInteractor.search2({q:n,resolve:i,limit:o,offset:r,following:s}).then(function(e){return t.commit("addNewUsers",e.accounts),t.commit("addNewStatuses",{statuses:e.statuses}),e})}},mutations:it},rt=n(77),st=n.n(rt),at=n(76),ct=n.n(at),lt=n(115),ut=n.n(lt),dt=n(15),pt=n.n(dt),ft=n(137),ht=n.n(ft),mt=n(116),gt=n.n(mt),vt=function(t){var e=t.store,n=t.credentials,i=t.timeline,o=void 0===i?"friends":i,r=t.older,s=void 0!==r&&r,a=t.showImmediately,c=void 0!==a&&a,l=t.userId,u=void 0!==l&&l,d=t.tag,p=void 0!==d&&d,f=t.until,h={timeline:o,credentials:n},m=e.rootState||e.state,g=e.getters,v=m.statuses.timelines[gt()(o)],b=g.mergedConfig,_=b.hideMutedPosts,x=b.replyVisibility,y=!!m.users.currentUser;s?h.until=f||v.minId:h.since=v.maxId,h.userId=u,h.tag=p,h.withMuted=!_,y&&["friends","public","publicAndExternal"].includes(o)&&(h.replyVisibility=x);var k=v.statuses.length;return w.c.fetchTimeline(h).then(function(t){if(!t.error){var n=t.data,i=t.pagination;return!s&&n.length>=20&&!v.loading&&k>0&&e.dispatch("queueFlush",{timeline:o,id:v.maxId}),function(t){var e=t.store,n=t.statuses,i=t.timeline,o=t.showImmediately,r=t.userId,s=t.pagination,a=gt()(i);e.dispatch("setError",{value:!1}),e.dispatch("setErrorData",{value:null}),e.dispatch("addNewStatuses",{timeline:a,userId:r,statuses:n,showImmediately:o,pagination:s})}({store:e,statuses:n,timeline:o,showImmediately:c,userId:u,pagination:i}),{statuses:n,pagination:i}}e.dispatch("setErrorData",{value:t})},function(){return e.dispatch("setError",{value:!0})})},bt={fetchAndUpdate:vt,startFetching:function(t){var e=t.timeline,n=void 0===e?"friends":e,i=t.credentials,o=t.store,r=t.userId,s=void 0!==r&&r,a=t.tag,c=void 0!==a&&a,l=(o.rootState||o.state).statuses.timelines[gt()(n)],u=0===l.visibleStatuses.length;l.userId=s,vt({timeline:n,credentials:i,store:o,showImmediately:u,userId:s,tag:c});return setInterval(function(){return vt({timeline:n,credentials:i,store:o,userId:s,tag:c})},1e4)}},wt=function(t){var e=t.store,n=t.credentials,i=t.older,o=void 0!==i&&i,r={credentials:n},s=e.getters,a=e.rootState||e.state,c=a.statuses.notifications,l=s.mergedConfig.hideMutedPosts,u=a.users.currentUser.allow_following_move;if(r.withMuted=!l,r.withMove=!u,r.timeline="notifications",o)return c.minId!==Number.POSITIVE_INFINITY&&(r.until=c.minId),_t({store:e,args:r,older:o});c.maxId!==Number.POSITIVE_INFINITY&&(r.since=c.maxId);var d=_t({store:e,args:r,older:o}),f=c.data,h=f.filter(function(t){return t.seen}).map(function(t){return t.id});return f.length-h.length>0&&h.length>0&&(r.since=Math.max.apply(Math,p()(h)),_t({store:e,args:r,older:o})),d},_t=function(t){var e=t.store,n=t.args,i=t.older;return w.c.fetchTimeline(n).then(function(t){var n=t.data;return function(t){var e=t.store,n=t.notifications,i=t.older;e.dispatch("setNotificationsError",{value:!1}),e.dispatch("addNewNotifications",{notifications:n,older:i})}({store:e,notifications:n,older:i}),n},function(){return e.dispatch("setNotificationsError",{value:!0})}).catch(function(){return e.dispatch("setNotificationsError",{value:!0})})},xt={fetchAndUpdate:wt,startFetching:function(t){var e=t.credentials,n=t.store;wt({credentials:e,store:n});return setTimeout(function(){return n.dispatch("setNotificationsSilence",!1)},1e4),setInterval(function(){return wt({credentials:e,store:n})},1e4)}},yt=function(t){var e=t.store,n=t.credentials;return w.c.fetchFollowRequests({credentials:n}).then(function(t){e.commit("setFollowRequests",t),e.commit("addNewUsers",t)},function(){}).catch(function(){})},kt={startFetching:function(t){var e=t.credentials,n=t.store;yt({credentials:e,store:n});return setInterval(function(){return yt({credentials:e,store:n})},1e4)}};function Ct(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function St(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Ct(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Ct(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var jt=function(t){return St({startFetchingTimeline:function(e){var n=e.timeline,i=e.store,o=e.userId,r=void 0!==o&&o,s=e.tag;return bt.startFetching({timeline:n,store:i,credentials:t,userId:r,tag:s})},startFetchingNotifications:function(e){var n=e.store;return xt.startFetching({store:n,credentials:t})},startFetchingFollowRequests:function(e){var n=e.store;return kt.startFetching({store:n,credentials:t})},startUserSocket:function(e){var n=e.store.rootState.instance.server.replace("http","ws")+Object(w.d)({credentials:t,stream:"user"});return Object(w.a)({url:n,id:"User"})}},Object.entries(w.c).reduce(function(e,n){var i=g()(n,2),o=i[0],r=i[1];return St({},e,h()({},o,function(e){return r(St({credentials:t},e))}))},{}),{verifyCredentials:w.c.verifyCredentials})},Ot=n(40),Pt=n.n(Ot),$t="".concat(window.location.origin,"/oauth-callback"),Tt=function(t){var e=t.clientId,n=t.clientSecret,i=t.instance,o=t.commit;if(e&&n)return Promise.resolve({clientId:e,clientSecret:n});var r="".concat(i,"/api/v1/apps"),s=new window.FormData;return s.append("client_name","PleromaFE_".concat(window.___pleromafe_commit_hash,"_").concat((new Date).toISOString())),s.append("redirect_uris",$t),s.append("scopes","read write follow push admin"),window.fetch(r,{method:"POST",body:s}).then(function(t){return t.json()}).then(function(t){return{clientId:t.client_id,clientSecret:t.client_secret}}).then(function(t){return o("setClientData",t)||t})},It=function(t){var e=t.clientId,n=t.clientSecret,i=t.instance,o="".concat(i,"/oauth/token"),r=new window.FormData;return r.append("client_id",e),r.append("client_secret",n),r.append("grant_type","client_credentials"),r.append("redirect_uri","".concat(window.location.origin,"/oauth-callback")),window.fetch(o,{method:"POST",body:r}).then(function(t){return t.json()})},Et={login:function(t){var e=t.instance,n={response_type:"code",client_id:t.clientId,redirect_uri:$t,scope:"read write follow push admin"},i=Pt()(n,function(t,e,n){var i="".concat(n,"=").concat(encodeURIComponent(e));return t?"".concat(t,"&").concat(i):i},!1),o="".concat(e,"/oauth/authorize?").concat(i);window.location.href=o},getToken:function(t){var e=t.clientId,n=t.clientSecret,i=t.instance,o=t.code,r="".concat(i,"/oauth/token"),s=new window.FormData;return s.append("client_id",e),s.append("client_secret",n),s.append("grant_type","authorization_code"),s.append("code",o),s.append("redirect_uri","".concat(window.location.origin,"/oauth-callback")),window.fetch(r,{method:"POST",body:s}).then(function(t){return t.json()})},getTokenWithCredentials:function(t){var e=t.clientId,n=t.clientSecret,i=t.instance,o=t.username,r=t.password,s="".concat(i,"/oauth/token"),a=new window.FormData;return a.append("client_id",e),a.append("client_secret",n),a.append("grant_type","password"),a.append("username",o),a.append("password",r),window.fetch(s,{method:"POST",body:a}).then(function(t){return t.json()})},getOrCreateApp:Tt,verifyOTPCode:function(t){var e=t.app,n=t.instance,i=t.mfaToken,o=t.code,r="".concat(n,"/oauth/mfa/challenge"),s=new window.FormData;return s.append("client_id",e.client_id),s.append("client_secret",e.client_secret),s.append("mfa_token",i),s.append("code",o),s.append("challenge_type","totp"),window.fetch(r,{method:"POST",body:s}).then(function(t){return t.json()})},verifyRecoveryCode:function(t){var e=t.app,n=t.instance,i=t.mfaToken,o=t.code,r="".concat(n,"/oauth/mfa/challenge"),s=new window.FormData;return s.append("client_id",e.client_id),s.append("client_secret",e.client_secret),s.append("mfa_token",i),s.append("code",o),s.append("challenge_type","recovery"),window.fetch(r,{method:"POST",body:s}).then(function(t){return t.json()})},revokeToken:function(t){var e=t.app,n=t.instance,i=t.token,o="".concat(n,"/oauth/revoke"),r=new window.FormData;return r.append("client_id",e.clientId),r.append("client_secret",e.clientSecret),r.append("token",i),window.fetch(o,{method:"POST",body:r}).then(function(t){return t.json()})}},Mt=n(205),Ut=n.n(Mt);function Ft(){return"serviceWorker"in navigator&&"PushManager"in window}function Dt(){return Ut.a.register().catch(function(t){return console.error("Unable to get or create a service worker.",t)})}function Lt(t){return window.fetch("/api/v1/push/subscription/",{method:"DELETE",headers:{"Content-Type":"application/json",Authorization:"Bearer ".concat(t)}}).then(function(t){if(!t.ok)throw new Error("Bad status code from server.");return t})}function Nt(t,e,n,i){Ft()&&Dt().then(function(n){return function(t,e,n){if(!e)return Promise.reject(new Error("Web Push is disabled in config"));if(!n)return Promise.reject(new Error("VAPID public key is not found"));var i,o,r,s={userVisibleOnly:!0,applicationServerKey:(i=n,o=(i+"=".repeat((4-i.length%4)%4)).replace(/-/g,"+").replace(/_/g,"/"),r=window.atob(o),Uint8Array.from(p()(r).map(function(t){return t.charCodeAt(0)})))};return t.pushManager.subscribe(s)}(n,t,e)}).then(function(t){return function(t,e,n){return window.fetch("/api/v1/push/subscription/",{method:"POST",headers:{"Content-Type":"application/json",Authorization:"Bearer ".concat(e)},body:JSON.stringify({subscription:t,data:{alerts:{follow:n.follows,favourite:n.likes,mention:n.mentions,reblog:n.repeats,move:n.moves}}})}).then(function(t){if(!t.ok)throw new Error("Bad status code from server.");return t.json()}).then(function(t){if(!t.id)throw new Error("Bad response from server.");return t})}(t,n,i)}).catch(function(t){return console.warn("Failed to setup Web Push Notifications: ".concat(t.message))})}function Rt(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function At(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Rt(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Rt(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var Bt=function t(e,n){if(j()(e)&&j()(n))return e.length=n.length,ut()(e,n,t)},zt=function(t,e){return t.rootState.api.backendInteractor.blockUser({id:e}).then(function(n){t.commit("updateUserRelationship",[n]),t.commit("addBlockId",e),t.commit("removeStatus",{timeline:"friends",userId:e}),t.commit("removeStatus",{timeline:"public",userId:e}),t.commit("removeStatus",{timeline:"publicAndExternal",userId:e})})},Ht=function(t,e){return t.rootState.api.backendInteractor.unblockUser({id:e}).then(function(e){return t.commit("updateUserRelationship",[e])})},qt=function(t,e){var n=t.state.relationships[e]||{id:e};return n.muting=!0,t.commit("updateUserRelationship",[n]),t.commit("addMuteId",e),t.rootState.api.backendInteractor.muteUser({id:e}).then(function(n){t.commit("updateUserRelationship",[n]),t.commit("addMuteId",e)})},Wt=function(t,e){var n=t.state.relationships[e]||{id:e};return n.muting=!1,t.commit("updateUserRelationship",[n]),t.rootState.api.backendInteractor.unmuteUser({id:e}).then(function(e){return t.commit("updateUserRelationship",[e])})},Vt=function(t,e){return t.rootState.api.backendInteractor.muteDomain({domain:e}).then(function(){return t.commit("addDomainMute",e)})},Gt=function(t,e){return t.rootState.api.backendInteractor.unmuteDomain({domain:e}).then(function(){return t.commit("removeDomainMute",e)})},Kt={state:{loggingIn:!1,lastLoginName:!1,currentUser:!1,users:[],usersObject:{},signUpPending:!1,signUpErrors:[],relationships:{}},mutations:{tagUser:function(t,e){var n=e.user.id,i=e.tag,o=t.usersObject[n],s=(o.tags||[]).concat([i]);Object(r.set)(o,"tags",s)},untagUser:function(t,e){var n=e.user.id,i=e.tag,o=t.usersObject[n],s=(o.tags||[]).filter(function(t){return t!==i});Object(r.set)(o,"tags",s)},updateRight:function(t,e){var n=e.user.id,i=e.right,o=e.value,s=t.usersObject[n],a=s.rights;a[i]=o,Object(r.set)(s,"rights",a)},updateActivationStatus:function(t,e){var n=e.user.id,i=e.deactivated,o=t.usersObject[n];Object(r.set)(o,"deactivated",i)},setCurrentUser:function(t,e){t.lastLoginName=e.screen_name,t.currentUser=ut()(t.currentUser||{},e,Bt)},clearCurrentUser:function(t){t.currentUser=!1,t.lastLoginName=!1},beginLogin:function(t){t.loggingIn=!0},endLogin:function(t){t.loggingIn=!1},saveFriendIds:function(t,e){var n=e.id,i=e.friendIds,o=t.usersObject[n];o.friendIds=st()(ct()(o.friendIds,i))},saveFollowerIds:function(t,e){var n=e.id,i=e.followerIds,o=t.usersObject[n];o.followerIds=st()(ct()(o.followerIds,i))},clearFriends:function(t,e){var n=t.usersObject[e];n&&Object(r.set)(n,"friendIds",[])},clearFollowers:function(t,e){var n=t.usersObject[e];n&&Object(r.set)(n,"followerIds",[])},addNewUsers:function(t,e){z()(e,function(e){e.relationship&&Object(r.set)(t.relationships,e.relationship.id,e.relationship),function(t,e,n){if(!n)return!1;var i=e[n.id];i?ut()(i,n,Bt):(t.push(n),Object(r.set)(e,n.id,n),n.screen_name&&!n.screen_name.includes("@")&&Object(r.set)(e,n.screen_name.toLowerCase(),n))}(t.users,t.usersObject,e)})},updateUserRelationship:function(t,e){e.forEach(function(e){Object(r.set)(t.relationships,e.id,e)})},saveBlockIds:function(t,e){t.currentUser.blockIds=e},addBlockId:function(t,e){-1===t.currentUser.blockIds.indexOf(e)&&t.currentUser.blockIds.push(e)},saveMuteIds:function(t,e){t.currentUser.muteIds=e},addMuteId:function(t,e){-1===t.currentUser.muteIds.indexOf(e)&&t.currentUser.muteIds.push(e)},saveDomainMutes:function(t,e){t.currentUser.domainMutes=e},addDomainMute:function(t,e){-1===t.currentUser.domainMutes.indexOf(e)&&t.currentUser.domainMutes.push(e)},removeDomainMute:function(t,e){var n=t.currentUser.domainMutes.indexOf(e);-1!==n&&t.currentUser.domainMutes.splice(n,1)},setPinnedToUser:function(t,e){var n=t.usersObject[e.user.id],i=n.pinnedStatusIds.indexOf(e.id);e.pinned&&-1===i?n.pinnedStatusIds.push(e.id):e.pinned||-1===i||n.pinnedStatusIds.splice(i,1)},setUserForStatus:function(t,e){e.user=t.usersObject[e.user.id]},setUserForNotification:function(t,e){"follow"!==e.type&&(e.action.user=t.usersObject[e.action.user.id]),e.from_profile=t.usersObject[e.from_profile.id]},setColor:function(t,e){var n=e.user.id,i=e.highlighted,o=t.usersObject[n];Object(r.set)(o,"highlight",i)},signUpPending:function(t){t.signUpPending=!0,t.signUpErrors=[]},signUpSuccess:function(t){t.signUpPending=!1},signUpFailure:function(t,e){t.signUpPending=!1,t.signUpErrors=e}},getters:{findUser:function(t){return function(e){var n=t.usersObject[e];return n||"string"!=typeof e?n:t.usersObject[e.toLowerCase()]}},relationship:function(t){return function(e){return e&&t.relationships[e]||{id:e,loading:!0}}}},actions:{fetchUserIfMissing:function(t,e){t.getters.findUser(e)||t.dispatch("fetchUser",e)},fetchUser:function(t,e){return t.rootState.api.backendInteractor.fetchUser({id:e}).then(function(e){return t.commit("addNewUsers",[e]),e})},fetchUserRelationship:function(t,e){t.state.currentUser&&t.rootState.api.backendInteractor.fetchUserRelationship({id:e}).then(function(e){return t.commit("updateUserRelationship",e)})},fetchBlocks:function(t){return t.rootState.api.backendInteractor.fetchBlocks().then(function(e){return t.commit("saveBlockIds",pt()(e,"id")),t.commit("addNewUsers",e),e})},blockUser:function(t,e){return zt(t,e)},unblockUser:function(t,e){return Ht(t,e)},blockUsers:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Promise.all(e.map(function(e){return zt(t,e)}))},unblockUsers:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Promise.all(e.map(function(e){return Ht(t,e)}))},fetchMutes:function(t){return t.rootState.api.backendInteractor.fetchMutes().then(function(e){return t.commit("saveMuteIds",pt()(e,"id")),t.commit("addNewUsers",e),e})},muteUser:function(t,e){return qt(t,e)},unmuteUser:function(t,e){return Wt(t,e)},hideReblogs:function(t,e){return function(t,e){return t.rootState.api.backendInteractor.followUser({id:e,reblogs:!1}).then(function(e){t.commit("updateUserRelationship",[e])})}(t,e)},showReblogs:function(t,e){return function(t,e){return t.rootState.api.backendInteractor.followUser({id:e,reblogs:!0}).then(function(e){return t.commit("updateUserRelationship",[e])})}(t,e)},muteUsers:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Promise.all(e.map(function(e){return qt(t,e)}))},unmuteUsers:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Promise.all(e.map(function(e){return Wt(t,e)}))},fetchDomainMutes:function(t){return t.rootState.api.backendInteractor.fetchDomainMutes().then(function(e){return t.commit("saveDomainMutes",e),e})},muteDomain:function(t,e){return Vt(t,e)},unmuteDomain:function(t,e){return Gt(t,e)},muteDomains:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Promise.all(e.map(function(e){return Vt(t,e)}))},unmuteDomains:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Promise.all(e.map(function(e){return Gt(t,e)}))},fetchFriends:function(t,e){var n=t.rootState,i=t.commit,o=n.users.usersObject[e],r=P()(o.friendIds);return n.api.backendInteractor.fetchFriends({id:e,maxId:r}).then(function(t){return i("addNewUsers",t),i("saveFriendIds",{id:e,friendIds:pt()(t,"id")}),t})},fetchFollowers:function(t,e){var n=t.rootState,i=t.commit,o=n.users.usersObject[e],r=P()(o.followerIds);return n.api.backendInteractor.fetchFollowers({id:e,maxId:r}).then(function(t){return i("addNewUsers",t),i("saveFollowerIds",{id:e,followerIds:pt()(t,"id")}),t})},clearFriends:function(t,e){(0,t.commit)("clearFriends",e)},clearFollowers:function(t,e){(0,t.commit)("clearFollowers",e)},subscribeUser:function(t,e){var n=t.rootState,i=t.commit;return n.api.backendInteractor.subscribeUser({id:e}).then(function(t){return i("updateUserRelationship",[t])})},unsubscribeUser:function(t,e){var n=t.rootState,i=t.commit;return n.api.backendInteractor.unsubscribeUser({id:e}).then(function(t){return i("updateUserRelationship",[t])})},toggleActivationStatus:function(t,e){var n=t.rootState,i=t.commit,o=e.user;(o.deactivated?n.api.backendInteractor.activateUser:n.api.backendInteractor.deactivateUser)({user:o}).then(function(t){var e=t.deactivated;return i("updateActivationStatus",{user:o,deactivated:e})})},registerPushNotifications:function(t){var e=t.state.currentUser.credentials,n=t.rootState.instance.vapidPublicKey;Nt(t.rootState.config.webPushNotifications,n,e,t.rootState.config.notificationVisibility)},unregisterPushNotifications:function(t){!function(t){Ft()&&Promise.all([Lt(t),Dt().then(function(t){return function(t){return t.pushManager.getSubscription().then(function(t){if(null!==t)return t.unsubscribe()})}(t).then(function(e){return[t,e]})}).then(function(t){var e=g()(t,2),n=e[0];return e[1]||console.warn("Push subscription cancellation wasn't successful, killing SW anyway..."),n.unregister().then(function(t){t||console.warn("Failed to kill SW")})})]).catch(function(t){return console.warn("Failed to disable Web Push Notifications: ".concat(t.message))})}(t.state.currentUser.credentials)},addNewUsers:function(t,e){(0,t.commit)("addNewUsers",e)},addNewStatuses:function(t,e){var n=e.statuses,i=pt()(n,"user"),o=ht()(pt()(n,"retweeted_status.user"));t.commit("addNewUsers",i),t.commit("addNewUsers",o),z()(n,function(e){t.commit("setUserForStatus",e),t.commit("setPinnedToUser",e)}),z()(ht()(pt()(n,"retweeted_status")),function(e){t.commit("setUserForStatus",e),t.commit("setPinnedToUser",e)})},addNewNotifications:function(t,e){var n=e.notifications,i=pt()(n,"from_profile"),o=pt()(n,"target").filter(function(t){return t}),r=n.map(function(t){return t.id});t.commit("addNewUsers",i),t.commit("addNewUsers",o);var s=t.rootState.statuses.notifications.idStore,a=Object.entries(s).filter(function(t){var e=g()(t,2),n=e[0];e[1];return r.includes(n)}).map(function(t){var e=g()(t,2);e[0];return e[1]});z()(a,function(e){t.commit("setUserForNotification",e)})},searchUsers:function(t,e){var n=t.rootState,i=t.commit,o=e.query;return n.api.backendInteractor.searchUsers({query:o}).then(function(t){return i("addNewUsers",t),t})},signUp:function(t,e){var n,i,r;return o.a.async(function(s){for(;;)switch(s.prev=s.next){case 0:return t.commit("signUpPending"),n=t.rootState,s.prev=2,s.next=5,o.a.awrap(n.api.backendInteractor.register({params:At({},e)}));case 5:i=s.sent,t.commit("signUpSuccess"),t.commit("setToken",i.access_token),t.dispatch("loginUser",i.access_token),s.next=16;break;case 11:throw s.prev=11,s.t0=s.catch(2),r=s.t0.message,t.commit("signUpFailure",r),s.t0;case 16:case"end":return s.stop()}},null,null,[[2,11]])},getCaptcha:function(t){return o.a.async(function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",t.rootState.api.backendInteractor.getCaptcha());case 1:case"end":return e.stop()}})},logout:function(t){var e=t.rootState,n=e.oauth,i=e.instance,o=At({},n,{commit:t.commit,instance:i.server});return Et.getOrCreateApp(o).then(function(t){var e={app:t,instance:o.instance,token:n.userToken};return Et.revokeToken(e)}).then(function(){t.commit("clearCurrentUser"),t.dispatch("disconnectFromSocket"),t.commit("clearToken"),t.dispatch("stopFetchingTimeline","friends"),t.commit("setBackendInteractor",jt(t.getters.getToken())),t.dispatch("stopFetchingNotifications"),t.dispatch("stopFetchingFollowRequests"),t.commit("clearNotifications"),t.commit("resetStatuses"),t.dispatch("resetChats"),t.dispatch("setLastTimeline","public-timeline")})},loginUser:function(t,e){return new Promise(function(n,i){var o=t.commit;o("beginLogin"),t.rootState.api.backendInteractor.verifyCredentials(e).then(function(r){if(r.error){var s=r.error;o("endLogin"),401===s.status?i(new Error("Wrong username or password")):i(new Error("An error occurred, please try again"))}else{var a=r;a.credentials=e,a.blockIds=[],a.muteIds=[],a.domainMutes=[],o("setCurrentUser",a),o("addNewUsers",[a]),t.dispatch("fetchEmoji"),(l=window.Notification,l?"default"===l.permission?l.requestPermission():Promise.resolve(l.permission):Promise.resolve(null)).then(function(t){return o("setNotificationPermission",t)}),o("setBackendInteractor",jt(e)),a.token&&(t.dispatch("setWsToken",a.token),t.dispatch("initializeSocket"));var c=function(){t.dispatch("startFetchingTimeline",{timeline:"friends"}),t.dispatch("startFetchingNotifications"),t.dispatch("startFetchingChats")};t.getters.mergedConfig.useStreamingApi?t.dispatch("enableMastoSockets").catch(function(t){console.error("Failed initializing MastoAPI Streaming socket",t),c()}).then(function(){t.dispatch("fetchChats",{latest:!0}),setTimeout(function(){return t.dispatch("setNotificationsSilence",!1)},1e4)}):c(),t.dispatch("fetchMutes"),t.rootState.api.backendInteractor.fetchFriends({id:a.id}).then(function(t){return o("addNewUsers",t)})}var l;o("endLogin"),n()}).catch(function(t){console.log(t),o("endLogin"),i(new Error("Failed to connect to server, try again"))})})}}},Yt=n(100),Jt=function(t,e){if(e.lastMessage&&(t.rootState.chats.currentChatId!==e.id||document.hidden)&&t.rootState.users.currentUser.id!==e.lastMessage.account.id){var n={tag:e.lastMessage.id,title:e.account.name,icon:e.account.profile_image_url,body:e.lastMessage.content};e.lastMessage.attachment&&"image"===e.lastMessage.attachment.type&&(n.image=e.lastMessage.attachment.preview_url),Object(Yt.a)(t.rootState,n)}},Xt=n(206),Qt={state:{backendInteractor:jt(),fetchers:{},socket:null,mastoUserSocket:null,mastoUserSocketStatus:null,followRequests:[]},mutations:{setBackendInteractor:function(t,e){t.backendInteractor=e},addFetcher:function(t,e){var n=e.fetcherName,i=e.fetcher;t.fetchers[n]=i},removeFetcher:function(t,e){var n=e.fetcherName,i=e.fetcher;window.clearInterval(i),delete t.fetchers[n]},setWsToken:function(t,e){t.wsToken=e},setSocket:function(t,e){t.socket=e},setFollowRequests:function(t,e){t.followRequests=e},setMastoUserSocketStatus:function(t,e){t.mastoUserSocketStatus=e}},actions:{enableMastoSockets:function(t){var e=t.state,n=t.dispatch;if(!e.mastoUserSocket)return n("startMastoUserSocket")},disableMastoSockets:function(t){var e=t.state,n=t.dispatch;if(e.mastoUserSocket)return n("stopMastoUserSocket")},startMastoUserSocket:function(t){return new Promise(function(e,n){try{var i=t.state,o=t.commit,r=t.dispatch,s=t.rootState.statuses.timelines.friends;i.mastoUserSocket=i.backendInteractor.startUserSocket({store:t}),i.mastoUserSocket.addEventListener("message",function(e){var n=e.detail;n&&("notification"===n.event?r("addNewNotifications",{notifications:[n.notification],older:!1}):"update"===n.event?r("addNewStatuses",{statuses:[n.status],userId:!1,showImmediately:0===s.visibleStatuses.length,timeline:"friends"}):"pleroma:chat_update"===n.event&&(r("addChatMessages",{chatId:n.chatUpdate.id,messages:[n.chatUpdate.lastMessage]}),r("updateChat",{chat:n.chatUpdate}),Jt(t,n.chatUpdate)))}),i.mastoUserSocket.addEventListener("open",function(){o("setMastoUserSocketStatus",w.b.JOINED)}),i.mastoUserSocket.addEventListener("error",function(t){var e=t.detail;console.error("Error in MastoAPI websocket:",e),o("setMastoUserSocketStatus",w.b.ERROR),r("clearOpenedChats")}),i.mastoUserSocket.addEventListener("close",function(t){var e=t.detail,n=new Set([1e3,1001]),i=e.code;n.has(i)?console.debug("Not restarting socket becasue of closure code ".concat(i," is in ignore list")):(console.warn("MastoAPI websocket disconnected, restarting. CloseEvent code: ".concat(i)),r("startFetchingTimeline",{timeline:"friends"}),r("startFetchingNotifications"),r("startFetchingChats"),r("restartMastoUserSocket")),o("setMastoUserSocketStatus",w.b.CLOSED),r("clearOpenedChats")}),e()}catch(t){n(t)}})},restartMastoUserSocket:function(t){var e=t.dispatch;return e("startMastoUserSocket").then(function(){e("stopFetchingTimeline",{timeline:"friends"}),e("stopFetchingNotifications"),e("stopFetchingChats")})},stopMastoUserSocket:function(t){var e=t.state,n=t.dispatch;n("startFetchingTimeline",{timeline:"friends"}),n("startFetchingNotifications"),n("startFetchingChats"),e.mastoUserSocket.close()},startFetchingTimeline:function(t,e){var n=e.timeline,i=void 0===n?"friends":n,o=e.tag,r=void 0!==o&&o,s=e.userId,a=void 0!==s&&s;if(!t.state.fetchers[i]){var c=t.state.backendInteractor.startFetchingTimeline({timeline:i,store:t,userId:a,tag:r});t.commit("addFetcher",{fetcherName:i,fetcher:c})}},stopFetchingTimeline:function(t,e){var n=t.state.fetchers[e];n&&t.commit("removeFetcher",{fetcherName:e,fetcher:n})},startFetchingNotifications:function(t){if(!t.state.fetchers.notifications){var e=t.state.backendInteractor.startFetchingNotifications({store:t});t.commit("addFetcher",{fetcherName:"notifications",fetcher:e})}},stopFetchingNotifications:function(t){var e=t.state.fetchers.notifications;e&&t.commit("removeFetcher",{fetcherName:"notifications",fetcher:e})},startFetchingFollowRequests:function(t){if(!t.state.fetchers.followRequests){var e=t.state.backendInteractor.startFetchingFollowRequests({store:t});t.commit("addFetcher",{fetcherName:"followRequests",fetcher:e})}},stopFetchingFollowRequests:function(t){var e=t.state.fetchers.followRequests;e&&t.commit("removeFetcher",{fetcherName:"followRequests",fetcher:e})},removeFollowRequest:function(t,e){var n=t.state.followRequests.filter(function(t){return t!==e});t.commit("setFollowRequests",n)},setWsToken:function(t,e){t.commit("setWsToken",e)},initializeSocket:function(t){var e=t.dispatch,n=t.commit,i=t.state,o=t.rootState,r=i.wsToken;if(o.instance.chatAvailable&&void 0!==r&&null===i.socket){var s=new Xt.Socket("/socket",{params:{token:r}});s.connect(),n("setSocket",s),e("initializeChat",s)}},disconnectFromSocket:function(t){var e=t.commit,n=t.state;n.socket&&n.socket.disconnect(),e("setSocket",null)}}},Zt={state:{messages:[],channel:{state:""}},mutations:{setChannel:function(t,e){t.channel=e},addMessage:function(t,e){t.messages.push(e),t.messages=t.messages.slice(-19,20)},setMessages:function(t,e){t.messages=e.slice(-19,20)}},actions:{initializeChat:function(t,e){var n=e.channel("chat:public");n.on("new_msg",function(e){t.commit("addMessage",e)}),n.on("messages",function(e){var n=e.messages;t.commit("setMessages",n)}),n.join(),t.commit("setChannel",n)}}},te={state:{clientId:!1,clientSecret:!1,appToken:!1,userToken:!1},mutations:{setClientData:function(t,e){var n=e.clientId,i=e.clientSecret;t.clientId=n,t.clientSecret=i},setAppToken:function(t,e){t.appToken=e},setToken:function(t,e){t.userToken=e},clearToken:function(t){t.userToken=!1,Object(r.delete)(t,"token")}},getters:{getToken:function(t){return function(){return t.userToken||t.token||t.appToken}},getUserToken:function(t){return function(){return t.userToken||t.token}}}},ee=function(t){t.strategy=t.initStrategy,t.settings={}},ne={namespaced:!0,state:{settings:{},strategy:"password",initStrategy:"password"},getters:{settings:function(t,e){return t.settings},requiredPassword:function(t,e,n){return"password"===t.strategy},requiredToken:function(t,e,n){return"token"===t.strategy},requiredTOTP:function(t,e,n){return"totp"===t.strategy},requiredRecovery:function(t,e,n){return"recovery"===t.strategy}},mutations:{setInitialStrategy:function(t,e){e&&(t.initStrategy=e,t.strategy=e)},requirePassword:function(t){t.strategy="password"},requireToken:function(t){t.strategy="token"},requireMFA:function(t,e){var n=e.settings;t.settings=n,t.strategy="totp"},requireRecovery:function(t){t.strategy="recovery"},requireTOTP:function(t){t.strategy="totp"},abortMFA:function(t){ee(t)}},actions:{login:function(t,e){var n,i,r,s;return o.a.async(function(a){for(;;)switch(a.prev=a.next){case 0:return n=t.state,i=t.dispatch,r=t.commit,s=e.access_token,r("setToken",s,{root:!0}),a.next=5,o.a.awrap(i("loginUser",s,{root:!0}));case 5:ee(n);case 6:case"end":return a.stop()}})}}},ie=n(21),oe={state:{media:[],currentIndex:0,activated:!1},mutations:{setMedia:function(t,e){t.media=e},setCurrent:function(t,e){t.activated=!0,t.currentIndex=e},close:function(t){t.activated=!1}},actions:{setMedia:function(t,e){(0,t.commit)("setMedia",e.filter(function(t){var e=ie.a.fileType(t.mimetype);return"image"===e||"video"===e||"audio"===e}))},setCurrent:function(t,e){(0,t.commit)("setCurrent",t.state.media.indexOf(e)||0)},closeMediaViewer:function(t){(0,t.commit)("close")}}},re={state:{tokens:[]},actions:{fetchTokens:function(t){var e=t.rootState,n=t.commit;e.api.backendInteractor.fetchOAuthTokens().then(function(t){n("swapTokens",t)})},revokeToken:function(t,e){var n=t.rootState,i=t.commit,o=t.state;n.api.backendInteractor.revokeOAuthToken({id:e}).then(function(t){201===t.status&&i("swapTokens",o.tokens.filter(function(t){return t.id!==e}))})}},mutations:{swapTokens:function(t,e){t.tokens=e}}},se=n(37),ae=n.n(se),ce={state:{userId:null,statuses:[],modalActivated:!1},mutations:{openUserReportingModal:function(t,e){var n=e.userId,i=e.statuses;t.userId=n,t.statuses=i,t.modalActivated=!0},closeUserReportingModal:function(t){t.modalActivated=!1}},actions:{openUserReportingModal:function(t,e){var n=t.rootState,i=t.commit,o=ae()(n.statuses.allStatuses,function(t){return t.user.id===e});i("openUserReportingModal",{userId:e,statuses:o})},closeUserReportingModal:function(t){(0,t.commit)("closeUserReportingModal")}}},le={state:{trackedPolls:{},pollsObject:{}},mutations:{mergeOrAddPoll:function(t,e){var n=t.pollsObject[e.id];e.expired=Date.now()>Date.parse(e.expires_at),n?Object(r.set)(t.pollsObject,e.id,E()(n,e)):Object(r.set)(t.pollsObject,e.id,e)},trackPoll:function(t,e){var n=t.trackedPolls[e];n?Object(r.set)(t.trackedPolls,e,n+1):Object(r.set)(t.trackedPolls,e,1)},untrackPoll:function(t,e){var n=t.trackedPolls[e];n?Object(r.set)(t.trackedPolls,e,n-1):Object(r.set)(t.trackedPolls,e,0)}},actions:{mergeOrAddPoll:function(t,e){(0,t.commit)("mergeOrAddPoll",e)},updateTrackedPoll:function(t,e){var n=t.rootState,i=t.dispatch,o=t.commit;n.api.backendInteractor.fetchPoll({pollId:e}).then(function(t){setTimeout(function(){n.polls.trackedPolls[e]&&i("updateTrackedPoll",e)},3e4),o("mergeOrAddPoll",t)})},trackPoll:function(t,e){var n=t.rootState,i=t.commit,o=t.dispatch;n.polls.trackedPolls[e]||setTimeout(function(){return o("updateTrackedPoll",e)},3e4),i("trackPoll",e)},untrackPoll:function(t,e){(0,t.commit)("untrackPoll",e)},votePoll:function(t,e){var n=t.rootState,i=t.commit,o=(e.id,e.pollId),r=e.choices;return n.api.backendInteractor.vote({pollId:o,choices:r}).then(function(t){return i("mergeOrAddPoll",t),t})}}},ue={state:{params:null,modalActivated:!1},mutations:{openPostStatusModal:function(t,e){t.params=e,t.modalActivated=!0},closePostStatusModal:function(t){t.modalActivated=!1}},actions:{openPostStatusModal:function(t,e){(0,t.commit)("openPostStatusModal",e)},closePostStatusModal:function(t){(0,t.commit)("closePostStatusModal")}}},de=n(104),pe=n.n(de),fe=n(207),he=n.n(fe),me=n(208),ge=n.n(me),ve=n(98),be=n.n(ve),we={add:function(t,e){var n=e.messages;if(t)for(var i=0;i<n.length;i++){var o=n[i];if(o.chat_id!==t.chatId)return;(!t.minId||o.id<t.minId)&&(t.minId=o.id),(!t.lastMessage||o.id>t.lastMessage.id)&&(t.lastMessage=o),t.idIndex[o.id]||(t.lastSeenTimestamp<o.created_at&&t.newMessageCount++,t.messages.push(o),t.idIndex[o.id]=o)}},empty:function(t){return{idIndex:{},messages:[],newMessageCount:0,lastSeenTimestamp:0,chatId:t,minId:void 0,lastMessage:void 0}},getView:function(t){if(!t)return[];var e,n=[],i=be()(t.messages,["id","desc"]),o=i[0],r=i[i.length-1];if(o){var s=new Date(o.created_at);s.setHours(0,0,0,0),n.push({type:"date",date:s,id:s.getTime().toString()})}for(var a=!1,c=0;c<i.length;c++){var l=i[c],u=i[c+1],d=new Date(l.created_at);d.setHours(0,0,0,0),r&&r.date<d&&(n.push({type:"date",date:d,id:d.getTime().toString()}),r.isTail=!0,e=void 0,a=!0);var p={type:"message",data:l,date:d,id:l.id,messageChainId:e};(u&&u.account_id)!==l.account_id&&(p.isTail=!0,e=void 0),((r&&r.data&&r.data.account_id)!==l.account_id||a)&&(e=ge()(),p.isHead=!0,p.messageChainId=e),n.push(p),r=p,a=!1}return n},deleteMessage:function(t,e){if(t&&(t.messages=t.messages.filter(function(t){return t.id!==e}),delete t.idIndex[e],t.lastMessage&&t.lastMessage.id===e&&(t.lastMessage=D()(t.messages,"id")),t.minId===e)){var n=U()(t.messages,"id");t.minId=n.id}},resetNewMessageCount:function(t){t&&(t.newMessageCount=0,t.lastSeenTimestamp=new Date)},clear:function(t){t.idIndex={},t.messages.splice(0,t.messages.length),t.newMessageCount=0,t.lastSeenTimestamp=0,t.minId=void 0,t.lastMessage=void 0}},_e=n(8);function xe(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function ye(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?xe(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):xe(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var ke=function(t,e){return N()(t.chatList.data,{id:e})},Ce={state:ye({},{chatList:{data:[],idStore:{}},chatListFetcher:null,openedChats:{},openedChatMessageServices:{},fetcher:void 0,currentChatId:null}),getters:{currentChat:function(t){return t.openedChats[t.currentChatId]},currentChatMessageService:function(t){return t.openedChatMessageServices[t.currentChatId]},findOpenedChatByRecipientId:function(t){return function(e){return N()(t.openedChats,function(t){return t.account.id===e})}},sortedChatList:function(t){return he()(t.chatList.data,["updated_at"],["desc"])},unreadChatCount:function(t){return pe()(t.chatList.data,"unread")}},actions:{startFetchingChats:function(t){var e=t.dispatch,n=t.commit,i=function(){e("fetchChats",{latest:!0})};i(),n("setChatListFetcher",{fetcher:function(){return setInterval(function(){i()},5e3)}})},stopFetchingChats:function(t){(0,t.commit)("setChatListFetcher",{fetcher:void 0})},fetchChats:function(t){var e=t.dispatch,n=t.rootState;t.commit,arguments.length>1&&void 0!==arguments[1]&&arguments[1];return n.api.backendInteractor.chats().then(function(t){var n=t.chats;return e("addNewChats",{chats:n}),n})},addNewChats:function(t,e){var n=e.chats;(0,t.commit)("addNewChats",{dispatch:t.dispatch,chats:n,rootGetters:t.rootGetters,newChatMessageSideEffects:function(e){Jt(t,e)}})},updateChat:function(t,e){(0,t.commit)("updateChat",{chat:e.chat})},startFetchingCurrentChat:function(t,e){t.commit;(0,t.dispatch)("setCurrentChatFetcher",{fetcher:e.fetcher})},setCurrentChatFetcher:function(t,e){t.rootState;(0,t.commit)("setCurrentChatFetcher",{fetcher:e.fetcher})},addOpenedChat:function(t,e){t.rootState;var n=t.commit,i=t.dispatch,o=e.chat;n("addOpenedChat",{dispatch:i,chat:Object(_e.b)(o)}),i("addNewUsers",[o.account])},addChatMessages:function(t,e){var n=t.commit;n("addChatMessages",ye({commit:n},e))},resetChatNewMessageCount:function(t,e){(0,t.commit)("resetChatNewMessageCount",e)},clearCurrentChat:function(t,e){t.rootState;var n=t.commit;t.dispatch;n("setCurrentChatId",{chatId:void 0}),n("setCurrentChatFetcher",{fetcher:void 0})},readChat:function(t,e){var n=t.rootState,i=t.commit,o=t.dispatch,r=e.id,s=e.lastReadId;o("resetChatNewMessageCount"),i("readChat",{id:r}),n.api.backendInteractor.readChat({id:r,lastReadId:s})},deleteChatMessage:function(t,e){var n=t.rootState,i=t.commit;n.api.backendInteractor.deleteChatMessage(e),i("deleteChatMessage",ye({commit:i},e))},resetChats:function(t){var e=t.commit;(0,t.dispatch)("clearCurrentChat"),e("resetChats",{commit:e})},clearOpenedChats:function(t){t.rootState;var e=t.commit;t.dispatch,t.rootGetters;e("clearOpenedChats",{commit:e})}},mutations:{setChatListFetcher:function(t,e){e.commit;var n=e.fetcher,i=t.chatListFetcher;i&&clearInterval(i),t.chatListFetcher=n&&n()},setCurrentChatFetcher:function(t,e){var n=e.fetcher,i=t.fetcher;i&&clearInterval(i),t.fetcher=n&&n()},addOpenedChat:function(t,e){e._dispatch;var n=e.chat;t.currentChatId=n.id,s.a.set(t.openedChats,n.id,n),t.openedChatMessageServices[n.id]||s.a.set(t.openedChatMessageServices,n.id,we.empty(n.id))},setCurrentChatId:function(t,e){var n=e.chatId;t.currentChatId=n},addNewChats:function(t,e){var n=e.chats,i=e.newChatMessageSideEffects;n.forEach(function(e){var n=ke(t,e.id);if(n){var o=(n.lastMessage&&n.lastMessage.id)!==(e.lastMessage&&e.lastMessage.id);n.lastMessage=e.lastMessage,n.unread=e.unread,o&&n.unread&&i(e)}else t.chatList.data.push(e),s.a.set(t.chatList.idStore,e.id,e)})},updateChat:function(t,e){e._dispatch;var n=e.chat,i=(e._rootGetters,ke(t,n.id));i&&(i.lastMessage=n.lastMessage,i.unread=n.unread,i.updated_at=n.updated_at),i||t.chatList.data.unshift(n),s.a.set(t.chatList.idStore,n.id,n)},deleteChat:function(t,e){e._dispatch;var n=e.id;e._rootGetters;t.chats.data=t.chats.data.filter(function(t){return t.last_status.id!==n}),t.chats.idStore=C()(t.chats.idStore,function(t){return t.last_status.id===n})},resetChats:function(t,e){var n=e.commit;for(var i in t.chatList={data:[],idStore:{}},t.currentChatId=null,n("setChatListFetcher",{fetcher:void 0}),t.openedChats)we.clear(t.openedChatMessageServices[i]),s.a.delete(t.openedChats,i),s.a.delete(t.openedChatMessageServices,i)},setChatsLoading:function(t,e){var n=e.value;t.chats.loading=n},addChatMessages:function(t,e){var n=e.commit,i=e.chatId,o=e.messages,r=t.openedChatMessageServices[i];r&&(we.add(r,{messages:o.map(_e.c)}),n("refreshLastMessage",{chatId:i}))},refreshLastMessage:function(t,e){var n=e.chatId,i=t.openedChatMessageServices[n];if(i){var o=ke(t,n);o&&(o.lastMessage=i.lastMessage,i.lastMessage&&(o.updated_at=i.lastMessage.created_at))}},deleteChatMessage:function(t,e){var n=e.commit,i=e.chatId,o=e.messageId,r=t.openedChatMessageServices[i];r&&(we.deleteMessage(r,o),n("refreshLastMessage",{chatId:i}))},resetChatNewMessageCount:function(t,e){var n=t.openedChatMessageServices[t.currentChatId];we.resetNewMessageCount(n)},clearOpenedChats:function(t){var e=t.currentChatId;for(var n in t.openedChats)e!==n&&(we.clear(t.openedChatMessageServices[n]),s.a.delete(t.openedChats,n),s.a.delete(t.openedChatMessageServices,n))},readChat:function(t,e){var n=e.id,i=ke(t,n);i&&(i.unread=0)}}},Se=n(138),je=n(27),Oe=n.n(je),Pe=n(209),$e=n.n(Pe),Te=n(12),Ie=n.n(Te),Ee=n(210),Me=n.n(Ee),Ue=n(211),Fe=!1,De=function(t,e){return 0===e.length?t:e.reduce(function(e,n){return $e()(e,n,Ie()(t,n)),e},{})},Le=["markNotificationsAsSeen","clearCurrentUser","setCurrentUser","setHighlight","setOption","setClientData","setToken","clearToken"],Ne=n.n(Ue).a;function Re(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.key,n=void 0===e?"vuex-lz":e,i=t.paths,o=void 0===i?[]:i,r=t.getState,s=void 0===r?function(t,e){return e.getItem(t)}:r,a=t.setState,c=void 0===a?function(t,e,n){return Fe?n.setItem(t,e):(console.log("waiting for old state to be loaded..."),Promise.resolve())}:a,l=t.reducer,u=void 0===l?De:l,d=t.storage,p=void 0===d?Ne:d,f=t.subscriber,h=void 0===f?function(t){return function(e){return t.subscribe(e)}}:f;return s(n,p).then(function(t){return function(e){try{if(null!==t&&"object"===Oe()(t)){var i=t.users||{};i.usersObject={};var r=i.users||[];z()(r,function(t){i.usersObject[t.id]=t}),t.users=i,e.replaceState(Me()({},e.state,t))}Fe=!0}catch(t){console.log("Couldn't load state"),console.error(t),Fe=!0}h(e)(function(t,i){try{Le.includes(t.type)&&c(n,u(i,o),p).then(function(n){void 0!==n&&("setOption"!==t.type&&"setCurrentUser"!==t.type||e.dispatch("settingsSaved",{success:n}))},function(n){"setOption"!==t.type&&"setCurrentUser"!==t.type||e.dispatch("settingsSaved",{error:n})})}catch(t){console.log("Couldn't persist state:"),console.log(t)}})}})}var Ae,Be,ze=function(t){t.subscribe(function(e,n){var i=n.instance.vapidPublicKey,o=n.config.webPushNotifications,r="granted"===n.interface.notificationPermission,s=n.users.currentUser,a="setCurrentUser"===e.type,c="setInstanceOption"===e.type&&"vapidPublicKey"===e.payload.name,l="setNotificationPermission"===e.type&&"granted"===e.payload,u="setOption"===e.type&&"webPushNotifications"===e.payload.name,d="setOption"===e.type&&"notificationVisibility"===e.payload.name;if(a||c||l||u||d){if(s&&i&&r&&o)return t.dispatch("registerPushNotifications");if(u&&!o)return t.dispatch("unregisterPushNotifications")}})},He=n(74),qe=n(212),We=n.n(qe),Ve=n(213),Ge=n.n(Ve),Ke=n(214),Ye=n.n(Ke),Je=n(139),Xe=new Set([]),Qe=function(t){var e=window.innerWidth-document.documentElement.clientWidth;Je.disableBodyScroll(t,{reserveScrollBarGap:!0}),Xe.add(t),setTimeout(function(){if(Xe.size<=1){if(void 0===Ae){var t=document.getElementById("nav");Ae=window.getComputedStyle(t).getPropertyValue("padding-right"),t.style.paddingRight=Ae?"calc(".concat(Ae," + ").concat(e,"px)"):"".concat(e,"px")}if(void 0===Be){var n=document.getElementById("app_bg_wrapper");Be=window.getComputedStyle(n).getPropertyValue("right"),n.style.right=Be?"calc(".concat(Be," + ").concat(e,"px)"):"".concat(e,"px")}document.body.classList.add("scroll-locked")}})},Ze=function(t){Xe.delete(t),setTimeout(function(){0===Xe.size&&(void 0!==Ae&&(document.getElementById("nav").style.paddingRight=Ae,Ae=void 0),void 0!==Be&&(document.getElementById("app_bg_wrapper").style.right=Be,Be=void 0),document.body.classList.remove("scroll-locked"))}),Je.enableBodyScroll(t)},tn={inserted:function(t,e){e.value&&Qe(t)},componentUpdated:function(t,e){e.oldValue!==e.value&&(e.value?Qe(t):Ze(t))},unbind:function(t){Ze(t)}},en=n(140),nn=n.n(en),on=n(105),rn=n.n(on),sn=n(33),an=n(219),cn=n.n(an),ln=function(t,e){var n="retweet"===t.type?t.retweeted_status.id:t.id,i="retweet"===e.type?e.retweeted_status.id:e.id,o=Number(n),r=Number(i),s=!Number.isNaN(o),a=!Number.isNaN(r);return s&&a?o<r?-1:1:s&&!a?-1:!s&&a?1:n<i?-1:1},un={data:function(){return{highlight:null,expanded:!1}},props:["statusId","collapsable","isPage","pinnedStatusIdsObject","inProfile","profileUserId"],created:function(){this.isPage&&this.fetchConversation()},computed:{status:function(){return this.$store.state.statuses.allStatusesObject[this.statusId]},originalStatusId:function(){return this.status.retweeted_status?this.status.retweeted_status.id:this.statusId},conversationId:function(){return this.getConversationId(this.statusId)},conversation:function(){if(!this.status)return[];if(!this.isExpanded)return[this.status];var t=cn()(this.$store.state.statuses.conversationsObject[this.conversationId]),e=A()(t,{id:this.originalStatusId});return-1!==e&&(t[e]=this.status),function(t,e){return(t="retweet"===e.type?ae()(t,function(t){return"retweet"===t.type||t.id!==e.retweeted_status.id}):ae()(t,function(t){return"retweet"!==t.type})).filter(function(t){return t}).sort(ln)}(t,this.status)},replies:function(){var t=1;return Pt()(this.conversation,function(e,n){var i=n.id,o=n.in_reply_to_status_id;return o&&(e[o]=e[o]||[],e[o].push({name:"#".concat(t),id:i})),t++,e},{})},isExpanded:function(){return this.expanded||this.isPage}},components:{Status:sn.default},watch:{statusId:function(t,e){var n=this.getConversationId(t),i=this.getConversationId(e);n&&i&&n===i?this.setHighlight(this.originalStatusId):this.fetchConversation()},expanded:function(t){t&&this.fetchConversation()}},methods:{fetchConversation:function(){var t=this;this.status?this.$store.state.api.backendInteractor.fetchConversation({id:this.statusId}).then(function(e){var n=e.ancestors,i=e.descendants;t.$store.dispatch("addNewStatuses",{statuses:n}),t.$store.dispatch("addNewStatuses",{statuses:i}),t.setHighlight(t.originalStatusId)}):this.$store.state.api.backendInteractor.fetchStatus({id:this.statusId}).then(function(e){t.$store.dispatch("addNewStatuses",{statuses:[e]}),t.fetchConversation()})},getReplies:function(t){return this.replies[t]||[]},focused:function(t){return this.isExpanded&&t===this.statusId},setHighlight:function(t){t&&(this.highlight=t,this.$store.dispatch("fetchFavsAndRepeats",t),this.$store.dispatch("fetchEmojiReactionsBy",t))},getHighlight:function(){return this.isExpanded?this.highlight:null},toggleExpanded:function(){this.expanded=!this.expanded},getConversationId:function(t){var e=this.$store.state.statuses.allStatusesObject[t];return Ie()(e,"retweeted_status.statusnet_conversation_id",Ie()(e,"statusnet_conversation_id"))}}},dn=n(0);var pn=function(t){n(433)},fn=Object(dn.a)(un,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"Conversation",class:{"-expanded":t.isExpanded,panel:t.isExpanded}},[t.isExpanded?n("div",{staticClass:"panel-heading conversation-heading"},[n("span",{staticClass:"title"},[t._v(" "+t._s(t.$t("timeline.conversation"))+" ")]),t._v(" "),t.collapsable?n("span",[n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleExpanded(e)}}},[t._v(t._s(t.$t("timeline.collapse")))])]):t._e()]):t._e(),t._v(" "),t._l(t.conversation,function(e){return n("status",{key:e.id,staticClass:"conversation-status status-fadein panel-body",attrs:{"inline-expanded":t.collapsable&&t.isExpanded,statusoid:e,expandable:!t.isExpanded,"show-pinned":t.pinnedStatusIdsObject&&t.pinnedStatusIdsObject[e.id],focused:t.focused(e.id),"in-conversation":t.isExpanded,highlight:t.getHighlight(),replies:t.getReplies(e.id),"in-profile":t.inProfile,"profile-user-id":t.profileUserId},on:{goto:t.setHighlight,toggleExpanded:t.toggleExpanded}})})],2)},[],!1,pn,null,null).exports,hn=n(22);function mn(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var gn={components:{Popover:hn.default},data:function(){return{isOpen:!1}},created:function(){this.currentUser&&this.currentUser.locked&&this.$store.dispatch("startFetchingFollowRequests"),{friends:"nav.timeline",bookmarks:"nav.bookmarks",dms:"nav.dms","public-timeline":"nav.public_tl","public-external-timeline":"nav.twkn","tag-timeline":"tag"}[this.$route.name]&&this.$store.dispatch("setLastTimeline",this.$route.name)},methods:{openMenu:function(){var t=this;setTimeout(function(){t.isOpen=!0},25)},timelineName:function(){var t=this.$route.name;if("tag-timeline"===t)return"#"+this.$route.params.tag;var e={friends:"nav.timeline",bookmarks:"nav.bookmarks",dms:"nav.dms","public-timeline":"nav.public_tl","public-external-timeline":"nav.twkn","tag-timeline":"tag"}[this.$route.name];return e?this.$t(e):t}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?mn(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):mn(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},Object(c.e)({currentUser:function(t){return t.users.currentUser},privateMode:function(t){return t.instance.private},federating:function(t){return t.instance.federating}}))};var vn=function(t){n(449)},bn=Object(dn.a)(gn,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("Popover",{staticClass:"timeline-menu",class:{open:t.isOpen},attrs:{trigger:"click",margin:{left:-15,right:-200},"bound-to":{x:"container"},"popover-class":"timeline-menu-popover-wrap"},on:{show:t.openMenu,close:function(){return t.isOpen=!1}}},[n("div",{staticClass:"timeline-menu-popover panel panel-default",attrs:{slot:"content"},slot:"content"},[n("ul",[t.currentUser?n("li",[n("router-link",{attrs:{to:{name:"friends"}}},[n("i",{staticClass:"button-icon icon-home-2"}),t._v(t._s(t.$t("nav.timeline"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser?n("li",[n("router-link",{attrs:{to:{name:"bookmarks"}}},[n("i",{staticClass:"button-icon icon-bookmark"}),t._v(t._s(t.$t("nav.bookmarks"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser?n("li",[n("router-link",{attrs:{to:{name:"dms",params:{username:t.currentUser.screen_name}}}},[n("i",{staticClass:"button-icon icon-mail-alt"}),t._v(t._s(t.$t("nav.dms"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser||!t.privateMode?n("li",[n("router-link",{attrs:{to:{name:"public-timeline"}}},[n("i",{staticClass:"button-icon icon-users"}),t._v(t._s(t.$t("nav.public_tl"))+"\n ")])],1):t._e(),t._v(" "),!t.federating||!t.currentUser&&t.privateMode?t._e():n("li",[n("router-link",{attrs:{to:{name:"public-external-timeline"}}},[n("i",{staticClass:"button-icon icon-globe"}),t._v(t._s(t.$t("nav.twkn"))+"\n ")])],1)])]),t._v(" "),n("div",{staticClass:"title timeline-menu-title",attrs:{slot:"trigger"},slot:"trigger"},[n("span",[t._v(t._s(t.timelineName()))]),t._v(" "),n("i",{staticClass:"icon-down-open"})])])},[],!1,vn,null,null).exports,wn={props:["timeline","timelineName","title","userId","tag","embedded","count","pinnedStatusIds","inProfile"],data:function(){return{paused:!1,unfocused:!1,bottomedOut:!1}},components:{Status:sn.default,Conversation:fn,TimelineMenu:bn},computed:{timelineError:function(){return this.$store.state.statuses.error},errorData:function(){return this.$store.state.statuses.errorData},newStatusCount:function(){return this.timeline.newStatusCount},showLoadButton:function(){return!this.timelineError&&!this.errorData&&(this.timeline.newStatusCount>0||0!==this.timeline.flushMarker)},loadButtonString:function(){return 0!==this.timeline.flushMarker?this.$t("timeline.reload"):"".concat(this.$t("timeline.show_new")," (").concat(this.newStatusCount,")")},classes:function(){return{root:["timeline"].concat(this.embedded?[]:["panel","panel-default"]),header:["timeline-heading"].concat(this.embedded?[]:["panel-heading"]),body:["timeline-body"].concat(this.embedded?[]:["panel-body"]),footer:["timeline-footer"].concat(this.embedded?[]:["panel-footer"])}},excludedStatusIdsObject:function(){var t=function(t,e){var n=[];if(e&&e.length>0){var i=!0,o=!1,r=void 0;try{for(var s,a=t[Symbol.iterator]();!(i=(s=a.next()).done);i=!0){var c=s.value;if(!e.includes(c.id))break;n.push(c.id)}}catch(t){o=!0,r=t}finally{try{i||null==a.return||a.return()}finally{if(o)throw r}}}return n}(this.timeline.visibleStatuses,this.pinnedStatusIds);return nn()(t)},pinnedStatusIdsObject:function(){return nn()(this.pinnedStatusIds)}},created:function(){var t=this.$store,e=t.state.users.currentUser.credentials,n=0===this.timeline.visibleStatuses.length;if(window.addEventListener("scroll",this.scrollLoad),t.state.api.fetchers[this.timelineName])return!1;bt.fetchAndUpdate({store:t,credentials:e,timeline:this.timelineName,showImmediately:n,userId:this.userId,tag:this.tag})},mounted:function(){void 0!==document.hidden&&(document.addEventListener("visibilitychange",this.handleVisibilityChange,!1),this.unfocused=document.hidden),window.addEventListener("keydown",this.handleShortKey)},destroyed:function(){window.removeEventListener("scroll",this.scrollLoad),window.removeEventListener("keydown",this.handleShortKey),void 0!==document.hidden&&document.removeEventListener("visibilitychange",this.handleVisibilityChange,!1),this.$store.commit("setLoading",{timeline:this.timelineName,value:!1})},methods:{handleShortKey:function(t){["textarea","input"].includes(t.target.tagName.toLowerCase())||"."===t.key&&this.showNewStatuses()},showNewStatuses:function(){0!==this.timeline.flushMarker?(this.$store.commit("clearTimeline",{timeline:this.timelineName,excludeUserId:!0}),this.$store.commit("queueFlush",{timeline:this.timelineName,id:0}),this.fetchOlderStatuses()):(this.$store.commit("showNewStatuses",{timeline:this.timelineName}),this.paused=!1)},fetchOlderStatuses:rn()(function(){var t=this,e=this.$store,n=e.state.users.currentUser.credentials;e.commit("setLoading",{timeline:this.timelineName,value:!0}),bt.fetchAndUpdate({store:e,credentials:n,timeline:this.timelineName,older:!0,showImmediately:!0,userId:this.userId,tag:this.tag}).then(function(n){var i=n.statuses;e.commit("setLoading",{timeline:t.timelineName,value:!1}),i&&0===i.length&&(t.bottomedOut=!0)})},1e3,void 0),scrollLoad:function(t){var e=document.body.getBoundingClientRect(),n=Math.max(e.height,-e.y);!1===this.timeline.loading&&this.$el.offsetHeight>0&&window.innerHeight+window.pageYOffset>=n-750&&this.fetchOlderStatuses()},handleVisibilityChange:function(){this.unfocused=document.hidden}},watch:{newStatusCount:function(t){if(this.$store.getters.mergedConfig.streaming&&t>0){var e=document.documentElement;!((window.pageYOffset||e.scrollTop)-(e.clientTop||0)<15)||this.paused||this.unfocused&&this.$store.getters.mergedConfig.pauseOnUnfocused?this.paused=!0:this.showNewStatuses()}}}};var _n=function(t){n(368)},xn=Object(dn.a)(wn,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{class:[t.classes.root,"timeline"]},[n("div",{class:t.classes.header},[t.embedded?t._e():n("TimelineMenu"),t._v(" "),t.timelineError?n("div",{staticClass:"loadmore-error alert error",on:{click:function(t){t.preventDefault()}}},[t._v("\n "+t._s(t.$t("timeline.error_fetching"))+"\n ")]):t.errorData?n("div",{staticClass:"loadmore-error alert error",on:{click:function(t){t.preventDefault()}}},[t._v("\n "+t._s(t.errorData.statusText)+"\n ")]):t.showLoadButton?n("button",{staticClass:"loadmore-button",on:{click:function(e){return e.preventDefault(),t.showNewStatuses(e)}}},[t._v("\n "+t._s(t.loadButtonString)+"\n ")]):n("div",{staticClass:"loadmore-text faint",on:{click:function(t){t.preventDefault()}}},[t._v("\n "+t._s(t.$t("timeline.up_to_date"))+"\n ")])],1),t._v(" "),n("div",{class:t.classes.body},[n("div",{staticClass:"timeline"},[t._l(t.pinnedStatusIds,function(e){return[t.timeline.statusesObject[e]?n("conversation",{key:e+"-pinned",staticClass:"status-fadein",attrs:{"status-id":e,collapsable:!0,"pinned-status-ids-object":t.pinnedStatusIdsObject,"in-profile":t.inProfile,"profile-user-id":t.userId}}):t._e()]}),t._v(" "),t._l(t.timeline.visibleStatuses,function(e){return[t.excludedStatusIdsObject[e.id]?t._e():n("conversation",{key:e.id,staticClass:"status-fadein",attrs:{"status-id":e.id,collapsable:!0,"in-profile":t.inProfile,"profile-user-id":t.userId}})]})],2)]),t._v(" "),n("div",{class:t.classes.footer},[0===t.count?n("div",{staticClass:"new-status-notification text-center panel-footer faint"},[t._v("\n "+t._s(t.$t("timeline.no_statuses"))+"\n ")]):t.bottomedOut?n("div",{staticClass:"new-status-notification text-center panel-footer faint"},[t._v("\n "+t._s(t.$t("timeline.no_more_statuses"))+"\n ")]):t.timeline.loading||t.errorData?t.errorData?n("a",{attrs:{href:"#"}},[n("div",{staticClass:"new-status-notification text-center panel-footer"},[t._v(t._s(t.errorData.error))])]):n("div",{staticClass:"new-status-notification text-center panel-footer"},[n("i",{staticClass:"icon-spin3 animate-spin"})]):n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.fetchOlderStatuses()}}},[n("div",{staticClass:"new-status-notification text-center panel-footer"},[t._v(t._s(t.$t("timeline.load_older")))])])])])},[],!1,_n,null,null).exports,yn={components:{Timeline:xn},computed:{timeline:function(){return this.$store.state.statuses.timelines.public}},created:function(){this.$store.dispatch("startFetchingTimeline",{timeline:"public"})},destroyed:function(){this.$store.dispatch("stopFetchingTimeline","public")}},kn=Object(dn.a)(yn,function(){var t=this.$createElement;return(this._self._c||t)("Timeline",{attrs:{title:this.$t("nav.public_tl"),timeline:this.timeline,"timeline-name":"public"}})},[],!1,null,null,null).exports,Cn={components:{Timeline:xn},computed:{timeline:function(){return this.$store.state.statuses.timelines.publicAndExternal}},created:function(){this.$store.dispatch("startFetchingTimeline",{timeline:"publicAndExternal"})},destroyed:function(){this.$store.dispatch("stopFetchingTimeline","publicAndExternal")}},Sn=Object(dn.a)(Cn,function(){var t=this.$createElement;return(this._self._c||t)("Timeline",{attrs:{title:this.$t("nav.twkn"),timeline:this.timeline,"timeline-name":"publicAndExternal"}})},[],!1,null,null,null).exports,jn={components:{Timeline:xn},computed:{timeline:function(){return this.$store.state.statuses.timelines.friends}}},On=Object(dn.a)(jn,function(){var t=this.$createElement;return(this._self._c||t)("Timeline",{attrs:{title:this.$t("nav.timeline"),timeline:this.timeline,"timeline-name":"friends"}})},[],!1,null,null,null).exports,Pn={created:function(){this.$store.commit("clearTimeline",{timeline:"tag"}),this.$store.dispatch("startFetchingTimeline",{timeline:"tag",tag:this.tag})},components:{Timeline:xn},computed:{tag:function(){return this.$route.params.tag},timeline:function(){return this.$store.state.statuses.timelines.tag}},watch:{tag:function(){this.$store.commit("clearTimeline",{timeline:"tag"}),this.$store.dispatch("startFetchingTimeline",{timeline:"tag",tag:this.tag})}},destroyed:function(){this.$store.dispatch("stopFetchingTimeline","tag")}},$n=Object(dn.a)(Pn,function(){var t=this.$createElement;return(this._self._c||t)("Timeline",{attrs:{title:this.tag,timeline:this.timeline,"timeline-name":"tag",tag:this.tag}})},[],!1,null,null,null).exports,Tn={computed:{timeline:function(){return this.$store.state.statuses.timelines.bookmarks}},components:{Timeline:xn},destroyed:function(){this.$store.commit("clearTimeline",{timeline:"bookmarks"})}},In=Object(dn.a)(Tn,function(){var t=this.$createElement;return(this._self._c||t)("Timeline",{attrs:{title:this.$t("nav.bookmarks"),timeline:this.timeline,"timeline-name":"bookmarks"}})},[],!1,null,null,null).exports,En={components:{Conversation:fn},computed:{statusId:function(){return this.$route.params.id}}},Mn=Object(dn.a)(En,function(){var t=this.$createElement;return(this._self._c||t)("conversation",{attrs:{collapsable:!1,"is-page":"true","status-id":this.statusId}})},[],!1,null,null,null).exports,Un=n(34),Fn=n(18),Dn=n(28),Ln=n(44),Nn=n(46),Rn=n(17);function An(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var Bn={data:function(){return{userExpanded:!1,betterShadow:this.$store.state.interface.browserSupport.cssFilter,unmuted:!1}},props:["notification"],components:{StatusContent:Un.a,UserAvatar:Fn.default,UserCard:Dn.a,Timeago:Ln.a,Status:sn.default},methods:{toggleUserExpanded:function(){this.userExpanded=!this.userExpanded},generateUserProfileLink:function(t){return Object(Rn.a)(t.id,t.screen_name,this.$store.state.instance.restrictedNicknames)},getUser:function(t){return this.$store.state.users.usersObject[t.from_profile.id]},toggleMute:function(){this.unmuted=!this.unmuted},approveUser:function(){this.$store.state.api.backendInteractor.approveUser({id:this.user.id}),this.$store.dispatch("removeFollowRequest",this.user),this.$store.dispatch("markSingleNotificationAsSeen",{id:this.notification.id}),this.$store.dispatch("updateNotification",{id:this.notification.id,updater:function(t){t.type="follow"}})},denyUser:function(){var t=this;this.$store.state.api.backendInteractor.denyUser({id:this.user.id}).then(function(){t.$store.dispatch("dismissNotificationLocal",{id:t.notification.id}),t.$store.dispatch("removeFollowRequest",t.user)})}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?An(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):An(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({userClass:function(){return Object(Nn.a)(this.notification.from_profile)},userStyle:function(){var t=this.$store.getters.mergedConfig.highlight,e=this.notification.from_profile;return Object(Nn.b)(t[e.screen_name])},user:function(){return this.$store.getters.findUser(this.notification.from_profile.id)},userProfileLink:function(){return this.generateUserProfileLink(this.user)},targetUser:function(){return this.$store.getters.findUser(this.notification.target.id)},targetUserProfileLink:function(){return this.generateUserProfileLink(this.targetUser)},needMute:function(){return this.$store.getters.relationship(this.user.id).muting},isStatusNotification:function(){return Object(G.b)(this.notification.type)}},Object(c.e)({currentUser:function(t){return t.users.currentUser}}))};var zn=function(t){n(453)},Hn=Object(dn.a)(Bn,function(){var t=this,e=t.$createElement,n=t._self._c||e;return"mention"===t.notification.type?n("status",{attrs:{compact:!0,statusoid:t.notification.status}}):n("div",[t.needMute&&!t.unmuted?n("div",{staticClass:"Notification container -muted"},[n("small",[n("router-link",{attrs:{to:t.userProfileLink}},[t._v("\n "+t._s(t.notification.from_profile.screen_name)+"\n ")])],1),t._v(" "),n("a",{staticClass:"unmute",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleMute(e)}}},[n("i",{staticClass:"button-icon icon-eye-off"})])]):n("div",{staticClass:"non-mention",class:[t.userClass,{highlighted:t.userStyle}],style:[t.userStyle]},[n("a",{staticClass:"avatar-container",attrs:{href:t.notification.from_profile.statusnet_profile_url},on:{"!click":function(e){return e.stopPropagation(),e.preventDefault(),t.toggleUserExpanded(e)}}},[n("UserAvatar",{attrs:{compact:!0,"better-shadow":t.betterShadow,user:t.notification.from_profile}})],1),t._v(" "),n("div",{staticClass:"notification-right"},[t.userExpanded?n("UserCard",{attrs:{"user-id":t.getUser(t.notification).id,rounded:!0,bordered:!0}}):t._e(),t._v(" "),n("span",{staticClass:"notification-details"},[n("div",{staticClass:"name-and-action"},[t.notification.from_profile.name_html?n("bdi",{staticClass:"username",attrs:{title:"@"+t.notification.from_profile.screen_name},domProps:{innerHTML:t._s(t.notification.from_profile.name_html)}}):n("span",{staticClass:"username",attrs:{title:"@"+t.notification.from_profile.screen_name}},[t._v(t._s(t.notification.from_profile.name))]),t._v(" "),"like"===t.notification.type?n("span",[n("i",{staticClass:"fa icon-star lit"}),t._v(" "),n("small",[t._v(t._s(t.$t("notifications.favorited_you")))])]):t._e(),t._v(" "),"repeat"===t.notification.type?n("span",[n("i",{staticClass:"fa icon-retweet lit",attrs:{title:t.$t("tool_tip.repeat")}}),t._v(" "),n("small",[t._v(t._s(t.$t("notifications.repeated_you")))])]):t._e(),t._v(" "),"follow"===t.notification.type?n("span",[n("i",{staticClass:"fa icon-user-plus lit"}),t._v(" "),n("small",[t._v(t._s(t.$t("notifications.followed_you")))])]):t._e(),t._v(" "),"follow_request"===t.notification.type?n("span",[n("i",{staticClass:"fa icon-user lit"}),t._v(" "),n("small",[t._v(t._s(t.$t("notifications.follow_request")))])]):t._e(),t._v(" "),"move"===t.notification.type?n("span",[n("i",{staticClass:"fa icon-arrow-curved lit"}),t._v(" "),n("small",[t._v(t._s(t.$t("notifications.migrated_to")))])]):t._e(),t._v(" "),"pleroma:emoji_reaction"===t.notification.type?n("span",[n("small",[n("i18n",{attrs:{path:"notifications.reacted_with"}},[n("span",{staticClass:"emoji-reaction-emoji"},[t._v(t._s(t.notification.emoji))])])],1)]):t._e()]),t._v(" "),t.isStatusNotification?n("div",{staticClass:"timeago"},[t.notification.status?n("router-link",{staticClass:"faint-link",attrs:{to:{name:"conversation",params:{id:t.notification.status.id}}}},[n("Timeago",{attrs:{time:t.notification.created_at,"auto-update":240}})],1):t._e()],1):n("div",{staticClass:"timeago"},[n("span",{staticClass:"faint"},[n("Timeago",{attrs:{time:t.notification.created_at,"auto-update":240}})],1)]),t._v(" "),t.needMute?n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleMute(e)}}},[n("i",{staticClass:"button-icon icon-eye-off"})]):t._e()]),t._v(" "),"follow"===t.notification.type||"follow_request"===t.notification.type?n("div",{staticClass:"follow-text"},[n("router-link",{staticClass:"follow-name",attrs:{to:t.userProfileLink}},[t._v("\n @"+t._s(t.notification.from_profile.screen_name)+"\n ")]),t._v(" "),"follow_request"===t.notification.type?n("div",{staticStyle:{"white-space":"nowrap"}},[n("i",{staticClass:"icon-ok button-icon follow-request-accept",attrs:{title:t.$t("tool_tip.accept_follow_request")},on:{click:function(e){return t.approveUser()}}}),t._v(" "),n("i",{staticClass:"icon-cancel button-icon follow-request-reject",attrs:{title:t.$t("tool_tip.reject_follow_request")},on:{click:function(e){return t.denyUser()}}})]):t._e()],1):"move"===t.notification.type?n("div",{staticClass:"move-text"},[n("router-link",{attrs:{to:t.targetUserProfileLink}},[t._v("\n @"+t._s(t.notification.target.screen_name)+"\n ")])],1):[n("status-content",{staticClass:"faint",attrs:{status:t.notification.action}})]],2)])])},[],!1,zn,null,null).exports;function qn(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var Wn={props:{noHeading:Boolean,minimalMode:Boolean,filterMode:Array},data:function(){return{bottomedOut:!1,seenToDisplayCount:30}},created:function(){var t=this.$store,e=t.state.users.currentUser.credentials;xt.fetchAndUpdate({store:t,credentials:e})},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?qn(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):qn(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({mainClass:function(){return this.minimalMode?"":"panel panel-default"},notifications:function(){return Object(G.d)(this.$store)},error:function(){return this.$store.state.statuses.notifications.error},unseenNotifications:function(){return Object(G.e)(this.$store)},filteredNotifications:function(){return Object(G.a)(this.$store,this.filterMode)},unseenCount:function(){return this.unseenNotifications.length},unseenCountTitle:function(){return this.unseenCount+this.unreadChatCount},loading:function(){return this.$store.state.statuses.notifications.loading},notificationsToDisplay:function(){return this.filteredNotifications.slice(0,this.unseenCount+this.seenToDisplayCount)}},Object(c.c)(["unreadChatCount"])),components:{Notification:Hn},watch:{unseenCountTitle:function(t){t>0?this.$store.dispatch("setPageTitle","(".concat(t,")")):this.$store.dispatch("setPageTitle","")}},methods:{markAsSeen:function(){this.$store.dispatch("markNotificationsAsSeen"),this.seenToDisplayCount=30},fetchOlderNotifications:function(){var t=this;if(!this.loading){var e=this.filteredNotifications.length-this.unseenCount;if(this.seenToDisplayCount<e)this.seenToDisplayCount=Math.min(this.seenToDisplayCount+20,e);else{this.seenToDisplayCount>e&&(this.seenToDisplayCount=e);var n=this.$store,i=n.state.users.currentUser.credentials;n.commit("setNotificationsLoading",{value:!0}),xt.fetchAndUpdate({store:n,credentials:i,older:!0}).then(function(e){n.commit("setNotificationsLoading",{value:!1}),0===e.length&&(t.bottomedOut=!0),t.seenToDisplayCount+=e.length})}}}}};var Vn=function(t){n(451)},Gn=Object(dn.a)(Wn,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"notifications",class:{minimal:t.minimalMode}},[n("div",{class:t.mainClass},[t.noHeading?t._e():n("div",{staticClass:"panel-heading"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("notifications.notifications"))+"\n "),t.unseenCount?n("span",{staticClass:"badge badge-notification unseen-count"},[t._v(t._s(t.unseenCount))]):t._e()]),t._v(" "),t.error?n("div",{staticClass:"loadmore-error alert error",on:{click:function(t){t.preventDefault()}}},[t._v("\n "+t._s(t.$t("timeline.error_fetching"))+"\n ")]):t._e(),t._v(" "),t.unseenCount?n("button",{staticClass:"read-button",on:{click:function(e){return e.preventDefault(),t.markAsSeen(e)}}},[t._v("\n "+t._s(t.$t("notifications.read"))+"\n ")]):t._e()]),t._v(" "),n("div",{staticClass:"panel-body"},t._l(t.notificationsToDisplay,function(e){return n("div",{key:e.id,staticClass:"notification",class:{unseen:!t.minimalMode&&!e.seen}},[n("div",{staticClass:"notification-overlay"}),t._v(" "),n("notification",{attrs:{notification:e}})],1)}),0),t._v(" "),n("div",{staticClass:"panel-footer"},[t.bottomedOut?n("div",{staticClass:"new-status-notification text-center panel-footer faint"},[t._v("\n "+t._s(t.$t("notifications.no_more_notifications"))+"\n ")]):t.loading?n("div",{staticClass:"new-status-notification text-center panel-footer"},[n("i",{staticClass:"icon-spin3 animate-spin"})]):n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.fetchOlderNotifications()}}},[n("div",{staticClass:"new-status-notification text-center panel-footer"},[t._v("\n "+t._s(t.minimalMode?t.$t("interactions.load_older"):t.$t("notifications.load_older"))+"\n ")])])])])])},[],!1,Vn,null,null).exports,Kn={mentions:["mention"],"likes+repeats":["repeat","like"],follows:["follow"],moves:["move"]},Yn={data:function(){return{allowFollowingMove:this.$store.state.users.currentUser.allow_following_move,filterMode:Kn.mentions}},methods:{onModeSwitch:function(t){this.filterMode=Kn[t]}},components:{Notifications:Gn}},Jn=Object(dn.a)(Yn,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"panel panel-default"},[n("div",{staticClass:"panel-heading"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("nav.interactions"))+"\n ")])]),t._v(" "),n("tab-switcher",{ref:"tabSwitcher",attrs:{"on-switch":t.onModeSwitch}},[n("span",{key:"mentions",attrs:{label:t.$t("nav.mentions")}}),t._v(" "),n("span",{key:"likes+repeats",attrs:{label:t.$t("interactions.favs_repeats")}}),t._v(" "),n("span",{key:"follows",attrs:{label:t.$t("interactions.follows")}}),t._v(" "),t.allowFollowingMove?t._e():n("span",{key:"moves",attrs:{label:t.$t("interactions.moves")}})]),t._v(" "),n("Notifications",{ref:"notifications",attrs:{"no-heading":!0,"minimal-mode":!0,"filter-mode":t.filterMode}})],1)},[],!1,null,null,null).exports,Xn={computed:{timeline:function(){return this.$store.state.statuses.timelines.dms}},components:{Timeline:xn}},Qn=Object(dn.a)(Xn,function(){var t=this.$createElement;return(this._self._c||t)("Timeline",{attrs:{title:this.$t("nav.dms"),timeline:this.timeline,"timeline-name":"dms"}})},[],!1,null,null,null).exports,Zn=n(114),ti=s.a.component("chat-title",{name:"ChatTitle",components:{UserAvatar:Fn.default},props:["user","withAvatar"],computed:{title:function(){return this.user?this.user.screen_name:""},htmlTitle:function(){return this.user?this.user.name_html:""}},methods:{getUserProfileLink:function(t){return Object(Rn.a)(t.id,t.screen_name)}}});var ei=function(t){n(459)},ni=Object(dn.a)(ti,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"chat-title",attrs:{title:t.title}},[t.withAvatar&&t.user?n("router-link",{attrs:{to:t.getUserProfileLink(t.user)}},[n("UserAvatar",{attrs:{user:t.user,width:"23px",height:"23px"}})],1):t._e(),t._v(" "),n("span",{staticClass:"username",domProps:{innerHTML:t._s(t.htmlTitle)}})],1)},[],!1,ei,null,null).exports;function ii(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var oi={name:"ChatListItem",props:["chat"],components:{UserAvatar:Fn.default,AvatarList:Zn.a,Timeago:Ln.a,ChatTitle:ni,StatusContent:Un.a},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?ii(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):ii(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},Object(c.e)({currentUser:function(t){return t.users.currentUser}}),{attachmentInfo:function(){if(0!==this.chat.lastMessage.attachments.length){var t=this.chat.lastMessage.attachments.map(function(t){return ie.a.fileType(t.mimetype)});return t.includes("video")?this.$t("file_type.video"):t.includes("audio")?this.$t("file_type.audio"):t.includes("image")?this.$t("file_type.image"):this.$t("file_type.file")}},messageForStatusContent:function(){var t=this.chat.lastMessage,e=t&&t.account_id===this.currentUser.id,n=t?this.attachmentInfo||t.content:"",i=e?"<i>".concat(this.$t("chats.you"),"</i> ").concat(n):n;return{summary:"",statusnet_html:i,text:i,attachments:[]}}}),methods:{openChat:function(t){this.chat.id&&this.$router.push({name:"chat",params:{username:this.currentUser.screen_name,recipient_id:this.chat.account.id}})}}};var ri=function(t){n(457)},si=Object(dn.a)(oi,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"chat-list-item",on:{"!click":function(e){return e.preventDefault(),t.openChat(e)}}},[n("div",{staticClass:"chat-list-item-left"},[n("UserAvatar",{attrs:{user:t.chat.account,height:"48px",width:"48px"}})],1),t._v(" "),n("div",{staticClass:"chat-list-item-center"},[n("div",{staticClass:"heading"},[t.chat.account?n("span",{staticClass:"name-and-account-name"},[n("ChatTitle",{attrs:{user:t.chat.account}})],1):t._e(),t._v(" "),n("span",{staticClass:"heading-right"})]),t._v(" "),n("div",{staticClass:"chat-preview"},[n("StatusContent",{attrs:{status:t.messageForStatusContent,"single-line":!0}}),t._v(" "),t.chat.unread>0?n("div",{staticClass:"badge badge-notification unread-chat-count"},[t._v("\n "+t._s(t.chat.unread)+"\n ")]):t._e()],1)]),t._v(" "),n("div",{staticClass:"time-wrapper"},[n("Timeago",{attrs:{time:t.chat.updated_at,"auto-update":60}})],1)])},[],!1,ri,null,null).exports,ai=n(38);function ci(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var li={components:{BasicUserCard:ai.a,UserAvatar:Fn.default},data:function(){return{suggestions:[],userIds:[],loading:!1,query:""}},created:function(){var t,e=this;return o.a.async(function(n){for(;;)switch(n.prev=n.next){case 0:return n.next=2,o.a.awrap(this.backendInteractor.chats());case 2:t=n.sent,t.chats.forEach(function(t){return e.suggestions.push(t.account)});case 5:case"end":return n.stop()}},null,this)},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?ci(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):ci(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({users:function(){var t=this;return this.userIds.map(function(e){return t.findUser(e)})},availableUsers:function(){return 0!==this.query.length?this.users:this.suggestions}},Object(c.e)({currentUser:function(t){return t.users.currentUser},backendInteractor:function(t){return t.api.backendInteractor}}),{},Object(c.c)(["findUser"])),methods:{goBack:function(){this.$emit("cancel")},goToChat:function(t){this.$router.push({name:"chat",params:{recipient_id:t.id}})},onInput:function(){this.search(this.query)},addUser:function(t){this.selectedUserIds.push(t.id),this.query=""},removeUser:function(t){this.selectedUserIds=this.selectedUserIds.filter(function(e){return e!==t})},search:function(t){var e=this;t?(this.loading=!0,this.userIds=[],this.$store.dispatch("search",{q:t,resolve:!0,type:"accounts"}).then(function(t){e.loading=!1,e.userIds=t.accounts.map(function(t){return t.id})})):this.loading=!1}}};var ui=function(t){n(461)},di=Object(dn.a)(li,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"panel-default panel chat-new",attrs:{id:"nav"}},[n("div",{ref:"header",staticClass:"panel-heading"},[n("a",{staticClass:"go-back-button",on:{click:t.goBack}},[n("i",{staticClass:"button-icon icon-left-open"})])]),t._v(" "),n("div",{staticClass:"input-wrap"},[t._m(0),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.query,expression:"query"}],ref:"search",attrs:{placeholder:"Search people"},domProps:{value:t.query},on:{input:[function(e){e.target.composing||(t.query=e.target.value)},t.onInput]}})]),t._v(" "),n("div",{staticClass:"member-list"},t._l(t.availableUsers,function(e){return n("div",{key:e.id,staticClass:"member"},[n("div",{on:{"!click":function(n){return n.preventDefault(),t.goToChat(e)}}},[n("BasicUserCard",{attrs:{user:e}})],1)])}),0)])},[function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"input-search"},[e("i",{staticClass:"button-icon icon-search"})])}],!1,ui,null,null).exports,pi=n(52);function fi(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var hi={components:{ChatListItem:si,List:pi.a,ChatNew:di},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?fi(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):fi(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},Object(c.e)({currentUser:function(t){return t.users.currentUser}}),{},Object(c.c)(["sortedChatList"])),data:function(){return{isNew:!1}},created:function(){this.$store.dispatch("fetchChats",{latest:!0})},methods:{cancelNewChat:function(){this.isNew=!1,this.$store.dispatch("fetchChats",{latest:!0})},newChat:function(){this.isNew=!0}}};var mi=function(t){n(455)},gi=Object(dn.a)(hi,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.isNew?n("div",[n("ChatNew",{on:{cancel:t.cancelNewChat}})],1):n("div",{staticClass:"chat-list panel panel-default"},[n("div",{staticClass:"panel-heading"},[n("span",{staticClass:"title"},[t._v("\n "+t._s(t.$t("chats.chats"))+"\n ")]),t._v(" "),n("button",{on:{click:t.newChat}},[t._v("\n "+t._s(t.$t("chats.new"))+"\n ")])]),t._v(" "),n("div",{staticClass:"panel-body"},[t.sortedChatList.length>0?n("div",{staticClass:"timeline"},[n("List",{attrs:{items:t.sortedChatList},scopedSlots:t._u([{key:"item",fn:function(t){var e=t.item;return[n("ChatListItem",{key:e.id,attrs:{compact:!1,chat:e}})]}}],null,!1,1412157271)})],1):n("div",{staticClass:"emtpy-chat-list-alert"},[n("span",[t._v(t._s(t.$t("chats.empty_chat_list_placeholder")))])])])])},[],!1,mi,null,null).exports,vi=n(43),bi=n(111),wi=n(112),_i={name:"Timeago",props:["date"],computed:{displayDate:function(){var t=new Date;return t.setHours(0,0,0,0),this.date.getTime()===t.getTime()?this.$t("display_date.today"):this.date.toLocaleDateString("en",{day:"numeric",month:"long"})}}},xi=Object(dn.a)(_i,function(){var t=this.$createElement;return(this._self._c||t)("time",[this._v("\n "+this._s(this.displayDate)+"\n")])},[],!1,null,null,null).exports;function yi(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var ki={name:"ChatMessage",props:["author","edited","noHeading","chatViewItem","hoveredMessageChain"],components:{Popover:hn.default,Attachment:vi.a,StatusContent:Un.a,UserAvatar:Fn.default,Gallery:bi.a,LinkPreview:wi.a,ChatMessageDate:xi},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?yi(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):yi(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({createdAt:function(){return this.chatViewItem.data.created_at.toLocaleTimeString("en",{hour:"2-digit",minute:"2-digit",hour12:!1})},isCurrentUser:function(){return this.message.account_id===this.currentUser.id},message:function(){return this.chatViewItem.data},userProfileLink:function(){return Object(Rn.a)(this.author.id,this.author.screen_name,this.$store.state.instance.restrictedNicknames)},isMessage:function(){return"message"===this.chatViewItem.type},messageForStatusContent:function(){return{summary:"",statusnet_html:this.message.content,text:this.message.content,attachments:this.message.attachments}},hasAttachment:function(){return this.message.attachments.length>0}},Object(c.e)({betterShadow:function(t){return t.interface.browserSupport.cssFilter},currentUser:function(t){return t.users.currentUser},restrictedNicknames:function(t){return t.instance.restrictedNicknames}}),{popoverMarginStyle:function(){return this.isCurrentUser?{}:{left:50}}},Object(c.c)(["mergedConfig","findUser"])),data:function(){return{hovered:!1,menuOpened:!1}},methods:{onHover:function(t){this.$emit("hover",{isHovered:t,messageChainId:this.chatViewItem.messageChainId})},deleteMessage:function(){return o.a.async(function(t){for(;;)switch(t.prev=t.next){case 0:if(!window.confirm(this.$t("chats.delete_confirm"))){t.next=4;break}return t.next=4,o.a.awrap(this.$store.dispatch("deleteChatMessage",{messageId:this.chatViewItem.data.id,chatId:this.chatViewItem.data.chat_id}));case 4:this.hovered=!1,this.menuOpened=!1;case 6:case"end":return t.stop()}},null,this)}}};var Ci=function(t){n(469)},Si=Object(dn.a)(ki,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.isMessage?n("div",{staticClass:"chat-message-wrapper",class:{"hovered-message-chain":t.hoveredMessageChain},on:{mouseover:function(e){return t.onHover(!0)},mouseleave:function(e){return t.onHover(!1)}}},[n("div",{staticClass:"chat-message",class:[{outgoing:t.isCurrentUser,incoming:!t.isCurrentUser}]},[t.isCurrentUser?t._e():n("div",{staticClass:"avatar-wrapper"},[t.chatViewItem.isHead?n("router-link",{attrs:{to:t.userProfileLink}},[n("UserAvatar",{attrs:{compact:!0,"better-shadow":t.betterShadow,user:t.author}})],1):t._e()],1),t._v(" "),n("div",{staticClass:"chat-message-inner"},[n("div",{staticClass:"status-body",style:{"min-width":t.message.attachment?"80%":""}},[n("div",{staticClass:"media status",class:{"without-attachment":!t.hasAttachment},staticStyle:{position:"relative"},on:{mouseenter:function(e){t.hovered=!0},mouseleave:function(e){t.hovered=!1}}},[n("div",{staticClass:"chat-message-menu",class:{visible:t.hovered||t.menuOpened}},[n("Popover",{attrs:{trigger:"click",placement:"top","bound-to-selector":t.isCurrentUser?"":".scrollable-message-list","bound-to":{x:"container"},margin:t.popoverMarginStyle},on:{show:function(e){t.menuOpened=!0},close:function(e){t.menuOpened=!1}}},[n("div",{attrs:{slot:"content"},slot:"content"},[n("div",{staticClass:"dropdown-menu"},[n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:t.deleteMessage}},[n("i",{staticClass:"icon-cancel"}),t._v(" "+t._s(t.$t("chats.delete"))+"\n ")])])]),t._v(" "),n("button",{attrs:{slot:"trigger",title:t.$t("chats.more")},slot:"trigger"},[n("i",{staticClass:"icon-ellipsis"})])])],1),t._v(" "),n("StatusContent",{attrs:{status:t.messageForStatusContent,"full-content":!0}},[n("span",{staticClass:"created-at",attrs:{slot:"footer"},slot:"footer"},[t._v("\n "+t._s(t.createdAt)+"\n ")])])],1)])])])]):n("div",{staticClass:"chat-message-date-separator"},[n("ChatMessageDate",{attrs:{date:t.chatViewItem.date}})],1)},[],!1,Ci,null,null).exports,ji=n(42),Oi=function(t){return{scrollTop:t.scrollTop,scrollHeight:t.scrollHeight,offsetHeight:t.offsetHeight}};function Pi(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function $i(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Pi(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Pi(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var Ti={components:{ChatMessage:Si,ChatTitle:ni,PostStatusForm:ji.a},data:function(){return{jumpToBottomButtonVisible:!1,hoveredMessageChainId:void 0,lastScrollPosition:{},scrollableContainerHeight:"100%",errorLoadingChat:!1}},created:function(){this.startFetching(),window.addEventListener("resize",this.handleLayoutChange)},mounted:function(){var t=this;window.addEventListener("scroll",this.handleScroll),void 0!==document.hidden&&document.addEventListener("visibilitychange",this.handleVisibilityChange,!1),this.$nextTick(function(){t.updateScrollableContainerHeight(),t.handleResize()}),this.setChatLayout()},destroyed:function(){window.removeEventListener("scroll",this.handleScroll),window.removeEventListener("resize",this.handleLayoutChange),this.unsetChatLayout(),void 0!==document.hidden&&document.removeEventListener("visibilitychange",this.handleVisibilityChange,!1),this.$store.dispatch("clearCurrentChat")},computed:$i({recipient:function(){return this.currentChat&&this.currentChat.account},recipientId:function(){return this.$route.params.recipient_id},formPlaceholder:function(){return this.recipient?this.$t("chats.message_user",{nickname:this.recipient.screen_name}):""},chatViewItems:function(){return we.getView(this.currentChatMessageService)},newMessageCount:function(){return this.currentChatMessageService&&this.currentChatMessageService.newMessageCount},streamingEnabled:function(){return this.mergedConfig.useStreamingApi&&this.mastoUserSocketStatus===w.b.JOINED}},Object(c.c)(["currentChat","currentChatMessageService","findOpenedChatByRecipientId","mergedConfig"]),{},Object(c.e)({backendInteractor:function(t){return t.api.backendInteractor},mastoUserSocketStatus:function(t){return t.api.mastoUserSocketStatus},mobileLayout:function(t){return t.interface.mobileLayout},layoutHeight:function(t){return t.interface.layoutHeight},currentUser:function(t){return t.users.currentUser}})),watch:{chatViewItems:function(){var t=this,e=this.bottomedOut(10);this.$nextTick(function(){e&&t.scrollDown({forceRead:!document.hidden})})},$route:function(){this.startFetching()},layoutHeight:function(){this.handleResize({expand:!0})},mastoUserSocketStatus:function(t){t===w.b.JOINED&&this.fetchChat({isFirstFetch:!0})}},methods:{onMessageHover:function(t){var e=t.isHovered,n=t.messageChainId;this.hoveredMessageChainId=e?n:void 0},onFilesDropped:function(){var t=this;this.$nextTick(function(){t.handleResize(),t.updateScrollableContainerHeight()})},handleVisibilityChange:function(){var t=this;this.$nextTick(function(){!document.hidden&&t.bottomedOut(10)&&t.scrollDown({forceRead:!0})})},setChatLayout:function(){var t=this,e=document.querySelector("html");e&&e.classList.add("chat-layout"),this.$nextTick(function(){t.updateScrollableContainerHeight()})},unsetChatLayout:function(){var t=document.querySelector("html");t&&t.classList.remove("chat-layout")},handleLayoutChange:function(){var t=this;this.$nextTick(function(){t.updateScrollableContainerHeight(),t.scrollDown()})},updateScrollableContainerHeight:function(){var t=this.$refs.header,e=this.$refs.footer,n=this.mobileLayout?window.document.body:this.$refs.inner;this.scrollableContainerHeight=function(t,e,n){return t.offsetHeight-e.clientHeight-n.clientHeight}(n,t,e)+"px"},handleResize:function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=e.expand,i=void 0!==n&&n,o=e.delayed;void 0!==o&&o?setTimeout(function(){t.handleResize($i({},e,{delayed:!1}))},100):this.$nextTick(function(){t.updateScrollableContainerHeight();var e=t.lastScrollPosition.offsetHeight,n=void 0===e?void 0:e;t.lastScrollPosition=Oi(t.$refs.scrollable);var o=t.lastScrollPosition.offsetHeight-n;(o<0||!t.bottomedOut()&&i)&&t.$nextTick(function(){t.updateScrollableContainerHeight(),t.$refs.scrollable.scrollTo({top:t.$refs.scrollable.scrollTop-o,left:0})})})},scrollDown:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.behavior,n=void 0===e?"auto":e,i=t.forceRead,o=void 0!==i&&i,r=this.$refs.scrollable;r&&(this.$nextTick(function(){r.scrollTo({top:r.scrollHeight,left:0,behavior:n})}),(o||this.newMessageCount>0)&&this.readChat())},readChat:function(){if(this.currentChatMessageService&&this.currentChatMessageService.lastMessage&&!document.hidden){var t=this.currentChatMessageService.lastMessage.id;this.$store.dispatch("readChat",{id:this.currentChat.id,lastReadId:t})}},bottomedOut:function(t){return function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0;if(t){var n=t.scrollTop+e;return t.scrollHeight-t.offsetHeight<=n}}(this.$refs.scrollable,t)},reachedTop:function(){var t=this.$refs.scrollable;return t&&t.scrollTop<=0},handleScroll:rn()(function(){this.currentChat&&(this.reachedTop()?this.fetchChat({maxId:this.currentChatMessageService.minId}):this.bottomedOut(150)?(this.jumpToBottomButtonVisible=!1,this.newMessageCount>0&&this.readChat()):this.jumpToBottomButtonVisible=!0)},100),handleScrollUp:function(t){var e,n,i=Oi(this.$refs.scrollable);this.$refs.scrollable.scrollTo({top:(e=t,n=i,e.scrollTop+(n.scrollHeight-e.scrollHeight)),left:0})},fetchChat:function(t){var e=this,n=t.isFirstFetch,i=void 0!==n&&n,o=t.fetchLatest,r=void 0!==o&&o,s=t.maxId,a=this.currentChatMessageService;if(a&&(!r||!this.streamingEnabled)){var c=a.chatId,l=!!s,u=r&&a.lastMessage&&a.lastMessage.id;this.backendInteractor.chatMessages({id:c,maxId:s,sinceId:u}).then(function(t){i&&we.clear(a);var n=Oi(e.$refs.scrollable);e.$store.dispatch("addChatMessages",{chatId:c,messages:t}).then(function(){e.$nextTick(function(){l&&e.handleScrollUp(n),i&&e.updateScrollableContainerHeight()})})})}},startFetching:function(){var t,e=this;return o.a.async(function(n){for(;;)switch(n.prev=n.next){case 0:if(t=this.findOpenedChatByRecipientId(this.recipientId)){n.next=12;break}return n.prev=2,n.next=5,o.a.awrap(this.backendInteractor.getOrCreateChat({accountId:this.recipientId}));case 5:t=n.sent,n.next=12;break;case 8:n.prev=8,n.t0=n.catch(2),console.error("Error creating or getting a chat",n.t0),this.errorLoadingChat=!0;case 12:t&&(this.$nextTick(function(){e.scrollDown({forceRead:!0})}),this.$store.dispatch("addOpenedChat",{chat:t}),this.doStartFetching());case 13:case"end":return n.stop()}},null,this,[[2,8]])},doStartFetching:function(){var t=this;this.$store.dispatch("startFetchingCurrentChat",{fetcher:function(){return setInterval(function(){return t.fetchChat({fetchLatest:!0})},5e3)}}),this.fetchChat({isFirstFetch:!0})},sendMessage:function(t){var e=this,n=t.status,i=t.media,o={id:this.currentChat.id,content:n};return i[0]&&(o.mediaId=i[0].id),this.backendInteractor.sendChatMessage(o).then(function(t){return e.$store.dispatch("addChatMessages",{chatId:e.currentChat.id,messages:[t]}).then(function(){e.$nextTick(function(){e.handleResize(),setTimeout(function(){e.updateScrollableContainerHeight()},100),e.scrollDown({forceRead:!0})})}),t}).catch(function(t){return console.error("Error sending message",t),{error:e.$t("chats.error_sending_message")}})},goBack:function(){this.$router.push({name:"chats",params:{username:this.currentUser.screen_name}})}}};var Ii=function(t){n(467)},Ei=Object(dn.a)(Ti,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"chat-view"},[n("div",{staticClass:"chat-view-inner"},[n("div",{ref:"inner",staticClass:"panel-default panel chat-view-body",attrs:{id:"nav"}},[n("div",{ref:"header",staticClass:"panel-heading chat-view-heading mobile-hidden"},[n("a",{staticClass:"go-back-button",on:{click:t.goBack}},[n("i",{staticClass:"button-icon icon-left-open"})]),t._v(" "),n("div",{staticClass:"title text-center"},[n("ChatTitle",{attrs:{user:t.recipient,"with-avatar":!0}})],1)]),t._v(" "),[n("div",{ref:"scrollable",staticClass:"scrollable-message-list",style:{height:t.scrollableContainerHeight},on:{scroll:t.handleScroll}},[t.errorLoadingChat?n("div",{staticClass:"chat-loading-error"},[n("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.$t("chats.error_loading_chat"))+"\n ")])]):t._l(t.chatViewItems,function(e){return n("ChatMessage",{key:e.id,attrs:{author:t.recipient,"chat-view-item":e,"hovered-message-chain":e.messageChainId===t.hoveredMessageChainId},on:{hover:t.onMessageHover}})})],2),t._v(" "),n("div",{ref:"footer",staticClass:"panel-body footer"},[n("div",{staticClass:"jump-to-bottom-button",class:{visible:t.jumpToBottomButtonVisible},on:{click:function(e){return t.scrollDown({behavior:"smooth"})}}},[n("i",{staticClass:"icon-down-open"},[t.newMessageCount?n("div",{staticClass:"badge badge-notification unread-chat-count unread-message-count"},[t._v("\n "+t._s(t.newMessageCount)+"\n ")]):t._e()])]),t._v(" "),n("PostStatusForm",{attrs:{"disable-subject":!0,"disable-scope-selector":!0,"disable-notice":!0,"disable-lock-warning":!0,"disable-polls":!0,"disable-sensitivity-checkbox":!0,"disable-submit":t.errorLoadingChat||!t.currentChat,"disable-preview":!0,"post-handler":t.sendMessage,"submit-on-enter":!t.mobileLayout,"preserve-focus":!t.mobileLayout,"auto-focus":!t.mobileLayout,placeholder:t.formPlaceholder,"file-limit":1,"max-height":"160","emoji-picker-placement":"top"},on:{resize:t.handleResize}})],1)]],2)])])},[],!1,Ii,null,null).exports,Mi=n(113),Ui=n(109),Fi={props:["user","noFollowsYou"],components:{BasicUserCard:ai.a,RemoteFollow:Mi.a,FollowButton:Ui.a},computed:{isMe:function(){return this.$store.state.users.currentUser.id===this.user.id},loggedIn:function(){return this.$store.state.users.currentUser},relationship:function(){return this.$store.getters.relationship(this.user.id)}}};var Di=function(t){n(473)},Li=Object(dn.a)(Fi,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("basic-user-card",{attrs:{user:t.user}},[n("div",{staticClass:"follow-card-content-container"},[t.isMe||!t.noFollowsYou&&t.relationship.followed_by?n("span",{staticClass:"faint"},[t._v("\n "+t._s(t.isMe?t.$t("user_card.its_you"):t.$t("user_card.follows_you"))+"\n ")]):t._e(),t._v(" "),t.loggedIn?t.isMe?t._e():[n("FollowButton",{staticClass:"follow-card-follow-button",attrs:{relationship:t.relationship,"label-following":t.$t("user_card.follow_unfollow")}})]:[t.relationship.following?t._e():n("div",{staticClass:"follow-card-follow-button"},[n("RemoteFollow",{attrs:{user:t.user}})],1)]],2)])},[],!1,Di,null,null).exports,Ni=n(141),Ri=n(190),Ai=n.n(Ri),Bi=n(191),zi=n.n(Bi),Hi=n(192);n(476);function qi(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function Wi(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?qi(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):qi(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var Vi=function(t){var e=t.fetch,n=t.select,i=t.destroy,o=t.childPropName,r=void 0===o?"entries":o,a=t.additionalPropNames,c=void 0===a?[]:a;return function(t){var o=Object.keys(Object(Hi.a)(t)).filter(function(t){return t!==r}).concat(c);return s.a.component("withLoadMore",{props:o,data:function(){return{loading:!1,bottomedOut:!1,error:!1}},computed:{entries:function(){return n(this.$props,this.$store)||[]}},created:function(){window.addEventListener("scroll",this.scrollLoad),0===this.entries.length&&this.fetchEntries()},destroyed:function(){window.removeEventListener("scroll",this.scrollLoad),i&&i(this.$props,this.$store)},methods:{fetchEntries:function(){var t=this;this.loading||(this.loading=!0,this.error=!1,e(this.$props,this.$store).then(function(e){t.loading=!1,t.bottomedOut=zi()(e)}).catch(function(){t.loading=!1,t.error=!0}))},scrollLoad:function(t){var e=document.body.getBoundingClientRect(),n=Math.max(e.height,-e.y);!1===this.loading&&!1===this.bottomedOut&&this.$el.offsetHeight>0&&window.innerHeight+window.pageYOffset>=n-750&&this.fetchEntries()}},render:function(e){var n={props:Wi({},this.$props,h()({},r,this.entries)),on:this.$listeners,scopedSlots:this.$scopedSlots},i=Object.entries(this.$slots).map(function(t){var n=g()(t,2),i=n[0],o=n[1];return e("template",{slot:i},o)});return e("div",{class:"with-load-more"},[e(t,Ai()([{},n]),[i]),e("div",{class:"with-load-more-footer"},[this.error&&e("a",{on:{click:this.fetchEntries},class:"alert error"},[this.$t("general.generic_error")]),!this.error&&this.loading&&e("i",{class:"icon-spin3 animate-spin"}),!this.error&&!this.loading&&!this.bottomedOut&&e("a",{on:{click:this.fetchEntries}},[this.$t("general.more")])])])}})}},Gi=Vi({fetch:function(t,e){return e.dispatch("fetchFollowers",t.userId)},select:function(t,e){return Ie()(e.getters.findUser(t.userId),"followerIds",[]).map(function(t){return e.getters.findUser(t)})},destroy:function(t,e){return e.dispatch("clearFollowers",t.userId)},childPropName:"items",additionalPropNames:["userId"]})(pi.a),Ki=Vi({fetch:function(t,e){return e.dispatch("fetchFriends",t.userId)},select:function(t,e){return Ie()(e.getters.findUser(t.userId),"friendIds",[]).map(function(t){return e.getters.findUser(t)})},destroy:function(t,e){return e.dispatch("clearFriends",t.userId)},childPropName:"items",additionalPropNames:["userId"]})(pi.a),Yi={data:function(){return{error:!1,userId:null,tab:"statuses"}},created:function(){var t=this.$route.params;this.load(t.name||t.id),this.tab=Ie()(this.$route,"query.tab","statuses")},destroyed:function(){this.stopFetching()},computed:{timeline:function(){return this.$store.state.statuses.timelines.user},favorites:function(){return this.$store.state.statuses.timelines.favorites},media:function(){return this.$store.state.statuses.timelines.media},isUs:function(){return this.userId&&this.$store.state.users.currentUser.id&&this.userId===this.$store.state.users.currentUser.id},user:function(){return this.$store.getters.findUser(this.userId)},isExternal:function(){return"external-user-profile"===this.$route.name},followsTabVisible:function(){return this.isUs||!this.user.hide_follows},followersTabVisible:function(){return this.isUs||!this.user.hide_followers}},methods:{load:function(t){var e=this,n=function(t,n){n!==e.$store.state.statuses.timelines[t].userId&&e.$store.commit("clearTimeline",{timeline:t}),e.$store.dispatch("startFetchingTimeline",{timeline:t,userId:n})},i=function(t){e.userId=t,n("user",t),n("media",t),e.isUs&&n("favorites",t),e.$store.dispatch("fetchPinnedStatuses",t)};this.userId=null,this.error=!1;var o=this.$store.getters.findUser(t);o?i(o.id):this.$store.dispatch("fetchUser",t).then(function(t){var e=t.id;return i(e)}).catch(function(t){var n=Ie()(t,"error.error");e.error="No user with such user_id"===n?e.$t("user_profile.profile_does_not_exist"):n||e.$t("user_profile.profile_loading_error")})},stopFetching:function(){this.$store.dispatch("stopFetchingTimeline","user"),this.$store.dispatch("stopFetchingTimeline","favorites"),this.$store.dispatch("stopFetchingTimeline","media")},switchUser:function(t){this.stopFetching(),this.load(t)},onTabSwitch:function(t){this.tab=t,this.$router.replace({query:{tab:t}})},linkClicked:function(t){var e=t.target;"SPAN"===e.tagName&&(e=e.parentNode),"A"===e.tagName&&window.open(e.href,"_blank")}},watch:{"$route.params.id":function(t){t&&this.switchUser(t)},"$route.params.name":function(t){t&&this.switchUser(t)},"$route.query":function(t){this.tab=t.tab||"statuses"}},components:{UserCard:Dn.a,Timeline:xn,FollowerList:Gi,FriendList:Ki,FollowCard:Li,TabSwitcher:Ni.a,Conversation:fn}};var Ji=function(t){n(471)},Xi=Object(dn.a)(Yi,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",[t.user?n("div",{staticClass:"user-profile panel panel-default"},[n("UserCard",{attrs:{"user-id":t.userId,switcher:!0,selected:t.timeline.viewing,"allow-zooming-avatar":!0,rounded:"top"}}),t._v(" "),t.user.fields_html&&t.user.fields_html.length>0?n("div",{staticClass:"user-profile-fields"},t._l(t.user.fields_html,function(e,i){return n("dl",{key:i,staticClass:"user-profile-field"},[n("dt",{staticClass:"user-profile-field-name",attrs:{title:t.user.fields_text[i].name},on:{click:function(e){return e.preventDefault(),t.linkClicked(e)}}},[t._v("\n "+t._s(e.name)+"\n ")]),t._v(" "),n("dd",{staticClass:"user-profile-field-value",attrs:{title:t.user.fields_text[i].value},domProps:{innerHTML:t._s(e.value)},on:{click:function(e){return e.preventDefault(),t.linkClicked(e)}}})])}),0):t._e(),t._v(" "),n("tab-switcher",{attrs:{"active-tab":t.tab,"render-only-focused":!0,"on-switch":t.onTabSwitch}},[n("Timeline",{key:"statuses",attrs:{label:t.$t("user_card.statuses"),count:t.user.statuses_count,embedded:!0,title:t.$t("user_profile.timeline_title"),timeline:t.timeline,"timeline-name":"user","user-id":t.userId,"pinned-status-ids":t.user.pinnedStatusIds,"in-profile":!0}}),t._v(" "),t.followsTabVisible?n("div",{key:"followees",attrs:{label:t.$t("user_card.followees"),disabled:!t.user.friends_count}},[n("FriendList",{attrs:{"user-id":t.userId},scopedSlots:t._u([{key:"item",fn:function(t){var e=t.item;return[n("FollowCard",{attrs:{user:e}})]}}],null,!1,676117295)})],1):t._e(),t._v(" "),t.followersTabVisible?n("div",{key:"followers",attrs:{label:t.$t("user_card.followers"),disabled:!t.user.followers_count}},[n("FollowerList",{attrs:{"user-id":t.userId},scopedSlots:t._u([{key:"item",fn:function(e){var i=e.item;return[n("FollowCard",{attrs:{user:i,"no-follows-you":t.isUs}})]}}],null,!1,3839341157)})],1):t._e(),t._v(" "),n("Timeline",{key:"media",attrs:{label:t.$t("user_card.media"),disabled:!t.media.visibleStatuses.length,embedded:!0,title:t.$t("user_card.media"),"timeline-name":"media",timeline:t.media,"user-id":t.userId,"in-profile":!0}}),t._v(" "),t.isUs?n("Timeline",{key:"favorites",attrs:{label:t.$t("user_card.favorites"),disabled:!t.favorites.visibleStatuses.length,embedded:!0,title:t.$t("user_card.favorites"),"timeline-name":"favorites",timeline:t.favorites,"in-profile":!0}}):t._e()],1)],1):n("div",{staticClass:"panel user-profile-placeholder"},[n("div",{staticClass:"panel-heading"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("settings.profile_tab"))+"\n ")])]),t._v(" "),n("div",{staticClass:"panel-body"},[t.error?n("span",[t._v(t._s(t.error))]):n("i",{staticClass:"icon-spin3 animate-spin"})])])])},[],!1,Ji,null,null).exports,Qi={components:{FollowCard:Li,Conversation:fn,Status:sn.default},props:["query"],data:function(){return{loaded:!1,loading:!1,searchTerm:this.query||"",userIds:[],statuses:[],hashtags:[],currenResultTab:"statuses"}},computed:{users:function(){var t=this;return this.userIds.map(function(e){return t.$store.getters.findUser(e)})},visibleStatuses:function(){var t=this.$store.state.statuses.allStatusesObject;return this.statuses.filter(function(e){return t[e.id]&&!t[e.id].deleted})}},mounted:function(){this.search(this.query)},watch:{query:function(t){this.searchTerm=t,this.search(t)}},methods:{newQuery:function(t){this.$router.push({name:"search",query:{query:t}}),this.$refs.searchInput.focus()},search:function(t){var e=this;t?(this.loading=!0,this.userIds=[],this.statuses=[],this.hashtags=[],this.$refs.searchInput.blur(),this.$store.dispatch("search",{q:t,resolve:!0}).then(function(t){e.loading=!1,e.userIds=pt()(t.accounts,"id"),e.statuses=t.statuses,e.hashtags=t.hashtags,e.currenResultTab=e.getActiveTab(),e.loaded=!0})):this.loading=!1},resultCount:function(t){var e=this[t].length;return 0===e?"":" (".concat(e,")")},onResultTabSwitch:function(t){this.currenResultTab=t},getActiveTab:function(){return this.visibleStatuses.length>0?"statuses":this.users.length>0?"people":this.hashtags.length>0?"hashtags":"statuses"},lastHistoryRecord:function(t){return t.history&&t.history[0]}}};var Zi=function(t){n(477)},to=Object(dn.a)(Qi,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"panel panel-default"},[n("div",{staticClass:"panel-heading"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("nav.search"))+"\n ")])]),t._v(" "),n("div",{staticClass:"search-input-container"},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.searchTerm,expression:"searchTerm"}],ref:"searchInput",staticClass:"search-input",attrs:{placeholder:t.$t("nav.search")},domProps:{value:t.searchTerm},on:{keyup:function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:t.newQuery(t.searchTerm)},input:function(e){e.target.composing||(t.searchTerm=e.target.value)}}}),t._v(" "),n("button",{staticClass:"btn search-button",on:{click:function(e){return t.newQuery(t.searchTerm)}}},[n("i",{staticClass:"icon-search"})])]),t._v(" "),t.loading?n("div",{staticClass:"text-center loading-icon"},[n("i",{staticClass:"icon-spin3 animate-spin"})]):t.loaded?n("div",[n("div",{staticClass:"search-nav-heading"},[n("tab-switcher",{ref:"tabSwitcher",attrs:{"on-switch":t.onResultTabSwitch,"active-tab":t.currenResultTab}},[n("span",{key:"statuses",attrs:{label:t.$t("user_card.statuses")+t.resultCount("visibleStatuses")}}),t._v(" "),n("span",{key:"people",attrs:{label:t.$t("search.people")+t.resultCount("users")}}),t._v(" "),n("span",{key:"hashtags",attrs:{label:t.$t("search.hashtags")+t.resultCount("hashtags")}})])],1)]):t._e(),t._v(" "),n("div",{staticClass:"panel-body"},["statuses"===t.currenResultTab?n("div",[0===t.visibleStatuses.length&&!t.loading&&t.loaded?n("div",{staticClass:"search-result-heading"},[n("h4",[t._v(t._s(t.$t("search.no_results")))])]):t._e(),t._v(" "),t._l(t.visibleStatuses,function(t){return n("Status",{key:t.id,staticClass:"search-result",attrs:{collapsable:!1,expandable:!1,compact:!1,statusoid:t,"no-heading":!1}})})],2):"people"===t.currenResultTab?n("div",[0===t.users.length&&!t.loading&&t.loaded?n("div",{staticClass:"search-result-heading"},[n("h4",[t._v(t._s(t.$t("search.no_results")))])]):t._e(),t._v(" "),t._l(t.users,function(t){return n("FollowCard",{key:t.id,staticClass:"list-item search-result",attrs:{user:t}})})],2):"hashtags"===t.currenResultTab?n("div",[0===t.hashtags.length&&!t.loading&&t.loaded?n("div",{staticClass:"search-result-heading"},[n("h4",[t._v(t._s(t.$t("search.no_results")))])]):t._e(),t._v(" "),t._l(t.hashtags,function(e){return n("div",{key:e.url,staticClass:"status trend search-result"},[n("div",{staticClass:"hashtag"},[n("router-link",{attrs:{to:{name:"tag-timeline",params:{tag:e.name}}}},[t._v("\n #"+t._s(e.name)+"\n ")]),t._v(" "),t.lastHistoryRecord(e)?n("div",[1==t.lastHistoryRecord(e).accounts?n("span",[t._v("\n "+t._s(t.$t("search.person_talking",{count:t.lastHistoryRecord(e).accounts}))+"\n ")]):n("span",[t._v("\n "+t._s(t.$t("search.people_talking",{count:t.lastHistoryRecord(e).accounts}))+"\n ")])]):t._e()],1),t._v(" "),t.lastHistoryRecord(e)?n("div",{staticClass:"count"},[t._v("\n "+t._s(t.lastHistoryRecord(e).uses)+"\n ")]):t._e()])})],2):t._e()]),t._v(" "),n("div",{staticClass:"search-result-footer text-center panel-footer faint"})])},[],!1,Zi,null,null).exports,eo=n(220),no=n(53);function io(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function oo(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?io(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):io(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var ro={mixins:[eo.validationMixin],data:function(){return{user:{email:"",fullname:"",username:"",password:"",confirm:""},captcha:{}}},validations:function(){var t=this;return{user:{email:{required:Object(no.requiredIf)(function(){return t.accountActivationRequired})},username:{required:no.required},fullname:{required:no.required},password:{required:no.required},confirm:{required:no.required,sameAsPassword:Object(no.sameAs)("password")}}}},created:function(){(!this.registrationOpen&&!this.token||this.signedIn)&&this.$router.push({name:"root"}),this.setCaptcha()},computed:oo({token:function(){return this.$route.params.token},bioPlaceholder:function(){return this.$t("registration.bio_placeholder").replace(/\s*\n\s*/g," \n")}},Object(c.e)({registrationOpen:function(t){return t.instance.registrationOpen},signedIn:function(t){return!!t.users.currentUser},isPending:function(t){return t.users.signUpPending},serverValidationErrors:function(t){return t.users.signUpErrors},termsOfService:function(t){return t.instance.tos},accountActivationRequired:function(t){return t.instance.accountActivationRequired}})),methods:oo({},Object(c.b)(["signUp","getCaptcha"]),{submit:function(){return o.a.async(function(t){for(;;)switch(t.prev=t.next){case 0:if(this.user.nickname=this.user.username,this.user.token=this.token,this.user.captcha_solution=this.captcha.solution,this.user.captcha_token=this.captcha.token,this.user.captcha_answer_data=this.captcha.answer_data,this.$v.$touch(),this.$v.$invalid){t.next=17;break}return t.prev=7,t.next=10,o.a.awrap(this.signUp(this.user));case 10:this.$router.push({name:"friends"}),t.next=17;break;case 13:t.prev=13,t.t0=t.catch(7),console.warn("Registration failed: ",t.t0),this.setCaptcha();case 17:case"end":return t.stop()}},null,this,[[7,13]])},setCaptcha:function(){var t=this;this.getCaptcha().then(function(e){t.captcha=e})}})};var so=function(t){n(479)},ao=Object(dn.a)(ro,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"settings panel panel-default"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("registration.registration"))+"\n ")]),t._v(" "),n("div",{staticClass:"panel-body"},[n("form",{staticClass:"registration-form",on:{submit:function(e){return e.preventDefault(),t.submit(t.user)}}},[n("div",{staticClass:"container"},[n("div",{staticClass:"text-fields"},[n("div",{staticClass:"form-group",class:{"form-group--error":t.$v.user.username.$error}},[n("label",{staticClass:"form--label",attrs:{for:"sign-up-username"}},[t._v(t._s(t.$t("login.username")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model.trim",value:t.$v.user.username.$model,expression:"$v.user.username.$model",modifiers:{trim:!0}}],staticClass:"form-control",attrs:{id:"sign-up-username",disabled:t.isPending,placeholder:t.$t("registration.username_placeholder")},domProps:{value:t.$v.user.username.$model},on:{input:function(e){e.target.composing||t.$set(t.$v.user.username,"$model",e.target.value.trim())},blur:function(e){return t.$forceUpdate()}}})]),t._v(" "),t.$v.user.username.$dirty?n("div",{staticClass:"form-error"},[n("ul",[t.$v.user.username.required?t._e():n("li",[n("span",[t._v(t._s(t.$t("registration.validations.username_required")))])])])]):t._e(),t._v(" "),n("div",{staticClass:"form-group",class:{"form-group--error":t.$v.user.fullname.$error}},[n("label",{staticClass:"form--label",attrs:{for:"sign-up-fullname"}},[t._v(t._s(t.$t("registration.fullname")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model.trim",value:t.$v.user.fullname.$model,expression:"$v.user.fullname.$model",modifiers:{trim:!0}}],staticClass:"form-control",attrs:{id:"sign-up-fullname",disabled:t.isPending,placeholder:t.$t("registration.fullname_placeholder")},domProps:{value:t.$v.user.fullname.$model},on:{input:function(e){e.target.composing||t.$set(t.$v.user.fullname,"$model",e.target.value.trim())},blur:function(e){return t.$forceUpdate()}}})]),t._v(" "),t.$v.user.fullname.$dirty?n("div",{staticClass:"form-error"},[n("ul",[t.$v.user.fullname.required?t._e():n("li",[n("span",[t._v(t._s(t.$t("registration.validations.fullname_required")))])])])]):t._e(),t._v(" "),n("div",{staticClass:"form-group",class:{"form-group--error":t.$v.user.email.$error}},[n("label",{staticClass:"form--label",attrs:{for:"email"}},[t._v(t._s(t.$t("registration.email")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.$v.user.email.$model,expression:"$v.user.email.$model"}],staticClass:"form-control",attrs:{id:"email",disabled:t.isPending,type:"email"},domProps:{value:t.$v.user.email.$model},on:{input:function(e){e.target.composing||t.$set(t.$v.user.email,"$model",e.target.value)}}})]),t._v(" "),t.$v.user.email.$dirty?n("div",{staticClass:"form-error"},[n("ul",[t.$v.user.email.required?t._e():n("li",[n("span",[t._v(t._s(t.$t("registration.validations.email_required")))])])])]):t._e(),t._v(" "),n("div",{staticClass:"form-group"},[n("label",{staticClass:"form--label",attrs:{for:"bio"}},[t._v(t._s(t.$t("registration.bio"))+" ("+t._s(t.$t("general.optional"))+")")]),t._v(" "),n("textarea",{directives:[{name:"model",rawName:"v-model",value:t.user.bio,expression:"user.bio"}],staticClass:"form-control",attrs:{id:"bio",disabled:t.isPending,placeholder:t.bioPlaceholder},domProps:{value:t.user.bio},on:{input:function(e){e.target.composing||t.$set(t.user,"bio",e.target.value)}}})]),t._v(" "),n("div",{staticClass:"form-group",class:{"form-group--error":t.$v.user.password.$error}},[n("label",{staticClass:"form--label",attrs:{for:"sign-up-password"}},[t._v(t._s(t.$t("login.password")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.user.password,expression:"user.password"}],staticClass:"form-control",attrs:{id:"sign-up-password",disabled:t.isPending,type:"password"},domProps:{value:t.user.password},on:{input:function(e){e.target.composing||t.$set(t.user,"password",e.target.value)}}})]),t._v(" "),t.$v.user.password.$dirty?n("div",{staticClass:"form-error"},[n("ul",[t.$v.user.password.required?t._e():n("li",[n("span",[t._v(t._s(t.$t("registration.validations.password_required")))])])])]):t._e(),t._v(" "),n("div",{staticClass:"form-group",class:{"form-group--error":t.$v.user.confirm.$error}},[n("label",{staticClass:"form--label",attrs:{for:"sign-up-password-confirmation"}},[t._v(t._s(t.$t("registration.password_confirm")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.user.confirm,expression:"user.confirm"}],staticClass:"form-control",attrs:{id:"sign-up-password-confirmation",disabled:t.isPending,type:"password"},domProps:{value:t.user.confirm},on:{input:function(e){e.target.composing||t.$set(t.user,"confirm",e.target.value)}}})]),t._v(" "),t.$v.user.confirm.$dirty?n("div",{staticClass:"form-error"},[n("ul",[t.$v.user.confirm.required?t._e():n("li",[n("span",[t._v(t._s(t.$t("registration.validations.password_confirmation_required")))])]),t._v(" "),t.$v.user.confirm.sameAsPassword?t._e():n("li",[n("span",[t._v(t._s(t.$t("registration.validations.password_confirmation_match")))])])])]):t._e(),t._v(" "),"none"!=t.captcha.type?n("div",{staticClass:"form-group",attrs:{id:"captcha-group"}},[n("label",{staticClass:"form--label",attrs:{for:"captcha-label"}},[t._v(t._s(t.$t("registration.captcha")))]),t._v(" "),["kocaptcha","native"].includes(t.captcha.type)?[n("img",{attrs:{src:t.captcha.url},on:{click:t.setCaptcha}}),t._v(" "),n("sub",[t._v(t._s(t.$t("registration.new_captcha")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.captcha.solution,expression:"captcha.solution"}],staticClass:"form-control",attrs:{id:"captcha-answer",disabled:t.isPending,type:"text",autocomplete:"off",autocorrect:"off",autocapitalize:"off",spellcheck:"false"},domProps:{value:t.captcha.solution},on:{input:function(e){e.target.composing||t.$set(t.captcha,"solution",e.target.value)}}})]:t._e()],2):t._e(),t._v(" "),t.token?n("div",{staticClass:"form-group"},[n("label",{attrs:{for:"token"}},[t._v(t._s(t.$t("registration.token")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.token,expression:"token"}],staticClass:"form-control",attrs:{id:"token",disabled:"true",type:"text"},domProps:{value:t.token},on:{input:function(e){e.target.composing||(t.token=e.target.value)}}})]):t._e(),t._v(" "),n("div",{staticClass:"form-group"},[n("button",{staticClass:"btn btn-default",attrs:{disabled:t.isPending,type:"submit"}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")])])]),t._v(" "),n("div",{staticClass:"terms-of-service",domProps:{innerHTML:t._s(t.termsOfService)}})]),t._v(" "),t.serverValidationErrors.length?n("div",{staticClass:"form-group"},[n("div",{staticClass:"alert error"},t._l(t.serverValidationErrors,function(e){return n("span",{key:e},[t._v(t._s(e))])}),0)]):t._e()])])])},[],!1,so,null,null).exports,co=function(t){var e=t.instance,n={email:t.email},i=Pt()(n,function(t,e,n){var i="".concat(n,"=").concat(encodeURIComponent(e));return"".concat(t,"&").concat(i)},""),o="".concat(e).concat("/auth/password","?").concat(i);return window.fetch(o,{method:"POST"})};function lo(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var uo={data:function(){return{user:{email:""},isPending:!1,success:!1,throttled:!1,error:null}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?lo(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):lo(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},Object(c.e)({signedIn:function(t){return!!t.users.currentUser},instance:function(t){return t.instance}}),{mailerEnabled:function(){return this.instance.mailerEnabled}}),created:function(){this.signedIn&&this.$router.push({name:"root"})},props:{passwordResetRequested:{default:!1,type:Boolean}},methods:{dismissError:function(){this.error=null},submit:function(){var t=this;this.isPending=!0;var e=this.user.email,n=this.instance.server;co({instance:n,email:e}).then(function(e){var n=e.status;t.isPending=!1,t.user.email="",204===n?(t.success=!0,t.error=null):429===n&&(t.throttled=!0,t.error=t.$t("password_reset.too_many_requests"))}).catch(function(){t.isPending=!1,t.user.email="",t.error=t.$t("general.generic_error")})}}};var po=function(t){n(505)},fo=Object(dn.a)(uo,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"settings panel panel-default"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("password_reset.password_reset"))+"\n ")]),t._v(" "),n("div",{staticClass:"panel-body"},[n("form",{staticClass:"password-reset-form",on:{submit:function(e){return e.preventDefault(),t.submit(e)}}},[n("div",{staticClass:"container"},[t.mailerEnabled?t.success||t.throttled?n("div",[t.success?n("p",[t._v("\n "+t._s(t.$t("password_reset.check_email"))+"\n ")]):t._e(),t._v(" "),n("div",{staticClass:"form-group text-center"},[n("router-link",{attrs:{to:{name:"root"}}},[t._v("\n "+t._s(t.$t("password_reset.return_home"))+"\n ")])],1)]):n("div",[t.passwordResetRequested?n("p",{staticClass:"password-reset-required error"},[t._v("\n "+t._s(t.$t("password_reset.password_reset_required"))+"\n ")]):t._e(),t._v(" "),n("p",[t._v("\n "+t._s(t.$t("password_reset.instruction"))+"\n ")]),t._v(" "),n("div",{staticClass:"form-group"},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.user.email,expression:"user.email"}],ref:"email",staticClass:"form-control",attrs:{disabled:t.isPending,placeholder:t.$t("password_reset.placeholder"),type:"input"},domProps:{value:t.user.email},on:{input:function(e){e.target.composing||t.$set(t.user,"email",e.target.value)}}})]),t._v(" "),n("div",{staticClass:"form-group"},[n("button",{staticClass:"btn btn-default btn-block",attrs:{disabled:t.isPending,type:"submit"}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")])])]):n("div",[t.passwordResetRequested?n("p",[t._v("\n "+t._s(t.$t("password_reset.password_reset_required_but_mailer_is_disabled"))+"\n ")]):n("p",[t._v("\n "+t._s(t.$t("password_reset.password_reset_disabled"))+"\n ")])]),t._v(" "),t.error?n("p",{staticClass:"alert error notice-dismissible"},[n("span",[t._v(t._s(t.error))]),t._v(" "),n("a",{staticClass:"button-icon dismiss",on:{click:function(e){return e.preventDefault(),t.dismissError()}}},[n("i",{staticClass:"icon-cancel"})])]):t._e()])])])])},[],!1,po,null,null).exports,ho={props:["user"],components:{BasicUserCard:ai.a},methods:{findFollowRequestNotificationId:function(){var t=this,e=Object(G.d)(this.$store).find(function(e){return e.from_profile.id===t.user.id&&"follow_request"===e.type});return e&&e.id},approveUser:function(){this.$store.state.api.backendInteractor.approveUser({id:this.user.id}),this.$store.dispatch("removeFollowRequest",this.user);var t=this.findFollowRequestNotificationId();this.$store.dispatch("markSingleNotificationAsSeen",{id:t}),this.$store.dispatch("updateNotification",{id:t,updater:function(t){t.type="follow"}})},denyUser:function(){var t=this,e=this.findFollowRequestNotificationId();this.$store.state.api.backendInteractor.denyUser({id:this.user.id}).then(function(){t.$store.dispatch("dismissNotificationLocal",{id:e}),t.$store.dispatch("removeFollowRequest",t.user)})}}};var mo=function(t){n(507)},go={components:{FollowRequestCard:Object(dn.a)(ho,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("basic-user-card",{attrs:{user:t.user}},[n("div",{staticClass:"follow-request-card-content-container"},[n("button",{staticClass:"btn btn-default",on:{click:t.approveUser}},[t._v("\n "+t._s(t.$t("user_card.approve"))+"\n ")]),t._v(" "),n("button",{staticClass:"btn btn-default",on:{click:t.denyUser}},[t._v("\n "+t._s(t.$t("user_card.deny"))+"\n ")])])])},[],!1,mo,null,null).exports},computed:{requests:function(){return this.$store.state.api.followRequests}}},vo=Object(dn.a)(go,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"settings panel panel-default"},[e("div",{staticClass:"panel-heading"},[this._v("\n "+this._s(this.$t("nav.friend_requests"))+"\n ")]),this._v(" "),e("div",{staticClass:"panel-body"},this._l(this.requests,function(t){return e("FollowRequestCard",{key:t.id,staticClass:"list-item",attrs:{user:t}})}),1)])},[],!1,null,null,null).exports,bo={props:["code"],mounted:function(){var t=this;if(this.code){var e=this.$store.state.oauth,n=e.clientId,i=e.clientSecret;Et.getToken({clientId:n,clientSecret:i,instance:this.$store.state.instance.server,code:this.code}).then(function(e){t.$store.commit("setToken",e.access_token),t.$store.dispatch("loginUser",e.access_token),t.$router.push({name:"friends"})})}}},wo=Object(dn.a)(bo,function(){var t=this.$createElement;return(this._self._c||t)("h1",[this._v("...")])},[],!1,null,null,null).exports;function _o(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function xo(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?_o(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):_o(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var yo={data:function(){return{user:{},error:!1}},computed:xo({isPasswordAuth:function(){return this.requiredPassword},isTokenAuth:function(){return this.requiredToken}},Object(c.e)({registrationOpen:function(t){return t.instance.registrationOpen},instance:function(t){return t.instance},loggingIn:function(t){return t.users.loggingIn},oauth:function(t){return t.oauth}}),{},Object(c.c)("authFlow",["requiredPassword","requiredToken","requiredMFA"])),methods:xo({},Object(c.d)("authFlow",["requireMFA"]),{},Object(c.b)({login:"authFlow/login"}),{submit:function(){this.isTokenAuth?this.submitToken():this.submitPassword()},submitToken:function(){var t=this.oauth,e={clientId:t.clientId,clientSecret:t.clientSecret,instance:this.instance.server,commit:this.$store.commit};Et.getOrCreateApp(e).then(function(t){Et.login(xo({},t,{},e))})},submitPassword:function(){var t=this,e={clientId:this.oauth.clientId,oauth:this.oauth,instance:this.instance.server,commit:this.$store.commit};this.error=!1,Et.getOrCreateApp(e).then(function(n){Et.getTokenWithCredentials(xo({},n,{instance:e.instance,username:t.user.username,password:t.user.password})).then(function(e){e.error?"mfa_required"===e.error?t.requireMFA({settings:e}):"password_reset_required"===e.identifier?t.$router.push({name:"password-reset",params:{passwordResetRequested:!0}}):(t.error=e.error,t.focusOnPasswordInput()):t.login(e).then(function(){t.$router.push({name:"friends"})})})})},clearError:function(){this.error=!1},focusOnPasswordInput:function(){var t=this.$refs.passwordInput;t.focus(),t.setSelectionRange(0,t.value.length)}})};var ko=function(t){n(509)},Co=Object(dn.a)(yo,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"login panel panel-default"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("login.login"))+"\n ")]),t._v(" "),n("div",{staticClass:"panel-body"},[n("form",{staticClass:"login-form",on:{submit:function(e){return e.preventDefault(),t.submit(e)}}},[t.isPasswordAuth?[n("div",{staticClass:"form-group"},[n("label",{attrs:{for:"username"}},[t._v(t._s(t.$t("login.username")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.user.username,expression:"user.username"}],staticClass:"form-control",attrs:{id:"username",disabled:t.loggingIn,placeholder:t.$t("login.placeholder")},domProps:{value:t.user.username},on:{input:function(e){e.target.composing||t.$set(t.user,"username",e.target.value)}}})]),t._v(" "),n("div",{staticClass:"form-group"},[n("label",{attrs:{for:"password"}},[t._v(t._s(t.$t("login.password")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.user.password,expression:"user.password"}],ref:"passwordInput",staticClass:"form-control",attrs:{id:"password",disabled:t.loggingIn,type:"password"},domProps:{value:t.user.password},on:{input:function(e){e.target.composing||t.$set(t.user,"password",e.target.value)}}})]),t._v(" "),n("div",{staticClass:"form-group"},[n("router-link",{attrs:{to:{name:"password-reset"}}},[t._v("\n "+t._s(t.$t("password_reset.forgot_password"))+"\n ")])],1)]:t._e(),t._v(" "),t.isTokenAuth?n("div",{staticClass:"form-group"},[n("p",[t._v(t._s(t.$t("login.description")))])]):t._e(),t._v(" "),n("div",{staticClass:"form-group"},[n("div",{staticClass:"login-bottom"},[n("div",[t.registrationOpen?n("router-link",{staticClass:"register",attrs:{to:{name:"registration"}}},[t._v("\n "+t._s(t.$t("login.register"))+"\n ")]):t._e()],1),t._v(" "),n("button",{staticClass:"btn btn-default",attrs:{disabled:t.loggingIn,type:"submit"}},[t._v("\n "+t._s(t.$t("login.login"))+"\n ")])])])],2)]),t._v(" "),t.error?n("div",{staticClass:"form-group"},[n("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.error)+"\n "),n("i",{staticClass:"button-icon icon-cancel",on:{click:t.clearError}})])]):t._e()])},[],!1,ko,null,null).exports,So={verifyOTPCode:function(t){var e=t.clientId,n=t.clientSecret,i=t.instance,o=t.mfaToken,r=t.code,s="".concat(i,"/oauth/mfa/challenge"),a=new window.FormData;return a.append("client_id",e),a.append("client_secret",n),a.append("mfa_token",o),a.append("code",r),a.append("challenge_type","totp"),window.fetch(s,{method:"POST",body:a}).then(function(t){return t.json()})},verifyRecoveryCode:function(t){var e=t.clientId,n=t.clientSecret,i=t.instance,o=t.mfaToken,r=t.code,s="".concat(i,"/oauth/mfa/challenge"),a=new window.FormData;return a.append("client_id",e),a.append("client_secret",n),a.append("mfa_token",o),a.append("code",r),a.append("challenge_type","recovery"),window.fetch(s,{method:"POST",body:a}).then(function(t){return t.json()})}};function jo(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function Oo(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?jo(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):jo(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var Po={data:function(){return{code:null,error:!1}},computed:Oo({},Object(c.c)({authSettings:"authFlow/settings"}),{},Object(c.e)({instance:"instance",oauth:"oauth"})),methods:Oo({},Object(c.d)("authFlow",["requireTOTP","abortMFA"]),{},Object(c.b)({login:"authFlow/login"}),{clearError:function(){this.error=!1},submit:function(){var t=this,e=this.oauth,n={clientId:e.clientId,clientSecret:e.clientSecret,instance:this.instance.server,mfaToken:this.authSettings.mfa_token,code:this.code};So.verifyRecoveryCode(n).then(function(e){if(e.error)return t.error=e.error,void(t.code=null);t.login(e).then(function(){t.$router.push({name:"friends"})})})}})},$o=Object(dn.a)(Po,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"login panel panel-default"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("login.heading.recovery"))+"\n ")]),t._v(" "),n("div",{staticClass:"panel-body"},[n("form",{staticClass:"login-form",on:{submit:function(e){return e.preventDefault(),t.submit(e)}}},[n("div",{staticClass:"form-group"},[n("label",{attrs:{for:"code"}},[t._v(t._s(t.$t("login.recovery_code")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.code,expression:"code"}],staticClass:"form-control",attrs:{id:"code"},domProps:{value:t.code},on:{input:function(e){e.target.composing||(t.code=e.target.value)}}})]),t._v(" "),n("div",{staticClass:"form-group"},[n("div",{staticClass:"login-bottom"},[n("div",[n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.requireTOTP(e)}}},[t._v("\n "+t._s(t.$t("login.enter_two_factor_code"))+"\n ")]),t._v(" "),n("br"),t._v(" "),n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.abortMFA(e)}}},[t._v("\n "+t._s(t.$t("general.cancel"))+"\n ")])]),t._v(" "),n("button",{staticClass:"btn btn-default",attrs:{type:"submit"}},[t._v("\n "+t._s(t.$t("general.verify"))+"\n ")])])])])]),t._v(" "),t.error?n("div",{staticClass:"form-group"},[n("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.error)+"\n "),n("i",{staticClass:"button-icon icon-cancel",on:{click:t.clearError}})])]):t._e()])},[],!1,null,null,null).exports;function To(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function Io(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?To(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):To(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var Eo={data:function(){return{code:null,error:!1}},computed:Io({},Object(c.c)({authSettings:"authFlow/settings"}),{},Object(c.e)({instance:"instance",oauth:"oauth"})),methods:Io({},Object(c.d)("authFlow",["requireRecovery","abortMFA"]),{},Object(c.b)({login:"authFlow/login"}),{clearError:function(){this.error=!1},submit:function(){var t=this,e=this.oauth,n={clientId:e.clientId,clientSecret:e.clientSecret,instance:this.instance.server,mfaToken:this.authSettings.mfa_token,code:this.code};So.verifyOTPCode(n).then(function(e){if(e.error)return t.error=e.error,void(t.code=null);t.login(e).then(function(){t.$router.push({name:"friends"})})})}})},Mo=Object(dn.a)(Eo,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"login panel panel-default"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("login.heading.totp"))+"\n ")]),t._v(" "),n("div",{staticClass:"panel-body"},[n("form",{staticClass:"login-form",on:{submit:function(e){return e.preventDefault(),t.submit(e)}}},[n("div",{staticClass:"form-group"},[n("label",{attrs:{for:"code"}},[t._v("\n "+t._s(t.$t("login.authentication_code"))+"\n ")]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.code,expression:"code"}],staticClass:"form-control",attrs:{id:"code"},domProps:{value:t.code},on:{input:function(e){e.target.composing||(t.code=e.target.value)}}})]),t._v(" "),n("div",{staticClass:"form-group"},[n("div",{staticClass:"login-bottom"},[n("div",[n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.requireRecovery(e)}}},[t._v("\n "+t._s(t.$t("login.enter_recovery_code"))+"\n ")]),t._v(" "),n("br"),t._v(" "),n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.abortMFA(e)}}},[t._v("\n "+t._s(t.$t("general.cancel"))+"\n ")])]),t._v(" "),n("button",{staticClass:"btn btn-default",attrs:{type:"submit"}},[t._v("\n "+t._s(t.$t("general.verify"))+"\n ")])])])])]),t._v(" "),t.error?n("div",{staticClass:"form-group"},[n("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.error)+"\n "),n("i",{staticClass:"button-icon icon-cancel",on:{click:t.clearError}})])]):t._e()])},[],!1,null,null,null).exports;function Uo(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var Fo={name:"AuthForm",render:function(t){return t("component",{is:this.authForm})},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Uo(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Uo(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({authForm:function(){return this.requiredTOTP?"MFATOTPForm":this.requiredRecovery?"MFARecoveryForm":"LoginForm"}},Object(c.c)("authFlow",["requiredTOTP","requiredRecovery"])),components:{MFARecoveryForm:$o,MFATOTPForm:Mo,LoginForm:Co}},Do={props:["floating"],data:function(){return{currentMessage:"",channel:null,collapsed:!0}},computed:{messages:function(){return this.$store.state.chat.messages}},methods:{submit:function(t){this.$store.state.chat.channel.push("new_msg",{text:t},1e4),this.currentMessage=""},togglePanel:function(){this.collapsed=!this.collapsed},userProfileLink:function(t){return Object(Rn.a)(t.id,t.username,this.$store.state.instance.restrictedNicknames)}}};var Lo=function(t){n(511)},No=Object(dn.a)(Do,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.collapsed&&t.floating?n("div",{staticClass:"chat-panel"},[n("div",{staticClass:"panel panel-default"},[n("div",{staticClass:"panel-heading stub timeline-heading chat-heading",on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.togglePanel(e)}}},[n("div",{staticClass:"title"},[n("i",{staticClass:"icon-comment-empty"}),t._v("\n "+t._s(t.$t("shoutbox.title"))+"\n ")])])])]):n("div",{staticClass:"chat-panel"},[n("div",{staticClass:"panel panel-default"},[n("div",{staticClass:"panel-heading timeline-heading",class:{"chat-heading":t.floating},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.togglePanel(e)}}},[n("div",{staticClass:"title"},[n("span",[t._v(t._s(t.$t("shoutbox.title")))]),t._v(" "),t.floating?n("i",{staticClass:"icon-cancel"}):t._e()])]),t._v(" "),n("div",{directives:[{name:"chat-scroll",rawName:"v-chat-scroll"}],staticClass:"chat-window"},t._l(t.messages,function(e){return n("div",{key:e.id,staticClass:"chat-message"},[n("span",{staticClass:"chat-avatar"},[n("img",{attrs:{src:e.author.avatar}})]),t._v(" "),n("div",{staticClass:"chat-content"},[n("router-link",{staticClass:"chat-name",attrs:{to:t.userProfileLink(e.author)}},[t._v("\n "+t._s(e.author.username)+"\n ")]),t._v(" "),n("br"),t._v(" "),n("span",{staticClass:"chat-text"},[t._v("\n "+t._s(e.text)+"\n ")])],1)])}),0),t._v(" "),n("div",{staticClass:"chat-input"},[n("textarea",{directives:[{name:"model",rawName:"v-model",value:t.currentMessage,expression:"currentMessage"}],staticClass:"chat-input-textarea",attrs:{rows:"1"},domProps:{value:t.currentMessage},on:{keyup:function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:t.submit(t.currentMessage)},input:function(e){e.target.composing||(t.currentMessage=e.target.value)}}})])])])},[],!1,Lo,null,null).exports,Ro={components:{FollowCard:Li},data:function(){return{users:[]}},mounted:function(){this.getWhoToFollow()},methods:{showWhoToFollow:function(t){var e=this;t.forEach(function(t,n){e.$store.state.api.backendInteractor.fetchUser({id:t.acct}).then(function(t){t.error||(e.$store.commit("addNewUsers",[t]),e.users.push(t))})})},getWhoToFollow:function(){var t=this,e=this.$store.state.users.currentUser.credentials;e&&w.c.suggestions({credentials:e}).then(function(e){t.showWhoToFollow(e)})}}};var Ao=function(t){n(513)},Bo=Object(dn.a)(Ro,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"panel panel-default"},[e("div",{staticClass:"panel-heading"},[this._v("\n "+this._s(this.$t("who_to_follow.who_to_follow"))+"\n ")]),this._v(" "),e("div",{staticClass:"panel-body"},this._l(this.users,function(t){return e("FollowCard",{key:t.id,staticClass:"list-item",attrs:{user:t}})}),1)])},[],!1,Ao,null,null).exports,zo={computed:{instanceSpecificPanelContent:function(){return this.$store.state.instance.instanceSpecificPanelContent}}},Ho=Object(dn.a)(zo,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"instance-specific-panel"},[e("div",{staticClass:"panel panel-default"},[e("div",{staticClass:"panel-body"},[e("div",{domProps:{innerHTML:this._s(this.instanceSpecificPanelContent)}})])])])},[],!1,null,null,null).exports,qo={computed:{chat:function(){return this.$store.state.instance.chatAvailable},pleromaChatMessages:function(){return this.$store.state.instance.pleromaChatMessagesAvailable},gopher:function(){return this.$store.state.instance.gopherAvailable},whoToFollow:function(){return this.$store.state.instance.suggestionsEnabled},mediaProxy:function(){return this.$store.state.instance.mediaProxyAvailable},minimalScopesMode:function(){return this.$store.state.instance.minimalScopesMode},textlimit:function(){return this.$store.state.instance.textlimit}}};var Wo=function(t){n(517)},Vo=Object(dn.a)(qo,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"features-panel"},[n("div",{staticClass:"panel panel-default base01-background"},[n("div",{staticClass:"panel-heading timeline-heading base02-background base04"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("features_panel.title"))+"\n ")])]),t._v(" "),n("div",{staticClass:"panel-body features-panel"},[n("ul",[t.chat?n("li",[t._v("\n "+t._s(t.$t("features_panel.chat"))+"\n ")]):t._e(),t._v(" "),t.pleromaChatMessages?n("li",[t._v("\n "+t._s(t.$t("features_panel.pleroma_chat_messages"))+"\n ")]):t._e(),t._v(" "),t.gopher?n("li",[t._v("\n "+t._s(t.$t("features_panel.gopher"))+"\n ")]):t._e(),t._v(" "),t.whoToFollow?n("li",[t._v("\n "+t._s(t.$t("features_panel.who_to_follow"))+"\n ")]):t._e(),t._v(" "),t.mediaProxy?n("li",[t._v("\n "+t._s(t.$t("features_panel.media_proxy"))+"\n ")]):t._e(),t._v(" "),n("li",[t._v(t._s(t.$t("features_panel.scope_options")))]),t._v(" "),n("li",[t._v(t._s(t.$t("features_panel.text_limit"))+" = "+t._s(t.textlimit))])])])])])},[],!1,Wo,null,null).exports,Go={computed:{content:function(){return this.$store.state.instance.tos}}};var Ko=function(t){n(519)},Yo=Object(dn.a)(Go,function(){var t=this.$createElement,e=this._self._c||t;return e("div",[e("div",{staticClass:"panel panel-default"},[e("div",{staticClass:"panel-body"},[e("div",{staticClass:"tos-content",domProps:{innerHTML:this._s(this.content)}})])])])},[],!1,Ko,null,null).exports,Jo={created:function(){var t=this;this.$store.state.instance.staffAccounts.forEach(function(e){return t.$store.dispatch("fetchUserIfMissing",e)})},components:{BasicUserCard:ai.a},computed:{staffAccounts:function(){var t=this;return pt()(this.$store.state.instance.staffAccounts,function(e){return t.$store.getters.findUser(e)}).filter(function(t){return t})}}};var Xo=function(t){n(521)},Qo=Object(dn.a)(Jo,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"staff-panel"},[e("div",{staticClass:"panel panel-default base01-background"},[e("div",{staticClass:"panel-heading timeline-heading base02-background"},[e("div",{staticClass:"title"},[this._v("\n "+this._s(this.$t("about.staff"))+"\n ")])]),this._v(" "),e("div",{staticClass:"panel-body"},this._l(this.staffAccounts,function(t){return e("basic-user-card",{key:t.screen_name,attrs:{user:t}})}),1)])])},[],!1,Xo,null,null).exports;function Zo(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var tr={computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Zo(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Zo(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},Object(c.e)({federationPolicy:function(t){return Ie()(t,"instance.federationPolicy")},mrfPolicies:function(t){return Ie()(t,"instance.federationPolicy.mrf_policies",[])},quarantineInstances:function(t){return Ie()(t,"instance.federationPolicy.quarantined_instances",[])},acceptInstances:function(t){return Ie()(t,"instance.federationPolicy.mrf_simple.accept",[])},rejectInstances:function(t){return Ie()(t,"instance.federationPolicy.mrf_simple.reject",[])},ftlRemovalInstances:function(t){return Ie()(t,"instance.federationPolicy.mrf_simple.federated_timeline_removal",[])},mediaNsfwInstances:function(t){return Ie()(t,"instance.federationPolicy.mrf_simple.media_nsfw",[])},mediaRemovalInstances:function(t){return Ie()(t,"instance.federationPolicy.mrf_simple.media_removal",[])},keywordsFtlRemoval:function(t){return Ie()(t,"instance.federationPolicy.mrf_keyword.federated_timeline_removal",[])},keywordsReject:function(t){return Ie()(t,"instance.federationPolicy.mrf_keyword.reject",[])},keywordsReplace:function(t){return Ie()(t,"instance.federationPolicy.mrf_keyword.replace",[])}}),{hasInstanceSpecificPolicies:function(){return this.quarantineInstances.length||this.acceptInstances.length||this.rejectInstances.length||this.ftlRemovalInstances.length||this.mediaNsfwInstances.length||this.mediaRemovalInstances.length},hasKeywordPolicies:function(){return this.keywordsFtlRemoval.length||this.keywordsReject.length||this.keywordsReplace.length}})};var er=function(t){n(523)},nr={components:{InstanceSpecificPanel:Ho,FeaturesPanel:Vo,TermsOfServicePanel:Yo,StaffPanel:Qo,MRFTransparencyPanel:Object(dn.a)(tr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.federationPolicy?n("div",{staticClass:"mrf-transparency-panel"},[n("div",{staticClass:"panel panel-default base01-background"},[n("div",{staticClass:"panel-heading timeline-heading base02-background"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("about.mrf.federation"))+"\n ")])]),t._v(" "),n("div",{staticClass:"panel-body"},[n("div",{staticClass:"mrf-section"},[n("h2",[t._v(t._s(t.$t("about.mrf.mrf_policies")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.mrf_policies_desc")))]),t._v(" "),n("ul",t._l(t.mrfPolicies,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0),t._v(" "),t.hasInstanceSpecificPolicies?n("h2",[t._v("\n "+t._s(t.$t("about.mrf.simple.simple_policies"))+"\n ")]):t._e(),t._v(" "),t.acceptInstances.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.simple.accept")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.simple.accept_desc")))]),t._v(" "),n("ul",t._l(t.acceptInstances,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.rejectInstances.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.simple.reject")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.simple.reject_desc")))]),t._v(" "),n("ul",t._l(t.rejectInstances,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.quarantineInstances.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.simple.quarantine")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.simple.quarantine_desc")))]),t._v(" "),n("ul",t._l(t.quarantineInstances,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.ftlRemovalInstances.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.simple.ftl_removal")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.simple.ftl_removal_desc")))]),t._v(" "),n("ul",t._l(t.ftlRemovalInstances,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.mediaNsfwInstances.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.simple.media_nsfw")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.simple.media_nsfw_desc")))]),t._v(" "),n("ul",t._l(t.mediaNsfwInstances,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.mediaRemovalInstances.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.simple.media_removal")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.simple.media_removal_desc")))]),t._v(" "),n("ul",t._l(t.mediaRemovalInstances,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.hasKeywordPolicies?n("h2",[t._v("\n "+t._s(t.$t("about.mrf.keyword.keyword_policies"))+"\n ")]):t._e(),t._v(" "),t.keywordsFtlRemoval.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.keyword.ftl_removal")))]),t._v(" "),n("ul",t._l(t.keywordsFtlRemoval,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.keywordsReject.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.keyword.reject")))]),t._v(" "),n("ul",t._l(t.keywordsReject,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.keywordsReplace.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.keyword.replace")))]),t._v(" "),n("ul",t._l(t.keywordsReplace,function(e){return n("li",{key:e},[t._v("\n "+t._s(e.pattern)+"\n "+t._s(t.$t("about.mrf.keyword.is_replaced_by"))+"\n "+t._s(e.replacement)+"\n ")])}),0)]):t._e()])])])]):t._e()},[],!1,er,null,null).exports},computed:{showFeaturesPanel:function(){return this.$store.state.instance.showFeaturesPanel},showInstanceSpecificPanel:function(){return this.$store.state.instance.showInstanceSpecificPanel&&!this.$store.getters.mergedConfig.hideISP&&this.$store.state.instance.instanceSpecificPanelContent}}};var ir=function(t){n(515)},or=Object(dn.a)(nr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"sidebar"},[t.showInstanceSpecificPanel?n("instance-specific-panel"):t._e(),t._v(" "),n("staff-panel"),t._v(" "),n("terms-of-service-panel"),t._v(" "),n("MRFTransparencyPanel"),t._v(" "),t.showFeaturesPanel?n("features-panel"):t._e()],1)},[],!1,ir,null,null).exports,rr={data:function(){return{error:!1}},mounted:function(){this.redirect()},methods:{redirect:function(){var t=this,e=this.$route.params.username+"@"+this.$route.params.hostname;this.$store.state.api.backendInteractor.fetchUser({id:e}).then(function(e){if(e.error)t.error=!0;else{t.$store.commit("addNewUsers",[e]);var n=e.id;t.$router.replace({name:"external-user-profile",params:{id:n}})}}).catch(function(){t.error=!0})}}};var sr=function(t){n(525)},ar=Object(dn.a)(rr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"panel panel-default"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("remote_user_resolver.remote_user_resolver"))+"\n ")]),t._v(" "),n("div",{staticClass:"panel-body"},[n("p",[t._v("\n "+t._s(t.$t("remote_user_resolver.searching_for"))+" @"+t._s(t.$route.params.username)+"@"+t._s(t.$route.params.hostname)+"\n ")]),t._v(" "),t.error?n("p",[t._v("\n "+t._s(t.$t("remote_user_resolver.error"))+"\n ")]):t._e()])])},[],!1,sr,null,null).exports,cr=function(t){var e=function(e,n,i){t.state.users.currentUser?i():i(t.state.instance.redirectRootNoLogin||"/main/all")},n=[{name:"root",path:"/",redirect:function(e){return(t.state.users.currentUser?t.state.instance.redirectRootLogin:t.state.instance.redirectRootNoLogin)||"/main/all"}},{name:"public-external-timeline",path:"/main/all",component:Sn},{name:"public-timeline",path:"/main/public",component:kn},{name:"friends",path:"/main/friends",component:On,beforeEnter:e},{name:"tag-timeline",path:"/tag/:tag",component:$n},{name:"bookmarks",path:"/bookmarks",component:In},{name:"conversation",path:"/notice/:id",component:Mn,meta:{dontScroll:!0}},{name:"remote-user-profile-acct",path:"/remote-users/(@?):username([^/@]+)@:hostname([^/@]+)",component:ar,beforeEnter:e},{name:"remote-user-profile",path:"/remote-users/:hostname/:username",component:ar,beforeEnter:e},{name:"external-user-profile",path:"/users/:id",component:Xi},{name:"interactions",path:"/users/:username/interactions",component:Jn,beforeEnter:e},{name:"dms",path:"/users/:username/dms",component:Qn,beforeEnter:e},{name:"registration",path:"/registration",component:ao},{name:"password-reset",path:"/password-reset",component:fo,props:!0},{name:"registration-token",path:"/registration/:token",component:ao},{name:"friend-requests",path:"/friend-requests",component:vo,beforeEnter:e},{name:"notifications",path:"/:username/notifications",component:Gn,beforeEnter:e},{name:"login",path:"/login",component:Fo},{name:"chat-panel",path:"/chat-panel",component:No,props:function(){return{floating:!1}}},{name:"oauth-callback",path:"/oauth-callback",component:wo,props:function(t){return{code:t.query.code}}},{name:"search",path:"/search",component:to,props:function(t){return{query:t.query.query}}},{name:"who-to-follow",path:"/who-to-follow",component:Bo,beforeEnter:e},{name:"about",path:"/about",component:or},{name:"user-profile",path:"/(users/)?:name",component:Xi}];return t.state.instance.pleromaChatMessagesAvailable&&(n=n.concat([{name:"chat",path:"/users/:username/chats/:recipient_id",component:Ei,meta:{dontScroll:!1},beforeEnter:e},{name:"chats",path:"/users/:username/chats",component:gi,meta:{dontScroll:!1},beforeEnter:e}])),n};function lr(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var ur={computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?lr(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):lr(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({signedIn:function(){return this.user}},Object(c.e)({user:function(t){return t.users.currentUser}})),components:{AuthForm:Fo,PostStatusForm:ji.a,UserCard:Dn.a}};var dr=function(t){n(529)},pr=Object(dn.a)(ur,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"user-panel"},[this.signedIn?e("div",{key:"user-panel",staticClass:"panel panel-default signed-in"},[e("UserCard",{attrs:{"user-id":this.user.id,"hide-bio":!0,rounded:"top"}}),this._v(" "),e("PostStatusForm")],1):e("auth-form",{key:"user-panel"})],1)},[],!1,dr,null,null).exports;function fr(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}hn.default,function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?fr(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):fr(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}}({},Object(c.e)({currentUser:function(t){return t.users.currentUser},privateMode:function(t){return t.instance.private},federating:function(t){return t.instance.federating}}));function hr(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var mr={created:function(){this.currentUser&&this.currentUser.locked&&this.$store.dispatch("startFetchingFollowRequests")},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?hr(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):hr(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({onTimelineRoute:function(){return!!{friends:"nav.timeline",bookmarks:"nav.bookmarks",dms:"nav.dms","public-timeline":"nav.public_tl","public-external-timeline":"nav.twkn","tag-timeline":"tag"}[this.$route.name]},timelinesRoute:function(){return this.$store.state.interface.lastTimeline?this.$store.state.interface.lastTimeline:this.currentUser?"friends":"public-timeline"}},Object(c.e)({currentUser:function(t){return t.users.currentUser},followRequestCount:function(t){return t.api.followRequests.length},privateMode:function(t){return t.instance.private},federating:function(t){return t.instance.federating},pleromaChatMessagesAvailable:function(t){return t.instance.pleromaChatMessagesAvailable}}),{},Object(c.c)(["unreadChatCount"]))};var gr=function(t){n(531)},vr=Object(dn.a)(mr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"nav-panel"},[n("div",{staticClass:"panel panel-default"},[n("ul",[t.currentUser||!t.privateMode?n("li",[n("router-link",{class:t.onTimelineRoute&&"router-link-active",attrs:{to:{name:t.timelinesRoute}}},[n("i",{staticClass:"button-icon icon-home-2"}),t._v(" "+t._s(t.$t("nav.timelines"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser?n("li",[n("router-link",{attrs:{to:{name:"interactions",params:{username:t.currentUser.screen_name}}}},[n("i",{staticClass:"button-icon icon-bell-alt"}),t._v(" "+t._s(t.$t("nav.interactions"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser&&t.pleromaChatMessagesAvailable?n("li",[n("router-link",{attrs:{to:{name:"chats",params:{username:t.currentUser.screen_name}}}},[t.unreadChatCount?n("div",{staticClass:"badge badge-notification unread-chat-count"},[t._v("\n "+t._s(t.unreadChatCount)+"\n ")]):t._e(),t._v(" "),n("i",{staticClass:"button-icon icon-chat"}),t._v(" "+t._s(t.$t("nav.chats"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser&&t.currentUser.locked?n("li",[n("router-link",{attrs:{to:{name:"friend-requests"}}},[n("i",{staticClass:"button-icon icon-user-plus"}),t._v(" "+t._s(t.$t("nav.friend_requests"))+"\n "),t.followRequestCount>0?n("span",{staticClass:"badge follow-request-count"},[t._v("\n "+t._s(t.followRequestCount)+"\n ")]):t._e()])],1):t._e(),t._v(" "),n("li",[n("router-link",{attrs:{to:{name:"about"}}},[n("i",{staticClass:"button-icon icon-info-circled"}),t._v(" "+t._s(t.$t("nav.about"))+"\n ")])],1)])])])},[],!1,gr,null,null).exports,br={data:function(){return{searchTerm:void 0,hidden:!0,error:!1,loading:!1}},watch:{$route:function(t){"search"===t.name&&(this.searchTerm=t.query.query)}},methods:{find:function(t){this.$router.push({name:"search",query:{query:t}}),this.$refs.searchInput.focus()},toggleHidden:function(){var t=this;this.hidden=!this.hidden,this.$emit("toggled",this.hidden),this.$nextTick(function(){t.hidden||t.$refs.searchInput.focus()})}}};var wr=function(t){n(533)},_r=Object(dn.a)(br,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",[n("div",{staticClass:"search-bar-container"},[t.loading?n("i",{staticClass:"icon-spin4 finder-icon animate-spin-slow"}):t._e(),t._v(" "),t.hidden?n("a",{attrs:{href:"#",title:t.$t("nav.search")}},[n("i",{staticClass:"button-icon icon-search",on:{click:function(e){return e.preventDefault(),e.stopPropagation(),t.toggleHidden(e)}}})]):[n("input",{directives:[{name:"model",rawName:"v-model",value:t.searchTerm,expression:"searchTerm"}],ref:"searchInput",staticClass:"search-bar-input",attrs:{id:"search-bar-input",placeholder:t.$t("nav.search"),type:"text"},domProps:{value:t.searchTerm},on:{keyup:function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:t.find(t.searchTerm)},input:function(e){e.target.composing||(t.searchTerm=e.target.value)}}}),t._v(" "),n("button",{staticClass:"btn search-button",on:{click:function(e){return t.find(t.searchTerm)}}},[n("i",{staticClass:"icon-search"})]),t._v(" "),n("i",{staticClass:"button-icon icon-cancel",on:{click:function(e){return e.preventDefault(),e.stopPropagation(),t.toggleHidden(e)}}})]],2)])},[],!1,wr,null,null).exports,xr=n(221),yr=n.n(xr);function kr(t){var e=t.$store.state.users.currentUser.credentials;e&&(t.usersToFollow.forEach(function(t){t.name="Loading..."}),w.c.suggestions({credentials:e}).then(function(e){!function(t,e){var n=this,i=yr()(e);t.usersToFollow.forEach(function(e,o){var r=i[o],s=r.avatar||n.$store.state.instance.defaultAvatar,a=r.acct;e.img=s,e.name=a,t.$store.state.api.backendInteractor.fetchUser({id:a}).then(function(n){n.error||(t.$store.commit("addNewUsers",[n]),e.id=n.id)})})}(t,e)}))}var Cr={data:function(){return{usersToFollow:[]}},computed:{user:function(){return this.$store.state.users.currentUser.screen_name},suggestionsEnabled:function(){return this.$store.state.instance.suggestionsEnabled}},methods:{userProfileLink:function(t,e){return Object(Rn.a)(t,e,this.$store.state.instance.restrictedNicknames)}},watch:{user:function(t,e){this.suggestionsEnabled&&kr(this)}},mounted:function(){var t=this;this.usersToFollow=new Array(3).fill().map(function(e){return{img:t.$store.state.instance.defaultAvatar,name:"",id:0}}),this.suggestionsEnabled&&kr(this)}};var Sr=function(t){n(535)},jr=Object(dn.a)(Cr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"who-to-follow-panel"},[n("div",{staticClass:"panel panel-default base01-background"},[n("div",{staticClass:"panel-heading timeline-heading base02-background base04"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("who_to_follow.who_to_follow"))+"\n ")])]),t._v(" "),n("div",{staticClass:"who-to-follow"},[t._l(t.usersToFollow,function(e){return n("p",{key:e.id,staticClass:"who-to-follow-items"},[n("img",{attrs:{src:e.img}}),t._v(" "),n("router-link",{attrs:{to:t.userProfileLink(e.id,e.name)}},[t._v("\n "+t._s(e.name)+"\n ")]),n("br")],1)}),t._v(" "),n("p",{staticClass:"who-to-follow-more"},[n("router-link",{attrs:{to:{name:"who-to-follow"}}},[t._v("\n "+t._s(t.$t("who_to_follow.more"))+"\n ")])],1)],2)])])},[],!1,Sr,null,null).exports,Or={props:{isOpen:{type:Boolean,default:!0},noBackground:{type:Boolean,default:!1}},computed:{classes:function(){return{"modal-background":!this.noBackground,open:this.isOpen}}}};var Pr=function(t){n(542)},$r=Object(dn.a)(Or,function(){var t=this,e=t.$createElement;return(t._self._c||e)("div",{directives:[{name:"show",rawName:"v-show",value:t.isOpen,expression:"isOpen"},{name:"body-scroll-lock",rawName:"v-body-scroll-lock",value:t.isOpen&&!t.noBackground,expression:"isOpen && !noBackground"}],staticClass:"modal-view",class:t.classes,on:{click:function(e){return e.target!==e.currentTarget?null:t.$emit("backdropClicked")}}},[t._t("default")],2)},[],!1,Pr,null,null).exports;var Tr=function(t){n(544)};var Ir=function(t){n(546)};function Er(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var Mr={components:{Modal:$r,SettingsModalContent:function(t,e){var n=function(){return function(){return function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Er(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Er(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({component:t()},e)}},i=s.a.observable({c:n()});return{functional:!0,render:function(t,e){var o=e.data,r=e.children;return o.on={},o.on.resetAsyncComponent=function(){i.c=n()},t(i.c,o,r)}}}(function(){return Promise.all([n.e(3),n.e(2)]).then(n.bind(null,641))},{loading:Object(dn.a)(null,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"panel-loading"},[e("span",{staticClass:"loading-text"},[e("i",{staticClass:"icon-spin4 animate-spin"}),this._v("\n "+this._s(this.$t("general.loading"))+"\n ")])])},[],!1,Tr,null,null).exports,error:Object(dn.a)({methods:{retry:function(){this.$emit("resetAsyncComponent")}}},function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"async-component-error"},[n("div",[n("h4",[t._v("\n "+t._s(t.$t("general.generic_error"))+"\n ")]),t._v(" "),n("p",[t._v("\n "+t._s(t.$t("general.error_retry"))+"\n ")]),t._v(" "),n("button",{staticClass:"btn",on:{click:t.retry}},[t._v("\n "+t._s(t.$t("general.retry"))+"\n ")])])])},[],!1,Ir,null,null).exports,delay:0})},methods:{closeModal:function(){this.$store.dispatch("closeSettingsModal")},peekModal:function(){this.$store.dispatch("togglePeekSettingsModal")}},computed:{currentSaveStateNotice:function(){return this.$store.state.interface.settings.currentSaveStateNotice},modalActivated:function(){return"hidden"!==this.$store.state.interface.settingsModalState},modalOpenedOnce:function(){return this.$store.state.interface.settingsModalLoaded},modalPeeked:function(){return"minimized"===this.$store.state.interface.settingsModalState}}};var Ur=function(t){n(540)},Fr=Object(dn.a)(Mr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("Modal",{staticClass:"settings-modal",class:{peek:t.modalPeeked},attrs:{"is-open":t.modalActivated,"no-background":t.modalPeeked}},[n("div",{staticClass:"settings-modal-panel panel"},[n("div",{staticClass:"panel-heading"},[n("span",{staticClass:"title"},[t._v("\n "+t._s(t.$t("settings.settings"))+"\n ")]),t._v(" "),n("transition",{attrs:{name:"fade"}},[t.currentSaveStateNotice?[t.currentSaveStateNotice.error?n("div",{staticClass:"alert error",on:{click:function(t){t.preventDefault()}}},[t._v("\n "+t._s(t.$t("settings.saving_err"))+"\n ")]):t._e(),t._v(" "),t.currentSaveStateNotice.error?t._e():n("div",{staticClass:"alert transparent",on:{click:function(t){t.preventDefault()}}},[t._v("\n "+t._s(t.$t("settings.saving_ok"))+"\n ")])]:t._e()],2),t._v(" "),n("button",{staticClass:"btn",on:{click:t.peekModal}},[t._v("\n "+t._s(t.$t("general.peek"))+"\n ")]),t._v(" "),n("button",{staticClass:"btn",on:{click:t.closeModal}},[t._v("\n "+t._s(t.$t("general.close"))+"\n ")])],1),t._v(" "),n("div",{staticClass:"panel-body"},[t.modalOpenedOnce?n("SettingsModalContent"):t._e()],1)])])},[],!1,Ur,null,null).exports,Dr=n(62),Lr=n(110),Nr=function(t){return[t.touches[0].screenX,t.touches[0].screenY]},Rr=function(t){return Math.sqrt(t[0]*t[0]+t[1]*t[1])},Ar=function(t,e){return t[0]*e[0]+t[1]*e[1]},Br=function(t,e){var n=Ar(t,e)/Ar(e,e);return[n*e[0],n*e[1]]},zr={DIRECTION_LEFT:[-1,0],DIRECTION_RIGHT:[1,0],DIRECTION_UP:[0,-1],DIRECTION_DOWN:[0,1],swipeGesture:function(t,e){return{direction:t,onSwipe:e,threshold:arguments.length>2&&void 0!==arguments[2]?arguments[2]:30,perpendicularTolerance:arguments.length>3&&void 0!==arguments[3]?arguments[3]:1,_startPos:[0,0],_swiping:!1}},beginSwipe:function(t,e){e._startPos=Nr(t),e._swiping=!0},updateSwipe:function(t,e){if(e._swiping){var n,i,o=(n=e._startPos,[(i=Nr(t))[0]-n[0],i[1]-n[1]]);if(!(Rr(o)<e.threshold||Ar(o,e.direction)<0)){var r,s=Br(o,e.direction),a=[(r=e.direction)[1],-r[0]],c=Br(o,a);Rr(s)*e.perpendicularTolerance<Rr(c)||(e.onSwipe(),e._swiping=!1)}}}},Hr={components:{StillImage:Dr.a,VideoAttachment:Lr.a,Modal:$r},computed:{showing:function(){return this.$store.state.mediaViewer.activated},media:function(){return this.$store.state.mediaViewer.media},currentIndex:function(){return this.$store.state.mediaViewer.currentIndex},currentMedia:function(){return this.media[this.currentIndex]},canNavigate:function(){return this.media.length>1},type:function(){return this.currentMedia?ie.a.fileType(this.currentMedia.mimetype):null}},created:function(){this.mediaSwipeGestureRight=zr.swipeGesture(zr.DIRECTION_RIGHT,this.goPrev,50),this.mediaSwipeGestureLeft=zr.swipeGesture(zr.DIRECTION_LEFT,this.goNext,50)},methods:{mediaTouchStart:function(t){zr.beginSwipe(t,this.mediaSwipeGestureRight),zr.beginSwipe(t,this.mediaSwipeGestureLeft)},mediaTouchMove:function(t){zr.updateSwipe(t,this.mediaSwipeGestureRight),zr.updateSwipe(t,this.mediaSwipeGestureLeft)},hide:function(){this.$store.dispatch("closeMediaViewer")},goPrev:function(){if(this.canNavigate){var t=0===this.currentIndex?this.media.length-1:this.currentIndex-1;this.$store.dispatch("setCurrent",this.media[t])}},goNext:function(){if(this.canNavigate){var t=this.currentIndex===this.media.length-1?0:this.currentIndex+1;this.$store.dispatch("setCurrent",this.media[t])}},handleKeyupEvent:function(t){this.showing&&27===t.keyCode&&this.hide()},handleKeydownEvent:function(t){this.showing&&(39===t.keyCode?this.goNext():37===t.keyCode&&this.goPrev())}},mounted:function(){window.addEventListener("popstate",this.hide),document.addEventListener("keyup",this.handleKeyupEvent),document.addEventListener("keydown",this.handleKeydownEvent)},destroyed:function(){window.removeEventListener("popstate",this.hide),document.removeEventListener("keyup",this.handleKeyupEvent),document.removeEventListener("keydown",this.handleKeydownEvent)}};var qr=function(t){n(548)},Wr=Object(dn.a)(Hr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.showing?n("Modal",{staticClass:"media-modal-view",on:{backdropClicked:t.hide}},["image"===t.type?n("img",{staticClass:"modal-image",attrs:{src:t.currentMedia.url,alt:t.currentMedia.description,title:t.currentMedia.description},on:{touchstart:function(e){return e.stopPropagation(),t.mediaTouchStart(e)},touchmove:function(e){return e.stopPropagation(),t.mediaTouchMove(e)},click:t.hide}}):t._e(),t._v(" "),"video"===t.type?n("VideoAttachment",{staticClass:"modal-image",attrs:{attachment:t.currentMedia,controls:!0}}):t._e(),t._v(" "),"audio"===t.type?n("audio",{staticClass:"modal-image",attrs:{src:t.currentMedia.url,alt:t.currentMedia.description,title:t.currentMedia.description,controls:""}}):t._e(),t._v(" "),t.canNavigate?n("button",{staticClass:"modal-view-button-arrow modal-view-button-arrow--prev",attrs:{title:t.$t("media_modal.previous")},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.goPrev(e)}}},[n("i",{staticClass:"icon-left-open arrow-icon"})]):t._e(),t._v(" "),t.canNavigate?n("button",{staticClass:"modal-view-button-arrow modal-view-button-arrow--next",attrs:{title:t.$t("media_modal.next")},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.goNext(e)}}},[n("i",{staticClass:"icon-right-open arrow-icon"})]):t._e()],1):t._e()},[],!1,qr,null,null).exports;function Vr(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var Gr={props:["logout"],data:function(){return{closed:!0,closeGesture:void 0}},created:function(){this.closeGesture=zr.swipeGesture(zr.DIRECTION_LEFT,this.toggleDrawer),this.currentUser&&this.currentUser.locked&&this.$store.dispatch("startFetchingFollowRequests")},components:{UserCard:Dn.a},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Vr(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Vr(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({currentUser:function(){return this.$store.state.users.currentUser},chat:function(){return"joined"===this.$store.state.chat.channel.state},unseenNotifications:function(){return Object(G.e)(this.$store)},unseenNotificationsCount:function(){return this.unseenNotifications.length},suggestionsEnabled:function(){return this.$store.state.instance.suggestionsEnabled},logo:function(){return this.$store.state.instance.logo},hideSitename:function(){return this.$store.state.instance.hideSitename},sitename:function(){return this.$store.state.instance.name},followRequestCount:function(){return this.$store.state.api.followRequests.length},privateMode:function(){return this.$store.state.instance.private},federating:function(){return this.$store.state.instance.federating},timelinesRoute:function(){return this.$store.state.interface.lastTimeline?this.$store.state.interface.lastTimeline:this.currentUser?"friends":"public-timeline"}},Object(c.e)({pleromaChatMessagesAvailable:function(t){return t.instance.pleromaChatMessagesAvailable}}),{},Object(c.c)(["unreadChatCount"])),methods:{toggleDrawer:function(){this.closed=!this.closed},doLogout:function(){this.logout(),this.toggleDrawer()},touchStart:function(t){zr.beginSwipe(t,this.closeGesture)},touchMove:function(t){zr.updateSwipe(t,this.closeGesture)},openSettingsModal:function(){this.$store.dispatch("openSettingsModal")}}};var Kr=function(t){n(550)},Yr=Object(dn.a)(Gr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"side-drawer-container",class:{"side-drawer-container-closed":t.closed,"side-drawer-container-open":!t.closed}},[n("div",{staticClass:"side-drawer-darken",class:{"side-drawer-darken-closed":t.closed}}),t._v(" "),n("div",{staticClass:"side-drawer",class:{"side-drawer-closed":t.closed},on:{touchstart:t.touchStart,touchmove:t.touchMove}},[n("div",{staticClass:"side-drawer-heading",on:{click:t.toggleDrawer}},[t.currentUser?n("UserCard",{attrs:{"user-id":t.currentUser.id,"hide-bio":!0}}):n("div",{staticClass:"side-drawer-logo-wrapper"},[n("img",{attrs:{src:t.logo}}),t._v(" "),t.hideSitename?t._e():n("span",[t._v(t._s(t.sitename))])])],1),t._v(" "),n("ul",[t.currentUser?t._e():n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:"login"}}},[n("i",{staticClass:"button-icon icon-login"}),t._v(" "+t._s(t.$t("login.login"))+"\n ")])],1),t._v(" "),t.currentUser||!t.privateMode?n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:t.timelinesRoute}}},[n("i",{staticClass:"button-icon icon-home-2"}),t._v(" "+t._s(t.$t("nav.timelines"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser&&t.pleromaChatMessagesAvailable?n("li",{on:{click:t.toggleDrawer}},[n("router-link",{staticStyle:{position:"relative"},attrs:{to:{name:"chats",params:{username:t.currentUser.screen_name}}}},[n("i",{staticClass:"button-icon icon-chat"}),t._v(" "+t._s(t.$t("nav.chats"))+"\n "),t.unreadChatCount?n("span",{staticClass:"badge badge-notification unread-chat-count"},[t._v("\n "+t._s(t.unreadChatCount)+"\n ")]):t._e()])],1):t._e()]),t._v(" "),t.currentUser?n("ul",[n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:"interactions",params:{username:t.currentUser.screen_name}}}},[n("i",{staticClass:"button-icon icon-bell-alt"}),t._v(" "+t._s(t.$t("nav.interactions"))+"\n ")])],1),t._v(" "),t.currentUser.locked?n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:"/friend-requests"}},[n("i",{staticClass:"button-icon icon-user-plus"}),t._v(" "+t._s(t.$t("nav.friend_requests"))+"\n "),t.followRequestCount>0?n("span",{staticClass:"badge follow-request-count"},[t._v("\n "+t._s(t.followRequestCount)+"\n ")]):t._e()])],1):t._e(),t._v(" "),t.chat?n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:"chat"}}},[n("i",{staticClass:"button-icon icon-chat"}),t._v(" "+t._s(t.$t("nav.chat"))+"\n ")])],1):t._e()]):t._e(),t._v(" "),n("ul",[t.currentUser||!t.privateMode?n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:"search"}}},[n("i",{staticClass:"button-icon icon-search"}),t._v(" "+t._s(t.$t("nav.search"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser&&t.suggestionsEnabled?n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:"who-to-follow"}}},[n("i",{staticClass:"button-icon icon-user-plus"}),t._v(" "+t._s(t.$t("nav.who_to_follow"))+"\n ")])],1):t._e(),t._v(" "),n("li",{on:{click:t.toggleDrawer}},[n("a",{attrs:{href:"#"},on:{click:t.openSettingsModal}},[n("i",{staticClass:"button-icon icon-cog"}),t._v(" "+t._s(t.$t("settings.settings"))+"\n ")])]),t._v(" "),n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:"about"}}},[n("i",{staticClass:"button-icon icon-info-circled"}),t._v(" "+t._s(t.$t("nav.about"))+"\n ")])],1),t._v(" "),t.currentUser&&"admin"===t.currentUser.role?n("li",{on:{click:t.toggleDrawer}},[n("a",{attrs:{href:"/pleroma/admin/#/login-pleroma",target:"_blank"}},[n("i",{staticClass:"button-icon icon-gauge"}),t._v(" "+t._s(t.$t("nav.administration"))+"\n ")])]):t._e(),t._v(" "),t.currentUser?n("li",{on:{click:t.toggleDrawer}},[n("a",{attrs:{href:"#"},on:{click:t.doLogout}},[n("i",{staticClass:"button-icon icon-logout"}),t._v(" "+t._s(t.$t("login.logout"))+"\n ")])]):t._e()])]),t._v(" "),n("div",{staticClass:"side-drawer-click-outside",class:{"side-drawer-click-outside-closed":t.closed},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.toggleDrawer(e)}}})])},[],!1,Kr,null,null).exports,Jr=n(41),Xr=n.n(Jr),Qr=new Set(["chats","chat"]),Zr={data:function(){return{hidden:!1,scrollingDown:!1,inputActive:!1,oldScrollPos:0,amountScrolled:0}},created:function(){this.autohideFloatingPostButton&&this.activateFloatingPostButtonAutohide(),window.addEventListener("resize",this.handleOSK)},destroyed:function(){this.autohideFloatingPostButton&&this.deactivateFloatingPostButtonAutohide(),window.removeEventListener("resize",this.handleOSK)},computed:{isLoggedIn:function(){return!!this.$store.state.users.currentUser},isHidden:function(){return!!Qr.has(this.$route.name)||this.autohideFloatingPostButton&&(this.hidden||this.inputActive)},autohideFloatingPostButton:function(){return!!this.$store.getters.mergedConfig.autohideFloatingPostButton}},watch:{autohideFloatingPostButton:function(t){t?this.activateFloatingPostButtonAutohide():this.deactivateFloatingPostButtonAutohide()}},methods:{activateFloatingPostButtonAutohide:function(){window.addEventListener("scroll",this.handleScrollStart),window.addEventListener("scroll",this.handleScrollEnd)},deactivateFloatingPostButtonAutohide:function(){window.removeEventListener("scroll",this.handleScrollStart),window.removeEventListener("scroll",this.handleScrollEnd)},openPostForm:function(){this.$store.dispatch("openPostStatusModal")},handleOSK:function(){var t=window.innerWidth<350,e=t&&window.innerHeight<345,n=!t&&window.innerWidth<450&&window.innerHeight<560;this.inputActive=!(!e&&!n)},handleScrollStart:Xr()(function(){window.scrollY>this.oldScrollPos?this.hidden=!0:this.hidden=!1,this.oldScrollPos=window.scrollY},100,{leading:!0,trailing:!1}),handleScrollEnd:Xr()(function(){this.hidden=!1,this.oldScrollPos=window.scrollY},100,{leading:!1,trailing:!0})}};var ts=function(t){n(552)},es=Object(dn.a)(Zr,function(){var t=this.$createElement,e=this._self._c||t;return this.isLoggedIn?e("div",[e("button",{staticClass:"new-status-button",class:{hidden:this.isHidden},on:{click:this.openPostForm}},[e("i",{staticClass:"icon-edit"})])]):this._e()},[],!1,ts,null,null).exports;function ns(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var is={components:{SideDrawer:Yr,Notifications:Gn},data:function(){return{notificationsCloseGesture:void 0,notificationsOpen:!1}},created:function(){this.notificationsCloseGesture=zr.swipeGesture(zr.DIRECTION_RIGHT,this.closeMobileNotifications,50)},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?ns(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):ns(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({currentUser:function(){return this.$store.state.users.currentUser},unseenNotifications:function(){return Object(G.e)(this.$store)},unseenNotificationsCount:function(){return this.unseenNotifications.length},hideSitename:function(){return this.$store.state.instance.hideSitename},sitename:function(){return this.$store.state.instance.name},isChat:function(){return"chat"===this.$route.name}},Object(c.c)(["unreadChatCount"])),methods:{toggleMobileSidebar:function(){this.$refs.sideDrawer.toggleDrawer()},openMobileNotifications:function(){this.notificationsOpen=!0},closeMobileNotifications:function(){this.notificationsOpen&&(this.notificationsOpen=!1,this.markNotificationsAsSeen())},notificationsTouchStart:function(t){zr.beginSwipe(t,this.notificationsCloseGesture)},notificationsTouchMove:function(t){zr.updateSwipe(t,this.notificationsCloseGesture)},scrollToTop:function(){window.scrollTo(0,0)},logout:function(){this.$router.replace("/main/public"),this.$store.dispatch("logout")},markNotificationsAsSeen:function(){this.$refs.notifications.markAsSeen()},onScroll:function(t){var e=t.target;e.scrollTop+e.clientHeight>=e.scrollHeight&&this.$refs.notifications.fetchOlderNotifications()}},watch:{$route:function(){this.closeMobileNotifications()}}};var os=function(t){n(554)},rs=Object(dn.a)(is,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",[n("nav",{staticClass:"nav-bar container",class:{"mobile-hidden":t.isChat},attrs:{id:"nav"}},[n("div",{staticClass:"mobile-inner-nav",on:{click:function(e){return t.scrollToTop()}}},[n("div",{staticClass:"item"},[n("a",{staticClass:"mobile-nav-button",attrs:{href:"#"},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.toggleMobileSidebar()}}},[n("i",{staticClass:"button-icon icon-menu"}),t._v(" "),t.unreadChatCount?n("div",{staticClass:"alert-dot"}):t._e()]),t._v(" "),t.hideSitename?t._e():n("router-link",{staticClass:"site-name",attrs:{to:{name:"root"},"active-class":"home"}},[t._v("\n "+t._s(t.sitename)+"\n ")])],1),t._v(" "),n("div",{staticClass:"item right"},[t.currentUser?n("a",{staticClass:"mobile-nav-button",attrs:{href:"#"},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.openMobileNotifications()}}},[n("i",{staticClass:"button-icon icon-bell-alt"}),t._v(" "),t.unseenNotificationsCount?n("div",{staticClass:"alert-dot"}):t._e()]):t._e()])])]),t._v(" "),t.currentUser?n("div",{staticClass:"mobile-notifications-drawer",class:{closed:!t.notificationsOpen},on:{touchstart:function(e){return e.stopPropagation(),t.notificationsTouchStart(e)},touchmove:function(e){return e.stopPropagation(),t.notificationsTouchMove(e)}}},[n("div",{staticClass:"mobile-notifications-header"},[n("span",{staticClass:"title"},[t._v(t._s(t.$t("notifications.notifications")))]),t._v(" "),n("a",{staticClass:"mobile-nav-button",on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.closeMobileNotifications()}}},[n("i",{staticClass:"button-icon icon-cancel"})])]),t._v(" "),n("div",{staticClass:"mobile-notifications",on:{scroll:t.onScroll}},[n("Notifications",{ref:"notifications",attrs:{"no-heading":!0}})],1)]):t._e(),t._v(" "),n("SideDrawer",{ref:"sideDrawer",attrs:{logout:t.logout}})],1)},[],!1,os,null,null).exports,ss=n(54);function as(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var cs={components:{Status:sn.default,List:pi.a,Checkbox:ss.a,Modal:$r},data:function(){return{comment:"",forward:!1,statusIdsToReport:[],processing:!1,error:!1}},computed:{isLoggedIn:function(){return!!this.$store.state.users.currentUser},isOpen:function(){return this.isLoggedIn&&this.$store.state.reports.modalActivated},userId:function(){return this.$store.state.reports.userId},user:function(){return this.$store.getters.findUser(this.userId)},remoteInstance:function(){return!this.user.is_local&&this.user.screen_name.substr(this.user.screen_name.indexOf("@")+1)},statuses:function(){return this.$store.state.reports.statuses}},watch:{userId:"resetState"},methods:{resetState:function(){this.comment="",this.forward=!1,this.statusIdsToReport=[],this.processing=!1,this.error=!1},closeModal:function(){this.$store.dispatch("closeUserReportingModal")},reportUser:function(){var t=this;this.processing=!0,this.error=!1;var e={userId:this.userId,comment:this.comment,forward:this.forward,statusIds:this.statusIdsToReport};this.$store.state.api.backendInteractor.reportUser(function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?as(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):as(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},e)).then(function(){t.processing=!1,t.resetState(),t.closeModal()}).catch(function(){t.processing=!1,t.error=!0})},clearError:function(){this.error=!1},isChecked:function(t){return-1!==this.statusIdsToReport.indexOf(t)},toggleStatus:function(t,e){t!==this.isChecked(e)&&(t?this.statusIdsToReport.push(e):this.statusIdsToReport.splice(this.statusIdsToReport.indexOf(e),1))},resize:function(t){var e=t.target||t;e instanceof window.Element&&(e.style.height="auto",e.style.height="".concat(e.scrollHeight,"px"),""===e.value&&(e.style.height=null))}}};var ls=function(t){n(556)},us=Object(dn.a)(cs,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.isOpen?n("Modal",{on:{backdropClicked:t.closeModal}},[n("div",{staticClass:"user-reporting-panel panel"},[n("div",{staticClass:"panel-heading"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("user_reporting.title",[t.user.screen_name]))+"\n ")])]),t._v(" "),n("div",{staticClass:"panel-body"},[n("div",{staticClass:"user-reporting-panel-left"},[n("div",[n("p",[t._v(t._s(t.$t("user_reporting.add_comment_description")))]),t._v(" "),n("textarea",{directives:[{name:"model",rawName:"v-model",value:t.comment,expression:"comment"}],staticClass:"form-control",attrs:{placeholder:t.$t("user_reporting.additional_comments"),rows:"1"},domProps:{value:t.comment},on:{input:[function(e){e.target.composing||(t.comment=e.target.value)},t.resize]}})]),t._v(" "),t.user.is_local?t._e():n("div",[n("p",[t._v(t._s(t.$t("user_reporting.forward_description")))]),t._v(" "),n("Checkbox",{model:{value:t.forward,callback:function(e){t.forward=e},expression:"forward"}},[t._v("\n "+t._s(t.$t("user_reporting.forward_to",[t.remoteInstance]))+"\n ")])],1),t._v(" "),n("div",[n("button",{staticClass:"btn btn-default",attrs:{disabled:t.processing},on:{click:t.reportUser}},[t._v("\n "+t._s(t.$t("user_reporting.submit"))+"\n ")]),t._v(" "),t.error?n("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.$t("user_reporting.generic_error"))+"\n ")]):t._e()])]),t._v(" "),n("div",{staticClass:"user-reporting-panel-right"},[n("List",{attrs:{items:t.statuses},scopedSlots:t._u([{key:"item",fn:function(e){var i=e.item;return[n("div",{staticClass:"status-fadein user-reporting-panel-sitem"},[n("Status",{attrs:{"in-conversation":!1,focused:!1,statusoid:i}}),t._v(" "),n("Checkbox",{attrs:{checked:t.isChecked(i.id)},on:{change:function(e){return t.toggleStatus(e,i.id)}}})],1)]}}],null,!1,2514683306)})],1)])])]):t._e()},[],!1,ls,null,null).exports,ds={components:{PostStatusForm:ji.a,Modal:$r},data:function(){return{resettingForm:!1}},computed:{isLoggedIn:function(){return!!this.$store.state.users.currentUser},modalActivated:function(){return this.$store.state.postStatus.modalActivated},isFormVisible:function(){return this.isLoggedIn&&!this.resettingForm&&this.modalActivated},params:function(){return this.$store.state.postStatus.params||{}}},watch:{params:function(t,e){var n=this;Ie()(t,"repliedUser.id")!==Ie()(e,"repliedUser.id")&&(this.resettingForm=!0,this.$nextTick(function(){n.resettingForm=!1}))},isFormVisible:function(t){var e=this;t&&this.$nextTick(function(){return e.$el&&e.$el.querySelector("textarea").focus()})}},methods:{closeModal:function(){this.$store.dispatch("closePostStatusModal")}}};var ps=function(t){n(558)},fs=Object(dn.a)(ds,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.isLoggedIn&&!t.resettingForm?n("Modal",{staticClass:"post-form-modal-view",attrs:{"is-open":t.modalActivated},on:{backdropClicked:t.closeModal}},[n("div",{staticClass:"post-form-modal-panel panel"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("post_status.new_status"))+"\n ")]),t._v(" "),n("PostStatusForm",t._b({staticClass:"panel-body",on:{posted:t.closeModal}},"PostStatusForm",t.params,!1))],1)]):t._e()},[],!1,ps,null,null).exports,hs={computed:{notices:function(){return this.$store.state.interface.globalNotices}},methods:{closeNotice:function(t){this.$store.dispatch("removeGlobalNotice",t)}}};var ms=function(t){n(560)},gs=Object(dn.a)(hs,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"global-notice-list"},t._l(t.notices,function(e,i){var o;return n("div",{key:i,staticClass:"alert global-notice",class:(o={},o["global-"+e.level]=!0,o)},[n("div",{staticClass:"notice-message"},[t._v("\n "+t._s(t.$t(e.messageKey,e.messageArgs))+"\n ")]),t._v(" "),n("i",{staticClass:"button-icon icon-cancel",on:{click:function(n){return t.closeNotice(e)}}})])}),0)},[],!1,ms,null,null).exports,vs=function(){return window.innerWidth||document.documentElement.clientWidth||document.body.clientWidth},bs={name:"app",components:{UserPanel:pr,NavPanel:vr,Notifications:Gn,SearchBar:_r,InstanceSpecificPanel:Ho,FeaturesPanel:Vo,WhoToFollowPanel:jr,ChatPanel:No,MediaModal:Wr,SideDrawer:Yr,MobilePostStatusButton:es,MobileNav:rs,SettingsModal:Fr,UserReportingModal:us,PostStatusModal:fs,GlobalNoticeList:gs},data:function(){return{mobileActivePanel:"timeline",searchBarHidden:!0,supportsMask:window.CSS&&window.CSS.supports&&(window.CSS.supports("mask-size","contain")||window.CSS.supports("-webkit-mask-size","contain")||window.CSS.supports("-moz-mask-size","contain")||window.CSS.supports("-ms-mask-size","contain")||window.CSS.supports("-o-mask-size","contain"))}},created:function(){var t=this.$store.getters.mergedConfig.interfaceLanguage;this.$store.dispatch("setOption",{name:"interfaceLanguage",value:t}),window.addEventListener("resize",this.updateMobileState)},destroyed:function(){window.removeEventListener("resize",this.updateMobileState)},computed:{currentUser:function(){return this.$store.state.users.currentUser},background:function(){return this.currentUser.background_image||this.$store.state.instance.background},enableMask:function(){return this.supportsMask&&this.$store.state.instance.logoMask},logoStyle:function(){return{visibility:this.enableMask?"hidden":"visible"}},logoMaskStyle:function(){return this.enableMask?{"mask-image":"url(".concat(this.$store.state.instance.logo,")")}:{"background-color":this.enableMask?"":"transparent"}},logoBgStyle:function(){return Object.assign({margin:"".concat(this.$store.state.instance.logoMargin," 0"),opacity:this.searchBarHidden?1:0},this.enableMask?{}:{"background-color":this.enableMask?"":"transparent"})},logo:function(){return this.$store.state.instance.logo},bgStyle:function(){return{"background-image":"url(".concat(this.background,")")}},bgAppStyle:function(){return{"--body-background-image":"url(".concat(this.background,")")}},sitename:function(){return this.$store.state.instance.name},chat:function(){return"joined"===this.$store.state.chat.channel.state},hideSitename:function(){return this.$store.state.instance.hideSitename},suggestionsEnabled:function(){return this.$store.state.instance.suggestionsEnabled},showInstanceSpecificPanel:function(){return this.$store.state.instance.showInstanceSpecificPanel&&!this.$store.getters.mergedConfig.hideISP&&this.$store.state.instance.instanceSpecificPanelContent},showFeaturesPanel:function(){return this.$store.state.instance.showFeaturesPanel},isMobileLayout:function(){return this.$store.state.interface.mobileLayout},privateMode:function(){return this.$store.state.instance.private},sidebarAlign:function(){return{order:this.$store.state.instance.sidebarRight?99:0}}},methods:{scrollToTop:function(){window.scrollTo(0,0)},logout:function(){this.$router.replace("/main/public"),this.$store.dispatch("logout")},onSearchBarToggled:function(t){this.searchBarHidden=t},openSettingsModal:function(){this.$store.dispatch("openSettingsModal")},updateMobileState:function(){var t=vs()<=800,e=window.innerHeight||document.documentElement.clientHeight||document.body.clientHeight;t!==this.isMobileLayout&&this.$store.dispatch("setMobileLayout",t),this.$store.dispatch("setLayoutHeight",e)}}};var ws=function(t){n(527)},_s=Object(dn.a)(bs,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{style:t.bgAppStyle,attrs:{id:"app"}},[n("div",{staticClass:"app-bg-wrapper",style:t.bgStyle,attrs:{id:"app_bg_wrapper"}}),t._v(" "),t.isMobileLayout?n("MobileNav"):n("nav",{staticClass:"nav-bar container",attrs:{id:"nav"},on:{click:function(e){return t.scrollToTop()}}},[n("div",{staticClass:"inner-nav"},[n("div",{staticClass:"logo",style:t.logoBgStyle},[n("div",{staticClass:"mask",style:t.logoMaskStyle}),t._v(" "),n("img",{style:t.logoStyle,attrs:{src:t.logo}})]),t._v(" "),n("div",{staticClass:"item"},[t.hideSitename?t._e():n("router-link",{staticClass:"site-name",attrs:{to:{name:"root"},"active-class":"home"}},[t._v("\n "+t._s(t.sitename)+"\n ")])],1),t._v(" "),n("div",{staticClass:"item right"},[t.currentUser||!t.privateMode?n("search-bar",{staticClass:"nav-icon mobile-hidden",on:{toggled:t.onSearchBarToggled},nativeOn:{click:function(t){t.stopPropagation()}}}):t._e(),t._v(" "),n("a",{staticClass:"mobile-hidden",attrs:{href:"#"},on:{click:function(e){return e.stopPropagation(),t.openSettingsModal(e)}}},[n("i",{staticClass:"button-icon icon-cog nav-icon",attrs:{title:t.$t("nav.preferences")}})]),t._v(" "),t.currentUser&&"admin"===t.currentUser.role?n("a",{staticClass:"mobile-hidden",attrs:{href:"/pleroma/admin/#/login-pleroma",target:"_blank"}},[n("i",{staticClass:"button-icon icon-gauge nav-icon",attrs:{title:t.$t("nav.administration")}})]):t._e(),t._v(" "),t.currentUser?n("a",{staticClass:"mobile-hidden",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.logout(e)}}},[n("i",{staticClass:"button-icon icon-logout nav-icon",attrs:{title:t.$t("login.logout")}})]):t._e()],1)])]),t._v(" "),n("div",{staticClass:"app-bg-wrapper app-container-wrapper"}),t._v(" "),n("div",{staticClass:"container underlay",attrs:{id:"content"}},[n("div",{staticClass:"sidebar-flexer mobile-hidden",style:t.sidebarAlign},[n("div",{staticClass:"sidebar-bounds"},[n("div",{staticClass:"sidebar-scroller"},[n("div",{staticClass:"sidebar"},[n("user-panel"),t._v(" "),t.isMobileLayout?t._e():n("div",[n("nav-panel"),t._v(" "),t.showInstanceSpecificPanel?n("instance-specific-panel"):t._e(),t._v(" "),!t.currentUser&&t.showFeaturesPanel?n("features-panel"):t._e(),t._v(" "),t.currentUser&&t.suggestionsEnabled?n("who-to-follow-panel"):t._e(),t._v(" "),t.currentUser?n("notifications"):t._e()],1)],1)])])]),t._v(" "),n("div",{staticClass:"main"},[t.currentUser?t._e():n("div",{staticClass:"login-hint panel panel-default"},[n("router-link",{staticClass:"panel-body",attrs:{to:{name:"login"}}},[t._v("\n "+t._s(t.$t("login.hint"))+"\n ")])],1),t._v(" "),n("router-view")],1),t._v(" "),n("media-modal")],1),t._v(" "),t.currentUser&&t.chat?n("chat-panel",{staticClass:"floating-chat mobile-hidden",attrs:{floating:!0}}):t._e(),t._v(" "),n("MobilePostStatusButton"),t._v(" "),n("UserReportingModal"),t._v(" "),n("PostStatusModal"),t._v(" "),n("SettingsModal"),t._v(" "),n("portal-target",{attrs:{name:"modal"}}),t._v(" "),n("GlobalNoticeList")],1)},[],!1,ws,null,null).exports;function xs(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function ys(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?xs(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):xs(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var ks=null,Cs=function(t){var e=atob(t),n=Uint8Array.from(p()(e).map(function(t){return t.charCodeAt(0)}));return(new TextDecoder).decode(n)},Ss=function(t){var e,n,i;return o.a.async(function(o){for(;;)switch(o.prev=o.next){case 0:if((e=document.getElementById("initial-results")?(ks||(ks=JSON.parse(document.getElementById("initial-results").textContent)),ks):null)&&e[t]){o.next=3;break}return o.abrupt("return",window.fetch(t));case 3:return n=Cs(e[t]),i=JSON.parse(n),o.abrupt("return",{ok:!0,json:function(){return i},text:function(){return i}});case 6:case"end":return o.stop()}})},js=function(t){var e,n,i,r,s;return o.a.async(function(a){for(;;)switch(a.prev=a.next){case 0:return e=t.store,a.prev=1,a.next=4,o.a.awrap(Ss("/api/v1/instance"));case 4:if(!(n=a.sent).ok){a.next=15;break}return a.next=8,o.a.awrap(n.json());case 8:i=a.sent,r=i.max_toot_chars,s=i.pleroma.vapid_public_key,e.dispatch("setInstanceOption",{name:"textlimit",value:r}),s&&e.dispatch("setInstanceOption",{name:"vapidPublicKey",value:s}),a.next=16;break;case 15:throw n;case 16:a.next=22;break;case 18:a.prev=18,a.t0=a.catch(1),console.error("Could not load instance config, potentially fatal"),console.error(a.t0);case 22:case"end":return a.stop()}},null,null,[[1,18]])},Os=function(t){var e,n;return o.a.async(function(i){for(;;)switch(i.prev=i.next){case 0:return t.store,i.prev=1,i.next=4,o.a.awrap(window.fetch("/api/pleroma/frontend_configurations"));case 4:if(!(e=i.sent).ok){i.next=12;break}return i.next=8,o.a.awrap(e.json());case 8:return n=i.sent,i.abrupt("return",n.pleroma_fe);case 12:throw e;case 13:i.next=19;break;case 15:i.prev=15,i.t0=i.catch(1),console.error("Could not load backend-provided frontend config, potentially fatal"),console.error(i.t0);case 19:case"end":return i.stop()}},null,null,[[1,15]])},Ps=function(){var t;return o.a.async(function(e){for(;;)switch(e.prev=e.next){case 0:return e.prev=0,e.next=3,o.a.awrap(window.fetch("/static/config.json"));case 3:if(!(t=e.sent).ok){e.next=8;break}return e.abrupt("return",t.json());case 8:throw t;case 9:e.next=16;break;case 11:return e.prev=11,e.t0=e.catch(0),console.warn("Failed to load static/config.json, continuing without it."),console.warn(e.t0),e.abrupt("return",{});case 16:case"end":return e.stop()}},null,null,[[0,11]])},$s=function(t){var e,n,i,r,s,a,c;return o.a.async(function(o){for(;;)switch(o.prev=o.next){case 0:return e=t.apiConfig,n=t.staticConfig,i=t.store,r=window.___pleromafe_dev_overrides||{},s=window.___pleromafe_mode.NODE_ENV,a={},r.staticConfigPreference&&"development"===s?(console.warn("OVERRIDING API CONFIG WITH STATIC CONFIG"),a=Object.assign({},e,n)):a=Object.assign({},n,e),(c=function(t){i.dispatch("setInstanceOption",{name:t,value:a[t]})})("nsfwCensorImage"),c("background"),c("hidePostStats"),c("hideUserStats"),c("hideFilteredStatuses"),c("logo"),i.dispatch("setInstanceOption",{name:"logoMask",value:void 0===a.logoMask||a.logoMask}),i.dispatch("setInstanceOption",{name:"logoMargin",value:void 0===a.logoMargin?0:a.logoMargin}),i.commit("authFlow/setInitialStrategy",a.loginMethod),c("redirectRootNoLogin"),c("redirectRootLogin"),c("showInstanceSpecificPanel"),c("minimalScopesMode"),c("hideMutedPosts"),c("collapseMessageWithSubject"),c("scopeCopy"),c("subjectLineBehavior"),c("postContentType"),c("alwaysShowSubjectInput"),c("showFeaturesPanel"),c("hideSitename"),c("sidebarRight"),o.abrupt("return",i.dispatch("setTheme",a.theme));case 29:case"end":return o.stop()}})},Ts=function(t){var e,n,i;return o.a.async(function(r){for(;;)switch(r.prev=r.next){case 0:return e=t.store,r.prev=1,r.next=4,o.a.awrap(window.fetch("/static/terms-of-service.html"));case 4:if(!(n=r.sent).ok){r.next=12;break}return r.next=8,o.a.awrap(n.text());case 8:i=r.sent,e.dispatch("setInstanceOption",{name:"tos",value:i}),r.next=13;break;case 12:throw n;case 13:r.next=19;break;case 15:r.prev=15,r.t0=r.catch(1),console.warn("Can't load TOS"),console.warn(r.t0);case 19:case"end":return r.stop()}},null,null,[[1,15]])},Is=function(t){var e,n,i;return o.a.async(function(r){for(;;)switch(r.prev=r.next){case 0:return e=t.store,r.prev=1,r.next=4,o.a.awrap(Ss("/instance/panel.html"));case 4:if(!(n=r.sent).ok){r.next=12;break}return r.next=8,o.a.awrap(n.text());case 8:i=r.sent,e.dispatch("setInstanceOption",{name:"instanceSpecificPanelContent",value:i}),r.next=13;break;case 12:throw n;case 13:r.next=19;break;case 15:r.prev=15,r.t0=r.catch(1),console.warn("Can't load instance panel"),console.warn(r.t0);case 19:case"end":return r.stop()}},null,null,[[1,15]])},Es=function(t){var e,n,i,r;return o.a.async(function(s){for(;;)switch(s.prev=s.next){case 0:return e=t.store,s.prev=1,s.next=4,o.a.awrap(window.fetch("/static/stickers.json"));case 4:if(!(n=s.sent).ok){s.next=16;break}return s.next=8,o.a.awrap(n.json());case 8:return i=s.sent,s.next=11,o.a.awrap(Promise.all(Object.entries(i).map(function(t){var e,n,i,r,s;return o.a.async(function(a){for(;;)switch(a.prev=a.next){case 0:return e=g()(t,2),n=e[0],i=e[1],a.next=3,o.a.awrap(window.fetch(i+"pack.json"));case 3:if(r=a.sent,s={},!r.ok){a.next=9;break}return a.next=8,o.a.awrap(r.json());case 8:s=a.sent;case 9:return a.abrupt("return",{pack:n,path:i,meta:s});case 10:case"end":return a.stop()}})})));case 11:s.t0=function(t,e){return t.meta.title.localeCompare(e.meta.title)},r=s.sent.sort(s.t0),e.dispatch("setInstanceOption",{name:"stickers",value:r}),s.next=17;break;case 16:throw n;case 17:s.next=23;break;case 19:s.prev=19,s.t1=s.catch(1),console.warn("Can't load stickers"),console.warn(s.t1);case 23:case"end":return s.stop()}},null,null,[[1,19]])},Ms=function(t){var e,n,i,r,s;return o.a.async(function(o){for(;;)switch(o.prev=o.next){case 0:return e=t.store,n=e.state,i=e.commit,r=n.oauth,s=n.instance,o.abrupt("return",Tt(ys({},r,{instance:s.server,commit:i})).then(function(t){return It(ys({},t,{instance:s.server}))}).then(function(t){i("setAppToken",t.access_token),i("setBackendInteractor",jt(e.getters.getToken()))}));case 4:case"end":return o.stop()}})},Us=function(t){var e=t.store,n=t.accounts.map(function(t){return t.split("/").pop()});e.dispatch("setInstanceOption",{name:"staffAccounts",value:n})},Fs=function(t){var e,n,i,r,s,a,c,l,u,d,p,f,h;return o.a.async(function(m){for(;;)switch(m.prev=m.next){case 0:return e=t.store,m.prev=1,m.next=4,o.a.awrap(Ss("/nodeinfo/2.0.json"));case 4:if(!(n=m.sent).ok){m.next=49;break}return m.next=8,o.a.awrap(n.json());case 8:i=m.sent,r=i.metadata,s=r.features,e.dispatch("setInstanceOption",{name:"name",value:r.nodeName}),e.dispatch("setInstanceOption",{name:"registrationOpen",value:i.openRegistrations}),e.dispatch("setInstanceOption",{name:"mediaProxyAvailable",value:s.includes("media_proxy")}),e.dispatch("setInstanceOption",{name:"safeDM",value:s.includes("safe_dm_mentions")}),e.dispatch("setInstanceOption",{name:"chatAvailable",value:s.includes("chat")}),e.dispatch("setInstanceOption",{name:"pleromaChatMessagesAvailable",value:s.includes("pleroma_chat_messages")}),e.dispatch("setInstanceOption",{name:"gopherAvailable",value:s.includes("gopher")}),e.dispatch("setInstanceOption",{name:"pollsAvailable",value:s.includes("polls")}),e.dispatch("setInstanceOption",{name:"pollLimits",value:r.pollLimits}),e.dispatch("setInstanceOption",{name:"mailerEnabled",value:r.mailerEnabled}),a=r.uploadLimits,e.dispatch("setInstanceOption",{name:"uploadlimit",value:parseInt(a.general)}),e.dispatch("setInstanceOption",{name:"avatarlimit",value:parseInt(a.avatar)}),e.dispatch("setInstanceOption",{name:"backgroundlimit",value:parseInt(a.background)}),e.dispatch("setInstanceOption",{name:"bannerlimit",value:parseInt(a.banner)}),e.dispatch("setInstanceOption",{name:"fieldsLimits",value:r.fieldsLimits}),e.dispatch("setInstanceOption",{name:"restrictedNicknames",value:r.restrictedNicknames}),e.dispatch("setInstanceOption",{name:"postFormats",value:r.postFormats}),c=r.suggestions,e.dispatch("setInstanceOption",{name:"suggestionsEnabled",value:c.enabled}),e.dispatch("setInstanceOption",{name:"suggestionsWeb",value:c.web}),l=i.software,e.dispatch("setInstanceOption",{name:"backendVersion",value:l.version}),e.dispatch("setInstanceOption",{name:"pleromaBackend",value:"pleroma"===l.name}),u=r.private,e.dispatch("setInstanceOption",{name:"private",value:u}),d=window.___pleromafe_commit_hash,e.dispatch("setInstanceOption",{name:"frontendVersion",value:d}),p=r.federation,e.dispatch("setInstanceOption",{name:"tagPolicyAvailable",value:void 0!==p.mrf_policies&&r.federation.mrf_policies.includes("TagPolicy")}),e.dispatch("setInstanceOption",{name:"federationPolicy",value:p}),e.dispatch("setInstanceOption",{name:"federating",value:void 0===p.enabled||p.enabled}),f=r.accountActivationRequired,e.dispatch("setInstanceOption",{name:"accountActivationRequired",value:f}),h=r.staffAccounts,Us({store:e,accounts:h}),m.next=50;break;case 49:throw n;case 50:m.next=56;break;case 52:m.prev=52,m.t0=m.catch(1),console.warn("Could not load nodeinfo"),console.warn(m.t0);case 56:case"end":return m.stop()}},null,null,[[1,52]])},Ds=function(t){var e,n,i,r;return o.a.async(function(s){for(;;)switch(s.prev=s.next){case 0:return e=t.store,s.next=3,o.a.awrap(Promise.all([Os({store:e}),Ps()]));case 3:return n=s.sent,i=n[0],r=n[1],s.next=8,o.a.awrap($s({store:e,apiConfig:i,staticConfig:r}).then(Ms({store:e})));case 8:case"end":return s.stop()}})},Ls=function(t){var e;return o.a.async(function(n){for(;;)switch(n.prev=n.next){case 0:return e=t.store,n.abrupt("return",new Promise(function(t,n){return o.a.async(function(n){for(;;)switch(n.prev=n.next){case 0:if(!e.getters.getUserToken()){n.next=9;break}return n.prev=1,n.next=4,o.a.awrap(e.dispatch("loginUser",e.getters.getUserToken()));case 4:n.next=9;break;case 6:n.prev=6,n.t0=n.catch(1),console.error(n.t0);case 9:t();case 10:case"end":return n.stop()}},null,null,[[1,6]])}));case 2:case"end":return n.stop()}})},Ns=function(t){var e,n,i,r,c,l,u,d,p,f;return o.a.async(function(h){for(;;)switch(h.prev=h.next){case 0:return e=t.store,n=t.i18n,i=vs(),e.dispatch("setMobileLayout",i<=800),r=window.___pleromafe_dev_overrides||{},c=void 0!==r.target?r.target:window.location.origin,e.dispatch("setInstanceOption",{name:"server",value:c}),h.next=8,o.a.awrap(Ds({store:e}));case 8:return l=e.state.config,u=l.customTheme,d=l.customThemeSource,p=e.state.instance.theme,d||u?d&&d.themeEngineVersion===b.a?Object(v.b)(d):Object(v.b)(u):p||console.error("Failed to load any theme!"),h.next=14,o.a.awrap(Promise.all([Ls({store:e}),Is({store:e}),Fs({store:e}),js({store:e})]));case 14:return e.dispatch("fetchMutes"),Ts({store:e}),Es({store:e}),f=new a.a({mode:"history",routes:cr(e),scrollBehavior:function(t,e,n){return!t.matched.some(function(t){return t.meta.dontScroll})&&(n||{x:0,y:0})}}),h.abrupt("return",new s.a({router:f,store:e,i18n:n,el:"#app",render:function(t){return t(_s)}}));case 19:case"end":return h.stop()}})},Rs=(window.navigator.language||"en").split("-")[0];s.a.use(c.a),s.a.use(a.a),s.a.use(Se.a),s.a.use(We.a),s.a.use(Ge.a),s.a.use(Ye.a),s.a.use(function(t){t.directive("body-scroll-lock",tn)});var As=new Se.a({locale:"en",fallbackLocale:"en",messages:He.a.default});He.a.setLanguage(As,Rs);var Bs,zs,Hs,qs,Ws={paths:["config","users.lastLoginName","oauth"]};o.a.async(function(t){for(;;)switch(t.prev=t.next){case 0:return Bs=!1,zs=[ze],t.prev=2,t.next=5,o.a.awrap(Re(Ws));case 5:Hs=t.sent,zs.push(Hs),t.next=13;break;case 9:t.prev=9,t.t0=t.catch(2),console.error(t.t0),Bs=!0;case 13:qs=new c.a.Store({modules:{i18n:{getters:{i18n:function(){return As}}},interface:u,instance:y,statuses:ot,users:Kt,api:Qt,config:_.a,chat:Zt,oauth:te,authFlow:ne,mediaViewer:oe,oauthTokens:re,reports:ce,polls:le,postStatus:ue,chats:Ce},plugins:zs,strict:!1}),Bs&&qs.dispatch("pushGlobalNotice",{messageKey:"errors.storage_unavailable",level:"error"}),Ns({store:qs,i18n:As});case 16:case"end":return t.stop()}},null,null,[[2,9]]),window.___pleromafe_mode=Object({NODE_ENV:"production"}),window.___pleromafe_commit_hash="938887ef\n",window.___pleromafe_dev_overrides=void 0}]); -//# sourceMappingURL=app.55d173dc5e39519aa518.js.map -\ No newline at end of file diff --git a/priv/static/static/js/app.55d173dc5e39519aa518.js.map b/priv/static/static/js/app.55d173dc5e39519aa518.js.map @@ -1 +0,0 @@ -{"version":3,"sources":["webpack:///webpack/bootstrap","webpack:///./src/services/entity_normalizer/entity_normalizer.service.js","webpack:///./src/services/color_convert/color_convert.js","webpack:///./src/services/errors/errors.js","webpack:///./src/modules/errors.js","webpack:///./src/services/api/api.service.js","webpack:///./src/services/user_profile_link_generator/user_profile_link_generator.js","webpack:///./src/components/user_avatar/user_avatar.js","webpack:///./src/components/user_avatar/user_avatar.vue","webpack:///./src/components/user_avatar/user_avatar.vue?c9b6","webpack:///./src/services/notification_utils/notification_utils.js","webpack:///./src/services/file_type/file_type.service.js","webpack:///./src/components/popover/popover.js","webpack:///./src/components/popover/popover.vue","webpack:///./src/components/popover/popover.vue?66e9","webpack:///./src/components/dialog_modal/dialog_modal.js","webpack:///./src/components/dialog_modal/dialog_modal.vue","webpack:///./src/components/dialog_modal/dialog_modal.vue?5301","webpack:///./src/components/moderation_tools/moderation_tools.js","webpack:///./src/components/moderation_tools/moderation_tools.vue","webpack:///./src/components/moderation_tools/moderation_tools.vue?ab91","webpack:///./src/components/account_actions/account_actions.js","webpack:///./src/components/account_actions/account_actions.vue","webpack:///./src/components/account_actions/account_actions.vue?e5e1","webpack:///./src/components/user_card/user_card.js","webpack:///./src/components/user_card/user_card.vue","webpack:///./src/components/user_card/user_card.vue?3e53","webpack:///./src/services/theme_data/pleromafe.js","webpack:///./src/services/style_setter/style_setter.js","webpack:///./src/components/favorite_button/favorite_button.js","webpack:///./src/components/favorite_button/favorite_button.vue","webpack:///./src/components/favorite_button/favorite_button.vue?d75b","webpack:///./src/components/react_button/react_button.js","webpack:///./src/components/react_button/react_button.vue","webpack:///./src/components/react_button/react_button.vue?875f","webpack:///./src/components/retweet_button/retweet_button.js","webpack:///./src/components/retweet_button/retweet_button.vue","webpack:///./src/components/retweet_button/retweet_button.vue?98e9","webpack:///./src/components/extra_buttons/extra_buttons.js","webpack:///./src/components/extra_buttons/extra_buttons.vue","webpack:///./src/components/extra_buttons/extra_buttons.vue?566f","webpack:///./src/components/status_popover/status_popover.js","webpack:///./src/components/status_popover/status_popover.vue","webpack:///./src/components/status_popover/status_popover.vue?f976","webpack:///./src/components/user_list_popover/user_list_popover.js","webpack:///./src/components/user_list_popover/user_list_popover.vue","webpack:///./src/components/user_list_popover/user_list_popover.vue?e656","webpack:///./src/components/emoji_reactions/emoji_reactions.js","webpack:///./src/components/emoji_reactions/emoji_reactions.vue","webpack:///./src/components/emoji_reactions/emoji_reactions.vue?64d9","webpack:///./src/components/status/status.js","webpack:///./src/components/status/status.vue","webpack:///./src/components/status/status.vue?cd63","webpack:///./src/components/poll/poll.js","webpack:///./src/components/poll/poll.vue","webpack:///./src/components/poll/poll.vue?7bb7","webpack:///./src/components/status_content/status_content.js","webpack:///./src/services/tiny_post_html_processor/tiny_post_html_processor.service.js","webpack:///./src/services/matcher/matcher.service.js","webpack:///./src/components/status_content/status_content.vue","webpack:///./src/components/status_content/status_content.vue?149c","webpack:///./src/services/date_utils/date_utils.js","webpack:///./src/components/basic_user_card/basic_user_card.js","webpack:///./src/components/basic_user_card/basic_user_card.vue","webpack:///./src/components/basic_user_card/basic_user_card.vue?78e9","webpack:///./src/services/theme_data/theme_data.service.js","webpack:///./src/components/media_upload/media_upload.js","webpack:///./src/components/media_upload/media_upload.vue","webpack:///./src/components/media_upload/media_upload.vue?c04b","webpack:///./src/components/poll/poll_form.js","webpack:///./src/components/poll/poll_form.vue","webpack:///./src/components/poll/poll_form.vue?41d8","webpack:///./src/components/post_status_form/post_status_form.js","webpack:///./src/components/post_status_form/post_status_form.vue","webpack:///./src/components/post_status_form/post_status_form.vue?81ba","webpack:///./src/components/attachment/attachment.js","webpack:///./src/components/attachment/attachment.vue","webpack:///./src/components/attachment/attachment.vue?0d3d","webpack:///src/components/timeago/timeago.vue","webpack:///./src/components/timeago/timeago.vue","webpack:///./src/components/timeago/timeago.vue?d70d","webpack:///./src/services/user_highlighter/user_highlighter.js","webpack:///src/components/list/list.vue","webpack:///./src/components/list/list.vue","webpack:///./src/components/list/list.vue?c7b8","webpack:///src/components/checkbox/checkbox.vue","webpack:///./src/components/checkbox/checkbox.vue","webpack:///./src/components/checkbox/checkbox.vue?d59e","webpack:///./src/services/status_poster/status_poster.service.js","webpack:///./src/components/still-image/still-image.js","webpack:///./src/components/still-image/still-image.vue","webpack:///./src/components/still-image/still-image.vue?a0b5","webpack:///./src/i18n/messages.js","webpack:///src/components/progress_button/progress_button.vue","webpack:///./src/components/progress_button/progress_button.vue","webpack:///./src/components/progress_button/progress_button.vue?6be4","webpack:///./src/modules/config.js","webpack:///./src/services/status_parser/status_parser.js","webpack:///./src/services/desktop_notification_utils/desktop_notification_utils.js","webpack:///./src/services/offset_finder/offset_finder.service.js","webpack:///./src/services/follow_manipulate/follow_manipulate.js","webpack:///./src/components/follow_button/follow_button.js","webpack:///./src/components/follow_button/follow_button.vue","webpack:///./src/components/follow_button/follow_button.vue?8c95","webpack:///./src/components/video_attachment/video_attachment.js","webpack:///./src/components/video_attachment/video_attachment.vue","webpack:///./src/components/video_attachment/video_attachment.vue?ba43","webpack:///./src/components/gallery/gallery.js","webpack:///./src/components/gallery/gallery.vue","webpack:///./src/components/gallery/gallery.vue?7538","webpack:///./src/components/link-preview/link-preview.js","webpack:///./src/components/link-preview/link-preview.vue","webpack:///./src/components/link-preview/link-preview.vue?7d0d","webpack:///./src/components/remote_follow/remote_follow.js","webpack:///./src/components/remote_follow/remote_follow.vue","webpack:///./src/components/remote_follow/remote_follow.vue?deba","webpack:///./src/components/avatar_list/avatar_list.js","webpack:///./src/components/avatar_list/avatar_list.vue","webpack:///./src/components/avatar_list/avatar_list.vue?e3d4","webpack:///./src/services/file_size_format/file_size_format.js","webpack:///./src/components/emoji_input/suggestor.js","webpack:///./src/components/tab_switcher/tab_switcher.js","webpack:///./src/services/component_utils/component_utils.js","webpack:///./src/services/completion/completion.js","webpack:///./src/components/emoji_picker/emoji_picker.js","webpack:///./src/components/emoji_picker/emoji_picker.vue","webpack:///./src/components/emoji_picker/emoji_picker.vue?3a64","webpack:///./src/components/emoji_input/emoji_input.js","webpack:///./src/components/emoji_input/emoji_input.vue","webpack:///./src/components/emoji_input/emoji_input.vue?4cb6","webpack:///./src/components/scope_selector/scope_selector.js","webpack:///./src/components/scope_selector/scope_selector.vue","webpack:///./src/components/scope_selector/scope_selector.vue?4ef5","webpack:///./src/assets/nsfw.png","webpack:///./src/components/timeline/timeline.vue?f674","webpack:///./src/components/timeline/timeline.vue?d6bb","webpack:///./src/components/status/status.scss?412d","webpack:///./src/components/status/status.scss","webpack:///./src/components/favorite_button/favorite_button.vue?0184","webpack:///./src/components/favorite_button/favorite_button.vue?9b9b","webpack:///./src/components/react_button/react_button.vue?f6fc","webpack:///./src/components/react_button/react_button.vue?5317","webpack:///./src/components/popover/popover.vue?1bf1","webpack:///./src/components/popover/popover.vue?333e","webpack:///./src/components/retweet_button/retweet_button.vue?8eee","webpack:///./src/components/retweet_button/retweet_button.vue?ecd9","webpack:///./src/components/extra_buttons/extra_buttons.vue?2134","webpack:///./src/components/extra_buttons/extra_buttons.vue?bef5","webpack:///./src/components/post_status_form/post_status_form.vue?fd6e","webpack:///./src/components/post_status_form/post_status_form.vue?5887","webpack:///./src/components/media_upload/media_upload.vue?d613","webpack:///./src/components/media_upload/media_upload.vue?1e11","webpack:///./src/components/scope_selector/scope_selector.vue?baf6","webpack:///./src/components/scope_selector/scope_selector.vue?341e","webpack:///./src/components/emoji_input/emoji_input.vue?88c6","webpack:///./src/components/emoji_input/emoji_input.vue?c0d0","webpack:///./src/components/emoji_picker/emoji_picker.scss?a54d","webpack:///./src/components/emoji_picker/emoji_picker.scss","webpack:///./src/components/checkbox/checkbox.vue?3599","webpack:///./src/components/checkbox/checkbox.vue?bf55","webpack:///./src/components/poll/poll_form.vue?43b8","webpack:///./src/components/poll/poll_form.vue?f333","webpack:///./src/components/attachment/attachment.vue?4fa7","webpack:///./src/components/attachment/attachment.vue?5971","webpack:///./src/components/still-image/still-image.vue?21db","webpack:///./src/components/still-image/still-image.vue?da13","webpack:///./src/components/status_content/status_content.vue?2f26","webpack:///./src/components/status_content/status_content.vue?6841","webpack:///./src/components/poll/poll.vue?7318","webpack:///./src/components/poll/poll.vue?192f","webpack:///./src/components/gallery/gallery.vue?ea2c","webpack:///./src/components/gallery/gallery.vue?759e","webpack:///./src/components/link-preview/link-preview.vue?95df","webpack:///./src/components/link-preview/link-preview.vue?40b7","webpack:///./src/components/user_card/user_card.vue?1920","webpack:///./src/components/user_card/user_card.vue?a3c0","webpack:///./src/components/user_avatar/user_avatar.vue?aac8","webpack:///./src/components/user_avatar/user_avatar.vue?6951","webpack:///./src/components/remote_follow/remote_follow.vue?44cd","webpack:///./src/components/remote_follow/remote_follow.vue?2689","webpack:///./src/components/moderation_tools/moderation_tools.vue?3b42","webpack:///./src/components/moderation_tools/moderation_tools.vue?870b","webpack:///./src/components/dialog_modal/dialog_modal.vue?66ca","webpack:///./src/components/dialog_modal/dialog_modal.vue?e653","webpack:///./src/components/account_actions/account_actions.vue?755f","webpack:///./src/components/account_actions/account_actions.vue?1dab","webpack:///./src/components/avatar_list/avatar_list.vue?83d0","webpack:///./src/components/avatar_list/avatar_list.vue?4546","webpack:///./src/components/status_popover/status_popover.vue?91c2","webpack:///./src/components/status_popover/status_popover.vue?2f11","webpack:///./src/components/user_list_popover/user_list_popover.vue?2010","webpack:///./src/components/user_list_popover/user_list_popover.vue?2f9d","webpack:///./src/components/emoji_reactions/emoji_reactions.vue?bab1","webpack:///./src/components/emoji_reactions/emoji_reactions.vue?6021","webpack:///./src/components/conversation/conversation.vue?e1e5","webpack:///./src/components/conversation/conversation.vue?e01a","webpack:///./src/components/timeline_menu/timeline_menu.vue?c2cd","webpack:///./src/components/timeline_menu/timeline_menu.vue?9147","webpack:///./src/components/notifications/notifications.scss?c04f","webpack:///./src/components/notifications/notifications.scss","webpack:///./src/components/notification/notification.scss?2458","webpack:///./src/components/notification/notification.scss","webpack:///./src/components/chat_list/chat_list.vue?81f0","webpack:///./src/components/chat_list/chat_list.vue?e459","webpack:///./src/components/chat_list_item/chat_list_item.vue?5950","webpack:///./src/components/chat_list_item/chat_list_item.vue?c379","webpack:///./src/components/chat_title/chat_title.vue?5034","webpack:///./src/components/chat_title/chat_title.vue?11d1","webpack:///./src/components/chat_new/chat_new.vue?b3ff","webpack:///./src/components/chat_new/chat_new.vue?4b23","webpack:///./src/components/basic_user_card/basic_user_card.vue?ba41","webpack:///./src/components/basic_user_card/basic_user_card.vue?0481","webpack:///./src/components/list/list.vue?17ca","webpack:///./src/components/list/list.vue?e2c8","webpack:///./src/components/chat/chat.vue?445e","webpack:///./src/components/chat/chat.vue?559d","webpack:///./src/components/chat_message/chat_message.vue?7fac","webpack:///./src/components/chat_message/chat_message.vue?9c38","webpack:///./src/components/user_profile/user_profile.vue?7fb4","webpack:///./src/components/user_profile/user_profile.vue?899c","webpack:///./src/components/follow_card/follow_card.vue?5688","webpack:///./src/components/follow_card/follow_card.vue?ad43","webpack:///./src/components/search/search.vue?9825","webpack:///./src/components/search/search.vue?e198","webpack:///./src/components/registration/registration.vue?d518","webpack:///./src/components/registration/registration.vue?fd73","webpack:///./src/components/password_reset/password_reset.vue?d048","webpack:///./src/components/password_reset/password_reset.vue?5ec5","webpack:///./src/components/follow_request_card/follow_request_card.vue?c9e7","webpack:///./src/components/follow_request_card/follow_request_card.vue?b0bb","webpack:///./src/components/login_form/login_form.vue?99e8","webpack:///./src/components/login_form/login_form.vue?9c6d","webpack:///./src/components/chat_panel/chat_panel.vue?9dd9","webpack:///./src/components/chat_panel/chat_panel.vue?d094","webpack:///./src/components/who_to_follow/who_to_follow.vue?6f47","webpack:///./src/components/who_to_follow/who_to_follow.vue?4eb6","webpack:///./src/components/about/about.vue?47a2","webpack:///./src/components/about/about.vue?7cdd","webpack:///./src/components/features_panel/features_panel.vue?b8ab","webpack:///./src/components/features_panel/features_panel.vue?867d","webpack:///./src/components/terms_of_service_panel/terms_of_service_panel.vue?7e97","webpack:///./src/components/terms_of_service_panel/terms_of_service_panel.vue?7643","webpack:///./src/components/staff_panel/staff_panel.vue?020d","webpack:///./src/components/staff_panel/staff_panel.vue?a8d5","webpack:///./src/components/mrf_transparency_panel/mrf_transparency_panel.vue?eece","webpack:///./src/components/mrf_transparency_panel/mrf_transparency_panel.vue?6ed6","webpack:///./src/components/remote_user_resolver/remote_user_resolver.vue?7d1a","webpack:///./src/components/remote_user_resolver/remote_user_resolver.vue?f8d3","webpack:///./src/App.scss?b70d","webpack:///./src/App.scss","webpack:///./src/components/user_panel/user_panel.vue?e12b","webpack:///./src/components/user_panel/user_panel.vue?63b4","webpack:///./src/components/nav_panel/nav_panel.vue?7be9","webpack:///./src/components/nav_panel/nav_panel.vue?be5f","webpack:///./src/components/search_bar/search_bar.vue?269b","webpack:///./src/components/search_bar/search_bar.vue?0fb3","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.vue?2f6b","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.vue?1274","webpack:///./src/components/settings_modal/settings_modal.scss?e42a","webpack:///./src/components/settings_modal/settings_modal.scss","webpack:///./src/components/modal/modal.vue?a37f","webpack:///./src/components/modal/modal.vue?328d","webpack:///./src/components/panel_loading/panel_loading.vue?b42a","webpack:///./src/components/panel_loading/panel_loading.vue?0d54","webpack:///./src/components/async_component_error/async_component_error.vue?82c7","webpack:///./src/components/async_component_error/async_component_error.vue?e57d","webpack:///./src/components/media_modal/media_modal.vue?2930","webpack:///./src/components/media_modal/media_modal.vue?1d79","webpack:///./src/components/side_drawer/side_drawer.vue?472d","webpack:///./src/components/side_drawer/side_drawer.vue?fcf9","webpack:///./src/components/mobile_post_status_button/mobile_post_status_button.vue?1868","webpack:///./src/components/mobile_post_status_button/mobile_post_status_button.vue?7cf2","webpack:///./src/components/mobile_nav/mobile_nav.vue?46cb","webpack:///./src/components/mobile_nav/mobile_nav.vue?9a0e","webpack:///./src/components/user_reporting_modal/user_reporting_modal.vue?7889","webpack:///./src/components/user_reporting_modal/user_reporting_modal.vue?1af4","webpack:///./src/components/post_status_modal/post_status_modal.vue?892e","webpack:///./src/components/post_status_modal/post_status_modal.vue?b34c","webpack:///./src/components/global_notice_list/global_notice_list.vue?353b","webpack:///./src/components/global_notice_list/global_notice_list.vue?3d13","webpack:///./src/lib/event_target_polyfill.js","webpack:///./src/modules/interface.js","webpack:///./src/modules/instance.js","webpack:///./src/modules/statuses.js","webpack:///./src/services/timeline_fetcher/timeline_fetcher.service.js","webpack:///./src/services/notifications_fetcher/notifications_fetcher.service.js","webpack:///./src/services/follow_request_fetcher/follow_request_fetcher.service.js","webpack:///./src/services/backend_interactor_service/backend_interactor_service.js","webpack:///./src/services/new_api/oauth.js","webpack:///./src/services/push/push.js","webpack:///./src/modules/users.js","webpack:///./src/services/chat_utils/chat_utils.js","webpack:///./src/modules/api.js","webpack:///./src/modules/chat.js","webpack:///./src/modules/oauth.js","webpack:///./src/modules/auth_flow.js","webpack:///./src/modules/media_viewer.js","webpack:///./src/modules/oauth_tokens.js","webpack:///./src/modules/reports.js","webpack:///./src/modules/polls.js","webpack:///./src/modules/postStatus.js","webpack:///./src/services/chat_service/chat_service.js","webpack:///./src/modules/chats.js","webpack:///./src/lib/persisted_state.js","webpack:///./src/lib/push_notifications_plugin.js","webpack:///./src/directives/body_scroll_lock.js","webpack:///./src/components/conversation/conversation.js","webpack:///./src/components/conversation/conversation.vue","webpack:///./src/components/conversation/conversation.vue?ff89","webpack:///./src/components/timeline_menu/timeline_menu.js","webpack:///./src/components/timeline_menu/timeline_menu.vue","webpack:///./src/components/timeline_menu/timeline_menu.vue?9808","webpack:///./src/components/timeline/timeline.js","webpack:///./src/components/timeline/timeline.vue","webpack:///./src/components/timeline/timeline.vue?88ac","webpack:///./src/components/public_timeline/public_timeline.js","webpack:///./src/components/public_timeline/public_timeline.vue","webpack:///./src/components/public_timeline/public_timeline.vue?bba0","webpack:///./src/components/public_and_external_timeline/public_and_external_timeline.js","webpack:///./src/components/public_and_external_timeline/public_and_external_timeline.vue","webpack:///./src/components/public_and_external_timeline/public_and_external_timeline.vue?0d56","webpack:///./src/components/friends_timeline/friends_timeline.js","webpack:///./src/components/friends_timeline/friends_timeline.vue","webpack:///./src/components/friends_timeline/friends_timeline.vue?0810","webpack:///./src/components/tag_timeline/tag_timeline.js","webpack:///./src/components/tag_timeline/tag_timeline.vue","webpack:///./src/components/tag_timeline/tag_timeline.vue?ee38","webpack:///./src/components/bookmark_timeline/bookmark_timeline.js","webpack:///./src/components/bookmark_timeline/bookmark_timeline.vue","webpack:///./src/components/bookmark_timeline/bookmark_timeline.vue?9b5f","webpack:///./src/components/conversation-page/conversation-page.js","webpack:///./src/components/conversation-page/conversation-page.vue","webpack:///./src/components/conversation-page/conversation-page.vue?d63c","webpack:///./src/components/notification/notification.js","webpack:///./src/components/notification/notification.vue","webpack:///./src/components/notification/notification.vue?1875","webpack:///./src/components/notifications/notifications.js","webpack:///./src/components/notifications/notifications.vue","webpack:///./src/components/notifications/notifications.vue?a489","webpack:///./src/components/interactions/interactions.js","webpack:///./src/components/interactions/interactions.vue","webpack:///./src/components/interactions/interactions.vue?db62","webpack:///./src/components/dm_timeline/dm_timeline.js","webpack:///./src/components/dm_timeline/dm_timeline.vue","webpack:///./src/components/dm_timeline/dm_timeline.vue?4177","webpack:///./src/components/chat_title/chat_title.js","webpack:///./src/components/chat_title/chat_title.vue","webpack:///./src/components/chat_title/chat_title.vue?144f","webpack:///./src/components/chat_list_item/chat_list_item.js","webpack:///./src/components/chat_list_item/chat_list_item.vue","webpack:///./src/components/chat_list_item/chat_list_item.vue?692f","webpack:///./src/components/chat_new/chat_new.js","webpack:///./src/components/chat_new/chat_new.vue","webpack:///./src/components/chat_new/chat_new.vue?559e","webpack:///./src/components/chat_list/chat_list.js","webpack:///./src/components/chat_list/chat_list.vue","webpack:///./src/components/chat_list/chat_list.vue?de9d","webpack:///src/components/chat_message_date/chat_message_date.vue","webpack:///./src/components/chat_message_date/chat_message_date.vue","webpack:///./src/components/chat_message_date/chat_message_date.vue?82ca","webpack:///./src/components/chat_message/chat_message.js","webpack:///./src/components/chat_message/chat_message.vue","webpack:///./src/components/chat_message/chat_message.vue?0d68","webpack:///./src/components/chat/chat_layout_utils.js","webpack:///./src/components/chat/chat.js","webpack:///./src/components/chat/chat.vue","webpack:///./src/components/chat/chat.vue?3acb","webpack:///./src/components/follow_card/follow_card.js","webpack:///./src/components/follow_card/follow_card.vue","webpack:///./src/components/follow_card/follow_card.vue?ac60","webpack:///./src/hocs/with_load_more/with_load_more.js","webpack:///./src/components/user_profile/user_profile.js","webpack:///./src/components/user_profile/user_profile.vue","webpack:///./src/components/user_profile/user_profile.vue?52aa","webpack:///./src/components/search/search.js","webpack:///./src/components/search/search.vue","webpack:///./src/components/search/search.vue?ec9a","webpack:///./src/components/registration/registration.js","webpack:///./src/components/registration/registration.vue","webpack:///./src/components/registration/registration.vue?3c1d","webpack:///./src/services/new_api/password_reset.js","webpack:///./src/components/password_reset/password_reset.js","webpack:///./src/components/password_reset/password_reset.vue","webpack:///./src/components/password_reset/password_reset.vue?4c1d","webpack:///./src/components/follow_request_card/follow_request_card.js","webpack:///./src/components/follow_request_card/follow_request_card.vue","webpack:///./src/components/follow_requests/follow_requests.js","webpack:///./src/components/follow_request_card/follow_request_card.vue?e2ae","webpack:///./src/components/follow_requests/follow_requests.vue","webpack:///./src/components/follow_requests/follow_requests.vue?6944","webpack:///./src/components/oauth_callback/oauth_callback.js","webpack:///./src/components/oauth_callback/oauth_callback.vue","webpack:///./src/components/oauth_callback/oauth_callback.vue?99e7","webpack:///./src/components/login_form/login_form.js","webpack:///./src/components/login_form/login_form.vue","webpack:///./src/components/login_form/login_form.vue?ec94","webpack:///./src/services/new_api/mfa.js","webpack:///./src/components/mfa_form/recovery_form.js","webpack:///./src/components/mfa_form/recovery_form.vue","webpack:///./src/components/mfa_form/recovery_form.vue?9df7","webpack:///./src/components/mfa_form/totp_form.js","webpack:///./src/components/mfa_form/totp_form.vue","webpack:///./src/components/mfa_form/totp_form.vue?2e19","webpack:///./src/components/auth_form/auth_form.js","webpack:///./src/components/chat_panel/chat_panel.js","webpack:///./src/components/chat_panel/chat_panel.vue","webpack:///./src/components/chat_panel/chat_panel.vue?12ba","webpack:///./src/components/who_to_follow/who_to_follow.js","webpack:///./src/components/who_to_follow/who_to_follow.vue","webpack:///./src/components/who_to_follow/who_to_follow.vue?4a17","webpack:///./src/components/instance_specific_panel/instance_specific_panel.js","webpack:///./src/components/instance_specific_panel/instance_specific_panel.vue","webpack:///./src/components/instance_specific_panel/instance_specific_panel.vue?3490","webpack:///./src/components/features_panel/features_panel.js","webpack:///./src/components/features_panel/features_panel.vue","webpack:///./src/components/features_panel/features_panel.vue?d4b0","webpack:///./src/components/terms_of_service_panel/terms_of_service_panel.js","webpack:///./src/components/terms_of_service_panel/terms_of_service_panel.vue","webpack:///./src/components/terms_of_service_panel/terms_of_service_panel.vue?25e4","webpack:///./src/components/staff_panel/staff_panel.js","webpack:///./src/components/staff_panel/staff_panel.vue","webpack:///./src/components/staff_panel/staff_panel.vue?0ab8","webpack:///./src/components/mrf_transparency_panel/mrf_transparency_panel.js","webpack:///./src/components/mrf_transparency_panel/mrf_transparency_panel.vue","webpack:///./src/components/about/about.js","webpack:///./src/components/mrf_transparency_panel/mrf_transparency_panel.vue?8c91","webpack:///./src/components/about/about.vue","webpack:///./src/components/about/about.vue?7acf","webpack:///./src/components/remote_user_resolver/remote_user_resolver.js","webpack:///./src/components/remote_user_resolver/remote_user_resolver.vue","webpack:///./src/components/remote_user_resolver/remote_user_resolver.vue?5c98","webpack:///./src/boot/routes.js","webpack:///./src/components/user_panel/user_panel.js","webpack:///./src/components/user_panel/user_panel.vue","webpack:///./src/components/user_panel/user_panel.vue?b455","webpack:///./src/components/nav_panel/nav_panel.js","webpack:///./src/components/nav_panel/nav_panel.vue","webpack:///./src/components/nav_panel/nav_panel.vue?1bfb","webpack:///./src/components/search_bar/search_bar.js","webpack:///./src/components/search_bar/search_bar.vue","webpack:///./src/components/search_bar/search_bar.vue?fd14","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.js","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.vue","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.vue?3d0c","webpack:///src/components/modal/modal.vue","webpack:///./src/components/modal/modal.vue","webpack:///./src/components/modal/modal.vue?8f96","webpack:///./src/components/panel_loading/panel_loading.vue","webpack:///./src/components/async_component_error/async_component_error.vue","webpack:///./src/services/resettable_async_component.js","webpack:///./src/components/settings_modal/settings_modal.js","webpack:///./src/components/panel_loading/panel_loading.vue?d82c","webpack:///src/components/async_component_error/async_component_error.vue","webpack:///./src/components/async_component_error/async_component_error.vue?b33c","webpack:///./src/components/settings_modal/settings_modal.vue","webpack:///./src/components/settings_modal/settings_modal.vue?9c49","webpack:///./src/services/gesture_service/gesture_service.js","webpack:///./src/components/media_modal/media_modal.js","webpack:///./src/components/media_modal/media_modal.vue","webpack:///./src/components/media_modal/media_modal.vue?360f","webpack:///./src/components/side_drawer/side_drawer.js","webpack:///./src/components/side_drawer/side_drawer.vue","webpack:///./src/components/side_drawer/side_drawer.vue?989f","webpack:///./src/components/mobile_post_status_button/mobile_post_status_button.js","webpack:///./src/components/mobile_post_status_button/mobile_post_status_button.vue","webpack:///./src/components/mobile_post_status_button/mobile_post_status_button.vue?c48d","webpack:///./src/components/mobile_nav/mobile_nav.js","webpack:///./src/components/mobile_nav/mobile_nav.vue","webpack:///./src/components/mobile_nav/mobile_nav.vue?d8b6","webpack:///./src/components/user_reporting_modal/user_reporting_modal.js","webpack:///./src/components/user_reporting_modal/user_reporting_modal.vue","webpack:///./src/components/user_reporting_modal/user_reporting_modal.vue?a9b0","webpack:///./src/components/post_status_modal/post_status_modal.js","webpack:///./src/components/post_status_modal/post_status_modal.vue","webpack:///./src/components/post_status_modal/post_status_modal.vue?e267","webpack:///./src/components/global_notice_list/global_notice_list.js","webpack:///./src/components/global_notice_list/global_notice_list.vue","webpack:///./src/components/global_notice_list/global_notice_list.vue?2baf","webpack:///./src/services/window_utils/window_utils.js","webpack:///./src/App.js","webpack:///./src/App.vue","webpack:///./src/App.vue?24c5","webpack:///./src/boot/after_store.js","webpack:///./src/main.js"],"names":["webpackJsonpCallback","data","moduleId","chunkId","chunkIds","moreModules","executeModules","i","resolves","length","installedChunks","push","Object","prototype","hasOwnProperty","call","modules","parentJsonpFunction","shift","deferredModules","apply","checkDeferredModules","result","deferredModule","fulfilled","j","depId","splice","__webpack_require__","s","installedModules","installedCssChunks","0","exports","module","l","e","promises","2","3","Promise","resolve","reject","href","4","5","6","7","8","9","10","11","12","13","14","15","16","17","18","19","20","21","22","23","24","25","26","27","28","29","30","fullhref","p","existingLinkTags","document","getElementsByTagName","dataHref","tag","getAttribute","rel","existingStyleTags","linkTag","createElement","type","onload","onerror","event","request","target","src","err","Error","parentNode","removeChild","appendChild","then","installedChunkData","promise","onScriptComplete","script","charset","timeout","nc","setAttribute","jsonpScriptSrc","error","clearTimeout","chunk","errorType","realSrc","message","undefined","setTimeout","head","all","m","c","d","name","getter","o","defineProperty","enumerable","get","r","Symbol","toStringTag","value","t","mode","__esModule","ns","create","key","bind","n","object","property","oe","console","jsonpArray","window","oldJsonpFunction","slice","parseUser","output","masto","mastoShort","id","String","screen_name","acct","statusnet_profile_url","url","display_name","name_html","addEmojis","escape","emojis","description","note","description_html","fields","fields_html","map","field","fields_text","unescape","replace","profile_image_url","avatar","profile_image_url_original","cover_photo","header","friends_count","following_count","bot","pleroma","relationship","background_image","favicon","token","chat_token","allow_following_move","hide_follows","hide_followers","hide_follows_count","hide_followers_count","rights","moderator","is_moderator","admin","is_admin","role","source","default_scope","privacy","no_rich_text","show_role","discoverable","is_local","includes","delete_others_notice","muting","muted","blocking","statusnet_blocking","followed_by","follows_you","following","created_at","Date","locked","followers_count","statuses_count","friendIds","followerIds","pinnedStatusIds","follow_request_count","tags","deactivated","notification_settings","unread_chat_count","parseAttachment","mimetype","mime_type","meta","large_thumb_url","preview_url","string","matchOperatorsRegex","reduce","acc","emoji","regexSafeShortCode","shortcode","RegExp","concat","parseStatus","status","favorited","favourited","fave_num","favourites_count","repeated","reblogged","repeat_num","reblogs_count","bookmarked","reblog","nsfw","sensitive","statusnet_html","content","text","summary","spoiler_text","statusnet_conversation_id","conversation_id","local","in_reply_to_screen_name","in_reply_to_account_acct","thread_muted","emoji_reactions","parent_visible","in_reply_to_status_id","in_reply_to_id","in_reply_to_user_id","in_reply_to_account_id","replies_count","retweeted_status","summary_html","external_url","poll","options","_objectSpread","title_html","title","pinned","is_post_verb","uri","match","qvitter_delete_notice","activity_type","isNsfw","visibility","card","user","account","attentions","mentions","attachments","media_attachments","retweetedStatus","favoritedBy","rebloggedBy","parseNotification","favourite","seen","is_seen","isStatusNotification","action","from_profile","parsedNotice","notice","ntype","Boolean","favorited_status","parseInt","parseLinkHeaderPagination","linkHeader","flakeId","arguments","parsedLinkHeader","parseLinkHeader","maxId","next","max_id","minId","prev","min_id","parseChat","chat","unread","lastMessage","parseChatMessage","last_message","updated_at","isNormalized","chat_id","attachment","rgb2hex","g","b","_babel_runtime_helpers_typeof__WEBPACK_IMPORTED_MODULE_2___default","_r","_map","val","Math","ceil","_map2","_babel_runtime_helpers_slicedToArray__WEBPACK_IMPORTED_MODULE_1___default","toString","srgbToLinear","srgb","split","bit","pow","c2linear","relativeLuminance","_srgbToLinear","getContrastRatio","a","la","lb","_ref","_ref2","getContrastRatioLayers","layers","bedrock","alphaBlendLayers","alphaBlend","fg","fga","bg","_ref3","_ref4","color","opacity","hex2rgb","hex","exec","mixrgb","k","rgba2css","rgba","floor","getTextColor","preserve","base","assign","invertLightness","rgb","contrastRatio","getCssColor","input","startsWith","StatusCodeError","statusCode","body","response","this","JSON","stringify","captureStackTrace","constructor","RegistrationError","_Error","_this","errors","classCallCheck_default","possibleConstructorReturn_default","getPrototypeOf_default","assertThisInitialized_default","parse","typeof_default","errorContents","ap_id","username","entries","errs","slicedToArray_default","capitalize_default","join","toConsumableArray_default","inherits_default","wrapNativeSuper_default","PERMISSION_GROUP_URL","screenName","right","MASTODON_DISMISS_NOTIFICATION_URL","MASTODON_FAVORITE_URL","MASTODON_UNFAVORITE_URL","MASTODON_RETWEET_URL","MASTODON_UNRETWEET_URL","MASTODON_USER_TIMELINE_URL","MASTODON_TAG_TIMELINE_URL","MASTODON_MUTE_USER_URL","MASTODON_UNMUTE_USER_URL","MASTODON_SUBSCRIBE_USER","MASTODON_UNSUBSCRIBE_USER","MASTODON_BOOKMARK_STATUS_URL","MASTODON_UNBOOKMARK_STATUS_URL","MASTODON_STATUS_FAVORITEDBY_URL","MASTODON_STATUS_REBLOGGEDBY_URL","MASTODON_PIN_OWN_STATUS","MASTODON_UNPIN_OWN_STATUS","MASTODON_MUTE_CONVERSATION","MASTODON_UNMUTE_CONVERSATION","PLEROMA_EMOJI_REACTIONS_URL","PLEROMA_EMOJI_REACT_URL","PLEROMA_EMOJI_UNREACT_URL","PLEROMA_CHAT_MESSAGES_URL","PLEROMA_CHAT_READ_URL","PLEROMA_DELETE_CHAT_MESSAGE_URL","chatId","messageId","oldfetch","fetch","fullUrl","credentials","promisedRequest","method","params","payload","_ref$headers","headers","Accept","Content-Type","encodeURIComponent","authHeaders","json","ok","accessToken","Authorization","fetchFriends","_ref20","sinceId","_ref20$limit","limit","MASTODON_FOLLOWING_URL","args","filter","_","getMastodonSocketURI","_ref81","stream","_ref81$args","access_token","_ref82","_ref83","MASTODON_STREAMING","MASTODON_STREAMING_EVENTS","Set","PLEROMA_STREAMING_EVENTS","ProcessedWS","_ref84","_ref84$preprocessor","preprocessor","handleMastoWS","_ref84$id","eventTarget","EventTarget","socket","WebSocket","proxy","original","eventName","processor","addEventListener","eventData","dispatchEvent","CustomEvent","detail","wsEvent","debug","code","close","parsedEvent","has","warn","notification","chatUpdate","WSConnectionStatus","freeze","JOINED","CLOSED","ERROR","apiService","verifyCredentials","fetchTimeline","_ref34","timeline","_ref34$since","since","_ref34$until","until","_ref34$userId","userId","_ref34$tag","_ref34$withMuted","withMuted","_ref34$replyVisibilit","replyVisibility","isNotifications","public","friends","dms","notifications","publicAndExternal","media","favorites","bookmarks","queryString","map_default","param","statusText","pagination","fetchPinnedStatuses","_ref35","fetchConversation","_ref24","urlContext","MASTODON_STATUS_CONTEXT_URL","_ref25","ancestors","descendants","fetchStatus","_ref26","MASTODON_STATUS_URL","exportFriends","_ref21","more","users","regenerator_default","async","_context","last_default","awrap","sent","concat_default","t0","stop","fetchFollowers","_ref22","_ref22$limit","MASTODON_FOLLOWERS_URL","followUser","_ref8","objectWithoutProperties_default","MASTODON_FOLLOW_URL","form","reblogs","unfollowUser","_ref9","MASTODON_UNFOLLOW_URL","pinOwnStatus","_ref10","unpinOwnStatus","_ref11","muteConversation","_ref12","unmuteConversation","_ref13","blockUser","_ref14","MASTODON_BLOCK_USER_URL","unblockUser","_ref15","MASTODON_UNBLOCK_USER_URL","fetchUser","_ref18","fetchUserRelationship","_ref19","favorite","_ref36","unfavorite","_ref37","retweet","_ref38","unretweet","_ref39","bookmarkStatus","_ref40","unbookmarkStatus","_ref41","postStatus","_ref42","spoilerText","_ref42$mediaIds","mediaIds","inReplyToStatusId","contentType","preview","idempotencyKey","FormData","pollOptions","append","forEach","some","option","normalizedPoll","expires_in","expiresIn","multiple","keys","postHeaders","deleteStatus","_ref43","MASTODON_DELETE_URL","uploadMedia","_ref44","formData","setMediaDescription","_ref45","fetchMutes","_ref56","muteUser","_ref57","unmuteUser","_ref58","subscribeUser","_ref59","unsubscribeUser","_ref60","fetchBlocks","_ref61","fetchOAuthTokens","_ref62","revokeOAuthToken","_ref63","tagUser","_ref27","nicknames","untagUser","_ref28","deleteUser","_ref33","addRight","_ref29","deleteRight","_ref30","activateUser","_ref31","nickname","get_default","deactivateUser","_ref32","register","_ref7","rest","locale","agreement","getCaptcha","resp","updateProfileImages","_ref5","_ref5$avatar","_ref5$banner","banner","_ref5$background","background","updateProfile","_ref6","importBlocks","_ref46","file","importFollows","_ref47","deleteAccount","_ref48","password","changeEmail","_ref49","email","changePassword","_ref50","newPassword","newPasswordConfirmation","settingsMFA","_ref51","mfaDisableOTP","_ref52","generateMfaBackupCodes","_ref55","mfaSetupOTP","_ref54","mfaConfirmOTP","_ref53","fetchFollowRequests","_ref23","approveUser","_ref16","MASTODON_APPROVE_USER_URL","denyUser","_ref17","MASTODON_DENY_USER_URL","suggestions","_ref64","markNotificationsAsSeen","_ref65","_ref65$single","single","dismissNotification","_ref80","vote","_ref66","pollId","choices","fetchPoll","_ref67","fetchFavoritedByUsers","_ref68","fetchRebloggedByUsers","_ref69","fetchEmojiReactions","_ref70","reactions","accounts","reactWithEmoji","_ref71","unreactWithEmoji","_ref72","reportUser","_ref73","statusIds","comment","forward","account_id","status_ids","updateNotificationSettings","settings","each_default","search2","_ref75","q","offset","u","statuses","searchUsers","_ref74","query","fetchKnownDomains","_ref76","fetchDomainMutes","_ref77","muteDomain","_ref78","domain","unmuteDomain","_ref79","chats","_ref85","getOrCreateChat","_ref86","accountId","chatMessages","_ref87","_ref87$limit","sendChatMessage","_ref88","_ref88$mediaId","mediaId","readChat","_ref89","lastReadId","last_read_id","deleteChatMessage","_ref90","isExternal","generateProfileLink","restrictedNicknames","complicated","lodash_includes__WEBPACK_IMPORTED_MODULE_0___default","UserAvatar","props","showPlaceholder","defaultAvatar","$store","state","instance","server","components","StillImage","methods","imgSrc","imageLoadError","__vue_styles__","context","Component","component_normalizer","user_avatar","_h","$createElement","_self","_c","staticClass","class","avatar-compact","compact","better-shadow","betterShadow","attrs","alt","image-load-error","__webpack_exports__","notificationsFromStore","store","visibleTypes","rootState","config","notificationVisibility","likes","repeats","follows","followRequest","moves","emojiReactions","statusNotifications","sortById","seqA","Number","seqB","isSeqA","isNaN","isSeqB","maybeShowNotification","muteWordHits","rootGetters","mergedConfig","muteWords","isMutedNotification","notificationObject","prepareNotificationObject","i18n","showDesktopNotification","filteredNotificationsFromStore","types","sortedNotifications","sort","lodash_sortBy__WEBPACK_IMPORTED_MODULE_1___default","unseenNotificationsFromStore","lodash_filter__WEBPACK_IMPORTED_MODULE_2___default","i18nString","notifObj","icon","image","fileType","fileTypeService","fileMatchesSomeType","Popover","trigger","placement","boundTo","boundToSelector","margin","popoverClass","hidden","styles","oldSize","width","height","containerBoundingClientRect","$el","closest","offsetParent","getBoundingClientRect","updateStyles","anchorEl","$refs","children","screenBox","origin","left","top","parentBounds","x","y","xBounds","min","max","innerWidth","yBounds","bottom","innerHeight","horizOffset","offsetWidth","usingTop","offsetHeight","yOffset","translateY","xOffset","translateX","transform","round","showPopover","$emit","$nextTick","hidePopover","onMouseenter","onMouseleave","onClick","onClickOutside","contains","updated","created","destroyed","removeEventListener","popover","_vm","on","mouseenter","mouseleave","ref","click","_t","_v","_e","style","DialogModal","darkOverlay","default","onCancel","Function","dialog_modal_dialog_modal","dialog_modal","dark-overlay","$event","currentTarget","stopPropagation","ModerationTools","FORCE_NSFW","STRIP_MEDIA","FORCE_UNLISTED","DISABLE_REMOTE_SUBSCRIPTION","DISABLE_ANY_SUBSCRIPTION","SANDBOX","QUARANTINE","showDeleteUserDialog","toggled","computed","tagsSet","hasTagPolicy","tagPolicyAvailable","hasTag","tagName","toggleTag","api","backendInteractor","commit","toggleRight","_this2","toggleActivationStatus","dispatch","deleteUserDialog","show","_this3","isProfile","$route","isTargetUser","history","back","setToggled","moderation_tools_vue_styles_","moderation_tools_moderation_tools","moderation_tools","slot","_s","$t","menu-checkbox-checked","to","on-cancel","AccountActions","ProgressButton","showRepeats","hideRepeats","openChat","$router","recipient_id","mapState","pleromaChatMessagesAvailable","account_actions_vue_styles_","account_actions_account_actions","account_actions","bound-to","showing_reblogs","user_card","followRequestInProgress","browserSupport","cssFilter","user_card_objectSpread","getters","findUser","classes","user-card-rounded-t","rounded","user-card-rounded","user-card-bordered","bordered","backgroundImage","isOtherUser","currentUser","subscribeUrl","serverUrl","URL","protocol","host","loggedIn","dailyAvg","days","userHighlightType","highlight","set","mapGetters","userHighlightColor","visibleRole","validRole","roleTitle","hideFollowsCount","hideFollowersCount","RemoteFollow","FollowButton","setProfileView","v","switcher","linkClicked","open","userProfileLink","zoomAvatar","mentionUser","replyTo","repliedUser","user_card_vue_styles_","user_card_Component","hide-bio","hideBio","_m","domProps","innerHTML","hideUserStats","directives","rawName","expression","composing","for","change","$$selectedVal","Array","selected","_value","subscribing","preventDefault","LAYERS","DEFAULT_OPACITY","SLOT_INHERITANCE","chromatism__WEBPACK_IMPORTED_MODULE_0__","_color_convert_color_convert_js__WEBPACK_IMPORTED_MODULE_1__","undelay","topBar","badge","profileTint","panel","selectedMenu","btn","btnPanel","btnTopBar","inputPanel","inputTopBar","alert","alertPanel","chatBg","chatMessage","faint","underlay","alertPopup","depends","priority","layer","link","accent","faintLink","postFaintLink","cBlue","cRed","cGreen","cOrange","profileBg","mod","brightness","highlightLightText","textColor","highlightPostLink","highlightFaintText","highlightFaintLink","highlightPostFaintLink","highlightText","highlightLink","highlightIcon","popoverLightText","popoverPostLink","popoverFaintText","popoverFaintLink","popoverPostFaintLink","popoverText","popoverLink","popoverIcon","selectedPost","selectedPostFaintText","variant","selectedPostLightText","selectedPostPostLink","selectedPostFaintLink","selectedPostText","selectedPostLink","selectedPostIcon","selectedMenuLightText","selectedMenuFaintText","selectedMenuFaintLink","selectedMenuText","selectedMenuLink","selectedMenuIcon","selectedMenuPopover","selectedMenuPopoverLightText","selectedMenuPopoverFaintText","selectedMenuPopoverFaintLink","selectedMenuPopoverText","selectedMenuPopoverLink","selectedMenuPopoverIcon","lightText","postLink","postGreentext","border","copacity","pollText","inheritsOpacity","fgText","fgLink","panelText","panelFaint","panelLink","topBarText","topBarLink","tab","tabText","tabActiveText","btnText","btnPanelText","btnTopBarText","btnPressed","btnPressedText","btnPressedPanel","btnPressedPanelText","btnPressedTopBar","btnPressedTopBarText","btnToggled","btnToggledText","btnToggledPanelText","btnToggledTopBarText","btnDisabled","btnDisabledText","btnDisabledPanelText","btnDisabledTopBarText","inputText","inputPanelText","inputTopbarText","alertError","alertErrorText","alertErrorPanelText","alertWarning","alertWarningText","alertWarningPanelText","alertNeutral","alertNeutralText","alertNeutralPanelText","alertPopupError","alertPopupErrorText","alertPopupWarning","alertPopupWarningText","alertPopupNeutral","alertPopupNeutralText","badgeNotification","badgeNotificationText","chatMessageIncomingBg","chatMessageIncomingText","chatMessageIncomingLink","chatMessageIncomingBorder","chatMessageOutgoingBg","chatMessageOutgoingText","chatMessageOutgoingLink","chatMessageOutgoingBorder","applyTheme","rules","generatePreset","classList","add","styleEl","styleSheet","sheet","insertRule","radii","colors","shadows","fonts","remove","getCssShadow","usesDropShadow","inset","shad","blur","spread","alpha","generateColors","themeData","sourceColors","themeEngineVersion","colors2to3","_getColors","getColors","htmlColors","_babel_runtime_helpers_slicedToArray__WEBPACK_IMPORTED_MODULE_3___default","solid","complete","theme","generateRadii","inputRadii","btnRadius","endsWith","checkbox","avatarAlt","tooltip","generateFonts","interface","family","post","postCode","shadow","buttonInsetFakeBorders","inputInsetFakeBorders","hoverGlow","DEFAULT_SHADOWS","popup","avatarStatus","panelHeader","button","buttonHover","buttonPressed","generateShadows","hackContextDict","inputShadows","shadows2to3","shadowsAcc","slotName","shadowDefs","slotFirstWord","colorSlotName","convert","newShadow","shadowAcc","def","_babel_runtime_helpers_toConsumableArray__WEBPACK_IMPORTED_MODULE_1___default","computeDynamicColor","variableSlot","_babel_runtime_helpers_defineProperty__WEBPACK_IMPORTED_MODULE_2___default","composePreset","getThemes","cache","themes","_babel_runtime_helpers_typeof__WEBPACK_IMPORTED_MODULE_0___default","statePositionAcc","position","getOpacitySlot","substring","getPreset","isV1","isArray","setPreset","FavoriteButton","animated","icon-star-empty","icon-star","animate-spin","favorite_button_favorite_button","favorite_button","hidePostStats","ReactButton","filterWord","addReaction","existingReaction","find","me","react_button_objectSpread","commonEmojis","filterWordLowercase","toLowerCase","displayText","react_button_vue_styles_","react_button_react_button","react_button","scopedSlots","_u","fn","placeholder","_l","replacement","RetweetButton","retweet_button_objectSpread","retweeted","retweeted-empty","retweet_button_vue_styles_","retweet_button_retweet_button","retweet_button","ExtraButtons","confirm","pinStatus","unpinStatus","_this4","copyLink","_this5","navigator","clipboard","writeText","statusLink","_this6","_this7","canDelete","ownStatus","canPin","canMute","extra_buttons_vue_styles_","extra_buttons_extra_buttons","extra_buttons","StatusPopover","find_default","allStatuses","statusId","Status","enter","status_popover_vue_styles_","status_popover_status_popover","status_popover","popover-class","is-preview","statusoid","UserListPopover","usersCapped","user_list_popover_vue_styles_","user_list_popover_user_list_popover","user_list_popover","EmojiReactions","showAll","tooManyReactions","showMoreString","accountsForEmoji","reaction","toggleShowAll","reactedWith","fetchEmojiReactionsByIfMissing","reactWith","unreact","emojiOnClick","emoji_reactions_vue_styles_","emoji_reactions_emoji_reactions","picked-reaction","not-clickable","count","PostStatusForm","UserCard","AvatarList","Timeago","StatusContent","replying","unmuted","userExpanded","status_objectSpread","showReasonMutedThread","inConversation","repeaterClass","highlightClass","userClass","deleted","repeaterStyle","highlightStyle","userStyle","noHeading","generateUserProfileLink","replyProfileLink","isReply","replyToName","retweeter","retweeterHtml","retweeterProfileLink","statusFromGlobalRepository","allStatusesObject","relationshipReblog","reasonsToMute","excusesNotToMute","inProfile","profileUserId","hideFilteredStatuses","hideStatus","isFocused","focused","replySubject","decodedSummary","unescape_default","behavior","subjectLineBehavior","startsWithRe","combinedFavsAndRepeatsUsers","combinedUsers","uniqBy_default","tagObj","visibilityIcon","showError","clearError","toggleReplying","gotoOriginal","toggleExpanded","toggleMute","toggleUserExpanded","watch","rect","scrollBy","status.repeat_num","num","status.fave_num","filters","capitalize","str","charAt","toUpperCase","status_vue_styles_","status_Component","status_status","-focused","-conversation","inlineExpanded","isPreview","highlighted","-repeat","data-tags","nativeOn","!click","user-id","time","auto-update","_f","expandable","-strikethrough","staticStyle","min-width","status-id","aria-label","replies","reply","no-heading","emojiReactionsOnTimeline","-active","logged-in","onError","onSuccess","reply-to","replied-user","copy-message-scope","subject","posted","loading","polls","pollsObject","basePoll","expiresAt","expires_at","expired","showResults","voted","totalVotesCount","votes_count","containerClass","choiceIndices","entry","index","isDisabled","noChoice","percentageForOption","resultTitle","activateOption","allElements","querySelectorAll","clickedElement","querySelector","checked","forEach_default","element","optionId","poll_poll","disabled","path","now-threshold","showingTall","fullContent","showingLongSubject","expandingSubject","collapseMessageWithSubject","localCollapseSubjectDefault","hideAttachments","hideAttachmentsInConv","tallStatus","longSubject","mightHideBecauseSubject","mightHideBecauseTall","hideSubjectStatus","hideTallStatus","showingMore","nsfwClickthrough","attachmentSize","maxThumbnails","galleryTypes","playVideosInModal","galleryAttachments","nonGalleryAttachments","attachmentTypes","postBodyHtml","html","greentext","handledTags","openCloseTags","buffer","level","textBuffer","tagBuffer","flush","trim","handleBr","handleOpen","handleClose","pop","char","tagFull","processHtml","Attachment","Poll","Gallery","LinkPreview","className","attn","attention","_attention$screen_nam","_attention$screen_nam2","namepart","instancepart","matchstring","mentionMatchesUrl","dataset","generateTagLink","toggleShowMore","setMedia","status_content_vue_styles_","status_content_Component","status_content","tall-subject","tall-subject-hider_focused","tall-status","tall-status-hider_focused","single-line","singleLine","base-poll","size","allow-play","set-media","MINUTE","HOUR","DAY","relativeTime","relativeTimeShort","WEEK","MONTH","YEAR","date","nowThreshold","now","abs","BasicUserCard","basic_user_card","CURRENT_VERSION","getLayersArray","array","parent","unshift","getLayers","opacitySlot","currentLayer","getDependencies","inheritance","layerDeps","_babel_runtime_helpers_toConsumableArray__WEBPACK_IMPORTED_MODULE_3___default","expandSlotValue","getDeps","findInheritedOpacity","visited","depSlot","dependency","getLayerSlot","findInheritedLayer","SLOT_ORDERED","allKeys","whites","grays","blacks","unprocessed","step","node","ai","bi","depsA","depsB","topoSort","aV","bV","_babel_runtime_helpers_defineProperty__WEBPACK_IMPORTED_MODULE_0___default","OPACITIES","defaultValue","affectedSlots","sourceColor","getColor","targetColor","_sourceColor$split$ma","_sourceColor$split$ma2","variable","modifier","parseFloat","sourceOpacity","deps","isTextColor","backgroundColor","outputColor","colorFunc","dep","ownOpacitySlot","opacityOverriden","dependencySlot","dependencyColor","mediaUpload","uploadCount","uploadReady","uploading","uploadFile","self","uploadlimit","filesize","fileSizeFormatService","fileSizeFormat","allowedsize","filesizeunit","unit","allowedsizeunit","statusPosterService","fileData","decreaseUploadCount","clearFile","multiUpload","files","_iteratorNormalCompletion","_didIteratorError","_iteratorError","_step","_iterator","iterator","done","dropFiles","fileInfos","media_upload_media_upload","media_upload","poll_form","pollType","expiryAmount","expiryUnit","pollLimits","maxOptions","max_options","maxLength","max_option_chars","expiryUnits","expiry","convertExpiryFromUnit","max_expiration","minExpirationInCurrentUnit","convertExpiryToUnit","min_expiration","maxExpirationInCurrentUnit","clear","nextOption","focus","addOption","deleteOption","updatePollToParent","amount","DateUtils","expiryAmountChange","uniq_default","poll_form_vue_styles_","poll_poll_form","maxlength","keydown","indexOf","_k","keyCode","$set","pxStringToNumber","MediaUpload","EmojiInput","PollForm","ScopeSelector","Checkbox","mounted","updateIdempotencyKey","resize","textarea","textLength","setSelectionRange","autoFocus","scopeCopy","_ref$attentions","allAttentions","reject_default","buildMentionsString","scope","copyMessageScope","postContentType","uploadingFiles","posting","newStatus","mediaDescriptions","caret","pollFormVisible","showDropIcon","dropStopTimeout","previewLoading","emojiInputShown","userDefaultScope","showAllScopes","minimalScopesMode","emojiUserSuggestor","suggestor","customEmoji","updateUsersList","emojiSuggestor","statusLength","spoilerTextLength","statusLengthLimit","textlimit","hasStatusLengthLimit","charactersLeft","isOverLengthLimit","alwaysShowSubject","alwaysShowSubjectInput","postFormats","safeDMEnabled","safeDM","pollsAvailable","disablePolls","hideScopeNotice","disableNotice","pollContentError","showPreview","disablePreview","emptyStatus","uploadFileLimitReached","fileLimit","mobileLayout","deep","handler","statusChanged","autoPreview","clearStatus","clearPollForm","preserveFocus","el","previewStatus","postingOptions","_args","abrupt","disableSubmit","submitOnEnter","setAllMediaDescriptions","postHandler","statusPoster","debouncePreviewStatus","debounce_default","closePreview","togglePreview","addMediaFile","fileInfo","delayed","removeMediaFile","uploadFailed","errString","templateArgs","startedUploadingFiles","finishedUploadingFiles","paste","clipboardData","fileDrop","dataTransfer","fileDragStop","fileDrag","dropEffect","onEmojiInputInput","Element","formRef","bottomRef","bottomBottomPaddingStr","getComputedStyle","bottomBottomPadding","scrollerRef","topPaddingStr","bottomPaddingStr","vertPadding","oldHeight","currentScroll","scrollY","scrollTop","scrollerHeight","scrollerBottomBorder","heightWithoutPadding","scrollHeight","newHeight","maxHeight","bottomBottomBorder","findOffset","isBottomObstructed","isFormBiggerThanScroller","bottomChangeDelta","targetScroll","selectionStart","scroll","showEmojiPicker","triggerShowPicker","changeVis","togglePollForm","setPoll","pollForm","dismissScopeNotice","ids","handleEmojiInputShow","openProfileTab","post_status_form_vue_styles_","post_status_form_Component","post_status_form","autocomplete","submit","dragover","animation","dragleave","drop","disableLockWarning","disableSubject","enable-emoji-picker","suggest","model","callback","$$v","emojiPickerPlacement","hide-emoji-button","newline-on-ctrl-enter","enable-sticker-picker","sticker-uploaded","sticker-upload-failed","shown","scrollable-form","rows","cols","ctrlKey","shiftKey","altKey","metaKey","compositionupdate","disableScopeSelector","show-all","user-default","original-scope","initial-scope","on-scope-change","postFormat","visible","update-poll","drop-files","uploaded","upload-failed","all-uploaded","touchstart","disableSensitivityCheckbox","nsfwImage","nsfwCensorImage","hideNsfwLocal","hideNsfw","preloadImage","img","modalOpen","showHidden","VideoAttachment","usePlaceholder","placeholderName","placeholderIconClass","referrerpolicy","mediaProxyAvailable","isEmpty","oembed","isSmall","fullwidth","useModal","openModal","toggleHidden","useOneClickNsfw","onImageLoad","naturalWidth","naturalHeight","naturalSizeLoad","_obj","small","image-load-handler","allowPlay","controls","thumb_url","oembedHTML","timeago","interval","localeDateString","toLocaleString","refreshRelativeTimeObject","longFormat","date_utils","autoUpdate","datetime","_color_convert_color_convert_js__WEBPACK_IMPORTED_MODULE_0__","prefs","solidColor","tintColor","tintColor2","backgroundPosition","list","items","getKey","item","$slots","empty","prop","indeterminate","_ref$media","_ref$inReplyToStatusI","_ref$contentType","_ref$preview","_ref$idempotencyKey","lodash_map__WEBPACK_IMPORTED_MODULE_0___default","showImmediately","noIdUpdate","stopGifs","onLoad","imageLoadHandler","canvas","getContext","drawImage","still_image","load","loaders","ar","ca","cs","de","eo","es","et","eu","fi","fr","ga","he","hu","it","ja","ja_easy","ko","nb","nl","oc","pl","pt","ro","ru","te","zh","messages","languages","en","require","setLanguage","language","_messages","_babel_runtime_regenerator__WEBPACK_IMPORTED_MODULE_0___default","setLocaleMessage","progress_button","progress","browserLocale","multiChoiceProperties","defaultState","customTheme","customThemeSource","hideISP","hideMutedPosts","padEmoji","loopVideo","loopVideoSilentOnly","streaming","autohideFloatingPostButton","pauseOnUnfocused","chatMention","webPushNotifications","interfaceLanguage","useStreamingApi","useContainFit","instanceDefaultProperties","mutations","setOption","setHighlight","del","actions","statusSummary","lodash_filter__WEBPACK_IMPORTED_MODULE_0___default","muteWord","desktopNotificationOpts","Notification","permission","desktopNotificationSilence","desktopNotification","child","_ref$top","_ref$left","ignorePadding","offsetTop","offsetLeft","_findPadding","findPadding","topPadding","leftPadding","_findPadding2","leftPaddingStr","requestFollow","requested","fetchRelationship","attempt","follow_button","inProgress","isPressed","label","labelFollowing","unfollow","follow","requestUnfollow","onVideoDataLoad","srcElement","webkitAudioDecodedByteCount","mozHasAudio","audioTracks","video_attachment","loop","playsinline","loadeddata","sizes","chunk_default","lastAttachment","allButLastRow","dropRight_default","onNaturalSizeLoad","rowStyle","itemsPerRow","padding-bottom","itemStyle","row","total","sumBy_default","getAspectRatio","flex","gallery","contain-fit","cover-fit","natural-size-load","imageLoaded","useImage","useDescription","test","newImg","Image","link_preview","small-image","provider_name","remote_follow","slicedUsers","avatar_list","exponent","units","log","toFixed","debounceUserSearch","lodash_debounce__WEBPACK_IMPORTED_MODULE_0___default","firstChar","suggestEmoji","suggestUsers","noPrefix","substr","aScore","bScore","imageUrl","newUsers","detailText","Vue","component","renderOnlyFocused","required","onSwitch","activeTab","scrollableTabs","sideTabBar","active","findIndex","activeIndex","settingsModalVisible","settingsModalState","beforeUpdate","clickTab","setTab","contents","render","h","tabs","classesTab","classesWrapper","fullHeight","renderSlot","getComponentProps","lodash_isFunction__WEBPACK_IMPORTED_MODULE_0__","lodash_isFunction__WEBPACK_IMPORTED_MODULE_0___default","isFunction","getComponentOptions","addPositionToWords","words","reduce_default","word","start","end","previous","splitByWhitespaceBoundary","currentWord","currentChar","completion","wordAtPosition","pos","wordsWithPosition","replaceWord","toReplace","filterByKeyword","keyword","EmojiPicker","enableStickerPicker","activeGroup","showingStickers","groupsScrolledClass","keepOpen","customEmojiBufferSlice","customEmojiTimeout","customEmojiLoadAllConfirmed","StickerPicker","onStickerUploaded","onStickerUploadFailed","onEmoji","insertion","onScroll","updateScrolledClass","scrolledGroup","triggerLoadMore","setShowStickers","scrollTopMax","scrollerBottom","clientHeight","scrollerTop","scrollerMax","loadEmoji","emojisView","group","customEmojiBuffer","filteredEmoji","startEmojiLoad","forceUpdate","toggleStickers","activeGroupView","stickersAvailable","stickers","standardEmojis","customEmojis","stickerPickerEnabled","emoji_picker_emoji_picker","emoji_picker","refInFor","enableEmojiPicker","hideEmojiButton","newlineOnCtrlEnter","blurTimeout","showPicker","temporarilyHideSuggestions","disableClickOutside","firstchar","textAtCaret","matchedSuggestions","take_default","showSuggestions","wordAtCaret","Completion","slots","elm","onBlur","onFocus","onPaste","onKeyUp","onKeyDown","onClickInput","onTransition","onInput","unmounted","newValue","picker","scrollIntoView","togglePicker","insert","_ref2$surroundingSpac","surroundingSpace","before","after","isSpaceRegex","spaceBefore","spaceAfter","replaceText","suggestion","len","cycleBackward","cycleForward","rootRef","rootBottomBorder","setCaret","panelBody","_this$input$elm","offsetBottom","setPlacement","container","overflowsBottom","emoji_input_vue_styles_","emoji_input_Component","emoji_input","with-picker","hide","currentScope","initialScope","showNothing","showPublic","showUnlisted","showPrivate","showDirect","originalScope","shouldShow","css","unlisted","private","direct","userDefault","onScopeChange","scope_selector","locals","EventTargetPolyfill","interfaceMod","settingsModalLoaded","settingsModalTargetTab","currentSaveStateNotice","noticeClearTimeout","notificationPermission","CSS","supports","globalNotices","layoutHeight","lastTimeline","settingsSaved","success","errorData","setNotificationPermission","setMobileLayout","closeSettingsModal","togglePeekSettingsModal","openSettingsModal","setSettingsModalTargetTab","pushGlobalNotice","removeGlobalNotice","setLayoutHeight","setLastTimeline","setPageTitle","clearSettingsModalTargetTab","openSettingsModalTab","messageKey","_ref13$messageArgs","messageArgs","_ref13$level","_ref13$timeout","registrationOpen","vapidPublicKey","defaultBanner","disableChat","hideSitename","loginMethod","logo","logoMargin","logoMask","redirectRootLogin","redirectRootNoLogin","showFeaturesPanel","showInstanceSpecificPanel","sidebarRight","customEmojiFetched","emojiFetched","pleromaBackend","knownDomains","chatAvailable","gopherAvailable","suggestionsEnabled","suggestionsWeb","instanceSpecificPanelContent","tos","backendVersion","frontendVersion","setInstanceOption","setKnownDomains","domains","instanceDefaultConfig","defineProperty_default","getStaticEmoji","res","values","getCustomEmoji","_context2","image_url","setTheme","themeName","themeSource","fetchEmoji","getKnownDomains","_context3","emptyTl","statusesObject","faves","visibleStatuses","visibleStatusesObject","newStatusCount","minVisibleId","followers","flushMarker","emptyNotifications","POSITIVE_INFINITY","idStore","conversationsObject","timelines","mergeOrAdd","arr","obj","oldItem","merge_default","omitBy_default","new","sortTimeline","addStatusToGlobalStorage","conversationId","addNewStatuses","_ref2$showImmediately","_ref2$user","_ref2$noIdUpdate","_ref2$pagination","isArray_default","timelineObject","minNew","minBy_default","maxNew","maxBy_default","newer","older","addStatus","resultForCurrentTimeline","addToTimeline","processors","counter","favoriteStatus","deletion","remove_default","removeStatusFromGlobalStorage","unknown","addNewNotifications","newNotificationSideEffects","visibleNotificationTypes","removeStatus","first_default","showNewStatuses","oldTimeline","slice_default","resetStatuses","emptyState","clearTimeline","_ref8$excludeUserId","excludeUserId","clearNotifications","setFavorited","setFavoritedConfirm","findIndex_default","setMutedStatus","setRetweeted","setRetweetedConfirm","setBookmarked","setBookmarkedConfirm","setDeleted","setManyDeleted","condition","setLoading","setNsfw","setError","setErrorData","setNotificationsLoading","setNotificationsError","setNotificationsSilence","markSingleNotificationAsSeen","dismissNotifications","finder","updateNotification","updater","queueFlush","queueFlushAll","addRepeats","rebloggedByUsers","addFavs","favoritedByUsers","addEmojiReactionsBy","addOwnReaction","reactionIndex","newReaction","statuses_objectSpread","removeOwnReaction","updateStatusWithPoll","_ref37$showImmediatel","_ref37$timeline","_ref37$noIdUpdate","markStatusesAsDeleted","bookmark","unbookmark","dismissNotificationLocal","fetchFavsAndRepeats","fetchEmojiReactionsBy","fetchFavs","fetchRepeats","search","fetchAndUpdate","_ref2$timeline","_ref2$older","_ref2$userId","_ref2$tag","timelineData","camelCase_default","_getters$mergedConfig","numStatusesBeforeFetch","ccTimeline","update","timelineFetcher","startFetching","_ref3$timeline","_ref3$userId","_ref3$tag","setInterval","allowFollowingMove","fetchNotifications","readNotifsIds","notificationsFetcher","requests","followRequestFetcher","backendInteractorService","backend_interactor_service_objectSpread","startFetchingTimeline","_ref$userId","timelineFetcherService","startFetchingNotifications","startFetchingFollowRequests","startUserSocket","func","REDIRECT_URI","location","getOrCreateApp","clientId","clientSecret","___pleromafe_commit_hash","toISOString","app","client_id","client_secret","getClientToken","oauth","login","response_type","redirect_uri","dataString","encoded","getToken","getTokenWithCredentials","verifyOTPCode","mfaToken","verifyRecoveryCode","revokeToken","isPushSupported","getOrCreateServiceWorker","runtime","deleteSubscriptionFromBackEnd","registerPushNotifications","isEnabled","registration","base64String","base64","rawData","subscribeOptions","userVisibleOnly","applicationServerKey","repeat","atob","Uint8Array","from","charCodeAt","pushManager","subscribe","subscribePush","subscription","alerts","mention","move","responseData","sendSubscriptionToBackEnd","mergeArrayLength","oldValue","mergeWith_default","predictedRelationship","relationships","loggingIn","lastLoginName","usersObject","signUpPending","signUpErrors","newTags","updateRight","newRights","updateActivationStatus","setCurrentUser","clearCurrentUser","beginLogin","endLogin","saveFriendIds","saveFollowerIds","clearFriends","clearFollowers","addNewUsers","updateUserRelationship","saveBlockIds","blockIds","addBlockId","blockId","saveMuteIds","muteIds","addMuteId","muteId","saveDomainMutes","domainMutes","addDomainMute","removeDomainMute","setPinnedToUser","setUserForStatus","setUserForNotification","setColor","signUpSuccess","signUpFailure","fetchUserIfMissing","blocks","blockUsers","unblockUsers","mutes","hideReblogs","showReblogs","muteUsers","unmuteUsers","muteDomains","unmuteDomains","unregisterPushNotifications","getSubscription","subscribtion","unsubscribe","unsubscribePush","unregister","retweetedUsers","compact_default","targetUsers","notificationIds","notificationsObject","relevantNotifications","signUp","userInfo","users_objectSpread","logout","_store$rootState","oauthApi","userToken","loginUser","requestPermission","startPolling","latest","maybeShowChatNotification","currentChatId","opts","fetchers","mastoUserSocket","mastoUserSocketStatus","followRequests","setBackendInteractor","addFetcher","fetcherName","fetcher","removeFetcher","clearInterval","setWsToken","wsToken","setSocket","setFollowRequests","setMastoUserSocketStatus","enableMastoSockets","disableMastoSockets","startMastoUserSocket","closeEvent","ignoreCodes","restartMastoUserSocket","stopMastoUserSocket","_ref8$timeline","_ref8$tag","_ref8$userId","stopFetchingTimeline","stopFetchingNotifications","stopFetchingFollowRequests","removeFollowRequest","initializeSocket","Socket","connect","disconnectFromSocket","disconnect","channel","setChannel","addMessage","setMessages","initializeChat","msg","appToken","setClientData","setAppToken","setToken","clearToken","getUserToken","resetState","strategy","initStrategy","auth_flow","namespaced","requiredPassword","requiredToken","requiredTOTP","requiredRecovery","setInitialStrategy","requirePassword","requireToken","requireMFA","requireRecovery","requireTOTP","abortMFA","root","mediaViewer","currentIndex","activated","setCurrent","current","closeMediaViewer","oauthTokens","tokens","fetchTokens","swapTokens","reports","modalActivated","openUserReportingModal","closeUserReportingModal","trackedPolls","mergeOrAddPoll","existingPoll","trackPoll","currentValue","untrackPoll","updateTrackedPoll","votePoll","openPostStatusModal","closePostStatusModal","ChatService","storage","newMessages","idIndex","lastSeenTimestamp","newMessageCount","getView","currentMessageChainId","sortBy_default","firstMessage","previousMessage","setHours","getTime","afterDate","nextMessage","messageChainId","uniqueId_default","deleteMessage","resetNewMessageCount","getChatById","chatList","chats_objectSpread","chatListFetcher","openedChats","openedChatMessageServices","currentChat","currentChatMessageService","findOpenedChatByRecipientId","recipientId","sortedChatList","orderBy_default","unreadChatCount","startFetchingChats","stopFetchingChats","fetchChats","addNewChats","newChatMessageSideEffects","updateChat","startFetchingCurrentChat","setCurrentChatFetcher","addOpenedChat","addChatMessages","resetChatNewMessageCount","clearCurrentChat","resetChats","clearOpenedChats","setChatListFetcher","prevFetcher","_dispatch","chatService","setCurrentChatId","updatedChat","isNewMessage","_rootGetters","deleteChat","conversation","last_status","setChatsLoading","chatMessageService","refreshLastMessage","loaded","defaultReducer","paths","substate","set_default","saveImmedeatelyActions","defaultStorage","localforage","createPersistedState","_ref$key","_ref$paths","_ref$getState","getState","getItem","_ref$setState","setState","setItem","_ref$reducer","reducer","_ref$storage","_ref$subscriber","subscriber","savedState","usersState","replaceState","merge","mutation","previousNavPaddingRight","previousAppBgWrapperRight","push_notifications_plugin","webPushNotification","isUserMutation","isVapidMutation","isPermMutation","isUserConfigMutation","isVisibilityMutation","lockerEls","disableBodyScroll","scrollBarGap","documentElement","clientWidth","bodyScrollLock","reserveScrollBarGap","navEl","getElementById","getPropertyValue","paddingRight","appBgWrapperEl","enableBodyScroll","directive","inserted","binding","componentUpdated","unbind","idA","idB","expanded","isPage","originalStatusId","getConversationId","isExpanded","clone_default","statusIndex","filter_default","sortAndFilterConversation","irid","newVal","oldVal","newConversationId","oldConversationId","getReplies","getHighlight","src_components_conversation_conversation","components_conversation_conversation","-expanded","inline-expanded","collapsable","show-pinned","pinnedStatusIdsObject","in-conversation","in-profile","profile-user-id","goto","TimelineMenu","isOpen","public-timeline","public-external-timeline","tag-timeline","openMenu","timelineName","route","i18nkey","timeline_menu_objectSpread","privateMode","federating","timeline_menu_vue_styles_","timeline_menu_timeline_menu","timeline_menu","Timeline","paused","unfocused","bottomedOut","Conversation","timelineError","showLoadButton","loadButtonString","embedded","footer","excludedStatusIdsObject","getExcludedStatusIdsByPinning","keyBy_default","scrollLoad","handleVisibilityChange","handleShortKey","fetchOlderStatuses","throttle_default","bodyBRect","pageYOffset","doc","clientTop","timeline_vue_styles_","components_timeline_timeline","timeline_timeline","pinned-status-ids-object","PublicTimeline","public_timeline_public_timeline","public_timeline","timeline-name","PublicAndExternalTimeline","public_and_external_timeline_public_and_external_timeline","public_and_external_timeline","FriendsTimeline","friends_timeline_friends_timeline","friends_timeline","TagTimeline","tag_timeline_tag_timeline","tag_timeline","Bookmarks","bookmark_timeline_bookmark_timeline","bookmark_timeline","conversationPage","conversation_page_conversation_page","conversation_page","is-page","getUser","notification_objectSpread","targetUser","targetUserProfileLink","needMute","notification_vue_styles_","components_notification_notification","notification_notification","white-space","Notifications","minimalMode","filterMode","seenToDisplayCount","notifications_objectSpread","mainClass","unseenNotifications","filteredNotifications","unseenCount","unseenCountTitle","notificationsToDisplay","markAsSeen","fetchOlderNotifications","seenCount","notifs","notifications_vue_styles_","components_notifications_notifications","notifications_notifications","minimal","unseen","tabModeDict","likes+repeats","Interactions","onModeSwitch","interactions_interactions","interactions","on-switch","minimal-mode","filter-mode","DMs","dm_timeline_dm_timeline","dm_timeline","htmlTitle","getUserProfileLink","chat_title_vue_styles_","chat_title_chat_title","chat_title","withAvatar","ChatListItem","ChatTitle","chat_list_item_objectSpread","attachmentInfo","messageForStatusContent","isYou","messagePreview","chat_list_item_vue_styles_","chat_list_item_chat_list_item","chat_list_item","chatNew","userIds","chat_new_objectSpread","availableUsers","goBack","goToChat","addUser","selectedUserIds","removeUser","chat_new_vue_styles_","chat_new_chat_new","chat_new","ChatList","List","ChatNew","chat_list_objectSpread","isNew","cancelNewChat","newChat","chat_list_vue_styles_","chat_list_chat_list","chat_list","cancel","chat_message_date","displayDate","today","toLocaleDateString","day","month","chat_message_date_chat_message_date","ChatMessage","ChatMessageDate","chat_message_objectSpread","createdAt","chatViewItem","toLocaleTimeString","hour","minute","hour12","isCurrentUser","author","isMessage","hasAttachment","popoverMarginStyle","hovered","menuOpened","onHover","bool","isHovered","chat_message_vue_styles_","chat_message_chat_message","chat_message","hovered-message-chain","hoveredMessageChain","mouseover","outgoing","incoming","without-attachment","bound-to-selector","full-content","getScrollPosition","Chat","jumpToBottomButtonVisible","hoveredMessageChainId","lastScrollPosition","scrollableContainerHeight","errorLoadingChat","handleLayoutChange","handleScroll","updateScrollableContainerHeight","handleResize","setChatLayout","unsetChatLayout","chat_objectSpread","recipient","formPlaceholder","chatViewItems","streamingEnabled","bottomedOutBeforeUpdate","scrollDown","forceRead","expand","fetchChat","isFirstFetch","onMessageHover","onFilesDropped","inner","_opts$expand","_opts$delayed","_this7$lastScrollPosi","scrollable","diff","scrollTo","_options$behavior","_options$forceRead","isBottomedOut","reachedTop","handleScrollUp","positionBeforeLoading","previousPosition","newPosition","positionAfterLoading","_this8","_ref2$isFirstFetch","_ref2$fetchLatest","fetchLatest","fetchOlderMessages","positionBeforeUpdate","_this9","doStartFetching","_this10","sendMessage","_this11","chat_vue_styles_","src_components_chat_chat","components_chat_chat","with-avatar","chat-view-item","hover","disable-subject","disable-scope-selector","disable-notice","disable-lock-warning","disable-polls","disable-sensitivity-checkbox","disable-submit","disable-preview","post-handler","submit-on-enter","preserve-focus","auto-focus","file-limit","max-height","emoji-picker-placement","FollowCard","isMe","follow_card_vue_styles_","follow_card_follow_card","follow_card","noFollowsYou","label-following","withLoadMore","select","destroy","_ref$childPropName","childPropName","_ref$additionalPropNa","additionalPropNames","WrappedComponent","$props","fetchEntries","newEntries","with_load_more_objectSpread","$listeners","$scopedSlots","helper_default","FollowerList","FriendList","UserProfile","routeParams","stopFetching","isUs","followsTabVisible","followersTabVisible","userNameOrId","loadById","reason","errorMessage","switchUser","onTabSwitch","$route.params.id","$route.params.name","$route.query","TabSwitcher","user_profile_vue_styles_","user_profile_user_profile","user_profile","viewing","allow-zooming-avatar","active-tab","render-only-focused","pinned-status-ids","no-follows-you","Search","searchTerm","hashtags","currenResultTab","newQuery","searchInput","getActiveTab","resultCount","tabName","onResultTabSwitch","lastHistoryRecord","hashtag","search_vue_styles_","components_search_search","search_search","keyup","uses","mixins","validationMixin","fullname","captcha","validations","requiredIf","accountActivationRequired","sameAsPassword","sameAs","signedIn","setCaptcha","registration_objectSpread","bioPlaceholder","isPending","serverValidationErrors","termsOfService","mapActions","captcha_solution","solution","captcha_token","captcha_answer_data","answer_data","$v","$touch","$invalid","cpt","registration_vue_styles_","src_components_registration_registration","components_registration_registration","form-group--error","$error","modifiers","$forceUpdate","autocorrect","autocapitalize","spellcheck","resetPassword","passwordReset","throttled","password_reset_objectSpread","mailerEnabled","passwordResetRequested","dismissError","passwordResetApi","password_reset_vue_styles_","components_password_reset_password_reset","password_reset_password_reset","FollowRequestCard","findFollowRequestNotificationId","notif","notifId","follow_request_card_vue_styles_","FollowRequests","follow_request_card","follow_requests_follow_requests","follow_requests","oac","_this$$store$state$oa","oauth_callback_oauth_callback","oauth_callback","LoginForm","login_form_objectSpread","isPasswordAuth","isTokenAuth","mapMutations","submitToken","submitPassword","_this$oauth","identifier","focusOnPasswordInput","passwordInput","login_form_vue_styles_","login_form_login_form","login_form","mfa","recovery_form","recovery_form_objectSpread","authSettings","mfa_token","mfaApi","mfa_form_recovery_form","totp_form","totp_form_objectSpread","mfa_form_totp_form","AuthForm","is","authForm","auth_form_objectSpread","MFARecoveryForm","MFATOTPForm","chatPanel","currentMessage","collapsed","togglePanel","chat_panel_vue_styles_","chat_panel_chat_panel","chat_panel","floating","chat-heading","WhoToFollow","getWhoToFollow","showWhoToFollow","externalUser","who_to_follow_vue_styles_","who_to_follow_who_to_follow","who_to_follow","InstanceSpecificPanel","instance_specific_panel_instance_specific_panel","instance_specific_panel","FeaturesPanel","pleromaChatMessages","gopher","whoToFollow","mediaProxy","features_panel_vue_styles_","features_panel_features_panel","features_panel","TermsOfServicePanel","terms_of_service_panel_vue_styles_","terms_of_service_panel_terms_of_service_panel","terms_of_service_panel","StaffPanel","staffAccounts","staff_panel_vue_styles_","staff_panel_staff_panel","staff_panel","MRFTransparencyPanel","mrf_transparency_panel_objectSpread","federationPolicy","mrfPolicies","quarantineInstances","acceptInstances","rejectInstances","ftlRemovalInstances","mediaNsfwInstances","mediaRemovalInstances","keywordsFtlRemoval","keywordsReject","keywordsReplace","hasInstanceSpecificPolicies","hasKeywordPolicies","mrf_transparency_panel_vue_styles_","About","mrf_transparency_panel","policy","textContent","pattern","about_vue_styles_","about_about","about","RemoteUserResolver","redirect","hostname","remote_user_resolver_vue_styles_","remote_user_resolver_remote_user_resolver","remote_user_resolver","boot_routes","validateAuthenticatedRoute","routes","_to","beforeEnter","BookmarkTimeline","ConversationPage","dontScroll","Registration","PasswordReset","ChatPanel","OAuthCallback","UserPanel","user_panel_objectSpread","user_panel_vue_styles_","user_panel_user_panel","user_panel","timeline_menu_timeline_menu_objectSpread","NavPanel","nav_panel_objectSpread","onTimelineRoute","timelinesRoute","followRequestCount","nav_panel_vue_styles_","nav_panel_nav_panel","nav_panel","SearchBar","search_bar_vue_styles_","search_bar_search_bar","search_bar","usersToFollow","toFollow","shuffled","shuffle_default","WhoToFollowPanel","oldUser","fill","who_to_follow_panel_vue_styles_","who_to_follow_panel_who_to_follow_panel","who_to_follow_panel","modal","noBackground","modal-background","modal_vue_styles_","modal_modal","panel_loading_vue_styles_","async_component_error_vue_styles_","getResettableAsyncComponent","SettingsModal","Modal","SettingsModalContent","asyncComponent","asyncComponentFactory","resettable_async_component_objectSpread","observe","observable","functional","resetAsyncComponent","retry","delay","closeModal","peekModal","modalOpenedOnce","modalPeeked","settings_modal_vue_styles_","settings_modal_settings_modal","settings_modal","peek","is-open","no-background","touchEventCoord","touches","screenX","screenY","vectorLength","sqrt","dotProduct","v1","v2","project","scalar","GestureService","DIRECTION_LEFT","DIRECTION_RIGHT","DIRECTION_UP","DIRECTION_DOWN","swipeGesture","direction","onSwipe","threshold","perpendicularTolerance","_startPos","_swiping","beginSwipe","gesture","updateSwipe","oldCoord","newCoord","delta","towardsDir","perpendicularDir","towardsPerpendicular","MediaModal","showing","currentMedia","canNavigate","mediaSwipeGestureRight","goPrev","mediaSwipeGestureLeft","goNext","mediaTouchStart","mediaTouchMove","prevIndex","nextIndex","handleKeyupEvent","handleKeydownEvent","media_modal_vue_styles_","media_modal_media_modal","media_modal","backdropClicked","touchmove","SideDrawer","closed","closeGesture","toggleDrawer","side_drawer_objectSpread","unseenNotificationsCount","sitename","doLogout","touchStart","touchMove","side_drawer_vue_styles_","side_drawer_side_drawer","side_drawer","side-drawer-container-closed","side-drawer-container-open","side-drawer-darken-closed","side-drawer-closed","side-drawer-click-outside-closed","HIDDEN_FOR_PAGES","MobilePostStatusButton","scrollingDown","inputActive","oldScrollPos","amountScrolled","activateFloatingPostButtonAutohide","handleOSK","deactivateFloatingPostButtonAutohide","isLoggedIn","isHidden","handleScrollStart","handleScrollEnd","openPostForm","smallPhone","smallPhoneKbOpen","biggerPhoneKbOpen","leading","trailing","mobile_post_status_button_vue_styles_","mobile_post_status_button_mobile_post_status_button","mobile_post_status_button","MobileNav","notificationsCloseGesture","notificationsOpen","closeMobileNotifications","mobile_nav_objectSpread","isChat","toggleMobileSidebar","sideDrawer","openMobileNotifications","notificationsTouchStart","notificationsTouchMove","scrollToTop","_ref$target","mobile_nav_vue_styles_","mobile_nav_mobile_nav","mobile_nav","mobile-hidden","active-class","UserReportingModal","statusIdsToReport","processing","remoteInstance","user_reporting_modal_objectSpread","isChecked","toggleStatus","user_reporting_modal_vue_styles_","user_reporting_modal_user_reporting_modal","user_reporting_modal","PostStatusModal","resettingForm","isFormVisible","post_status_modal_vue_styles_","post_status_modal_post_status_modal","post_status_modal","_b","GlobalNoticeList","notices","closeNotice","global_notice_list_vue_styles_","global_notice_list_global_notice_list","global_notice_list","windowWidth","App","mobileActivePanel","searchBarHidden","supportsMask","updateMobileState","enableMask","logoStyle","logoMaskStyle","mask-image","background-color","logoBgStyle","bgStyle","background-image","bgAppStyle","--body-background-image","isMobileLayout","sidebarAlign","order","onSearchBarToggled","App_vue_styles_","src_App","staticInitialResults","decodeUTF8Base64","TextDecoder","decode","preloadFetch","decoded","requestData","getInstanceConfig","max_toot_chars","vapid_public_key","getBackendProvidedConfig","pleroma_fe","getStaticConfig","_context4","setSettings","apiConfig","staticConfig","overrides","env","copyInstanceOption","_context5","___pleromafe_dev_overrides","___pleromafe_mode","NODE_ENV","staticConfigPreference","getTOS","_context6","getInstancePanel","_context7","getStickers","_context9","resPack","_context8","pack","localeCompare","t1","getAppSecret","_context10","after_store_objectSpread","resolveStaffAccounts","getNodeInfo","metadata","features","uploadLimits","software","priv","federation","_context11","nodeName","openRegistrations","general","fieldsLimits","enabled","web","version","mrf_policies","setConfig","configInfos","_context12","checkOAuthToken","_context14","_context13","afterStoreSetup","_store$state$config","router","_context15","VueRouter","scrollBehavior","_from","savedPosition","matched","currentLocale","use","Vuex","VueI18n","VueChatScroll","VueClickOutside","PortalVue","fallbackLocale","storageError","plugins","persistedState","persistedStateOptions","pushNotifications","Store","interfaceModule","instanceModule","statusesModule","usersModule","apiModule","configModule","chatModule","oauthModule","authFlow","authFlowModule","mediaViewerModule","oauthTokensModule","reportsModule","pollsModule","postStatusModule","chatsModule","strict","process","COMMIT_HASH","DEV_OVERRIDES"],"mappings":"aACA,SAAAA,EAAAC,GAQA,IAPA,IAMAC,EAAAC,EANAC,EAAAH,EAAA,GACAI,EAAAJ,EAAA,GACAK,EAAAL,EAAA,GAIAM,EAAA,EAAAC,EAAA,GACQD,EAAAH,EAAAK,OAAoBF,IAC5BJ,EAAAC,EAAAG,GACAG,EAAAP,IACAK,EAAAG,KAAAD,EAAAP,GAAA,IAEAO,EAAAP,GAAA,EAEA,IAAAD,KAAAG,EACAO,OAAAC,UAAAC,eAAAC,KAAAV,EAAAH,KACAc,EAAAd,GAAAG,EAAAH,IAKA,IAFAe,KAAAhB,GAEAO,EAAAC,QACAD,EAAAU,OAAAV,GAOA,OAHAW,EAAAR,KAAAS,MAAAD,EAAAb,GAAA,IAGAe,IAEA,SAAAA,IAEA,IADA,IAAAC,EACAf,EAAA,EAAiBA,EAAAY,EAAAV,OAA4BF,IAAA,CAG7C,IAFA,IAAAgB,EAAAJ,EAAAZ,GACAiB,GAAA,EACAC,EAAA,EAAkBA,EAAAF,EAAAd,OAA2BgB,IAAA,CAC7C,IAAAC,EAAAH,EAAAE,GACA,IAAAf,EAAAgB,KAAAF,GAAA,GAEAA,IACAL,EAAAQ,OAAApB,IAAA,GACAe,EAAAM,IAAAC,EAAAN,EAAA,KAIA,OAAAD,EAIA,IAAAQ,EAAA,GAGAC,EAAA,CACAC,EAAA,GAMAtB,EAAA,CACAsB,EAAA,GAGAb,EAAA,GAQA,SAAAS,EAAA1B,GAGA,GAAA4B,EAAA5B,GACA,OAAA4B,EAAA5B,GAAA+B,QAGA,IAAAC,EAAAJ,EAAA5B,GAAA,CACAK,EAAAL,EACAiC,GAAA,EACAF,QAAA,IAUA,OANAjB,EAAAd,GAAAa,KAAAmB,EAAAD,QAAAC,IAAAD,QAAAL,GAGAM,EAAAC,GAAA,EAGAD,EAAAD,QAKAL,EAAAQ,EAAA,SAAAjC,GACA,IAAAkC,EAAA,GAKAN,EAAA5B,GAAAkC,EAAA1B,KAAAoB,EAAA5B,IACA,IAAA4B,EAAA5B,IAFA,CAAoBmC,EAAA,EAAAC,EAAA,GAEpBpC,IACAkC,EAAA1B,KAAAoB,EAAA5B,GAAA,IAAAqC,QAAA,SAAAC,EAAAC,GAIA,IAHA,IAAAC,EAAA,kBAAmCxC,OAAA,KAA6BmC,EAAA,uBAAAC,EAAA,uBAAAK,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,wBAAoyBnE,GAAA,OACp2BoE,EAAA3C,EAAA4C,EAAA7B,EACA8B,EAAAC,SAAAC,qBAAA,QACApE,EAAA,EAAmBA,EAAAkE,EAAAhE,OAA6BF,IAAA,CAChD,IACAqE,GADAC,EAAAJ,EAAAlE,IACAuE,aAAA,cAAAD,EAAAC,aAAA,QACA,kBAAAD,EAAAE,MAAAH,IAAAjC,GAAAiC,IAAAL,GAAA,OAAA9B,IAEA,IAAAuC,EAAAN,SAAAC,qBAAA,SACA,IAAApE,EAAA,EAAmBA,EAAAyE,EAAAvE,OAA8BF,IAAA,CACjD,IAAAsE,EAEA,IADAD,GADAC,EAAAG,EAAAzE,IACAuE,aAAA,gBACAnC,GAAAiC,IAAAL,EAAA,OAAA9B,IAEA,IAAAwC,EAAAP,SAAAQ,cAAA,QACAD,EAAAF,IAAA,aACAE,EAAAE,KAAA,WACAF,EAAAG,OAAA3C,EACAwC,EAAAI,QAAA,SAAAC,GACA,IAAAC,EAAAD,KAAAE,QAAAF,EAAAE,OAAAC,KAAAlB,EACAmB,EAAA,IAAAC,MAAA,qBAAAxF,EAAA,cAAAoF,EAAA,KACAG,EAAAH,iBACAxD,EAAA5B,GACA8E,EAAAW,WAAAC,YAAAZ,GACAvC,EAAAgD,IAEAT,EAAAtC,KAAA4B,EAEAG,SAAAC,qBAAA,WACAmB,YAAAb,KACKc,KAAA,WACLhE,EAAA5B,GAAA,KAMA,IAAA6F,EAAAtF,EAAAP,GACA,OAAA6F,EAGA,GAAAA,EACA3D,EAAA1B,KAAAqF,EAAA,QACK,CAEL,IAAAC,EAAA,IAAAzD,QAAA,SAAAC,EAAAC,GACAsD,EAAAtF,EAAAP,GAAA,CAAAsC,EAAAC,KAEAL,EAAA1B,KAAAqF,EAAA,GAAAC,GAGA,IACAC,EADAC,EAAAzB,SAAAQ,cAAA,UAGAiB,EAAAC,QAAA,QACAD,EAAAE,QAAA,IACAzE,EAAA0E,IACAH,EAAAI,aAAA,QAAA3E,EAAA0E,IAEAH,EAAAV,IAlGA,SAAAtF,GACA,OAAAyB,EAAA4C,EAAA,iBAAoDrE,OAAA,KAA6BmC,EAAA,uBAAAC,EAAA,uBAAAK,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,wBAAoyBnE,GAAA,MAiGr3BqG,CAAArG,GAGA,IAAAsG,EAAA,IAAAd,MACAO,EAAA,SAAAZ,GAEAa,EAAAd,QAAAc,EAAAf,OAAA,KACAsB,aAAAL,GACA,IAAAM,EAAAjG,EAAAP,GACA,OAAAwG,EAAA,CACA,GAAAA,EAAA,CACA,IAAAC,EAAAtB,IAAA,SAAAA,EAAAH,KAAA,UAAAG,EAAAH,MACA0B,EAAAvB,KAAAE,QAAAF,EAAAE,OAAAC,IACAgB,EAAAK,QAAA,iBAAA3G,EAAA,cAAAyG,EAAA,KAAAC,EAAA,IACAJ,EAAAtB,KAAAyB,EACAH,EAAAlB,QAAAsB,EACAF,EAAA,GAAAF,GAEA/F,EAAAP,QAAA4G,IAGA,IAAAV,EAAAW,WAAA,WACAd,EAAA,CAAwBf,KAAA,UAAAK,OAAAW,KAClB,MACNA,EAAAd,QAAAc,EAAAf,OAAAc,EACAxB,SAAAuC,KAAAnB,YAAAK,GAGA,OAAA3D,QAAA0E,IAAA7E,IAIAT,EAAAuF,EAAAnG,EAGAY,EAAAwF,EAAAtF,EAGAF,EAAAyF,EAAA,SAAApF,EAAAqF,EAAAC,GACA3F,EAAA4F,EAAAvF,EAAAqF,IACA1G,OAAA6G,eAAAxF,EAAAqF,EAAA,CAA0CI,YAAA,EAAAC,IAAAJ,KAK1C3F,EAAAgG,EAAA,SAAA3F,GACA,oBAAA4F,eAAAC,aACAlH,OAAA6G,eAAAxF,EAAA4F,OAAAC,YAAA,CAAwDC,MAAA,WAExDnH,OAAA6G,eAAAxF,EAAA,cAAiD8F,OAAA,KAQjDnG,EAAAoG,EAAA,SAAAD,EAAAE,GAEA,GADA,EAAAA,IAAAF,EAAAnG,EAAAmG,IACA,EAAAE,EAAA,OAAAF,EACA,KAAAE,GAAA,iBAAAF,QAAAG,WAAA,OAAAH,EACA,IAAAI,EAAAvH,OAAAwH,OAAA,MAGA,GAFAxG,EAAAgG,EAAAO,GACAvH,OAAA6G,eAAAU,EAAA,WAAyCT,YAAA,EAAAK,UACzC,EAAAE,GAAA,iBAAAF,EAAA,QAAAM,KAAAN,EAAAnG,EAAAyF,EAAAc,EAAAE,EAAA,SAAAA,GAAgH,OAAAN,EAAAM,IAAqBC,KAAA,KAAAD,IACrI,OAAAF,GAIAvG,EAAA2G,EAAA,SAAArG,GACA,IAAAqF,EAAArF,KAAAgG,WACA,WAA2B,OAAAhG,EAAA,SAC3B,WAAiC,OAAAA,GAEjC,OADAN,EAAAyF,EAAAE,EAAA,IAAAA,GACAA,GAIA3F,EAAA4F,EAAA,SAAAgB,EAAAC,GAAsD,OAAA7H,OAAAC,UAAAC,eAAAC,KAAAyH,EAAAC,IAGtD7G,EAAA4C,EAAA,IAGA5C,EAAA8G,GAAA,SAAAhD,GAA8D,MAApBiD,QAAAlC,MAAAf,GAAoBA,GAE9D,IAAAkD,EAAAC,OAAA,aAAAA,OAAA,iBACAC,EAAAF,EAAAjI,KAAA2H,KAAAM,GACAA,EAAAjI,KAAAX,EACA4I,IAAAG,QACA,QAAAxI,EAAA,EAAgBA,EAAAqI,EAAAnI,OAAuBF,IAAAP,EAAA4I,EAAArI,IACvC,IAAAU,EAAA6H,EAIA3H,EAAAR,KAAA,SAEAU,uiBCpQA,IAyBa2H,EAAY,SAAC/I,GACxB,IAAMgJ,EAAS,GACTC,EAAQjJ,EAAKa,eAAe,QAE5BqI,EAAaD,IAAUjJ,EAAKa,eAAe,UAIjD,GAFAmI,EAAOG,GAAKC,OAAOpJ,EAAKmJ,IAEpBF,EAAO,CAKT,GAJAD,EAAOK,YAAcrJ,EAAKsJ,KAC1BN,EAAOO,sBAAwBvJ,EAAKwJ,IAGhCN,EACF,OAAOF,EAkCT,GA/BAA,EAAO3B,KAAOrH,EAAKyJ,aACnBT,EAAOU,UAAYC,EAAUC,IAAO5J,EAAKyJ,cAAezJ,EAAK6J,QAE7Db,EAAOc,YAAc9J,EAAK+J,KAC1Bf,EAAOgB,iBAAmBL,EAAU3J,EAAK+J,KAAM/J,EAAK6J,QAEpDb,EAAOiB,OAASjK,EAAKiK,OACrBjB,EAAOkB,YAAclK,EAAKiK,OAAOE,IAAI,SAAAC,GACnC,MAAO,CACL/C,KAAMsC,EAAUS,EAAM/C,KAAMrH,EAAK6J,QACjC/B,MAAO6B,EAAUS,EAAMtC,MAAO9H,EAAK6J,WAGvCb,EAAOqB,YAAcrK,EAAKiK,OAAOE,IAAI,SAAAC,GACnC,MAAO,CACL/C,KAAMiD,SAASF,EAAM/C,KAAKkD,QAAQ,WAAY,KAC9CzC,MAAOwC,SAASF,EAAMtC,MAAMyC,QAAQ,WAAY,QAKpDvB,EAAOwB,kBAAoBxK,EAAKyK,OAChCzB,EAAO0B,2BAA6B1K,EAAKyK,OAGzCzB,EAAO2B,YAAc3K,EAAK4K,OAE1B5B,EAAO6B,cAAgB7K,EAAK8K,gBAE5B9B,EAAO+B,IAAM/K,EAAK+K,IAEd/K,EAAKgL,QAAS,CAChB,IAAMC,EAAejL,EAAKgL,QAAQC,aAElCjC,EAAOkC,iBAAmBlL,EAAKgL,QAAQE,iBACvClC,EAAOmC,QAAUnL,EAAKgL,QAAQG,QAC9BnC,EAAOoC,MAAQpL,EAAKgL,QAAQK,WAExBJ,IACFjC,EAAOiC,aAAeA,GAGxBjC,EAAOsC,qBAAuBtL,EAAKgL,QAAQM,qBAE3CtC,EAAOuC,aAAevL,EAAKgL,QAAQO,aACnCvC,EAAOwC,eAAiBxL,EAAKgL,QAAQQ,eACrCxC,EAAOyC,mBAAqBzL,EAAKgL,QAAQS,mBACzCzC,EAAO0C,qBAAuB1L,EAAKgL,QAAQU,qBAE3C1C,EAAO2C,OAAS,CACdC,UAAW5L,EAAKgL,QAAQa,aACxBC,MAAO9L,EAAKgL,QAAQe,UAGlB/C,EAAO2C,OAAOG,MAChB9C,EAAOgD,KAAO,QACLhD,EAAO2C,OAAOC,UACvB5C,EAAOgD,KAAO,YAEdhD,EAAOgD,KAAO,SAIdhM,EAAKiM,SACPjD,EAAOc,YAAc9J,EAAKiM,OAAOlC,KACjCf,EAAOkD,cAAgBlM,EAAKiM,OAAOE,QACnCnD,EAAOiB,OAASjK,EAAKiM,OAAOhC,OACxBjK,EAAKiM,OAAOjB,UACdhC,EAAOoD,aAAepM,EAAKiM,OAAOjB,QAAQoB,aAC1CpD,EAAOqD,UAAYrM,EAAKiM,OAAOjB,QAAQqB,UACvCrD,EAAOsD,aAAetM,EAAKiM,OAAOjB,QAAQsB,eAK9CtD,EAAOuD,UAAYvD,EAAOK,YAAYmD,SAAS,UAE/CxD,EAAOK,YAAcrJ,EAAKqJ,YAE1BL,EAAO3B,KAAOrH,EAAKqH,KACnB2B,EAAOU,UAAY1J,EAAK0J,UAExBV,EAAOc,YAAc9J,EAAK8J,YAC1Bd,EAAOgB,iBAAmBhK,EAAKgK,iBAE/BhB,EAAOwB,kBAAoBxK,EAAKwK,kBAChCxB,EAAO0B,2BAA6B1K,EAAK0K,2BAEzC1B,EAAO2B,YAAc3K,EAAK2K,YAE1B3B,EAAO6B,cAAgB7K,EAAK6K,cAI5B7B,EAAOO,sBAAwBvJ,EAAKuJ,sBAEpCP,EAAOuD,SAAWvM,EAAKuM,SACvBvD,EAAOgD,KAAOhM,EAAKgM,KACnBhD,EAAOqD,UAAYrM,EAAKqM,UAEpBrM,EAAK2L,SACP3C,EAAO2C,OAAS,CACdC,UAAW5L,EAAK2L,OAAOc,qBACvBX,MAAO9L,EAAK2L,OAAOG,QAGvB9C,EAAOoD,aAAepM,EAAKoM,aAC3BpD,EAAOkD,cAAgBlM,EAAKkM,cAC5BlD,EAAOuC,aAAevL,EAAKuL,aAC3BvC,EAAOwC,eAAiBxL,EAAKwL,eAC7BxC,EAAOyC,mBAAqBzL,EAAKyL,mBACjCzC,EAAO0C,qBAAuB1L,EAAK0L,qBACnC1C,EAAOkC,iBAAmBlL,EAAKkL,iBAE/BlC,EAAOoC,MAAQpL,EAAKoL,MAGpBpC,EAAOiC,aAAe,CACpByB,OAAQ1M,EAAK2M,MACbC,SAAU5M,EAAK6M,mBACfC,YAAa9M,EAAK+M,YAClBC,UAAWhN,EAAKgN,WA0BpB,OAtBAhE,EAAOiE,WAAa,IAAIC,KAAKlN,EAAKiN,YAClCjE,EAAOmE,OAASnN,EAAKmN,OACrBnE,EAAOoE,gBAAkBpN,EAAKoN,gBAC9BpE,EAAOqE,eAAiBrN,EAAKqN,eAC7BrE,EAAOsE,UAAY,GACnBtE,EAAOuE,YAAc,GACrBvE,EAAOwE,gBAAkB,GAErBxN,EAAKgL,UACPhC,EAAOyE,qBAAuBzN,EAAKgL,QAAQyC,qBAE3CzE,EAAO0E,KAAO1N,EAAKgL,QAAQ0C,KAC3B1E,EAAO2E,YAAc3N,EAAKgL,QAAQ2C,YAElC3E,EAAO4E,sBAAwB5N,EAAKgL,QAAQ4C,sBAC5C5E,EAAO6E,kBAAoB7N,EAAKgL,QAAQ6C,mBAG1C7E,EAAO0E,KAAO1E,EAAO0E,MAAQ,GAC7B1E,EAAO2C,OAAS3C,EAAO2C,QAAU,GACjC3C,EAAO4E,sBAAwB5E,EAAO4E,uBAAyB,GAExD5E,GAGI8E,EAAkB,SAAC9N,GAC9B,IAAMgJ,EAAS,GAiBf,OAhBehJ,EAAKa,eAAe,WAIjCmI,EAAO+E,SAAW/N,EAAKgL,QAAUhL,EAAKgL,QAAQgD,UAAYhO,EAAKkF,KAC/D8D,EAAOiF,KAAOjO,EAAKiO,KACnBjF,EAAOG,GAAKnJ,EAAKmJ,IAEjBH,EAAO+E,SAAW/N,EAAK+N,SAIzB/E,EAAOQ,IAAMxJ,EAAKwJ,IAClBR,EAAOkF,gBAAkBlO,EAAKmO,YAC9BnF,EAAOc,YAAc9J,EAAK8J,YAEnBd,GAEIW,EAAY,SAACyE,EAAQvE,GAChC,IAAMwE,EAAsB,uBAC5B,OAAOxE,EAAOyE,OAAO,SAACC,EAAKC,GACzB,IAAMC,EAAqBD,EAAME,UAAUnE,QAAQ8D,EAAqB,QACxE,OAAOE,EAAIhE,QACT,IAAIoE,OAAJ,IAAAC,OAAeH,EAAf,KAAsC,KADjC,aAAAG,OAEQJ,EAAMhF,IAFd,YAAAoF,OAE4BJ,EAAME,UAFlC,eAAAE,OAEyDJ,EAAME,UAF/D,yBAINN,IAGQS,EAAc,SAAdA,EAAe7O,GAC1B,IAhOyB8O,EAgOnB9F,EAAS,GACTC,EAAQjJ,EAAKa,eAAe,WAElC,GAAIoI,EAAO,CAgBT,GAfAD,EAAO+F,UAAY/O,EAAKgP,WACxBhG,EAAOiG,SAAWjP,EAAKkP,iBAEvBlG,EAAOmG,SAAWnP,EAAKoP,UACvBpG,EAAOqG,WAAarP,EAAKsP,cAEzBtG,EAAOuG,WAAavP,EAAKuP,WAEzBvG,EAAO9D,KAAOlF,EAAKwP,OAAS,UAAY,SACxCxG,EAAOyG,KAAOzP,EAAK0P,UAEnB1G,EAAO2G,eAAiBhG,EAAU3J,EAAK4P,QAAS5P,EAAK6J,QAErDb,EAAO0E,KAAO1N,EAAK0N,KAEf1N,EAAKgL,QAAS,KACRA,EAAYhL,EAAZgL,QACRhC,EAAO6G,KAAO7E,EAAQ4E,QAAU5P,EAAKgL,QAAQ4E,QAAQ,cAAgB5P,EAAK4P,QAC1E5G,EAAO8G,QAAU9E,EAAQ+E,aAAe/P,EAAKgL,QAAQ+E,aAAa,cAAgB/P,EAAK+P,aACvF/G,EAAOgH,0BAA4BhQ,EAAKgL,QAAQiF,gBAChDjH,EAAOuD,SAAWvB,EAAQkF,MAC1BlH,EAAOmH,wBAA0BnQ,EAAKgL,QAAQoF,yBAC9CpH,EAAOqH,aAAerF,EAAQqF,aAC9BrH,EAAOsH,gBAAkBtF,EAAQsF,gBACjCtH,EAAOuH,oBAA4CzJ,IAA3BkE,EAAQuF,gBAAsCvF,EAAQuF,oBAE9EvH,EAAO6G,KAAO7P,EAAK4P,QACnB5G,EAAO8G,QAAU9P,EAAK+P,aAGxB/G,EAAOwH,sBAAwBxQ,EAAKyQ,eACpCzH,EAAO0H,oBAAsB1Q,EAAK2Q,uBAClC3H,EAAO4H,cAAgB5Q,EAAK4Q,cAER,YAAhB5H,EAAO9D,OACT8D,EAAO6H,iBAAmBhC,EAAY7O,EAAKwP,SAG7CxG,EAAO8H,aAAenH,EAAUC,IAAO5J,EAAK+P,cAAe/P,EAAK6J,QAChEb,EAAO+H,aAAe/Q,EAAKwJ,IAC3BR,EAAOgI,KAAOhR,EAAKgR,KACfhI,EAAOgI,OACThI,EAAOgI,KAAKC,SAAWjI,EAAOgI,KAAKC,SAAW,IAAI9G,IAAI,SAAAC,GAAK,oWAAA8G,CAAA,GACtD9G,EADsD,CAEzD+G,WAAYxH,EAAUS,EAAMgH,MAAOpR,EAAK6J,aAG5Cb,EAAOqI,OAASrR,EAAKqR,OACrBrI,EAAO2D,MAAQ3M,EAAK2M,WAEpB3D,EAAO+F,UAAY/O,EAAK+O,UACxB/F,EAAOiG,SAAWjP,EAAKiP,SAEvBjG,EAAOmG,SAAWnP,EAAKmP,SACvBnG,EAAOqG,WAAarP,EAAKqP,WAKzBrG,EAAO9D,MA/RgB4J,EA+RS9O,GA9RvBsR,aACF,SAGLxC,EAAO+B,iBACF,UAGkB,iBAAf/B,EAAOyC,KAAoBzC,EAAOyC,IAAIC,MAAM,gCAC5B,iBAAhB1C,EAAOe,MAAqBf,EAAOe,KAAK2B,MAAM,aACjD,WAGL1C,EAAOe,KAAK2B,MAAM,yBAA2B1C,EAAO2C,sBAC/C,WAGL3C,EAAOe,KAAK2B,MAAM,sBAAiD,WAAzB1C,EAAO4C,cAC5C,SAGF,eA2Qa5K,IAAd9G,EAAKyP,MACPzG,EAAOyG,KAAOkC,EAAO3R,GACjBA,EAAK6Q,mBACP7H,EAAOyG,KAAOzP,EAAK6Q,iBAAiBpB,OAGtCzG,EAAOyG,KAAOzP,EAAKyP,KAGrBzG,EAAO2G,eAAiB3P,EAAK2P,eAC7B3G,EAAO6G,KAAO7P,EAAK6P,KAEnB7G,EAAOwH,sBAAwBxQ,EAAKwQ,sBACpCxH,EAAO0H,oBAAsB1Q,EAAK0Q,oBAClC1H,EAAOmH,wBAA0BnQ,EAAKmQ,wBACtCnH,EAAOgH,0BAA4BhQ,EAAKgQ,0BAEpB,YAAhBhH,EAAO9D,OACT8D,EAAO6H,iBAAmBhC,EAAY7O,EAAK6Q,mBAG7C7H,EAAO8G,QAAU9P,EAAK8P,QACtB9G,EAAO8H,aAAe9Q,EAAK8Q,aAC3B9H,EAAO+H,aAAe/Q,EAAK+Q,aAC3B/H,EAAOuD,SAAWvM,EAAKuM,SAGzBvD,EAAOG,GAAKC,OAAOpJ,EAAKmJ,IACxBH,EAAO4I,WAAa5R,EAAK4R,WACzB5I,EAAO6I,KAAO7R,EAAK6R,KACnB7I,EAAOiE,WAAa,IAAIC,KAAKlN,EAAKiN,YAGlCjE,EAAOwH,sBAAwBxH,EAAOwH,sBAClCpH,OAAOJ,EAAOwH,uBACd,KACJxH,EAAO0H,oBAAsB1H,EAAO0H,oBAChCtH,OAAOJ,EAAO0H,qBACd,KAEJ1H,EAAO8I,KAAO/I,EAAUE,EAAQjJ,EAAK+R,QAAU/R,EAAK8R,MAEpD9I,EAAOgJ,aAAe/I,EAAQjJ,EAAKiS,SAAWjS,EAAKgS,aAAe,IAAI7H,IAAIpB,GAE1EC,EAAOkJ,cAAgBjJ,EAAQjJ,EAAKmS,kBAAoBnS,EAAKkS,cAAgB,IAC1E/H,IAAI2D,GAEP,IAAMsE,EAAkBnJ,EAAQjJ,EAAKwP,OAASxP,EAAK6Q,iBAQnD,OAPIuB,IACFpJ,EAAO6H,iBAAmBhC,EAAYuD,IAGxCpJ,EAAOqJ,YAAc,GACrBrJ,EAAOsJ,YAAc,GAEdtJ,GAGIuJ,EAAoB,SAACvS,GAChC,IAKMgJ,EAAS,GAEf,IAHehJ,EAAKa,eAAe,SAIjCmI,EAAO9D,KARS,CAChBsN,UAAa,OACbhD,OAAU,UAMcxP,EAAKkF,OAASlF,EAAKkF,KAC3C8D,EAAOyJ,KAAOzS,EAAKgL,QAAQ0H,QAC3B1J,EAAO8F,OAAS6D,YAAqB3J,EAAO9D,MAAQ2J,EAAY7O,EAAK8O,QAAU,KAC/E9F,EAAO4J,OAAS5J,EAAO8F,OACvB9F,EAAOzD,OAAyB,SAAhByD,EAAO9D,KACnB,KACA6D,EAAU/I,EAAKuF,QACnByD,EAAO6J,aAAe9J,EAAU/I,EAAK+R,SACrC/I,EAAOwF,MAAQxO,EAAKwO,UACf,CACL,IAAMsE,EAAejE,EAAY7O,EAAK+S,QACtC/J,EAAO9D,KAAOlF,EAAKgT,MACnBhK,EAAOyJ,KAAOQ,QAAQjT,EAAK0S,SAC3B1J,EAAO8F,OAAyB,SAAhB9F,EAAO9D,KACnB2J,EAAY7O,EAAK+S,OAAOG,kBACxBJ,EACJ9J,EAAO4J,OAASE,EAChB9J,EAAO6J,aAA+B,yBAAhB7J,EAAO9D,KAAkC6D,EAAU/I,EAAK+R,SAAWhJ,EAAU/I,EAAK6S,cAM1G,OAHA7J,EAAOiE,WAAa,IAAIC,KAAKlN,EAAKiN,YAClCjE,EAAOG,GAAKgK,SAASnT,EAAKmJ,IAEnBH,GAGH2I,EAAS,SAAC7C,GAEd,OAAQA,EAAOpB,MAAQ,IAAIlB,SAAS,YAAcsC,EAAOe,MAAQ,IAAI2B,MADnD,WAIP4B,EAA4B,SAACC,GAA0B,IAC5DC,GAD4DC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAP,IACtCD,QACfE,EAAmBC,IAAgBJ,GACzC,GAAKG,EAAL,CACA,IAAME,EAAQF,EAAiBG,KAAKC,OAC9BC,EAAQL,EAAiBM,KAAKC,OAEpC,MAAO,CACLL,MAAOJ,EAAUI,EAAQP,SAASO,EAAO,IACzCG,MAAOP,EAAUO,EAAQV,SAASU,EAAO,OAIhCG,EAAY,SAACC,GACxB,IAAMjL,EAAS,GAMf,OALAA,EAAOG,GAAK8K,EAAK9K,GACjBH,EAAO+I,QAAUhJ,EAAUkL,EAAKlC,SAChC/I,EAAOkL,OAASD,EAAKC,OACrBlL,EAAOmL,YAAcC,EAAiBH,EAAKI,cAC3CrL,EAAOsL,WAAa,IAAIpH,KAAK+G,EAAKK,YAC3BtL,GAGIoL,EAAmB,SAACvN,GAC/B,GAAKA,EAAL,CACA,GAAIA,EAAQ0N,aAAgB,OAAO1N,EACnC,IAAMmC,EAASnC,EAef,OAdAmC,EAAOG,GAAKtC,EAAQsC,GACpBH,EAAOiE,WAAa,IAAIC,KAAKrG,EAAQoG,YACrCjE,EAAOwL,QAAU3N,EAAQ2N,QACrB3N,EAAQ+I,QACV5G,EAAO4G,QAAUjG,EAAU9C,EAAQ+I,QAAS/I,EAAQgD,QAEpDb,EAAO4G,QAAU,GAEf/I,EAAQ4N,WACVzL,EAAOkJ,YAAc,CAACpE,EAAgBjH,EAAQ4N,aAE9CzL,EAAOkJ,YAAc,GAEvBlJ,EAAOuL,cAAe,EACfvL,2nBC7aF,IASM0L,EAAU,SAAC/M,EAAGgN,EAAGC,GAC5B,GAAIjN,QAAJ,CAIA,GAAa,MAATA,EAAE,IAAoB,gBAANA,EAClB,OAAOA,EAET,GAAiB,WAAbkN,IAAOlN,GAAgB,KAAAmN,EACVnN,EAAZA,EADsBmN,EACtBnN,EAAGgN,EADmBG,EACnBH,EAAGC,EADgBE,EAChBF,EATuB,IAAAG,EAWtB,CAACpN,EAAGgN,EAAGC,GAAGzK,IAAI,SAAA6K,GAIxB,OADAA,GADAA,GADAA,EAAMC,KAAKC,KAAKF,IACJ,EAAI,EAAIA,GACR,IAAM,IAAMA,IAdQG,EAAAC,IAAAL,EAAA,GAiBlC,OANCpN,EAXiCwN,EAAA,GAW9BR,EAX8BQ,EAAA,GAW3BP,EAX2BO,EAAA,GAiBlC,IAAAvG,SAAa,GAAK,KAAOjH,GAAK,KAAOgN,GAAK,GAAKC,GAAGS,SAAS,IAAIvM,MAAM,MA8BjEwM,EAAe,SAACC,GACpB,MAAO,MAAMC,MAAM,IAAIlH,OAAO,SAACC,EAAKpH,GAAoC,OAA5BoH,EAAIpH,GAnBjC,SAACsO,GAKhB,IAAMtO,EAAIsO,EAAM,IAChB,OAAItO,EAAI,OACCA,EAAI,MAEJ8N,KAAKS,KAAKvO,EAAI,MAAS,MAAO,KAUcwO,CAASJ,EAAKpO,IAAYoH,GAAO,KAW3EqH,EAAoB,SAACL,GAAS,IAAAM,EACrBP,EAAaC,GACjC,MAAO,MAFkCM,EACjClO,EACY,MAFqBkO,EAC9BlB,EACsB,MAFQkB,EAC3BjB,GAYHkB,EAAmB,SAACC,EAAGnB,GAClC,IAAMoB,EAAKJ,EAAkBG,GACvBE,EAAKL,EAAkBhB,GAFWsB,EAGvBF,EAAKC,EAAK,CAACD,EAAIC,GAAM,CAACA,EAAID,GAHHG,EAAAf,IAAAc,EAAA,GAKxC,OALwCC,EAAA,GAK3B,MAL2BA,EAAA,GAKb,MAUhBC,EAAyB,SAACvG,EAAMwG,EAAQC,GACnD,OAAOR,EAAiBS,EAAiBD,EAASD,GAASxG,IAWhD2G,EAAa,SAACC,EAAIC,EAAKC,GAClC,OAAY,IAARD,QAA4B,IAARA,EAA4BD,EAC7C,MAAMjB,MAAM,IAAIlH,OAAO,SAACC,EAAKpH,GAIlC,OADAoH,EAAIpH,GAAMsP,EAAGtP,GAAKuP,EAAMC,EAAGxP,IAAM,EAAIuP,GAC9BnI,GACN,KASQgI,EAAmB,SAACD,EAASD,GAAV,OAAqBA,EAAO/H,OAAO,SAACC,EAADqI,GAA2B,IAAAC,EAAAzB,IAAAwB,EAAA,GAApBE,EAAoBD,EAAA,GAAbE,EAAaF,EAAA,GAC5F,OAAOL,EAAWM,EAAOC,EAASxI,IACjC+H,IAeUU,EAAU,SAACC,GACtB,IAAM5V,EAAS,4CAA4C6V,KAAKD,GAChE,OAAO5V,EAAS,CACdsG,EAAGwL,SAAS9R,EAAO,GAAI,IACvBsT,EAAGxB,SAAS9R,EAAO,GAAI,IACvBuT,EAAGzB,SAAS9R,EAAO,GAAI,KACrB,MAUO8V,EAAS,SAACpB,EAAGnB,GACxB,MAAO,MAAMY,MAAM,IAAIlH,OAAO,SAACC,EAAK6I,GAElC,OADA7I,EAAI6I,IAAMrB,EAAEqB,GAAKxC,EAAEwC,IAAM,EAClB7I,GACN,KAQQ8I,EAAW,SAAUC,GAChC,cAAA1I,OAAeqG,KAAKsC,MAAMD,EAAK3P,GAA/B,MAAAiH,OAAsCqG,KAAKsC,MAAMD,EAAK3C,GAAtD,MAAA/F,OAA6DqG,KAAKsC,MAAMD,EAAK1C,GAA7E,MAAAhG,OAAoF0I,EAAKvB,EAAzF,MAaWyB,EAAe,SAAUb,EAAI9G,EAAM4H,GAG9C,GAFiB3B,EAAiBa,EAAI9G,GAEvB,IAAK,CAClB,IAAM6H,OAAyB,IAAX7H,EAAKkG,EAAoB,CAAEA,EAAGlG,EAAKkG,GAAM,GACvD1U,EAASV,OAAOgX,OAAOD,EAAME,0BAAgB/H,GAAMgI,KACzD,OAAKJ,GAAY3B,EAAiBa,EAAItV,GAAU,IAEvCyW,wBAAcnB,EAAI9G,GAAMgI,IAG1BxW,EAET,OAAOwO,GAUIkI,EAAc,SAACC,EAAOjC,GACjC,IAAI8B,EAAM,GACV,GAAqB,WAAjBhD,IAAOmD,GACTH,EAAMG,OACD,GAAqB,iBAAVA,EAAoB,CACpC,IAAIA,EAAMC,WAAW,KAGnB,OAAOD,EAFPH,EAAMb,EAAQgB,GAKlB,OAAOX,+VAAQnG,CAAA,GAAM2G,EAAN,CAAW9B,wWC1NrB,SAASmC,EAAiBC,EAAYC,EAAMnH,EAASoH,GAC1DC,KAAKjR,KAAO,kBACZiR,KAAKH,WAAaA,EAClBG,KAAKzR,QAAUsR,EAAa,OAASI,MAAQA,KAAKC,UAAYD,KAAKC,UAAUJ,GAAQA,GACrFE,KAAK9R,MAAQ4R,EACbE,KAAKrH,QAAUA,EACfqH,KAAKD,SAAWA,EAEZ3S,MAAM+S,mBACR/S,MAAM+S,kBAAkBH,MAG5BJ,EAAgBtX,UAAYD,OAAOwH,OAAOzC,MAAM9E,WAChDsX,EAAgBtX,UAAU8X,YAAcR,EAEjC,IAAMS,EAAb,SAAAC,GACE,SAAAD,EAAanS,GAAO,IAAAqS,EChBUC,EDgBVC,IAAAT,KAAAK,GAClBE,EAAAG,IAAAV,KAAAW,IAAAN,GAAA7X,KAAAwX,OACI5S,MAAM+S,mBACR/S,MAAM+S,kBAANS,IAAAL,IAGF,IASE,GAPqB,iBAAVrS,IACTA,EAAQ+R,KAAKY,MAAM3S,IACT3F,eAAe,WACvB2F,EAAQ+R,KAAKY,MAAM3S,EAAMA,QAIR,WAAjB4S,IAAO5S,GAAoB,CAC7B,IAAM6S,EAAgBd,KAAKY,MAAM3S,EAAMA,OAMnC6S,EAAcC,QAChBD,EAAcE,SAAWF,EAAcC,aAChCD,EAAcC,OAGvBT,EAAKhS,SC3CmBiS,ED2CMO,EC1C7B1Y,OAAO6Y,QAAQV,GAAQxK,OAAO,SAACmL,EAADvD,GAAoB,IAAAC,EAAAuD,IAAAxD,EAAA,GAAZkB,EAAYjB,EAAA,GACnDtP,EADmDsP,EAAA,GACrC7H,OAAO,SAACC,EAAK1H,GAE7B,OAAO0H,EAAM,CADHoL,IAAWvC,EAAE7M,QAAQ,KAAM,MAClB1D,GAAS+S,KAAK,KAAO,MACvC,IACH,SAAAhL,OAAAiL,IAAWJ,GAAX,CAAiB5S,KAChB,UDsCGgS,EAAKhS,QAAUL,EAEjB,MAAOrE,GAEP0W,EAAKhS,QAAUL,EAjCC,OAAAqS,EADtB,OAAAiB,IAAAnB,EAAAC,GAAAD,EAAA,CAAAoB,IAAuCrU,sqBEZvC,IAMMsU,EAAuB,SAACC,EAAYC,GAAb,kCAAAtL,OAAmDqL,EAAnD,sBAAArL,OAAkFsL,IAmBzGC,EAAoC,SAAAhR,GAAE,+BAAAyF,OAA6BzF,EAA7B,aACtCiR,EAAwB,SAAAjR,GAAE,0BAAAyF,OAAwBzF,EAAxB,eAC1BkR,EAA0B,SAAAlR,GAAE,0BAAAyF,OAAwBzF,EAAxB,iBAC5BmR,EAAuB,SAAAnR,GAAE,0BAAAyF,OAAwBzF,EAAxB,YACzBoR,EAAyB,SAAApR,GAAE,0BAAAyF,OAAwBzF,EAAxB,cAgB3BqR,EAA6B,SAAArR,GAAE,0BAAAyF,OAAwBzF,EAAxB,cAC/BsR,EAA4B,SAAA7V,GAAG,+BAAAgK,OAA6BhK,IAM5D8V,EAAyB,SAAAvR,GAAE,0BAAAyF,OAAwBzF,EAAxB,UAC3BwR,EAA2B,SAAAxR,GAAE,0BAAAyF,OAAwBzF,EAAxB,YAC7ByR,GAA0B,SAAAzR,GAAE,kCAAAyF,OAAgCzF,EAAhC,eAC5B0R,GAA4B,SAAA1R,GAAE,kCAAAyF,OAAgCzF,EAAhC,iBAC9B2R,GAA+B,SAAA3R,GAAE,0BAAAyF,OAAwBzF,EAAxB,cACjC4R,GAAiC,SAAA5R,GAAE,0BAAAyF,OAAwBzF,EAAxB,gBAKnC6R,GAAkC,SAAA7R,GAAE,0BAAAyF,OAAwBzF,EAAxB,mBACpC8R,GAAkC,SAAA9R,GAAE,0BAAAyF,OAAwBzF,EAAxB,kBAGpC+R,GAA0B,SAAA/R,GAAE,0BAAAyF,OAAwBzF,EAAxB,SAC5BgS,GAA4B,SAAAhS,GAAE,0BAAAyF,OAAwBzF,EAAxB,WAC9BiS,GAA6B,SAAAjS,GAAE,0BAAAyF,OAAwBzF,EAAxB,UAC/BkS,GAA+B,SAAAlS,GAAE,0BAAAyF,OAAwBzF,EAAxB,YAMjCmS,GAA8B,SAAAnS,GAAE,kCAAAyF,OAAgCzF,EAAhC,eAChCoS,GAA0B,SAACpS,EAAIqF,GAAL,kCAAAI,OAA2CzF,EAA3C,eAAAyF,OAA2DJ,IACrFgN,GAA4B,SAACrS,EAAIqF,GAAL,kCAAAI,OAA2CzF,EAA3C,eAAAyF,OAA2DJ,IAGvFiN,GAA4B,SAAAtS,GAAE,+BAAAyF,OAA6BzF,EAA7B,cAC9BuS,GAAwB,SAAAvS,GAAE,+BAAAyF,OAA6BzF,EAA7B,UAC1BwS,GAAkC,SAACC,EAAQC,GAAT,+BAAAjN,OAAgDgN,EAAhD,cAAAhN,OAAmEiN,IAErGC,GAAWlT,OAAOmT,MAEpBA,GAAQ,SAACvS,EAAKyH,GAEhB,IACM+K,EADU,GACUxS,EAE1B,OAJAyH,EAAUA,GAAW,IAGbgL,YAAc,cACfH,GAASE,EAAS/K,IAGrBiL,GAAkB,SAAAhG,GAAiE,IAA9DiG,EAA8DjG,EAA9DiG,OAAQ3S,EAAsD0M,EAAtD1M,IAAK4S,EAAiDlG,EAAjDkG,OAAQC,EAAyCnG,EAAzCmG,QAASJ,EAAgC/F,EAAhC+F,YAAgCK,EAAApG,EAAnBqG,QAC9DtL,EAAU,CACdkL,SACAI,QAAOrL,EAAA,CACLsL,OAAU,mBACVC,eAAgB,yBALmE,IAAAH,EAAT,GAASA,IAuBvF,OAdIF,IACF5S,GAAO,IAAM7I,OAAO6Y,QAAQ4C,GACzBjS,IAAI,SAAAgM,GAAA,IAAAS,EAAA8C,IAAAvD,EAAA,GAAE/N,EAAFwO,EAAA,GAAO9O,EAAP8O,EAAA,UAAkB8F,mBAAmBtU,GAAO,IAAMsU,mBAAmB5U,KACzE8R,KAAK,MAENyC,IACFpL,EAAQmH,KAAOG,KAAKC,UAAU6D,IAE5BJ,IACFhL,EAAQsL,QAARrL,EAAA,GACKD,EAAQsL,QADb,GAEKI,GAAYV,KAGZF,GAAMvS,EAAKyH,GACfnL,KAAK,SAACuS,GACL,OAAO,IAAI9V,QAAQ,SAACC,EAASC,GAAV,OAAqB4V,EAASuE,OAC9C9W,KAAK,SAAC8W,GACL,OAAKvE,EAASwE,GAGPra,EAAQoa,GAFNna,EAAO,IAAIyV,EAAgBG,EAASvJ,OAAQ8N,EAAM,CAAEpT,MAAKyH,WAAWoH,WAkFjFsE,GAAc,SAACG,GACnB,OAAIA,EACK,CAAEC,cAAA,UAAAnO,OAA2BkO,IAE7B,IAgGLE,GAAe,SAAAC,GAAqD,IAAlD9T,EAAkD8T,EAAlD9T,GAAIuK,EAA8CuJ,EAA9CvJ,MAAOwJ,EAAuCD,EAAvCC,QAAuCC,EAAAF,EAA9BG,aAA8B,IAAAD,EAAtB,GAAsBA,EAAlBlB,EAAkBgB,EAAlBhB,YAClDzS,EAhRyB,SAAAL,GAAE,0BAAAyF,OAAwBzF,EAAxB,cAgRrBkU,CAAuBlU,GAC3BmU,EAAO,CACX5J,GAAK,UAAA9E,OAAc8E,GACnBwJ,GAAO,YAAAtO,OAAgBsO,GACvBE,GAAK,SAAAxO,OAAawO,GAHP,2BAKXG,OAAO,SAAAC,GAAC,OAAIA,IAAG5D,KAAK,KAGtB,OAAOmC,GADPvS,GAAa8T,EAAO,IAAMA,EAAO,GACf,CAAEf,QAASI,GAAYV,KACtCnW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GAAD,OAAUA,EAAKmK,IAAIpB,QAmuBhB0U,GAAuB,SAAAC,GAAwC,IAArCzB,EAAqCyB,EAArCzB,YAAa0B,EAAwBD,EAAxBC,OAAwBC,EAAAF,EAAhBJ,YAAgB,IAAAM,EAAT,GAASA,EAC1E,OAAOjd,OAAO6Y,QAAPtI,EAAA,GACD+K,EACA,CAAE4B,aAAc5B,GAChB,GAHC,CAKL0B,UACGL,IACFhP,OAAO,SAACC,EAADuP,GAAqB,IAAAC,EAAArE,IAAAoE,EAAA,GAAd1V,EAAc2V,EAAA,GAAT/I,EAAS+I,EAAA,GAC7B,OAAOxP,EAAG,GAAAK,OAAMxG,EAAN,KAAAwG,OAAaoG,EAAb,MACTgJ,uBAGCC,GAA4B,IAAIC,IAAI,CACxC,SACA,eACA,SACA,oBAGIC,GAA2B,IAAID,IAAI,CACvC,wBAKWE,GAAc,SAAAC,GAIrB,IAHJ7U,EAGI6U,EAHJ7U,IAGI8U,EAAAD,EAFJE,oBAEI,IAAAD,EAFWE,GAEXF,EAAAG,EAAAJ,EADJlV,UACI,IAAAsV,EADC,UACDA,EACEC,EAAc,IAAIC,YAClBC,EAAS,IAAIC,UAAUrV,GAC7B,IAAKoV,EAAQ,MAAM,IAAIlZ,MAAJ,2BAAAkJ,OAAqCzF,IACxD,IAAM2V,EAAQ,SAACC,EAAUC,GAAkC,IAAvBC,EAAuB1L,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAX,SAAAwC,GAAC,OAAIA,GACnDgJ,EAASG,iBAAiBF,EAAW,SAACG,GACpCT,EAAYU,cAAc,IAAIC,YAC5BL,EACA,CAAEM,OAAQL,EAAUE,SAkC1B,OA9BAP,EAAOM,iBAAiB,OAAQ,SAACK,GAC/B7W,QAAQ8W,MAAR,QAAA5Q,OAAsBzF,EAAtB,sBAA8CoW,KAEhDX,EAAOM,iBAAiB,QAAS,SAACK,GAChC7W,QAAQ8W,MAAR,QAAA5Q,OAAsBzF,EAAtB,oBAA4CoW,KAE9CX,EAAOM,iBAAiB,QAAS,SAACK,GAChC7W,QAAQ8W,MAAR,QAAA5Q,OACUzF,EADV,oCAAAyF,OAC+C2Q,EAAQE,MACrDF,KAaJT,EAAMF,EAAQ,QACdE,EAAMF,EAAQ,SACdE,EAAMF,EAAQ,UAAWL,GACzBO,EAAMF,EAAQ,SAGdF,EAAYgB,MAAQ,WAAQd,EAAOc,MAAM,IAAM,yBAExChB,GAGIF,GAAgB,SAACe,GAAY,IAChCvf,EAASuf,EAATvf,KACR,GAAKA,EAAL,CACA,IAAM2f,EAAcpH,KAAKY,MAAMnZ,GACvBqF,EAAmBsa,EAAnBta,MAAOgX,EAAYsD,EAAZtD,QACf,IAAI4B,GAA0B2B,IAAIva,KAAU8Y,GAAyByB,IAAIva,GAevE,OADAqD,QAAQmX,KAAK,gBAAiBN,GACvB,KAbP,GAAc,WAAVla,EACF,MAAO,CAAEA,QAAO8D,GAAIkT,GAEtB,IAAMrc,EAAOqc,EAAU9D,KAAKY,MAAMkD,GAAW,KAC7C,MAAc,WAAVhX,EACK,CAAEA,QAAOyJ,OAAQD,YAAY7O,IACjB,iBAAVqF,EACF,CAAEA,QAAOya,aAAcvN,YAAkBvS,IAC7B,wBAAVqF,EACF,CAAEA,QAAO0a,WAAY/L,YAAUhU,SADjC,IASEggB,GAAqBrf,OAAOsf,OAAO,CAC9CC,OAAU,EACVC,OAAU,EACVC,MAAS,IAwELC,GAAa,CACjBC,kBAxpBwB,SAACxO,GACzB,OAAOiK,GAliBkB,sCAkiBQ,CAC/BQ,QAASI,GAAY7K,KAEpBhM,KAAK,SAACuS,GACL,OAAIA,EAASwE,GACJxE,EAASuE,OAET,CACLpW,MAAO6R,KAIZvS,KAAK,SAAC9F,GAAD,OAAUA,EAAKwG,MAAQxG,EAAO+I,YAAU/I,MA4oBhDugB,cAnvBoB,SAAAC,GAShB,IARJC,EAQID,EARJC,SACAxE,EAOIuE,EAPJvE,YAOIyE,EAAAF,EANJG,aAMI,IAAAD,KAAAE,EAAAJ,EALJK,aAKI,IAAAD,KAAAE,EAAAN,EAJJO,cAII,IAAAD,KAAAE,EAAAR,EAHJ5b,WAGI,IAAAoc,KAAAC,EAAAT,EAFJU,iBAEI,IAAAD,KAAAE,EAAAX,EADJY,uBACI,IAAAD,EADc,MACdA,EAaEE,EAA+B,kBAAbZ,EAClBrE,EAAS,GAEX5S,EAfiB,CACnB8X,OAhc6B,2BAic7BC,QAhcoC,yBAicpCC,IAnc0C,2BAoc1CC,cAldoC,wBAmdpCC,kBApc6B,2BAqc7B5P,KAAM0I,EACNmH,MAAOnH,EACPoH,UAvdyC,qBAwdzChd,IAAK6V,EACLoH,UAjcmC,qBAscdpB,GAEN,SAAbA,GAAoC,UAAbA,IACzBjX,EAAMA,EAAIuX,IAGRJ,GACFvE,EAAO1b,KAAK,CAAC,WAAYigB,IAEvBE,GACFzE,EAAO1b,KAAK,CAAC,SAAUmgB,IAErBjc,IACF4E,EAAMA,EAAI5E,IAEK,UAAb6b,GACFrE,EAAO1b,KAAK,CAAC,aAAc,IAEZ,WAAb+f,GACFrE,EAAO1b,KAAK,CAAC,SAAS,IAEP,WAAb+f,GAAsC,sBAAbA,GAC3BrE,EAAO1b,KAAK,CAAC,cAAc,IAEZ,cAAb+f,GAAyC,cAAbA,GAC9BrE,EAAO1b,KAAK,CAAC,aAAcwgB,IAEL,QAApBE,GACFhF,EAAO1b,KAAK,CAAC,mBAAoB0gB,IAGnChF,EAAO1b,KAAK,CAAC,QAAS,KAEtB,IAAMohB,EAAcC,IAAI3F,EAAQ,SAAC4F,GAAD,SAAApT,OAAcoT,EAAM,GAApB,KAAApT,OAA0BoT,EAAM,MAAMpI,KAAK,KAC3EpQ,GAAG,IAAAoF,OAAQkT,GACX,IAAIhT,EAAS,GACTmT,EAAa,GACbC,EAAa,GACjB,OAAOnG,GAAMvS,EAAK,CAAE+S,QAASI,GAAYV,KACtCnW,KAAK,SAAC9F,GAML,OALA8O,EAAS9O,EAAK8O,OACdmT,EAAajiB,EAAKiiB,WAClBC,EAAa9O,YAA0BpT,EAAKuc,QAAQ7U,IAAI,QAAS,CAC/D4L,QAAsB,cAAbmN,GAAyC,kBAAbA,IAEhCzgB,IAER8F,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GACL,OAAKA,EAAKwG,OAGRxG,EAAK8O,OAASA,EACd9O,EAAKiiB,WAAaA,EACXjiB,GAJA,CAAEA,KAAMA,EAAKmK,IAAIkX,EAAkB9O,IAAoB1D,KAAcqT,iBAyqBlFC,oBAhqB0B,SAAAC,GAAyB,IAAtBjZ,EAAsBiZ,EAAtBjZ,GAAI8S,EAAkBmG,EAAlBnG,YAC3BzS,EAAMgR,EAA2BrR,GAAM,eAC7C,OAAO+S,GAAgB,CAAE1S,MAAKyS,gBAC3BnW,KAAK,SAAC9F,GAAD,OAAUA,EAAKmK,IAAI0E,QA8pB3BwT,kBAx2BwB,SAAAC,GAAyB,IAAtBnZ,EAAsBmZ,EAAtBnZ,GAAI8S,EAAkBqG,EAAlBrG,YAC3BsG,EAhU8B,SAAApZ,GAAE,0BAAAyF,OAAwBzF,EAAxB,YAgUnBqZ,CAA4BrZ,GAC7C,OAAO4S,GAAMwG,EAAY,CAAEhG,QAASI,GAAYV,KAC7CnW,KAAK,SAAC9F,GACL,GAAIA,EAAK6c,GACP,OAAO7c,EAET,MAAM,IAAI0F,MAAM,0BAA2B1F,KAE5C8F,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAA2c,GAAA,IAAGC,EAAHD,EAAGC,UAAWC,EAAdF,EAAcE,YAAd,MAAiC,CACrCD,UAAWA,EAAUvY,IAAI0E,KACzB8T,YAAaA,EAAYxY,IAAI0E,SA61BjC+T,YAz1BkB,SAAAC,GAAyB,IAAtB1Z,EAAsB0Z,EAAtB1Z,GAAI8S,EAAkB4G,EAAlB5G,YACrBzS,EAjVsB,SAAAL,GAAE,0BAAAyF,OAAwBzF,GAiV1C2Z,CAAoB3Z,GAC9B,OAAO4S,GAAMvS,EAAK,CAAE+S,QAASI,GAAYV,KACtCnW,KAAK,SAAC9F,GACL,GAAIA,EAAK6c,GACP,OAAO7c,EAET,MAAM,IAAI0F,MAAM,0BAA2B1F,KAE5C8F,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAg1B9Bgd,gBACA+F,cAr5BoB,SAAAC,GAAyB,IAAtB7Z,EAAsB6Z,EAAtB7Z,GAAI8S,EAAkB+G,EAAlB/G,YAC3B,OAAO,IAAI1Z,QAAQ,SAAOC,EAASC,GAAhB,IAAA8e,EAAA0B,EAAAvP,EAAAwP,EAAA,OAAAC,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,OAAA0P,EAAAvP,KAAA,EAEXyN,EAAU,GACV0B,GAAO,EAHI,WAIRA,EAJQ,CAAAI,EAAA1P,KAAA,gBAKPD,EAAQ6N,EAAQ/gB,OAAS,EAAI8iB,IAAK/B,GAASpY,QAAKrC,EALzCuc,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAMOvG,GAAa,CAAE7T,KAAIuK,QAAOuI,iBANjC,OAMPiH,EANOG,EAAAG,KAObjC,EAAUkC,IAAOlC,EAAS2B,GACL,IAAjBA,EAAM1iB,SACRyiB,GAAO,GATII,EAAA1P,KAAA,gBAYfnR,EAAQ+e,GAZO8B,EAAA1P,KAAA,iBAAA0P,EAAAvP,KAAA,GAAAuP,EAAAK,GAAAL,EAAA,SAcf5gB,EAAM4gB,EAAAK,IAdS,yBAAAL,EAAAM,SAAA,uBAq5BnBC,eAl4BqB,SAAAC,GAAqD,IAAlD1a,EAAkD0a,EAAlD1a,GAAIuK,EAA8CmQ,EAA9CnQ,MAAOwJ,EAAuC2G,EAAvC3G,QAAuC4G,EAAAD,EAA9BzG,aAA8B,IAAA0G,EAAtB,GAAsBA,EAAlB7H,EAAkB4H,EAAlB5H,YACpDzS,EAlTyB,SAAAL,GAAE,0BAAAyF,OAAwBzF,EAAxB,cAkTrB4a,CAAuB5a,GAC3BmU,EAAO,CACX5J,GAAK,UAAA9E,OAAc8E,GACnBwJ,GAAO,YAAAtO,OAAgBsO,GACvBE,GAAK,SAAAxO,OAAawO,GAHP,2BAKXG,OAAO,SAAAC,GAAC,OAAIA,IAAG5D,KAAK,KAGtB,OAAOmC,GADPvS,GAAO8T,EAAO,IAAMA,EAAO,GACT,CAAEf,QAASI,GAAYV,KACtCnW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GAAD,OAAUA,EAAKmK,IAAIpB,QAu3B3Bib,WAlgCiB,SAAAC,GAAqC,IAAlC9a,EAAkC8a,EAAlC9a,GAAI8S,EAA8BgI,EAA9BhI,YAAgBhL,EAAciT,IAAAD,EAAA,sBAClDza,EAtLsB,SAAAL,GAAE,0BAAAyF,OAAwBzF,EAAxB,WAsLlBgb,CAAoBhb,GACxBib,EAAO,GAEb,YADwBtd,IAApBmK,EAAQoT,UAAyBD,EAAI,QAAcnT,EAAQoT,SACxDtI,GAAMvS,EAAK,CAChB4O,KAAMG,KAAKC,UAAU4L,GACrB7H,QAAOrL,EAAA,GACFyL,GAAYV,GADV,CAELQ,eAAgB,qBAElBN,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAw/BvB0H,aAr/BmB,SAAAC,GAAyB,IAAtBpb,EAAsBob,EAAtBpb,GAAI8S,EAAkBsI,EAAlBtI,YACtBzS,EAnMwB,SAAAL,GAAE,0BAAAyF,OAAwBzF,EAAxB,aAmMpBqb,CAAsBrb,GAChC,OAAO4S,GAAMvS,EAAK,CAChB+S,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAi/BvB6H,aA9+BmB,SAAAC,GAAyB,IAAtBvb,EAAsBub,EAAtBvb,GAAI8S,EAAkByI,EAAlBzI,YAC1B,OAAOC,GAAgB,CAAE1S,IAAK0R,GAAwB/R,GAAK8S,cAAaE,OAAQ,SAC7ErW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MA6+B9B2kB,eA1+BqB,SAAAC,GAAyB,IAAtBzb,EAAsByb,EAAtBzb,GAAI8S,EAAkB2I,EAAlB3I,YAC5B,OAAOC,GAAgB,CAAE1S,IAAK2R,GAA0BhS,GAAK8S,cAAaE,OAAQ,SAC/ErW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAy+B9B6kB,iBAt+BuB,SAAAC,GAAyB,IAAtB3b,EAAsB2b,EAAtB3b,GAAI8S,EAAkB6I,EAAlB7I,YAC9B,OAAOC,GAAgB,CAAE1S,IAAK4R,GAA2BjS,GAAK8S,cAAaE,OAAQ,SAChFrW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAq+B9B+kB,mBAl+ByB,SAAAC,GAAyB,IAAtB7b,EAAsB6b,EAAtB7b,GAAI8S,EAAkB+I,EAAlB/I,YAChC,OAAOC,GAAgB,CAAE1S,IAAK6R,GAA6BlS,GAAK8S,cAAaE,OAAQ,SAClFrW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAi+B9BilB,UA99BgB,SAAAC,GAAyB,IAAtB/b,EAAsB+b,EAAtB/b,GAAI8S,EAAkBiJ,EAAlBjJ,YACvB,OAAOF,GA7MuB,SAAA5S,GAAE,0BAAAyF,OAAwBzF,EAAxB,UA6MnBgc,CAAwBhc,GAAK,CACxCoT,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UA29BvBwI,YAx9BkB,SAAAC,GAAyB,IAAtBlc,EAAsBkc,EAAtBlc,GAAI8S,EAAkBoJ,EAAlBpJ,YACzB,OAAOF,GAnNyB,SAAA5S,GAAE,0BAAAyF,OAAwBzF,EAAxB,YAmNrBmc,CAA0Bnc,GAAK,CAC1CoT,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAq9BvB2I,UAl8BgB,SAAAC,GAAyB,IAAtBrc,EAAsBqc,EAAtBrc,GAAI8S,EAAkBuJ,EAAlBvJ,YACnBzS,EAAG,GAAAoF,OAlPiB,mBAkPjB,KAAAA,OAA2BzF,GAClC,OAAO+S,GAAgB,CAAE1S,MAAKyS,gBAC3BnW,KAAK,SAAC9F,GAAD,OAAU+I,YAAU/I,MAg8B5BylB,sBA77B4B,SAAAC,GAAyB,IAAtBvc,EAAsBuc,EAAtBvc,GAAI8S,EAAkByJ,EAAlBzJ,YAC/BzS,EAAG,GAAAoF,OAvP+B,iCAuP/B,SAAAA,OAA6CzF,GACpD,OAAO4S,GAAMvS,EAAK,CAAE+S,QAASI,GAAYV,KACtCnW,KAAK,SAACuS,GACL,OAAO,IAAI9V,QAAQ,SAACC,EAASC,GAAV,OAAqB4V,EAASuE,OAC9C9W,KAAK,SAAC8W,GACL,OAAKvE,EAASwE,GAGPra,EAAQoa,GAFNna,EAAO,IAAIyV,EAAgBG,EAASvJ,OAAQ8N,EAAM,CAAEpT,OAAO6O,WAu7B5EsN,SA1pBe,SAAAC,GAAyB,IAAtBzc,EAAsByc,EAAtBzc,GAAI8S,EAAkB2J,EAAlB3J,YACtB,OAAOC,GAAgB,CAAE1S,IAAK4Q,EAAsBjR,GAAKgT,OAAQ,OAAQF,gBACtEnW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAypB9B6lB,WAtpBiB,SAAAC,GAAyB,IAAtB3c,EAAsB2c,EAAtB3c,GAAI8S,EAAkB6J,EAAlB7J,YACxB,OAAOC,GAAgB,CAAE1S,IAAK6Q,EAAwBlR,GAAKgT,OAAQ,OAAQF,gBACxEnW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAqpB9B+lB,QAlpBc,SAAAC,GAAyB,IAAtB7c,EAAsB6c,EAAtB7c,GAAI8S,EAAkB+J,EAAlB/J,YACrB,OAAOC,GAAgB,CAAE1S,IAAK8Q,EAAqBnR,GAAKgT,OAAQ,OAAQF,gBACrEnW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAipB9BimB,UA9oBgB,SAAAC,GAAyB,IAAtB/c,EAAsB+c,EAAtB/c,GAAI8S,EAAkBiK,EAAlBjK,YACvB,OAAOC,GAAgB,CAAE1S,IAAK+Q,EAAuBpR,GAAKgT,OAAQ,OAAQF,gBACvEnW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MA6oB9BmmB,eA1oBqB,SAAAC,GAAyB,IAAtBjd,EAAsBid,EAAtBjd,GAAI8S,EAAkBmK,EAAlBnK,YAC5B,OAAOC,GAAgB,CACrB1S,IAAKsR,GAA6B3R,GAClCoT,QAASI,GAAYV,GACrBE,OAAQ,UAuoBVkK,iBAnoBuB,SAAAC,GAAyB,IAAtBnd,EAAsBmd,EAAtBnd,GAAI8S,EAAkBqK,EAAlBrK,YAC9B,OAAOC,GAAgB,CACrB1S,IAAKuR,GAA+B5R,GACpCoT,QAASI,GAAYV,GACrBE,OAAQ,UAgoBVoK,WA5nBiB,SAAAC,GAYb,IAXJvK,EAWIuK,EAXJvK,YACAnN,EAUI0X,EAVJ1X,OACA2X,EASID,EATJC,YACA7U,EAQI4U,EARJ5U,WACAlC,EAOI8W,EAPJ9W,UACAsB,EAMIwV,EANJxV,KAMI0V,EAAAF,EALJG,gBAKI,IAAAD,EALO,GAKPA,EAJJE,EAIIJ,EAJJI,kBACAC,EAGIL,EAHJK,YACAC,EAEIN,EAFJM,QACAC,EACIP,EADJO,eAEM3C,EAAO,IAAI4C,SACXC,EAAcjW,EAAKC,SAAW,GAWpC,GATAmT,EAAK8C,OAAO,SAAUpY,GACtBsV,EAAK8C,OAAO,SAAU,cAClBT,GAAarC,EAAK8C,OAAO,eAAgBT,GACzC7U,GAAYwS,EAAK8C,OAAO,aAActV,GACtClC,GAAW0U,EAAK8C,OAAO,YAAaxX,GACpCmX,GAAazC,EAAK8C,OAAO,eAAgBL,GAC7CF,EAASQ,QAAQ,SAAAnS,GACfoP,EAAK8C,OAAO,cAAelS,KAEzBiS,EAAYG,KAAK,SAAAC,GAAM,MAAe,KAAXA,IAAgB,CAC7C,IAAMC,EAAiB,CACrBC,WAAYvW,EAAKwW,UACjBC,SAAUzW,EAAKyW,UAEjB9mB,OAAO+mB,KAAKJ,GAAgBH,QAAQ,SAAA/e,GAClCgc,EAAK8C,OAAL,QAAAtY,OAAoBxG,EAApB,KAA4Bkf,EAAelf,MAG7C6e,EAAYE,QAAQ,SAAAE,GAClBjD,EAAK8C,OAAO,kBAAmBG,KAG/BT,GACFxC,EAAK8C,OAAO,iBAAkBN,GAE5BE,GACF1C,EAAK8C,OAAO,UAAW,QAGzB,IAAIS,EAAchL,GAAYV,GAK9B,OAJI8K,IACFY,EAAY,mBAAqBZ,GAG5BhL,GAlmBwB,mBAkmBQ,CACrC3D,KAAMgM,EACNjI,OAAQ,OACRI,QAASoL,IAER7hB,KAAK,SAACuS,GACL,OAAOA,EAASuE,SAEjB9W,KAAK,SAAC9F,GAAD,OAAUA,EAAKwG,MAAQxG,EAAO6O,YAAY7O,MAmkBlD4nB,aAhkBmB,SAAAC,GAAyB,IAAtB1e,EAAsB0e,EAAtB1e,GAAI8S,EAAkB4L,EAAlB5L,YAC1B,OAAOF,GA1oBmB,SAAA5S,GAAE,0BAAAyF,OAAwBzF,GA0oBvC2e,CAAoB3e,GAAK,CACpCoT,QAASI,GAAYV,GACrBE,OAAQ,YA8jBV4L,YA1jBkB,SAAAC,GAA+B,IAA5BC,EAA4BD,EAA5BC,SAAUhM,EAAkB+L,EAAlB/L,YAC/B,OAAOF,GApnByB,gBAonBQ,CACtC3D,KAAM6P,EACN9L,OAAQ,OACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GAAD,OAAU8N,YAAgB9N,MAojBlCkoB,oBAjjB0B,SAAAC,GAAsC,IAAnChf,EAAmCgf,EAAnChf,GAAIW,EAA+Bqe,EAA/Bre,YAAamS,EAAkBkM,EAAlBlM,YAC9C,OAAOC,GAAgB,CACrB1S,IAAG,GAAAoF,OA/nB2B,gBA+nB3B,KAAAA,OAAkCzF,GACrCgT,OAAQ,MACRI,QAASI,GAAYV,GACrBI,QAAS,CACPvS,iBAEDhE,KAAK,SAAC9F,GAAD,OAAU8N,YAAgB9N,MA0iBlCooB,WA1biB,SAAAC,GAAqB,IAAlBpM,EAAkBoM,EAAlBpM,YACpB,OAAOC,GAAgB,CAAE1S,IAhwBK,iBAgwByByS,gBACpDnW,KAAK,SAACod,GAAD,OAAWA,EAAM/Y,IAAIpB,QAyb7Buf,SAtbe,SAAAC,GAAyB,IAAtBpf,EAAsBof,EAAtBpf,GAAI8S,EAAkBsM,EAAlBtM,YACtB,OAAOC,GAAgB,CAAE1S,IAAKkR,EAAuBvR,GAAK8S,cAAaE,OAAQ,UAsb/EqM,WAnbiB,SAAAC,GAAyB,IAAtBtf,EAAsBsf,EAAtBtf,GAAI8S,EAAkBwM,EAAlBxM,YACxB,OAAOC,GAAgB,CAAE1S,IAAKmR,EAAyBxR,GAAK8S,cAAaE,OAAQ,UAmbjFuM,cAhboB,SAAAC,GAAyB,IAAtBxf,EAAsBwf,EAAtBxf,GAAI8S,EAAkB0M,EAAlB1M,YAC3B,OAAOC,GAAgB,CAAE1S,IAAKoR,GAAwBzR,GAAK8S,cAAaE,OAAQ,UAgbhFyM,gBA7asB,SAAAC,GAAyB,IAAtB1f,EAAsB0f,EAAtB1f,GAAI8S,EAAkB4M,EAAlB5M,YAC7B,OAAOC,GAAgB,CAAE1S,IAAKqR,GAA0B1R,GAAK8S,cAAaE,OAAQ,UA6alF2M,YA1akB,SAAAC,GAAqB,IAAlB9M,EAAkB8M,EAAlB9M,YACrB,OAAOC,GAAgB,CAAE1S,IAtxBM,kBAsxByByS,gBACrDnW,KAAK,SAACod,GAAD,OAAWA,EAAM/Y,IAAIpB,QAya7BigB,iBAtauB,SAAAC,GAAqB,IAAlBhN,EAAkBgN,EAAlBhN,YAG1B,OAAOF,GAFK,yBAEM,CAChBQ,QAASI,GAAYV,KACpBnW,KAAK,SAAC9F,GACP,GAAIA,EAAK6c,GACP,OAAO7c,EAAK4c,OAEd,MAAM,IAAIlX,MAAM,6BAA8B1F,MA8ZhDkpB,iBA1ZuB,SAAAC,GAAyB,IAAtBhgB,EAAsBggB,EAAtBhgB,GAAI8S,EAAkBkN,EAAlBlN,YACxBzS,EAAG,qBAAAoF,OAAwBzF,GAEjC,OAAO4S,GAAMvS,EAAK,CAChB+S,QAASI,GAAYV,GACrBE,OAAQ,YAsZViN,QA52Bc,SAAAC,GAAgC,IAA7BzkB,EAA6BykB,EAA7BzkB,IAAKqX,EAAwBoN,EAAxBpN,YAEhBmI,EAAO,CACXkF,UAAW,CAHiCD,EAAXvX,KACXzI,aAGtBqE,KAAM,CAAC9I,IAGH2X,EAAUI,GAAYV,GAG5B,OAFAM,EAAQ,gBAAkB,mBAEnBR,GA3YY,+BA2YQ,CACzBI,OAAQ,MACRI,QAASA,EACTnE,KAAMG,KAAKC,UAAU4L,MAg2BvBmF,UA51BgB,SAAAC,GAAgC,IAA7B5kB,EAA6B4kB,EAA7B5kB,IAAKqX,EAAwBuN,EAAxBvN,YAElB7D,EAAO,CACXkR,UAAW,CAHmCE,EAAX1X,KACbzI,aAGtBqE,KAAM,CAAC9I,IAGH2X,EAAUI,GAAYV,GAG5B,OAFAM,EAAQ,gBAAkB,mBAEnBR,GA5ZY,+BA4ZQ,CACzBI,OAAQ,SACRI,QAASA,EACTnE,KAAMG,KAAKC,UAAUJ,MAg1BvBqR,WAlyBiB,SAAAC,GAA2B,IAAxBzN,EAAwByN,EAAxBzN,YACdhC,EADsCyP,EAAX5X,KACTzI,YAClBkT,EAAUI,GAAYV,GAE5B,OAAOF,GAAK,GAAAnN,OA7cU,2BA6cV,cAAAA,OAAgCqL,GAAc,CACxDkC,OAAQ,SACRI,QAASA,KA6xBXoN,SA70Be,SAAAC,GAAkC,IAA/B1P,EAA+B0P,EAA/B1P,MAAO+B,EAAwB2N,EAAxB3N,YACnBhC,EAD2C2P,EAAX9X,KACdzI,YAExB,OAAO0S,GAAM/B,EAAqBC,EAAYC,GAAQ,CACpDiC,OAAQ,OACRI,QAASI,GAAYV,GACrB7D,KAAM,MAw0BRyR,YAp0BkB,SAAAC,GAAkC,IAA/B5P,EAA+B4P,EAA/B5P,MAAO+B,EAAwB6N,EAAxB7N,YACtBhC,EAD8C6P,EAAXhY,KACjBzI,YAExB,OAAO0S,GAAM/B,EAAqBC,EAAYC,GAAQ,CACpDiC,OAAQ,SACRI,QAASI,GAAYV,GACrB7D,KAAM,MA+zBR2R,aA3zBmB,SAAAC,GAAsD,IAAnD/N,EAAmD+N,EAAnD/N,YAAkCgO,EAAiBD,EAAtClY,KAAQzI,YAC3C,OAAO6S,GAAgB,CACrB1S,IAvbsB,oCAwbtB2S,OAAQ,QACRF,cACAI,QAAS,CACPiN,UAAW,CAACW,MAEbnkB,KAAK,SAAAuS,GAAQ,OAAI6R,IAAI7R,EAAU,cAozBlC8R,eAjzBqB,SAAAC,GAAsD,IAAnDnO,EAAmDmO,EAAnDnO,YAAkCgO,EAAiBG,EAAtCtY,KAAQzI,YAC7C,OAAO6S,GAAgB,CACrB1S,IAjcwB,sCAkcxB2S,OAAQ,QACRF,cACAI,QAAS,CACPiN,UAAW,CAACW,MAEbnkB,KAAK,SAAAuS,GAAQ,OAAI6R,IAAI7R,EAAU,cA0yBlCgS,SAvkCe,SAAAC,GAA6B,IAA1BlO,EAA0BkO,EAA1BlO,OAAQH,EAAkBqO,EAAlBrO,YAClBgO,EAAsB7N,EAAtB6N,SAAaM,EADuBrG,IACd9H,EADc,cAE5C,OAAOL,GA9JyB,mBA8JQ,CACtCI,OAAQ,OACRI,QAAOrL,EAAA,GACFyL,GAAYV,GADV,CAELQ,eAAgB,qBAElBrE,KAAMG,KAAKC,UAALtH,EAAA,CACJ+Y,WACAO,OAAQ,QACRC,WAAW,GACRF,MAGJzkB,KAAK,SAACuS,GACL,OAAIA,EAASwE,GACJxE,EAASuE,OAETvE,EAASuE,OAAO9W,KAAK,SAACU,GAAY,MAAM,IAAImS,EAAkBnS,QAqjC3EkkB,WAhjCiB,kBAAM3O,GAAM,wBAAwBjW,KAAK,SAAA6kB,GAAI,OAAIA,EAAK/N,UAijCvEgO,oBA5mC0B,SAAAC,GAAsE,IAAnE5O,EAAmE4O,EAAnE5O,YAAmE6O,EAAAD,EAAtDpgB,cAAsD,IAAAqgB,EAA7C,KAA6CA,EAAAC,EAAAF,EAAvCG,cAAuC,IAAAD,EAA9B,KAA8BA,EAAAE,EAAAJ,EAAxBK,kBAAwB,IAAAD,EAAX,KAAWA,EAC1F7G,EAAO,IAAI4C,SAIjB,OAHe,OAAXvc,GAAiB2Z,EAAK8C,OAAO,SAAUzc,GAC5B,OAAXugB,GAAiB5G,EAAK8C,OAAO,SAAU8D,GACxB,OAAfE,GAAqB9G,EAAK8C,OAAO,2BAA4BgE,GAC1DnP,GApF2B,sCAoFQ,CACxCQ,QAASI,GAAYV,GACrBE,OAAQ,QACR/D,KAAMgM,IAELte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GAAD,OAAU+I,YAAU/I,MAkmC5BmrB,cA/lCoB,SAAAC,GAA6B,IAA1BnP,EAA0BmP,EAA1BnP,YAAaG,EAAagP,EAAbhP,OACpC,OAAOF,GAAgB,CACrB1S,IA/FgC,sCAgGhC2S,OAAQ,QACRE,QAASD,EACTH,gBACCnW,KAAK,SAAC9F,GAAD,OAAU+I,YAAU/I,MA0lC5BqrB,aA1jBmB,SAAAC,GAA2B,IAAxBC,EAAwBD,EAAxBC,KAAMtP,EAAkBqP,EAAlBrP,YACtBgM,EAAW,IAAIjB,SAErB,OADAiB,EAASf,OAAO,OAAQqE,GACjBxP,GAtsBiB,6BAssBQ,CAC9B3D,KAAM6P,EACN9L,OAAQ,OACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAACuS,GAAD,OAAcA,EAASwE,MAmjB/B2O,cAhjBoB,SAAAC,GAA2B,IAAxBF,EAAwBE,EAAxBF,KAAMtP,EAAkBwP,EAAlBxP,YACvBgM,EAAW,IAAIjB,SAErB,OADAiB,EAASf,OAAO,OAAQqE,GACjBxP,GAhtBiB,6BAgtBQ,CAC9B3D,KAAM6P,EACN9L,OAAQ,OACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAACuS,GAAD,OAAcA,EAASwE,MAyiB/B6O,cAtiBoB,SAAAC,GAA+B,IAA5B1P,EAA4B0P,EAA5B1P,YAAa2P,EAAeD,EAAfC,SAC9BxH,EAAO,IAAI4C,SAIjB,OAFA5C,EAAK8C,OAAO,WAAY0E,GAEjB7P,GA5tBkB,8BA4tBQ,CAC/B3D,KAAMgM,EACNjI,OAAQ,OACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAACuS,GAAD,OAAcA,EAASuE,UA6hB/BiP,YA1hBkB,SAAAC,GAAsC,IAAnC7P,EAAmC6P,EAAnC7P,YAAa8P,EAAsBD,EAAtBC,MAAOH,EAAeE,EAAfF,SACnCxH,EAAO,IAAI4C,SAKjB,OAHA5C,EAAK8C,OAAO,QAAS6E,GACrB3H,EAAK8C,OAAO,WAAY0E,GAEjB7P,GAzuBgB,4BAyuBQ,CAC7B3D,KAAMgM,EACNjI,OAAQ,OACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAACuS,GAAD,OAAcA,EAASuE,UAghB/BoP,eA7gBqB,SAAAC,GAAqE,IAAlEhQ,EAAkEgQ,EAAlEhQ,YAAa2P,EAAqDK,EAArDL,SAAUM,EAA2CD,EAA3CC,YAAaC,EAA8BF,EAA9BE,wBACtD/H,EAAO,IAAI4C,SAMjB,OAJA5C,EAAK8C,OAAO,WAAY0E,GACxBxH,EAAK8C,OAAO,eAAgBgF,GAC5B9H,EAAK8C,OAAO,4BAA6BiF,GAElCpQ,GAvvBmB,+BAuvBQ,CAChC3D,KAAMgM,EACNjI,OAAQ,OACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAACuS,GAAD,OAAcA,EAASuE,UAkgB/BwP,YA/fkB,SAAAC,GAAqB,IAAlBpQ,EAAkBoQ,EAAlBpQ,YACrB,OAAOF,GAtvBgB,4BAsvBQ,CAC7BQ,QAASI,GAAYV,GACrBE,OAAQ,QACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UA4fvB0P,cAzfoB,SAAAC,GAA+B,IAA5BtQ,EAA4BsQ,EAA5BtQ,YAAa2P,EAAeW,EAAfX,SAC9BxH,EAAO,IAAI4C,SAIjB,OAFA5C,EAAK8C,OAAO,WAAY0E,GAEjB7P,GA5vBmB,iCA4vBQ,CAChC3D,KAAMgM,EACNjI,OAAQ,SACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAACuS,GAAD,OAAcA,EAASuE,UAgf/B4P,uBA3d6B,SAAAC,GAAqB,IAAlBxQ,EAAkBwQ,EAAlBxQ,YAChC,OAAOF,GA3xBoB,yCA2xBQ,CACjCQ,QAASI,GAAYV,GACrBE,OAAQ,QACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAwdvB8P,YAlekB,SAAAC,GAAqB,IAAlB1Q,EAAkB0Q,EAAlB1Q,YACrB,OAAOF,GAnxBiB,uCAmxBQ,CAC9BQ,QAASI,GAAYV,GACrBE,OAAQ,QACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UA+dvBgQ,cA/eoB,SAAAC,GAAsC,IAAnC5Q,EAAmC4Q,EAAnC5Q,YAAa2P,EAAsBiB,EAAtBjB,SAAUxgB,EAAYyhB,EAAZzhB,MACxCgZ,EAAO,IAAI4C,SAKjB,OAHA5C,EAAK8C,OAAO,WAAY0E,GACxBxH,EAAK8C,OAAO,OAAQ9b,GAEb2Q,GA3wBmB,yCA2wBQ,CAChC3D,KAAMgM,EACN7H,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAsevBkQ,oBAr6B0B,SAAAC,GAAqB,IAAlB9Q,EAAkB8Q,EAAlB9Q,YAE7B,OAAOF,GAjU4B,0BAiUjB,CAAEQ,QAASI,GAAYV,KACtCnW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GAAD,OAAUA,EAAKmK,IAAIpB,QAk6B3BikB,YA5/BkB,SAAAC,GAAyB,IAAtB9jB,EAAsB8jB,EAAtB9jB,GAAI8S,EAAkBgR,EAAlBhR,YACrBzS,EAzO4B,SAAAL,GAAE,iCAAAyF,OAA+BzF,EAA/B,cAyOxB+jB,CAA0B/jB,GACpC,OAAO4S,GAAMvS,EAAK,CAChB+S,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAw/BvBuQ,SAr/Be,SAAAC,GAAyB,IAAtBjkB,EAAsBikB,EAAtBjkB,GAAI8S,EAAkBmR,EAAlBnR,YAClBzS,EAhPyB,SAAAL,GAAE,iCAAAyF,OAA+BzF,EAA/B,WAgPrBkkB,CAAuBlkB,GACjC,OAAO4S,GAAMvS,EAAK,CAChB+S,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAi/BvB0Q,YA1akB,SAAAC,GAAqB,IAAlBtR,EAAkBsR,EAAlBtR,YACrB,OAAOF,GAv1Be,sBAu1BQ,CAC5BQ,QAASI,GAAYV,KACpBnW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAwavB4Q,wBAra8B,SAAAC,GAAyC,IAAtCtkB,EAAsCskB,EAAtCtkB,GAAI8S,EAAkCwR,EAAlCxR,YAAkCyR,EAAAD,EAArBE,cAAqB,IAAAD,KACjEtV,EAAO,IAAI4O,SAQjB,OANI2G,EACFvV,EAAK8O,OAAO,KAAM/d,GAElBiP,EAAK8O,OAAO,SAAU/d,GAGjB4S,GAn2BqB,qCAm2BQ,CAClC3D,OACAmE,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAyZvBgR,oBAtP0B,SAAAC,GAAyB,IAAtB5R,EAAsB4R,EAAtB5R,YAAa9S,EAAS0kB,EAAT1kB,GAC1C,OAAO+S,GAAgB,CACrB1S,IAAK2Q,EAAkChR,GACvCgT,OAAQ,OACRE,QAAS,CAAElT,MACX8S,iBAkPF6R,KAvZW,SAAAC,GAAsC,IA1zBzB5kB,EA0zBV6kB,EAAmCD,EAAnCC,OAAQC,EAA2BF,EAA3BE,QAAShS,EAAkB8R,EAAlB9R,YAI/B,OAHa,IAAI+K,UACZE,OAAO,UAAW+G,GAEhB/R,GAAgB,CACrB1S,KA/zBsBL,EA+zBCuT,mBAAmBsR,GA/zBlB,iBAAApf,OAAqBzF,EAArB,WAg0BxBgT,OAAQ,OACRF,cACAI,QAAS,CACP4R,QAASA,MA+YbC,UA1YgB,SAAAC,GAA6B,IAv0BrBhlB,EAu0BL6kB,EAA0BG,EAA1BH,OAAQ/R,EAAkBkS,EAAlBlS,YAC3B,OAAOC,GACL,CACE1S,KA10BoBL,EA00BGuT,mBAAmBsR,GA10BpB,iBAAApf,OAAqBzF,IA20B3CgT,OAAQ,MACRF,iBAsYJmS,sBAjY4B,SAAAC,GAAyB,IAAtBllB,EAAsBklB,EAAtBllB,GAAI8S,EAAkBoS,EAAlBpS,YACnC,OAAOC,GAAgB,CACrB1S,IAAKwR,GAAgC7R,GACrCgT,OAAQ,MACRF,gBACCnW,KAAK,SAACod,GAAD,OAAWA,EAAM/Y,IAAIpB,QA6X7BulB,sBA1X4B,SAAAC,GAAyB,IAAtBplB,EAAsBolB,EAAtBplB,GAAI8S,EAAkBsS,EAAlBtS,YACnC,OAAOC,GAAgB,CACrB1S,IAAKyR,GAAgC9R,GACrCgT,OAAQ,MACRF,gBACCnW,KAAK,SAACod,GAAD,OAAWA,EAAM/Y,IAAIpB,QAsX7BylB,oBAnX0B,SAAAC,GAAyB,IAAtBtlB,EAAsBslB,EAAtBtlB,GAAI8S,EAAkBwS,EAAlBxS,YACjC,OAAOC,GAAgB,CAAE1S,IAAK8R,GAA4BnS,GAAK8S,gBAC5DnW,KAAK,SAAC4oB,GAAD,OAAeA,EAAUvkB,IAAI,SAAAxC,GAEjC,OADAA,EAAEgnB,SAAWhnB,EAAEgnB,SAASxkB,IAAIpB,KACrBpB,OAgXXinB,eA5WqB,SAAAC,GAAgC,IAA7B1lB,EAA6B0lB,EAA7B1lB,GAAIqF,EAAyBqgB,EAAzBrgB,MAAOyN,EAAkB4S,EAAlB5S,YACnC,OAAOC,GAAgB,CACrB1S,IAAK+R,GAAwBpS,EAAIqF,GACjC2N,OAAQ,MACRF,gBACCnW,KAAK+I,MAwWRigB,iBArWuB,SAAAC,GAAgC,IAA7B5lB,EAA6B4lB,EAA7B5lB,GAAIqF,EAAyBugB,EAAzBvgB,MAAOyN,EAAkB8S,EAAlB9S,YACrC,OAAOC,GAAgB,CACrB1S,IAAKgS,GAA0BrS,EAAIqF,GACnC2N,OAAQ,SACRF,gBACCnW,KAAK+I,MAiWRmgB,WA9ViB,SAAAC,GAA0D,IAAvDhT,EAAuDgT,EAAvDhT,YAAa8E,EAA0CkO,EAA1ClO,OAAQmO,EAAkCD,EAAlCC,UAAWC,EAAuBF,EAAvBE,QAASC,EAAcH,EAAdG,QAC7D,OAAOlT,GAAgB,CACrB1S,IAv3B6B,kBAw3B7B2S,OAAQ,OACRE,QAAS,CACPgT,WAActO,EACduO,WAAcJ,EACdC,UACAC,WAEFnT,iBAqVFsT,2BAppCiC,SAAA1Y,GAA+B,IAA5BoF,EAA4BpF,EAA5BoF,YAAauT,EAAe3Y,EAAf2Y,SAC3CpL,EAAO,IAAI4C,SAMjB,OAJAyI,IAAKD,EAAU,SAAC1nB,EAAOM,GACrBgc,EAAK8C,OAAO9e,EAAKN,KAGZiU,GA7HyB,qCA6HQ,CACtCQ,QAASI,GAAYV,GACrBE,OAAQ,MACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UA0oCvB8S,QAtUc,SAAAC,GAA2D,IAAxD1T,EAAwD0T,EAAxD1T,YAAa2T,EAA2CD,EAA3CC,EAAGptB,EAAwCmtB,EAAxCntB,QAAS4a,EAA+BuS,EAA/BvS,MAAOyS,EAAwBF,EAAxBE,OAAQ7iB,EAAgB2iB,EAAhB3iB,UACrDxD,EA34BiB,iBA44BjB4S,EAAS,GAETwT,GACFxT,EAAO1b,KAAK,CAAC,IAAKgc,mBAAmBkT,KAGnCptB,GACF4Z,EAAO1b,KAAK,CAAC,UAAW8B,IAGtB4a,GACFhB,EAAO1b,KAAK,CAAC,QAAS0c,IAGpByS,GACFzT,EAAO1b,KAAK,CAAC,SAAUmvB,IAGrB7iB,GACFoP,EAAO1b,KAAK,CAAC,aAAa,IAG5B0b,EAAO1b,KAAK,CAAC,sBAAsB,IAEnC,IAAIohB,EAAcC,IAAI3F,EAAQ,SAAC4F,GAAD,SAAApT,OAAcoT,EAAM,GAApB,KAAApT,OAA0BoT,EAAM,MAAMpI,KAAK,KAGzE,OAFApQ,GAAG,IAAAoF,OAAQkT,GAEJ/F,GAAMvS,EAAK,CAAE+S,QAASI,GAAYV,KACtCnW,KAAK,SAAC9F,GACL,GAAIA,EAAK6c,GACP,OAAO7c,EAET,MAAM,IAAI0F,MAAM,+BAAgC1F,KAEjD8F,KAAK,SAAC9F,GAAW,OAAOA,EAAK4c,SAC7B9W,KAAK,SAAC9F,GAGL,OAFAA,EAAK2uB,SAAW3uB,EAAK2uB,SAAS7lB,MAAM,EAAGsU,GAAOjT,IAAI,SAAA2lB,GAAC,OAAI/mB,YAAU+mB,KACjE9vB,EAAK+vB,SAAW/vB,EAAK+vB,SAASjnB,MAAM,EAAGsU,GAAOjT,IAAI,SAAAvI,GAAC,OAAIiN,YAAYjN,KAC5D5B,KA+RXgwB,YAnVkB,SAAAC,GAA4B,IAAzBhU,EAAyBgU,EAAzBhU,YAAaiU,EAAYD,EAAZC,MAClC,OAAOhU,GAAgB,CACrB1S,IA/3B6B,0BAg4B7B4S,OAAQ,CACNwT,EAAGM,EACH1tB,SAAS,GAEXyZ,gBAECnW,KAAK,SAAC9F,GAAD,OAAUA,EAAKmK,IAAIpB,QA2U3BonB,kBA5RwB,SAAAC,GAAqB,IAAlBnU,EAAkBmU,EAAlBnU,YAC3B,OAAOC,GAAgB,CAAE1S,IAn7BY,yBAm7ByByS,iBA4R9DoU,iBAzRuB,SAAAC,GAAqB,IAAlBrU,EAAkBqU,EAAlBrU,YAC1B,OAAOC,GAAgB,CAAE1S,IAz7BQ,wBAy7ByByS,iBAyR1DsU,WAtRiB,SAAAC,GAA6B,IAA1BC,EAA0BD,EAA1BC,OAAQxU,EAAkBuU,EAAlBvU,YAC5B,OAAOC,GAAgB,CACrB1S,IA97B+B,wBA+7B/B2S,OAAQ,OACRE,QAAS,CAAEoU,UACXxU,iBAkRFyU,aA9QmB,SAAAC,GAA6B,IAA1BF,EAA0BE,EAA1BF,OAAQxU,EAAkB0U,EAAlB1U,YAC9B,OAAOC,GAAgB,CACrB1S,IAv8B+B,wBAw8B/B2S,OAAQ,SACRE,QAAS,CAAEoU,UACXxU,iBA0QF2U,MApJY,SAAAC,GAAqB,IAAlB5U,EAAkB4U,EAAlB5U,YACf,OAAOF,GA3jCc,wBA2jCW,CAAEQ,QAASI,GAAYV,KACpDnW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GACL,MAAO,CAAE4wB,MAAO5wB,EAAKmK,IAAI6J,KAAWuJ,OAAO,SAAApW,GAAC,OAAIA,QAiJpD2pB,gBA7IsB,SAAAC,GAAgC,IAjkC/B5nB,EAikCE6nB,EAA6BD,EAA7BC,UAAW/U,EAAkB8U,EAAlB9U,YACpC,OAAOC,GAAgB,CACrB1S,KAnkCqBL,EAmkCC6nB,EAnkCC,uCAAApiB,OAA2CzF,IAokClEgT,OAAQ,OACRF,iBA0IFgV,aAtImB,SAAAC,GAAqD,IAAlD/nB,EAAkD+nB,EAAlD/nB,GAAI8S,EAA8CiV,EAA9CjV,YAAavI,EAAiCwd,EAAjCxd,MAAOwJ,EAA0BgU,EAA1BhU,QAA0BiU,EAAAD,EAAjB9T,aAAiB,IAAA+T,EAAT,GAASA,EACpE3nB,EAAMiS,GAA0BtS,GAC9BmU,EAAO,CACX5J,GAAK,UAAA9E,OAAc8E,GACnBwJ,GAAO,YAAAtO,OAAgBsO,GACvBE,GAAK,SAAAxO,OAAawO,IAClBG,OAAO,SAAAC,GAAC,OAAIA,IAAG5D,KAAK,KAItB,OAAOsC,GAAgB,CACrB1S,IAHFA,GAAa8T,EAAO,IAAMA,EAAO,GAI/BnB,OAAQ,MACRF,iBA0HFmV,gBAtHsB,SAAAC,GAAkD,IAA/CloB,EAA+CkoB,EAA/CloB,GAAIyG,EAA2CyhB,EAA3CzhB,QAA2C0hB,EAAAD,EAAlCE,eAAkC,IAAAD,EAAxB,KAAwBA,EAAlBrV,EAAkBoV,EAAlBpV,YAChDI,EAAU,CACdzM,QAAWA,GAOb,OAJI2hB,IACFlV,EAAO,SAAekV,GAGjBrV,GAAgB,CACrB1S,IAAKiS,GAA0BtS,GAC/BgT,OAAQ,OACRE,QAASA,EACTJ,iBA0GFuV,SAtGe,SAAAC,GAAqC,IAAlCtoB,EAAkCsoB,EAAlCtoB,GAAIuoB,EAA8BD,EAA9BC,WAAYzV,EAAkBwV,EAAlBxV,YAClC,OAAOC,GAAgB,CACrB1S,IAAKkS,GAAsBvS,GAC3BgT,OAAQ,OACRE,QAAS,CACPsV,aAAgBD,GAElBzV,iBAgGF2V,kBA5FwB,SAAAC,GAAwC,IAArCjW,EAAqCiW,EAArCjW,OAAQC,EAA6BgW,EAA7BhW,UAAWI,EAAkB4V,EAAlB5V,YAC9C,OAAOC,GAAgB,CACrB1S,IAAKmS,GAAgCC,EAAQC,GAC7CM,OAAQ,SACRF,kBA2FWoE,+DC/xCTyR,EAAa,SAAA7X,GAAU,OAAIA,GAAcA,EAAWzN,SAAS,MAEpDulB,IAVa,SAAC5oB,EAAI8Q,EAAY+X,GAC3C,IAAMC,GAAehY,GAAe6X,EAAW7X,IAAeiY,IAASF,EAAqB/X,GAC5F,MAAO,CACL5S,KAAO4qB,EAAc,wBAA0B,eAC/C7V,OAAS6V,EAAc,CAAE9oB,MAAO,CAAE9B,KAAM4S,8CCqB7BkY,EAzBI,CACjBC,MAAO,CACL,OACA,eACA,WAEFpyB,KANiB,WAOf,MAAO,CACLqyB,iBAAiB,EACjBC,cAAa,GAAA1jB,OAAK0J,KAAKia,OAAOC,MAAMC,SAASC,OAASpa,KAAKia,OAAOC,MAAMC,SAASH,iBAGrFK,WAAY,CACVC,oBAEFC,QAAS,CACPC,OADO,SACCttB,GACN,OAASA,GAAO8S,KAAK+Z,gBAAmB/Z,KAAKga,cAAgB9sB,GAE/DutB,eAJO,WAKLza,KAAK+Z,iBAAkB,YCd7B,IAEAW,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdyyB,ECjBF,WAA0B,IAAaC,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,cAAwBI,YAAA,SAAAC,MAAA,CAA4BC,iBAAnHrb,KAAmHsb,QAAAC,gBAAnHvb,KAAmHwb,cAAmEC,MAAA,CAAQC,IAA9L1b,KAA8LxG,KAAAzI,YAAA+H,MAA9LkH,KAA8LxG,KAAAzI,YAAA7D,IAA9L8S,KAA8Lwa,OAA9Lxa,KAA8LxG,KAAApH,4BAAAupB,mBAA9L3b,KAA8Lya,mBACxN,IDOA,EAaAC,EATA,KAEA,MAYekB,EAAA,QAAAhB,EAAiB,8QEtBnBiB,EAAyB,SAAAC,GAAK,OAAIA,EAAM5B,MAAMzC,SAAStO,cAAczhB,MAErEq0B,EAAe,SAAAD,GAC1B,IAAME,EAAYF,EAAME,WAAaF,EAAM5B,MAE3C,MAAQ,CACN8B,EAAUC,OAAOC,uBAAuBC,OAAS,OACjDH,EAAUC,OAAOC,uBAAuBviB,UAAY,UACpDqiB,EAAUC,OAAOC,uBAAuBE,SAAW,SACnDJ,EAAUC,OAAOC,uBAAuBG,SAAW,SACnDL,EAAUC,OAAOC,uBAAuBI,eAAiB,iBACzDN,EAAUC,OAAOC,uBAAuBK,OAAS,OACjDP,EAAUC,OAAOC,uBAAuBM,gBAAkB,0BAC1DvX,OAAO,SAAAC,GAAC,OAAIA,KAGVuX,EAAsB,CAAC,OAAQ,UAAW,SAAU,0BAE7CpiB,EAAuB,SAACzN,GAAD,OAAUgtB,IAAS6C,EAAqB7vB,IAEtE8vB,EAAW,SAACjf,EAAGnB,GACnB,IAAMqgB,EAAOC,OAAOnf,EAAE5M,IAChBgsB,EAAOD,OAAOtgB,EAAEzL,IAChBisB,GAAUF,OAAOG,MAAMJ,GACvBK,GAAUJ,OAAOG,MAAMF,GAC7B,OAAIC,GAAUE,EACLL,EAAOE,GAAQ,EAAI,EACjBC,IAAWE,EACb,GACGF,GAAUE,GACZ,EAEDvf,EAAE5M,GAAKyL,EAAEzL,IAAM,EAAI,GASjBosB,EAAwB,SAACnB,EAAOtU,GAC3C,IAAMwU,EAAYF,EAAME,WAAaF,EAAM5B,MAE3C,IAAI1S,EAAarN,MACZ4hB,EAAaD,GAAO5nB,SAASsT,EAAa5a,QACrB,YAAtB4a,EAAa5a,OAVS,SAACkvB,EAAOtU,GAClC,GAAKA,EAAahR,OAClB,OAAOgR,EAAahR,OAAOnC,OAAS6oB,YAAa1V,EAAahR,OAAQslB,EAAMqB,YAAYC,aAAaC,WAAWn1B,OAAS,EAQlFo1B,CAAoBxB,EAAOtU,IAAlE,CAEA,IAAM+V,EAAqBC,EAA0BhW,EAAcsU,EAAMqB,YAAYM,MACrFC,YAAwB1B,EAAWuB,KAGxBI,EAAiC,SAAC7B,EAAO8B,GAEpD,IAAIC,EAAsBhC,EAAuBC,GAAOjqB,IAAI,SAAAqT,GAAC,OAAIA,IAAG4Y,KAAKpB,GAEzE,OADAmB,EAAsBE,IAAOF,EAAqB,SACvB5Y,OACzB,SAACuC,GAAD,OAAmBoW,GAAS7B,EAAaD,IAAQ5nB,SAASsT,EAAa5a,SAI9DoxB,EAA+B,SAAAlC,GAAK,OAC/CmC,IAAON,EAA+B7B,GAAQ,SAAAle,GAAA,OAAAA,EAAGzD,QAEtCqjB,EAA4B,SAAChW,EAAciW,GACtD,IAOIS,EAPEC,EAAW,CACf7xB,IAAKkb,EAAa3W,IAEd2F,EAASgR,EAAahR,OACtBsC,EAAQ0O,EAAajN,aAAaxL,KAIxC,OAHAovB,EAASrlB,MAAQA,EACjBqlB,EAASC,KAAO5W,EAAajN,aAAarI,kBAElCsV,EAAa5a,MACnB,IAAK,OACHsxB,EAAa,gBACb,MACF,IAAK,SACHA,EAAa,eACb,MACF,IAAK,SACHA,EAAa,eACb,MACF,IAAK,OACHA,EAAa,cACb,MACF,IAAK,iBACHA,EAAa,iBAkBjB,MAd0B,2BAAtB1W,EAAa5a,KACfuxB,EAASre,KAAO2d,EAAKhuB,EAAE,6BAA8B,CAAC+X,EAAatR,QAC1DgoB,EACTC,EAASre,KAAO2d,EAAKhuB,EAAE,iBAAmByuB,GACjC7jB,EAAqBmN,EAAa5a,QAC3CuxB,EAASre,KAAO0H,EAAahR,OAAOe,MAIlCf,GAAUA,EAAOoD,aAAepD,EAAOoD,YAAY1R,OAAS,IAAMsO,EAAOW,MAC3EX,EAAOoD,YAAY,GAAGnE,SAASkK,WAAW,YAC1Cwe,EAASE,MAAQ7nB,EAAOoD,YAAY,GAAG1I,KAGlCitB,kCC1GT,IAAMG,EAAW,SAAA7oB,GACf,OAAIA,EAASyD,MAAM,cACV,OAGLzD,EAASyD,MAAM,SACV,QAGLzD,EAASyD,MAAM,SACV,QAGLzD,EAASyD,MAAM,SACV,QAGF,WAMHqlB,EAAkB,CACtBD,WACAE,oBAL0B,SAACZ,EAAO3K,GAAR,OAC1B2K,EAAM9O,KAAK,SAAAliB,GAAI,OAAI0xB,EAASrL,EAAKxd,YAAc7I,MAOlC2xB,2CC/Bf,IAoKeE,EApKC,CACd1vB,KAAM,UACN+qB,MAAO,CAEL4E,QAAS5tB,OAET6tB,UAAW7tB,OAIX8tB,QAASv2B,OAGTw2B,gBAAiB/tB,OAGjBguB,OAAQz2B,OAGRkvB,OAAQlvB,OAIR02B,aAAcjuB,QAEhBpJ,KAzBc,WA0BZ,MAAO,CACLs3B,QAAQ,EACRC,OAAQ,CAAExgB,QAAS,GACnBygB,QAAS,CAAEC,MAAO,EAAGC,OAAQ,KAGjC7E,QAAS,CACP8E,4BADO,WAGL,OADkBrf,KAAK6e,gBAAkB7e,KAAKsf,IAAIC,QAAQvf,KAAK6e,iBAAmB7e,KAAKsf,IAAIE,cAC1EC,yBAEnBC,aALO,WAML,GAAI1f,KAAKgf,OACPhf,KAAKif,OAAS,CACZxgB,QAAS,OAFb,CASA,IAAMkhB,EAAY3f,KAAK4f,MAAMlB,SAAW1e,KAAK4f,MAAMlB,QAAQmB,SAAS,IAAO7f,KAAKsf,IAC1EQ,EAAYH,EAASF,wBAErBM,EAAcD,EAAUE,KAAyB,GAAlBF,EAAUX,MAAzCY,EAAyDD,EAAUG,IACnE3oB,EAAU0I,KAAK4f,MAAMtoB,QAErB4oB,EAAelgB,KAAK4e,UACJ,cAAnB5e,KAAK4e,QAAQuB,GAAwC,cAAnBngB,KAAK4e,QAAQwB,IAChDpgB,KAAKqf,8BAEDP,EAAS9e,KAAK8e,QAAU,GAIxBuB,EAAUrgB,KAAK4e,SAA8B,cAAnB5e,KAAK4e,QAAQuB,EAAoB,CAC/DG,IAAKJ,EAAaF,MAAQlB,EAAOkB,MAAQ,GACzCO,IAAKL,EAAate,OAASkd,EAAOld,OAAS,IACzC,CACF0e,IAAK,GAAKxB,EAAOkB,MAAQ,IACzBO,IAAKjwB,OAAOkwB,YAAc1B,EAAOld,OAAS,KAGtC6e,EAAUzgB,KAAK4e,SAA8B,cAAnB5e,KAAK4e,QAAQwB,EAAoB,CAC/DE,IAAKJ,EAAaD,KAAOnB,EAAOmB,KAAO,GACvCM,IAAKL,EAAaQ,QAAU5B,EAAO4B,QAAU,IAC3C,CACFJ,IAAK,GAAKxB,EAAOmB,KAAO,IACxBM,IAAKjwB,OAAOqwB,aAAe7B,EAAO4B,QAAU,IAG1CE,EAAc,EAGbb,EAAiC,GAAtBzoB,EAAQupB,YAAqBR,EAAQC,MACnDM,KAAiBb,EAAiC,GAAtBzoB,EAAQupB,aAAqBR,EAAQC,KAI9DP,EAAWa,EAAoC,GAAtBtpB,EAAQupB,YAAqBR,EAAQE,MACjEK,GAAgBb,EAAWa,EAAoC,GAAtBtpB,EAAQupB,YAAqBR,EAAQE,KAIhF,IAAIO,EAA8B,WAAnB9gB,KAAK2e,UAKhBoB,EAAWzoB,EAAQypB,aAAeN,EAAQF,MAAKO,GAAW,GAC1Df,EAAWzoB,EAAQypB,aAAeN,EAAQH,MAAKQ,GAAW,GAE9D,IAAME,EAAWhhB,KAAKuX,QAAUvX,KAAKuX,OAAO6I,GAAM,EAC5Ca,EAAaH,GACdnB,EAASoB,aAAeC,EAAU1pB,EAAQypB,aAC3CC,EAEEE,EAAWlhB,KAAKuX,QAAUvX,KAAKuX,OAAO4I,GAAM,EAC5CgB,EAAqC,GAAvBxB,EAASkB,YAA2C,GAAtBvpB,EAAQupB,YAAoBD,EAAcM,EAI5FlhB,KAAKif,OAAS,CACZxgB,QAAS,EACT2iB,UAAS,cAAA9qB,OAAgBqG,KAAK0kB,MAAMF,GAA3B,mBAAA7qB,OAAwDqG,KAAK0kB,MAAMJ,GAAnE,UAGbK,YAjFO,WAkFDthB,KAAKgf,QAAQhf,KAAKuhB,MAAM,QAC5BvhB,KAAKgf,QAAS,EACdhf,KAAKwhB,UAAUxhB,KAAK0f,eAEtB+B,YAtFO,WAuFAzhB,KAAKgf,QAAQhf,KAAKuhB,MAAM,SAC7BvhB,KAAKgf,QAAS,EACdhf,KAAKif,OAAS,CAAExgB,QAAS,IAE3BijB,aA3FO,SA2FO73B,GACS,UAAjBmW,KAAK0e,SAAqB1e,KAAKshB,eAErCK,aA9FO,SA8FO93B,GACS,UAAjBmW,KAAK0e,SAAqB1e,KAAKyhB,eAErCG,QAjGO,SAiGE/3B,GACc,UAAjBmW,KAAK0e,UACH1e,KAAKgf,OACPhf,KAAKshB,cAELthB,KAAKyhB,gBAIXI,eA1GO,SA0GSh4B,GACVmW,KAAKgf,QACLhf,KAAKsf,IAAIwC,SAASj4B,EAAEoD,SACxB+S,KAAKyhB,gBAGTM,QAhJc,WAoJZ,IAAMzqB,EAAU0I,KAAK4f,MAAMtoB,QACtBA,IACD0I,KAAKkf,QAAQC,QAAU7nB,EAAQupB,aAAe7gB,KAAKkf,QAAQE,SAAW9nB,EAAQypB,eAChF/gB,KAAK0f,eACL1f,KAAKkf,QAAU,CAAEC,MAAO7nB,EAAQupB,YAAazB,OAAQ9nB,EAAQypB,iBAGjEiB,QA3Jc,WA4JZ71B,SAASya,iBAAiB,QAAS5G,KAAK6hB,iBAE1CI,UA9Jc,WA+JZ91B,SAAS+1B,oBAAoB,QAASliB,KAAK6hB,gBAC3C7hB,KAAKyhB,uBCxJT,IAEA/G,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACd85B,ECjBF,WAA0B,IAAAC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBmH,GAAA,CAAIC,WAAAF,EAAAV,aAAAa,WAAAH,EAAAT,eAA6D,CAAAzG,EAAA,OAAYsH,IAAA,UAAAH,GAAA,CAAkBI,MAAAL,EAAAR,UAAqB,CAAAQ,EAAAM,GAAA,eAAAN,EAAAO,GAAA,KAAAP,EAAApD,OAAgNoD,EAAAQ,KAAhN1H,EAAA,OAA4DsH,IAAA,UAAArH,YAAA,UAAAC,MAAAgH,EAAArD,cAAA,kBAAA8D,MAAAT,EAAA,QAAmG,CAAAA,EAAAM,GAAA,gBAAyBtb,MAAAgb,EAAAX,eAAwB,MAC9a,IDOA,EAaA/G,EATA,KAEA,MAYekB,EAAA,QAAAhB,EAAiB,iGEbjBkI,EAbK,CAClBhJ,MAAO,CACLiJ,YAAa,CACXC,SAAS,EACTp2B,KAAM+N,SAERsoB,SAAU,CACRD,QAAS,aACTp2B,KAAMs2B,mBCAZ,IAEAxI,EAVA,SAAAC,GACEtxB,EAAQ,MAyBK85B,EAVC96B,OAAAwyB,EAAA,EAAAxyB,CACd+6B,ECjBF,WAA0B,IAAAhB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,QAAkBE,MAAA,CAAOiI,eAAAjB,EAAAW,aAAkCV,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAA,EAAAr2B,SAAAq2B,EAAAC,cAA2C,MAAeD,EAAAE,kBAAyBpB,EAAAa,eAAwB,CAAA/H,EAAA,OAAYC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,SAAAa,GAAyBA,EAAAE,qBAA4B,CAAAtI,EAAA,OAAYC,YAAA,sCAAiD,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAM,GAAA,gBAAAN,EAAAO,GAAA,KAAAzH,EAAA,OAA+CC,YAAA,wBAAmC,CAAAiH,EAAAM,GAAA,eAAAN,EAAAO,GAAA,KAAAzH,EAAA,OAA8CC,YAAA,sDAAiE,CAAAiH,EAAAM,GAAA,mBAC/qB,IDOA,EAaAhI,EATA,KAEA,MAYgC,gBE0EjB+I,EAzFS,CACtB3J,MAAO,CACL,QAEFpyB,KAJsB,WAKpB,MAAO,CACL0N,KAAM,CACJsuB,WAfW,2BAgBXC,YAfY,sBAgBZC,eAfe,yBAgBfC,4BAf4B,sCAgB5BC,yBAfyB,mCAgBzBC,QAfQ,kBAgBRC,WAfW,sBAiBbC,sBAAsB,EACtBC,SAAS,IAGb7J,WAAY,CACVyI,cACArE,mBAEF0F,SAAU,CACRC,QADQ,WAEN,OAAO,IAAIxe,IAAI5F,KAAKxG,KAAKpE,OAE3BivB,aAJQ,WAKN,OAAOrkB,KAAKia,OAAOC,MAAMC,SAASmK,qBAGtC/J,QAAS,CACPgK,OADO,SACCC,GACN,OAAOxkB,KAAKokB,QAAQ9c,IAAIkd,IAE1BC,UAJO,SAIIn4B,GAAK,IAAAiU,EAAAP,KACR8b,EAAQ9b,KAAKia,OACfja,KAAKokB,QAAQ9c,IAAIhb,GACnBwvB,EAAM5B,MAAMwK,IAAIC,kBAAkB1T,UAAU,CAAEzX,KAAMwG,KAAKxG,KAAMlN,QAAOkB,KAAK,SAAAuS,GACpEA,EAASwE,IACduX,EAAM8I,OAAO,YAAa,CAAEprB,KAAM+G,EAAK/G,KAAMlN,UAG/CwvB,EAAM5B,MAAMwK,IAAIC,kBAAkB7T,QAAQ,CAAEtX,KAAMwG,KAAKxG,KAAMlN,QAAOkB,KAAK,SAAAuS,GAClEA,EAASwE,IACduX,EAAM8I,OAAO,UAAW,CAAEprB,KAAM+G,EAAK/G,KAAMlN,WAIjDu4B,YAlBO,SAkBMjjB,GAAO,IAAAkjB,EAAA9kB,KACZ8b,EAAQ9b,KAAKia,OACfja,KAAKxG,KAAKnG,OAAOuO,GACnBka,EAAM5B,MAAMwK,IAAIC,kBAAkBpT,YAAY,CAAE/X,KAAMwG,KAAKxG,KAAMoI,UAASpU,KAAK,SAAAuS,GACxEA,EAASwE,IACduX,EAAM8I,OAAO,cAAe,CAAEprB,KAAMsrB,EAAKtrB,KAAMoI,QAAOpS,OAAO,MAG/DssB,EAAM5B,MAAMwK,IAAIC,kBAAkBtT,SAAS,CAAE7X,KAAMwG,KAAKxG,KAAMoI,UAASpU,KAAK,SAAAuS,GACrEA,EAASwE,IACduX,EAAM8I,OAAO,cAAe,CAAEprB,KAAMsrB,EAAKtrB,KAAMoI,QAAOpS,OAAO,OAInEu1B,uBAhCO,WAiCL/kB,KAAKia,OAAO+K,SAAS,yBAA0B,CAAExrB,KAAMwG,KAAKxG,QAE9DyrB,iBAnCO,SAmCWC,GAChBllB,KAAKikB,qBAAuBiB,GAE9B/T,WAtCO,WAsCO,IAAAgU,EAAAnlB,KACN8b,EAAQ9b,KAAKia,OACbzgB,EAAOwG,KAAKxG,KACV3I,EAAa2I,EAAb3I,GAAI9B,EAASyK,EAATzK,KACZ+sB,EAAM5B,MAAMwK,IAAIC,kBAAkBxT,WAAW,CAAE3X,SAC5ChM,KAAK,SAAA3D,GACJs7B,EAAKlL,OAAO+K,SAAS,wBAAyB,SAAAxuB,GAAM,OAAIgD,EAAK3I,KAAO2F,EAAOgD,KAAK3I,KAChF,IAAMu0B,EAAiC,0BAArBD,EAAKE,OAAOt2B,MAAyD,iBAArBo2B,EAAKE,OAAOt2B,KACxEu2B,EAAeH,EAAKE,OAAOvhB,OAAO/U,OAASA,GAAQo2B,EAAKE,OAAOvhB,OAAOjT,KAAOA,EAC/Eu0B,GAAaE,GACfh1B,OAAOi1B,QAAQC,UAIvBC,WApDO,SAoDKj2B,GACVwQ,KAAKkkB,QAAU10B,KCvFrB,IAEIk2B,EAVJ,SAAoB/K,GAClBtxB,EAAQ,MAyBKs8B,EAVCt9B,OAAAwyB,EAAA,EAAAxyB,CACdu9B,ECjBQ,WAAgB,IAAAxD,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAAA,EAAA,WAA+BC,YAAA,2BAAAM,MAAA,CAA8CiD,QAAA,QAAAC,UAAA,SAAApH,OAAA,CAAiD6I,EAAA,IAAQiC,GAAA,CAAK6C,KAAA,SAAA5B,GAAwB,OAAAlB,EAAAqD,YAAA,IAA4Bre,MAAA,SAAAkc,GAA0B,OAAAlB,EAAAqD,YAAA,MAA+B,CAAAvK,EAAA,OAAYO,MAAA,CAAOoK,KAAA,WAAiBA,KAAA,WAAgB,CAAA3K,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAA5oB,KAAA,SAAA0hB,EAAA,QAAAA,EAAA,UAA8CC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAyC,YAAA,YAAkC,CAAAzC,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA3D,EAAA5oB,KAAAnG,OAAAG,MAAA,2FAAA4uB,EAAAO,GAAA,KAAAzH,EAAA,UAAwLC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAyC,YAAA,gBAAsC,CAAAzC,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA3D,EAAA5oB,KAAAnG,OAAAC,UAAA,mGAAA8uB,EAAAO,GAAA,KAAAzH,EAAA,OAAiMC,YAAA,mBAAAM,MAAA,CAAsC/nB,KAAA,iBAAoB0uB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,UAAsCC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA2C,4BAAsC,CAAA3C,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA3D,EAAA5oB,KAAAnE,YAAA,oGAAA+sB,EAAAO,GAAA,KAAAzH,EAAA,UAA8LC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA6C,kBAAA,MAAoC,CAAA7C,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAAO,GAAA,KAAAP,EAAA,aAAAlH,EAAA,OAAuIC,YAAA,mBAAAM,MAAA,CAAsC/nB,KAAA,eAAoB0uB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,aAAAlH,EAAA,QAAAA,EAAA,UAAkEC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAAsuB,eAA4C,CAAAtB,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sDAAA7K,EAAA,QAAyGC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAAsuB,iBAA4DtB,EAAAO,GAAA,KAAAzH,EAAA,UAA6BC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAAuuB,gBAA6C,CAAAvB,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uDAAA7K,EAAA,QAA0GC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAAuuB,kBAA6DvB,EAAAO,GAAA,KAAAzH,EAAA,UAA6BC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAAwuB,mBAAgD,CAAAxB,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0DAAA7K,EAAA,QAA6GC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAAwuB,qBAAgExB,EAAAO,GAAA,KAAAzH,EAAA,UAA6BC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAA2uB,YAAyC,CAAA3B,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mDAAA7K,EAAA,QAAsGC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAA2uB,cAAyD3B,EAAAO,GAAA,KAAAP,EAAA5oB,KAAA,SAAA0hB,EAAA,UAAiDC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAAyuB,gCAA6D,CAAAzB,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uEAAA7K,EAAA,QAA0HC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAAyuB,kCAA6EzB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5oB,KAAA,SAAA0hB,EAAA,UAA0DC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAA0uB,6BAA0D,CAAA1B,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oEAAA7K,EAAA,QAAuHC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAA0uB,+BAA0E1B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5oB,KAAA,SAAA0hB,EAAA,UAA0DC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAA4uB,eAA4C,CAAA5B,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sDAAA7K,EAAA,QAAyGC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAA4uB,iBAA4D5B,EAAAQ,OAAAR,EAAAQ,SAAAR,EAAAO,GAAA,KAAAzH,EAAA,UAAqDC,YAAA,4BAAAC,MAAA,CAA+C8I,QAAA9B,EAAA8B,SAAuBzI,MAAA,CAAQoK,KAAA,WAAiBA,KAAA,WAAgB,CAAAzD,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA6GO,MAAA,CAAOwK,GAAA,UAAc,CAAA7D,EAAA,qBAAAlH,EAAA,eAA+CO,MAAA,CAAOyK,YAAA9D,EAAA6C,iBAAAl1B,KAAAiQ,MAAA,KAAoD,CAAAkb,EAAA,YAAiB2K,KAAA,UAAc,CAAAzD,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,YAAgN2K,KAAA,UAAc,CAAA3K,EAAA,UAAeC,YAAA,kBAAAkH,GAAA,CAAkCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA6C,kBAAA,MAAqC,CAAA7C,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAAkGC,YAAA,yBAAAkH,GAAA,CAAyCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAjR,gBAA0B,CAAAiR,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2DAAA3D,EAAAQ,MAAA,QAC5iK,IDOY,EAa7B8C,EATiB,KAEU,MAYG,2OEtBhC,IAyCeS,EAzCQ,CACrBrM,MAAO,CACL,OAAQ,gBAEVpyB,KAJqB,WAKnB,MAAO,IAET2yB,WAAY,CACV+L,mBACA3H,mBAEFlE,QAAS,CACP8L,YADO,WAELrmB,KAAKia,OAAO+K,SAAS,cAAehlB,KAAKxG,KAAK3I,KAEhDy1B,YAJO,WAKLtmB,KAAKia,OAAO+K,SAAS,cAAehlB,KAAKxG,KAAK3I,KAEhD8b,UAPO,WAQL3M,KAAKia,OAAO+K,SAAS,YAAahlB,KAAKxG,KAAK3I,KAE9Cic,YAVO,WAWL9M,KAAKia,OAAO+K,SAAS,cAAehlB,KAAKxG,KAAK3I,KAEhD6lB,WAbO,WAcL1W,KAAKia,OAAO+K,SAAS,yBAA0BhlB,KAAKxG,KAAK3I,KAE3D01B,SAhBO,WAiBLvmB,KAAKwmB,QAAQp+B,KAAK,CAChB2G,KAAM,OACN+U,OAAQ,CAAE2iB,aAAczmB,KAAKxG,KAAK3I,QAIxCszB,sWAAQvrB,CAAA,GACH8tB,YAAS,CACVC,6BAA8B,SAAAzM,GAAK,OAAIA,EAAMC,SAASwM,kCChC5D,IAEIC,EAVJ,SAAoBjM,GAClBtxB,EAAQ,MAyBKw9B,EAVCx+B,OAAAwyB,EAAA,EAAAxyB,CACdy+B,ECjBQ,WAAgB,IAAA1E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,mBAA8B,CAAAD,EAAA,WAAgBO,MAAA,CAAOiD,QAAA,QAAAC,UAAA,SAAAoI,WAAA,CAAmD5G,EAAA,eAAmB,CAAAjF,EAAA,OAAYC,YAAA,wBAAAM,MAAA,CAA2CoK,KAAA,WAAiBA,KAAA,WAAgB,CAAA3K,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAzvB,aAAA,WAAAyvB,EAAAzvB,aAAA,gBAAAuoB,EAAA,UAAgFC,YAAA,gCAAAkH,GAAA,CAAgDI,MAAAL,EAAAkE,cAAyB,CAAAlE,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAzvB,aAAAq0B,gBAAoO5E,EAAAQ,KAApO1H,EAAA,UAA2JC,YAAA,gCAAAkH,GAAA,CAAgDI,MAAAL,EAAAiE,cAAyB,CAAAjE,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAoHC,YAAA,mBAAAM,MAAA,CAAsC/nB,KAAA,gBAAoB0uB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAzvB,aAAA,SAAAuoB,EAAA,UAAiEC,YAAA,0CAAAkH,GAAA,CAA0DI,MAAAL,EAAAtV,cAAyB,CAAAsV,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA7K,EAAA,UAAyFC,YAAA,0CAAAkH,GAAA,CAA0DI,MAAAL,EAAAzV,YAAuB,CAAAyV,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAAmGC,YAAA,0CAAAkH,GAAA,CAA0DI,MAAAL,EAAA1L,aAAwB,CAAA0L,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAO,GAAA,KAAAP,EAAA,6BAAAlH,EAAA,UAAuIC,YAAA,0CAAAkH,GAAA,CAA0DI,MAAAL,EAAAmE,WAAsB,CAAAnE,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAQ,MAAA,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAiHC,YAAA,kCAAAM,MAAA,CAAqDoK,KAAA,WAAiBA,KAAA,WAAgB,CAAA3K,EAAA,KAAUC,YAAA,sCAA2C,IACn0D,IDOY,EAa7ByL,EATiB,KAEU,MAYG,2kBEjBjB,IAAAK,EAAA,CACbnN,MAAO,CACL,SAAU,WAAY,WAAY,UAAW,UAAW,WAAY,sBAEtEpyB,KAJa,WAKX,MAAO,CACLw/B,yBAAyB,EACzB1L,aAAcxb,KAAKia,OAAOC,MAAZ,UAA4BiN,eAAeC,YAG7DpF,QAVa,WAWXhiB,KAAKia,OAAO+K,SAAS,wBAAyBhlB,KAAKxG,KAAK3I,KAE1DszB,SAAUkD,EAAA,CACR7tB,KADM,WAEJ,OAAOwG,KAAKia,OAAOqN,QAAQC,SAASvnB,KAAKyI,SAE3C9V,aAJM,WAKJ,OAAOqN,KAAKia,OAAOqN,QAAQ30B,aAAaqN,KAAKyI,SAE/C+e,QAPM,WAQJ,MAAO,CAAC,CACNC,sBAAwC,QAAjBznB,KAAK0nB,QAC5BC,qBAAsC,IAAjB3nB,KAAK0nB,QAC1BE,sBAAwC,IAAlB5nB,KAAK6nB,YAG/BhF,MAdM,WAeJ,MAAO,CACLiF,gBAAiB,6EAAAxxB,OAER0J,KAAKxG,KAAKnH,YAFF,MAGfiP,KAAK,QAGXymB,YAtBM,WAuBJ,OAAO/nB,KAAKxG,KAAK3I,KAAOmP,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYn3B,IAE9Do3B,aAzBM,WA2BJ,IAAMC,EAAY,IAAIC,IAAInoB,KAAKxG,KAAKvI,uBACpC,SAAAqF,OAAU4xB,EAAUE,SAApB,MAAA9xB,OAAiC4xB,EAAUG,KAA3C,kBAEFC,SA9BM,WA+BJ,OAAOtoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAEjCO,SAjCM,WAkCJ,IAAMC,EAAO7rB,KAAKC,MAAM,IAAIhI,KAAS,IAAIA,KAAKoL,KAAKxG,KAAK7E,aAAjC,OACvB,OAAOgI,KAAK0kB,MAAMrhB,KAAKxG,KAAKzE,eAAiByzB,IAE/CC,kBAAmBpB,EAAA,CACjBj4B,IADe,WAEb,IAAM1H,EAAOsY,KAAKia,OAAOqN,QAAQlK,aAAasL,UAAU1oB,KAAKxG,KAAKzI,aAClE,OAAQrJ,GAAQA,EAAKkF,MAAS,YAEhC+7B,IALe,SAKV/7B,GACH,IAAMlF,EAAOsY,KAAKia,OAAOqN,QAAQlK,aAAasL,UAAU1oB,KAAKxG,KAAKzI,aACrD,aAATnE,EACFoT,KAAKia,OAAO+K,SAAS,eAAgB,CAAExrB,KAAMwG,KAAKxG,KAAKzI,YAAayN,MAAQ9W,GAAQA,EAAK8W,OAAU,UAAW5R,SAE9GoT,KAAKia,OAAO+K,SAAS,eAAgB,CAAExrB,KAAMwG,KAAKxG,KAAKzI,YAAayN,WAAOhQ,MAG5Eo6B,YAAW,CAAC,kBAEjBC,mBAAoB,CAClBz5B,IADkB,WAEhB,IAAM1H,EAAOsY,KAAKia,OAAOqN,QAAQlK,aAAasL,UAAU1oB,KAAKxG,KAAKzI,aAClE,OAAOrJ,GAAQA,EAAK8W,OAEtBmqB,IALkB,SAKbnqB,GACHwB,KAAKia,OAAO+K,SAAS,eAAgB,CAAExrB,KAAMwG,KAAKxG,KAAKzI,YAAayN,YAGxEsqB,YA7DM,WA8DJ,IAAMz1B,EAAS2M,KAAKxG,KAAKnG,OACzB,GAAKA,EAAL,CACA,IAAM01B,EAAY11B,EAAOG,OAASH,EAAOC,UACnC01B,EAAY31B,EAAOG,MAAQ,QAAU,YAC3C,OAAOu1B,GAAaC,IAEtBC,iBApEM,WAqEJ,OAAOjpB,KAAK+nB,aAAe/nB,KAAKxG,KAAKrG,oBAEvC+1B,mBAvEM,WAwEJ,OAAOlpB,KAAK+nB,aAAe/nB,KAAKxG,KAAKpG,uBAEpCw1B,YAAW,CAAC,kBAEjBvO,WAAY,CACVR,qBACAsP,iBACA1F,kBACA0C,iBACAC,mBACAgD,kBAEF7O,QAAS,CACPvK,SADO,WAELhQ,KAAKia,OAAO+K,SAAS,WAAYhlB,KAAKxG,KAAK3I,KAE7Cqf,WAJO,WAKLlQ,KAAKia,OAAO+K,SAAS,aAAchlB,KAAKxG,KAAK3I,KAE/Cuf,cAPO,WAQL,OAAOpQ,KAAKia,OAAO+K,SAAS,gBAAiBhlB,KAAKxG,KAAK3I,KAEzDyf,gBAVO,WAWL,OAAOtQ,KAAKia,OAAO+K,SAAS,kBAAmBhlB,KAAKxG,KAAK3I,KAE3Dw4B,eAbO,SAaSC,GACVtpB,KAAKupB,UACOvpB,KAAKia,OACb2K,OAAO,iBAAkB,CAAE0E,OAGrCE,YAnBO,SAAA5rB,GAmBkB,IAAV3Q,EAAU2Q,EAAV3Q,OACU,SAAnBA,EAAOu3B,UACTv3B,EAASA,EAAOI,YAEK,MAAnBJ,EAAOu3B,SACTl0B,OAAOm5B,KAAKx8B,EAAO7C,KAAM,WAG7Bs/B,gBA3BO,SA2BUlwB,GACf,OAAOigB,YACLjgB,EAAK3I,GAAI2I,EAAKzI,YACdiP,KAAKia,OAAOC,MAAMC,SAAST,sBAG/BiQ,WAjCO,WAkCL,IAAMxtB,EAAa,CACjBjL,IAAK8O,KAAKxG,KAAKpH,2BACfqD,SAAU,SAEZuK,KAAKia,OAAO+K,SAAS,WAAY,CAAC7oB,IAClC6D,KAAKia,OAAO+K,SAAS,aAAc7oB,IAErCytB,YAzCO,WA0CL5pB,KAAKia,OAAO+K,SAAS,sBAAuB,CAAE6E,SAAS,EAAMC,YAAa9pB,KAAKxG,UC5IrF,IAEIuwB,EAVJ,SAAoBpP,GAClBtxB,EAAQ,MAeN2gC,EAAY3hC,OAAAwyB,EAAA,EAAAxyB,CACd4+B,ECjBQ,WAAgB,IAAA7E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,YAAAC,MAAAgH,EAAAoF,SAA0C,CAAAtM,EAAA,OAAYC,YAAA,mBAAAC,MAAA,CAAsC6O,WAAA7H,EAAA8H,SAA0BrH,MAAAT,EAAA,QAAmBA,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,iBAA4B,CAAAD,EAAA,OAAYC,YAAA,aAAwB,CAAAD,EAAA,OAAYC,YAAA,aAAwB,CAAAiH,EAAA,mBAAAlH,EAAA,KAAmCC,YAAA,wBAAAkH,GAAA,CAAwCI,MAAAL,EAAAuH,aAAwB,CAAAzO,EAAA,cAAmBO,MAAA,CAAOF,gBAAA6G,EAAA5G,aAAAhiB,KAAA4oB,EAAA5oB,QAAkD4oB,EAAAO,GAAA,KAAAP,EAAA+H,GAAA,OAAAjP,EAAA,eAA8CO,MAAA,CAAOwK,GAAA7D,EAAAsH,gBAAAtH,EAAA5oB,QAAoC,CAAA0hB,EAAA,cAAmBO,MAAA,CAAOF,gBAAA6G,EAAA5G,aAAAhiB,KAAA4oB,EAAA5oB,SAAkD,GAAA4oB,EAAAO,GAAA,KAAAzH,EAAA,OAA4BC,YAAA,gBAA2B,CAAAD,EAAA,OAAYC,YAAA,YAAuB,CAAAiH,EAAA5oB,KAAA,UAAA0hB,EAAA,OAAiCC,YAAA,YAAAM,MAAA,CAA+B3iB,MAAAspB,EAAA5oB,KAAAzK,MAAsBq7B,SAAA,CAAWC,UAAAjI,EAAA0D,GAAA1D,EAAA5oB,KAAApI,cAAwC8pB,EAAA,OAAYC,YAAA,YAAAM,MAAA,CAA+B3iB,MAAAspB,EAAA5oB,KAAAzK,OAAuB,CAAAqzB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA5oB,KAAAzK,MAAA,oBAAAqzB,EAAAO,GAAA,KAAAP,EAAA2F,cAAA3F,EAAA5oB,KAAAvF,SAAAinB,EAAA,KAAkIO,MAAA,CAAOrxB,KAAAg4B,EAAA5oB,KAAAvI,sBAAAhE,OAAA,WAAyD,CAAAiuB,EAAA,KAAUC,YAAA,iCAAyCiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA2F,aAAA3F,EAAAkG,SAAApN,EAAA,kBAAgFO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,KAAA7G,aAAAyvB,EAAAzvB,gBAAiDyvB,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAqCC,YAAA,eAA0B,CAAAD,EAAA,eAAoBC,YAAA,mBAAAM,MAAA,CAAsC3iB,MAAAspB,EAAA5oB,KAAAzI,YAAAk1B,GAAA7D,EAAAsH,gBAAAtH,EAAA5oB,QAAiE,CAAA4oB,EAAAO,GAAA,oBAAAP,EAAA0D,GAAA1D,EAAA5oB,KAAAzI,aAAA,oBAAAqxB,EAAAO,GAAA,KAAAP,EAAA8H,QAAgU9H,EAAAQ,KAAhU,CAAAR,EAAA0G,YAAA5N,EAAA,QAAyIC,YAAA,mBAA8B,CAAAiH,EAAAO,GAAA,qBAAAP,EAAA0D,GAAA1D,EAAA0G,aAAA,sBAAA1G,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5oB,KAAA,IAAA0hB,EAAA,QAA2HC,YAAA,mBAA8B,CAAAiH,EAAAO,GAAA,2CAAAP,EAAAQ,MAAAR,EAAAO,GAAA,KAAAP,EAAA5oB,KAAA,OAAA0hB,EAAA,QAAAA,EAAA,KAAwHC,YAAA,qBAA6BiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAhF,aAAAkN,eAAAlI,EAAA8H,QAA6G9H,EAAAQ,KAA7G1H,EAAA,QAAsFC,YAAA,YAAuB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAmG,UAAA,IAAAnG,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAkHC,YAAA,aAAwB,CAAAiH,EAAAzvB,aAAA6B,aAAA4tB,EAAAkG,UAAAlG,EAAA2F,YAAA7M,EAAA,OAA8EC,YAAA,aAAwB,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAA2F,cAAA3F,EAAAkG,UAAAlG,EAAAmH,SAAu6DnH,EAAAQ,KAAv6D1H,EAAA,OAAoKC,YAAA,eAA0B,cAAAiH,EAAAqG,kBAAAvN,EAAA,SAAqDqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,mBAAAqI,WAAA,uBAA8FtP,YAAA,oBAAAM,MAAA,CAAyC5qB,GAAA,uBAAAuxB,EAAA5oB,KAAA3I,GAAAjE,KAAA,QAAsDw9B,SAAA,CAAW56B,MAAA4yB,EAAA,oBAAiCC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAyG,mBAAAvF,EAAAr2B,OAAAuC,WAA6C4yB,EAAAQ,KAAAR,EAAAO,GAAA,kBAAAP,EAAAqG,kBAAAvN,EAAA,SAA0EqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,mBAAAqI,WAAA,uBAA8FtP,YAAA,kBAAAM,MAAA,CAAuC5qB,GAAA,qBAAAuxB,EAAA5oB,KAAA3I,GAAAjE,KAAA,SAAqDw9B,SAAA,CAAW56B,MAAA4yB,EAAA,oBAAiCC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAyG,mBAAAvF,EAAAr2B,OAAAuC,WAA6C4yB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,SAAmCC,YAAA,0BAAAM,MAAA,CAA6CkP,IAAA,cAAmB,CAAAzP,EAAA,UAAeqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,kBAAAqI,WAAA,sBAA4FtP,YAAA,mBAAAM,MAAA,CAAwC5qB,GAAA,mBAAAuxB,EAAA5oB,KAAA3I,IAAoCwxB,GAAA,CAAKuI,OAAA,SAAAtH,GAA0B,IAAAuH,EAAAC,MAAAxiC,UAAA2c,OAAAzc,KAAA86B,EAAAr2B,OAAA0L,QAAA,SAAA1J,GAAkF,OAAAA,EAAA87B,WAAkBl5B,IAAA,SAAA5C,GAA+D,MAA7C,WAAAA,IAAA+7B,OAAA/7B,EAAAO,QAA0D4yB,EAAAqG,kBAAAnF,EAAAr2B,OAAAkiB,SAAA0b,IAAA,MAAmF,CAAA3P,EAAA,UAAeO,MAAA,CAAOjsB,MAAA,aAAoB,CAAA4yB,EAAAO,GAAA,kBAAAP,EAAAO,GAAA,KAAAzH,EAAA,UAAoDO,MAAA,CAAOjsB,MAAA,UAAiB,CAAA4yB,EAAAO,GAAA,cAAAP,EAAAO,GAAA,KAAAzH,EAAA,UAAgDO,MAAA,CAAOjsB,MAAA,YAAmB,CAAA4yB,EAAAO,GAAA,gBAAAP,EAAAO,GAAA,KAAAzH,EAAA,UAAkDO,MAAA,CAAOjsB,MAAA,SAAgB,CAAA4yB,EAAAO,GAAA,mBAAAP,EAAAO,GAAA,KAAAzH,EAAA,KAAgDC,YAAA,yBAA6BiH,EAAAO,GAAA,KAAAP,EAAAkG,UAAAlG,EAAA2F,YAAA7M,EAAA,OAAyEC,YAAA,qBAAgC,CAAAD,EAAA,OAAYC,YAAA,aAAwB,CAAAD,EAAA,gBAAqBO,MAAA,CAAO9oB,aAAAyvB,EAAAzvB,gBAAiCyvB,EAAAO,GAAA,KAAAP,EAAAzvB,aAAA,WAAAyvB,EAAAzvB,aAAAs4B,YAA6O/P,EAAA,kBAAyBC,YAAA,0BAAAM,MAAA,CAA6CgH,MAAAL,EAAA9R,gBAAAxX,MAAAspB,EAAA2D,GAAA,2BAAqE,CAAA7K,EAAA,KAAUC,YAAA,0BAAlYD,EAAA,kBAAiGC,YAAA,kBAAAM,MAAA,CAAqCgH,MAAAL,EAAAhS,cAAAtX,MAAAspB,EAAA2D,GAAA,yBAAiE,CAAA7K,EAAA,KAAUC,YAAA,qBAAmNiH,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAAkH,EAAAzvB,aAAA,OAAAuoB,EAAA,UAA+EC,YAAA,oCAAAkH,GAAA,CAAoDI,MAAAL,EAAAlS,aAAwB,CAAAkS,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA7K,EAAA,UAA2FC,YAAA,4BAAAkH,GAAA,CAA4CI,MAAAL,EAAApS,WAAsB,CAAAoS,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAAA,EAAA,UAAkHC,YAAA,4BAAAkH,GAAA,CAA4CI,MAAAL,EAAAwH,cAAyB,CAAAxH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAO,GAAA,eAAAP,EAAAkG,SAAA50B,KAAAwnB,EAAA,mBAAoJO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,QAAiB4oB,EAAAQ,MAAA,GAAAR,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAAkG,UAAAlG,EAAA5oB,KAAAvF,SAAAinB,EAAA,OAAmFC,YAAA,qBAAgC,CAAAD,EAAA,gBAAqBO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,SAAiB,GAAA4oB,EAAAQ,SAAAR,EAAAO,GAAA,KAAAP,EAAA8H,QAA81C9H,EAAAQ,KAA91C1H,EAAA,OAAwDC,YAAA,cAAyB,EAAAiH,EAAAhF,aAAAkN,eAAAlI,EAAAmH,SAAArO,EAAA,OAA8DC,YAAA,eAA0B,CAAAD,EAAA,OAAYC,YAAA,aAAAkH,GAAA,CAA6BI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAiH,eAAA,eAAwC,CAAAnO,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5oB,KAAAzE,gBAAA,KAAAmmB,EAAA,UAAAkH,EAAAO,GAAA,KAAAzH,EAAA,OAAgKC,YAAA,aAAAkH,GAAA,CAA6BI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAiH,eAAA,cAAuC,CAAAnO,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA6G,iBAAA7G,EAAA2D,GAAA,oBAAA3D,EAAA5oB,KAAAjH,oBAAA6vB,EAAAO,GAAA,KAAAzH,EAAA,OAAuMC,YAAA,aAAAkH,GAAA,CAA6BI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAiH,eAAA,gBAAyC,CAAAnO,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA8G,mBAAA9G,EAAA2D,GAAA,oBAAA3D,EAAA5oB,KAAA1E,wBAAAstB,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAA8H,SAAA9H,EAAA5oB,KAAA9H,iBAAAwpB,EAAA,KAAgQC,YAAA,gBAAAiP,SAAA,CAAsCC,UAAAjI,EAAA0D,GAAA1D,EAAA5oB,KAAA9H,mBAA8C2wB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoH,YAAAlG,OAAiClB,EAAA8H,QAAqD9H,EAAAQ,KAArD1H,EAAA,KAAyBC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA5oB,KAAAhI,aAAA,iBAC5+N,YAAiB,IAAaupB,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,iCAA4C,CAAAD,EAAA,KAAUC,YAAA,kCDO3I,EAa7B4O,EATiB,KAEU,MAYdnO,EAAA,EAAAoO,EAAiB,sCE1BhC3gC,EAAAyF,EAAA8sB,EAAA,sBAAAuP,IAAA9hC,EAAAyF,EAAA8sB,EAAA,sBAAAwP,IAAA/hC,EAAAyF,EAAA8sB,EAAA,sBAAAyP,IAAA,IAAAC,EAAAjiC,EAAA,IAAAkiC,EAAAliC,EAAA,GAMa8hC,EAAS,CACpBK,QAAS,KACTC,OAAQ,KACRC,MAAO,KACPC,YAAa,KACbxtB,GAAI,KACJE,GAAI,WACJqqB,UAAW,KACXkD,MAAO,KACPzJ,QAAS,KACT0J,aAAc,UACdC,IAAK,KACLC,SAAU,QACVC,UAAW,SACXtsB,MAAO,KACPusB,WAAY,QACZC,YAAa,SACbC,MAAO,KACPC,WAAY,QACZ1zB,KAAM,KACN2zB,OAAQ,WACRC,YAAa,UAMFlB,EAAkB,CAC7BO,YAAa,GACbQ,MAAO,GACPzsB,MAAO,GACP6sB,MAAO,GACPC,SAAU,IACVC,WAAY,KAyCDpB,EAAmB,CAC9BhtB,GAAI,CACFquB,QAAS,GACTjuB,QAAS,KACTkuB,SAAU,GAEZxuB,GAAI,CACFuuB,QAAS,GACTC,SAAU,GAEZp1B,KAAM,CACJm1B,QAAS,GACTE,MAAO,KACPnuB,QAAS,KACTkuB,SAAU,GAEZH,SAAU,CACRxJ,QAAS,UACTvkB,QAAS,YAEXouB,KAAM,CACJH,QAAS,CAAC,UACVC,SAAU,GAEZG,OAAQ,CACNJ,QAAS,CAAC,QACVC,SAAU,GAEZJ,MAAO,CACLG,QAAS,CAAC,QACVjuB,QAAS,SAEXsuB,UAAW,CACTL,QAAS,CAAC,QACVjuB,QAAS,SAEXuuB,cAAe,CACbN,QAAS,CAAC,YACVjuB,QAAS,SAGXwuB,MAAO,UACPC,KAAM,UACNC,OAAQ,UACRC,QAAS,UAETC,UAAW,CACTX,QAAS,CAAC,MACVluB,MAAO,SAAC8uB,EAAKjvB,GAAN,MAAc,CACnBhP,EAAGsN,KAAKsC,MAAa,IAAPZ,EAAGhP,GACjBgN,EAAGM,KAAKsC,MAAa,IAAPZ,EAAGhC,GACjBC,EAAGK,KAAKsC,MAAa,IAAPZ,EAAG/B,MAGrBqvB,YAAa,CACXe,QAAS,CAAC,MACVE,MAAO,cACPnuB,QAAS,eAGXiqB,UAAW,CACTgE,QAAS,CAAC,MACVluB,MAAO,SAAC8uB,EAAKjvB,GAAN,OAAakvB,qBAAW,EAAID,EAAKjvB,GAAIkB,MAE9CiuB,mBAAoB,CAClBd,QAAS,CAAC,aACVE,MAAO,YACPa,WAAW,GAEbC,kBAAmB,CACjBhB,QAAS,CAAC,YACVE,MAAO,YACPa,UAAW,YAEbE,mBAAoB,CAClBjB,QAAS,CAAC,SACVE,MAAO,YACPa,WAAW,GAEbG,mBAAoB,CAClBlB,QAAS,CAAC,aACVE,MAAO,YACPa,UAAW,YAEbI,uBAAwB,CACtBnB,QAAS,CAAC,iBACVE,MAAO,YACPa,UAAW,YAEbK,cAAe,CACbpB,QAAS,CAAC,QACVE,MAAO,YACPa,WAAW,GAEbM,cAAe,CACbrB,QAAS,CAAC,QACVE,MAAO,YACPa,UAAW,YAEbO,cAAe,CACbtB,QAAS,CAAC,YAAa,iBACvBluB,MAAO,SAAC8uB,EAAKjvB,EAAI9G,GAAV,OAAmBsH,YAAOR,EAAI9G,KAGvC4qB,QAAS,CACPuK,QAAS,CAAC,MACVjuB,QAAS,WAEXwvB,iBAAkB,CAChBvB,QAAS,CAAC,aACVE,MAAO,UACPa,WAAW,GAEbS,gBAAiB,CACfxB,QAAS,CAAC,YACVE,MAAO,UACPa,UAAW,YAEbU,iBAAkB,CAChBzB,QAAS,CAAC,SACVE,MAAO,UACPa,WAAW,GAEbW,iBAAkB,CAChB1B,QAAS,CAAC,aACVE,MAAO,UACPa,UAAW,YAEbY,qBAAsB,CACpB3B,QAAS,CAAC,iBACVE,MAAO,UACPa,UAAW,YAEba,YAAa,CACX5B,QAAS,CAAC,QACVE,MAAO,UACPa,WAAW,GAEbc,YAAa,CACX7B,QAAS,CAAC,QACVE,MAAO,UACPa,UAAW,YAEbe,YAAa,CACX9B,QAAS,CAAC,UAAW,eACrBluB,MAAO,SAAC8uB,EAAKjvB,EAAI9G,GAAV,OAAmBsH,YAAOR,EAAI9G,KAGvCk3B,aAAc,cACdC,sBAAuB,CACrBhC,QAAS,CAAC,sBACVE,MAAO,YACP+B,QAAS,eACTlB,WAAW,GAEbmB,sBAAuB,CACrBlC,QAAS,CAAC,sBACVE,MAAO,YACP+B,QAAS,eACTlB,WAAW,GAEboB,qBAAsB,CACpBnC,QAAS,CAAC,qBACVE,MAAO,YACP+B,QAAS,eACTlB,UAAW,YAEbqB,sBAAuB,CACrBpC,QAAS,CAAC,sBACVE,MAAO,YACP+B,QAAS,eACTlB,UAAW,YAEbsB,iBAAkB,CAChBrC,QAAS,CAAC,iBACVE,MAAO,YACP+B,QAAS,eACTlB,WAAW,GAEbuB,iBAAkB,CAChBtC,QAAS,CAAC,iBACVE,MAAO,YACP+B,QAAS,eACTlB,UAAW,YAEbwB,iBAAkB,CAChBvC,QAAS,CAAC,eAAgB,oBAC1BluB,MAAO,SAAC8uB,EAAKjvB,EAAI9G,GAAV,OAAmBsH,YAAOR,EAAI9G,KAGvCs0B,aAAc,CACZa,QAAS,CAAC,MACVluB,MAAO,SAAC8uB,EAAKjvB,GAAN,OAAakvB,qBAAW,EAAID,EAAKjvB,GAAIkB,MAE9C2vB,sBAAuB,CACrBxC,QAAS,CAAC,sBACVE,MAAO,eACP+B,QAAS,eACTlB,WAAW,GAEb0B,sBAAuB,CACrBzC,QAAS,CAAC,sBACVE,MAAO,eACP+B,QAAS,eACTlB,WAAW,GAEb2B,sBAAuB,CACrB1C,QAAS,CAAC,sBACVE,MAAO,eACP+B,QAAS,eACTlB,UAAW,YAEb4B,iBAAkB,CAChB3C,QAAS,CAAC,iBACVE,MAAO,eACP+B,QAAS,eACTlB,WAAW,GAEb6B,iBAAkB,CAChB5C,QAAS,CAAC,iBACVE,MAAO,eACP+B,QAAS,eACTlB,UAAW,YAEb8B,iBAAkB,CAChB7C,QAAS,CAAC,eAAgB,oBAC1BluB,MAAO,SAAC8uB,EAAKjvB,EAAI9G,GAAV,OAAmBsH,YAAOR,EAAI9G,KAGvCi4B,oBAAqB,CACnB9C,QAAS,CAAC,WACVluB,MAAO,SAAC8uB,EAAKjvB,GAAN,OAAakvB,qBAAW,EAAID,EAAKjvB,GAAIkB,MAE9CkwB,6BAA8B,CAC5B/C,QAAS,CAAC,yBACVE,MAAO,sBACP+B,QAAS,sBACTlB,WAAW,GAEbiC,6BAA8B,CAC5BhD,QAAS,CAAC,yBACVE,MAAO,sBACP+B,QAAS,sBACTlB,WAAW,GAEbkC,6BAA8B,CAC5BjD,QAAS,CAAC,yBACVE,MAAO,sBACP+B,QAAS,sBACTlB,UAAW,YAEbmC,wBAAyB,CACvBlD,QAAS,CAAC,oBACVE,MAAO,sBACP+B,QAAS,sBACTlB,WAAW,GAEboC,wBAAyB,CACvBnD,QAAS,CAAC,oBACVE,MAAO,sBACP+B,QAAS,sBACTlB,UAAW,YAEbqC,wBAAyB,CACvBpD,QAAS,CAAC,sBAAuB,oBACjCluB,MAAO,SAAC8uB,EAAKjvB,EAAI9G,GAAV,OAAmBsH,YAAOR,EAAI9G,KAGvCw4B,UAAW,CACTrD,QAAS,CAAC,QACVE,MAAO,KACPa,UAAW,WACXjvB,MAAO,SAAC8uB,EAAK/1B,GAAN,OAAeg2B,qBAAW,GAAKD,EAAK/1B,GAAMgI,MAGnDywB,SAAU,CACRtD,QAAS,CAAC,QACVE,MAAO,KACPa,UAAW,YAGbwC,cAAe,CACbvD,QAAS,CAAC,UACVE,MAAO,KACPa,UAAW,YAGbyC,OAAQ,CACNxD,QAAS,CAAC,MACVjuB,QAAS,SACTD,MAAO,SAAC8uB,EAAKnvB,GAAN,OAAaovB,qBAAW,EAAID,EAAKnvB,GAAIoB,MAG9C7G,KAAM,CACJg0B,QAAS,CAAC,SAAU,MACpByD,SAAU,OACV3xB,MAAO,SAAC8uB,EAAKR,EAAQzuB,GAAd,OAAqBH,YAAW4uB,EAAQ,GAAKzuB,KAEtD+xB,SAAU,CACR1D,QAAS,CAAC,QACVE,MAAO,OACPa,WAAW,GAGbrP,KAAM,CACJsO,QAAS,CAAC,KAAM,QAChB2D,iBAAiB,EACjB7xB,MAAO,SAAC8uB,EAAKjvB,EAAI9G,GAAV,OAAmBsH,YAAOR,EAAI9G,KAIvC+4B,OAAQ,CACN5D,QAAS,CAAC,QACVE,MAAO,KACPa,WAAW,GAEb8C,OAAQ,CACN7D,QAAS,CAAC,QACVE,MAAO,KACPa,UAAW,YAIb7B,MAAO,CACLc,QAAS,CAAC,MACVjuB,QAAS,SAEX+xB,UAAW,CACT9D,QAAS,CAAC,QACVE,MAAO,QACPa,WAAW,GAEbgD,WAAY,CACV/D,QAAS,CAAC,UACVE,MAAO,QACPnuB,QAAS,QACTgvB,WAAW,GAEbiD,UAAW,CACThE,QAAS,CAAC,UACVE,MAAO,QACPa,UAAW,YAIbhC,OAAQ,OACRkF,WAAY,CACVjE,QAAS,CAAC,UACVE,MAAO,SACPa,WAAW,GAEbmD,WAAY,CACVlE,QAAS,CAAC,UACVE,MAAO,SACPa,UAAW,YAIboD,IAAK,CACHnE,QAAS,CAAC,QAEZoE,QAAS,CACPpE,QAAS,CAAC,WACVE,MAAO,MACPa,WAAW,GAEbsD,cAAe,CACbrE,QAAS,CAAC,QACVE,MAAO,KACPa,WAAW,GAIb3B,IAAK,CACHY,QAAS,CAAC,MACViC,QAAS,MACTlwB,QAAS,OAEXuyB,QAAS,CACPtE,QAAS,CAAC,UACVE,MAAO,MACPa,WAAW,GAEbwD,aAAc,CACZvE,QAAS,CAAC,WACVE,MAAO,WACP+B,QAAS,MACTlB,WAAW,GAEbyD,cAAe,CACbxE,QAAS,CAAC,WACVE,MAAO,YACP+B,QAAS,MACTlB,WAAW,GAIb0D,WAAY,CACVzE,QAAS,CAAC,OACVE,MAAO,OAETwE,eAAgB,CACd1E,QAAS,CAAC,WACVE,MAAO,MACP+B,QAAS,aACTlB,WAAW,GAEb4D,gBAAiB,CACf3E,QAAS,CAAC,cACVE,MAAO,OAET0E,oBAAqB,CACnB5E,QAAS,CAAC,gBACVE,MAAO,WACP+B,QAAS,aACTlB,WAAW,GAEb8D,iBAAkB,CAChB7E,QAAS,CAAC,cACVE,MAAO,OAET4E,qBAAsB,CACpB9E,QAAS,CAAC,iBACVE,MAAO,YACP+B,QAAS,aACTlB,WAAW,GAIbgE,WAAY,CACV/E,QAAS,CAAC,OACVE,MAAO,MACPpuB,MAAO,SAAC8uB,EAAKxB,GAAN,OAAcyB,qBAAiB,GAAND,EAAUxB,GAAKvsB,MAEjDmyB,eAAgB,CACdhF,QAAS,CAAC,WACVE,MAAO,MACP+B,QAAS,aACTlB,WAAW,GAEbkE,oBAAqB,CACnBjF,QAAS,CAAC,gBACVE,MAAO,WACP+B,QAAS,aACTlB,WAAW,GAEbmE,qBAAsB,CACpBlF,QAAS,CAAC,iBACVE,MAAO,YACP+B,QAAS,aACTlB,WAAW,GAIboE,YAAa,CACXnF,QAAS,CAAC,MAAO,MACjBluB,MAAO,SAAC8uB,EAAKxB,EAAKztB,GAAX,OAAkBH,YAAW4tB,EAAK,IAAMztB,KAEjDyzB,gBAAiB,CACfpF,QAAS,CAAC,UAAW,eACrBE,MAAO,MACP+B,QAAS,cACTnwB,MAAO,SAAC8uB,EAAK/1B,EAAMu0B,GAAZ,OAAoB5tB,YAAW3G,EAAM,IAAMu0B,KAEpDiG,qBAAsB,CACpBrF,QAAS,CAAC,eAAgB,eAC1BE,MAAO,WACP+B,QAAS,cACTnwB,MAAO,SAAC8uB,EAAK/1B,EAAMu0B,GAAZ,OAAoB5tB,YAAW3G,EAAM,IAAMu0B,KAEpDkG,sBAAuB,CACrBtF,QAAS,CAAC,gBAAiB,eAC3BE,MAAO,YACP+B,QAAS,cACTnwB,MAAO,SAAC8uB,EAAK/1B,EAAMu0B,GAAZ,OAAoB5tB,YAAW3G,EAAM,IAAMu0B,KAIpDpsB,MAAO,CACLgtB,QAAS,CAAC,MACVjuB,QAAS,SAEXwzB,UAAW,CACTvF,QAAS,CAAC,QACVE,MAAO,QACPa,WAAW,GAEbyE,eAAgB,CACdxF,QAAS,CAAC,aACVE,MAAO,aACP+B,QAAS,QACTlB,WAAW,GAEb0E,gBAAiB,CACfzF,QAAS,CAAC,cACVE,MAAO,cACP+B,QAAS,QACTlB,WAAW,GAGb2E,WAAY,CACV1F,QAAS,CAAC,QACVjuB,QAAS,SAEX4zB,eAAgB,CACd3F,QAAS,CAAC,QACVE,MAAO,QACP+B,QAAS,aACTlB,WAAW,GAEb6E,oBAAqB,CACnB5F,QAAS,CAAC,aACVE,MAAO,aACP+B,QAAS,aACTlB,WAAW,GAGb8E,aAAc,CACZ7F,QAAS,CAAC,WACVjuB,QAAS,SAEX+zB,iBAAkB,CAChB9F,QAAS,CAAC,QACVE,MAAO,QACP+B,QAAS,eACTlB,WAAW,GAEbgF,sBAAuB,CACrB/F,QAAS,CAAC,aACVE,MAAO,aACP+B,QAAS,eACTlB,WAAW,GAGbiF,aAAc,CACZhG,QAAS,CAAC,QACVjuB,QAAS,SAEXk0B,iBAAkB,CAChBjG,QAAS,CAAC,QACVE,MAAO,QACP+B,QAAS,eACTnwB,MAAO,SAAC8uB,EAAK/1B,GAAN,OAAe+H,0BAAgB/H,GAAMgI,KAC5CkuB,WAAW,GAEbmF,sBAAuB,CACrBlG,QAAS,CAAC,aACVE,MAAO,aACP+B,QAAS,eACTlB,WAAW,GAGboF,gBAAiB,CACfnG,QAAS,CAAC,cACVjuB,QAAS,cAEXq0B,oBAAqB,CACnBpG,QAAS,CAAC,kBACVE,MAAO,UACP+B,QAAS,kBACTlB,WAAW,GAGbsF,kBAAmB,CACjBrG,QAAS,CAAC,gBACVjuB,QAAS,cAEXu0B,sBAAuB,CACrBtG,QAAS,CAAC,oBACVE,MAAO,UACP+B,QAAS,oBACTlB,WAAW,GAGbwF,kBAAmB,CACjBvG,QAAS,CAAC,gBACVjuB,QAAS,cAEXy0B,sBAAuB,CACrBxG,QAAS,CAAC,oBACVE,MAAO,UACP+B,QAAS,oBACTlB,WAAW,GAGb0F,kBAAmB,SACnBC,sBAAuB,CACrB1G,QAAS,CAAC,OAAQ,qBAClBE,MAAO,QACP+B,QAAS,oBACTlB,UAAW,MAGbpB,OAAQ,CACNK,QAAS,CAAC,OAGZ2G,sBAAuB,CACrB3G,QAAS,CAAC,WAGZ4G,wBAAyB,CACvB5G,QAAS,CAAC,QACVE,MAAO,cACP+B,QAAS,wBACTlB,WAAW,GAGb8F,wBAAyB,CACvB7G,QAAS,CAAC,QACVE,MAAO,cACP+B,QAAS,wBACTlB,UAAW,YAGb+F,0BAA2B,CACzB9G,QAAS,CAAC,UACVjuB,QAAS,SACTD,MAAO,SAAC8uB,EAAK4C,GAAN,OAAiB3C,qBAAW,EAAID,EAAK4C,GAAQ3wB,MAGtDk0B,sBAAuB,CACrB/G,QAAS,CAAC,yBACVluB,MAAO,SAAC8uB,EAAKhB,GAAN,OAAsBiB,qBAAW,EAAID,EAAKhB,GAAa/sB,MAGhEm0B,wBAAyB,CACvBhH,QAAS,CAAC,QACVE,MAAO,cACP+B,QAAS,wBACTlB,WAAW,GAGbkG,wBAAyB,CACvBjH,QAAS,CAAC,QACVE,MAAO,cACP+B,QAAS,wBACTlB,UAAW,YAGbmG,0BAA2B,CACzBlH,QAAS,CAAC,yBACVjuB,QAAS,SACTD,MAAO,SAAC8uB,EAAK4C,GAAN,OAAiB3C,qBAAW,EAAID,EAAK4C,GAAQ3wB,+lCC/sBjD,IAAMs0B,EAAa,SAACn0B,GAAU,IAC3Bo0B,EAAUC,EAAer0B,GAAzBo0B,MACFplC,EAAOvC,SAASuC,KAChBoR,EAAO3T,SAAS2T,KACtBA,EAAKk0B,UAAUC,IAAI,UAEnB,IAAMC,EAAU/nC,SAASQ,cAAc,SACvC+B,EAAKnB,YAAY2mC,GACjB,IAAMC,EAAaD,EAAQE,MAE3BD,EAAWp3B,WACXo3B,EAAWE,WAAX,UAAA/9B,OAAgCw9B,EAAMQ,MAAtC,MAAiD,aACjDH,EAAWE,WAAX,UAAA/9B,OAAgCw9B,EAAMS,OAAtC,MAAkD,aAClDJ,EAAWE,WAAX,UAAA/9B,OAAgCw9B,EAAMU,QAAtC,MAAmD,aACnDL,EAAWE,WAAX,UAAA/9B,OAAgCw9B,EAAMW,MAAtC,MAAiD,aACjD30B,EAAKk0B,UAAUU,OAAO,WAGXC,EAAe,SAACj1B,EAAOk1B,GAClC,OAAqB,IAAjBl1B,EAAMxX,OACD,OAGFwX,EACJuF,OAAO,SAAAC,GAAC,OAAI0vB,EAAiB1vB,EAAE2vB,MAAQ3vB,IACvCrT,IAAI,SAACijC,GAAD,MAAU,CACbA,EAAK3U,EACL2U,EAAK1U,EACL0U,EAAKC,KACLD,EAAKE,QACLnjC,IAAI,SAAAqT,GAAC,OAAIA,EAAI,OAAM5O,OAAO,CAC1BmJ,YAAYq1B,EAAKt2B,MAAOs2B,EAAKG,OAC7BH,EAAKD,MAAQ,QAAU,KACtBvzB,KAAK,OAAMA,KAAK,OAuBV4zB,EAAiB,SAACC,GAC7B,IAAMC,EAAgBD,EAAUE,mBAE5BF,EAAUZ,QAAUY,EADpBG,EAAWH,EAAUZ,QAAUY,GAFQI,EAKfC,YAAUJ,EAAcD,EAAU12B,SAAW,IAAjE81B,EALmCgB,EAKnChB,OAAQ91B,EAL2B82B,EAK3B92B,QAEVg3B,EAAaptC,OAAO6Y,QAAQqzB,GAC/Bv+B,OAAO,SAACC,EAAD2H,GAAiB,IAAAC,EAAA63B,IAAA93B,EAAA,GAAVkB,EAAUjB,EAAA,GAAPyrB,EAAOzrB,EAAA,GACvB,OAAKyrB,GACLrzB,EAAI0/B,MAAM72B,GAAK1C,YAAQktB,GACvBrzB,EAAI2/B,SAAS92B,QAAoB,IAARwqB,EAAE7rB,EAAoBrB,YAAQktB,GAAKvqB,YAASuqB,GAC9DrzB,GAHQA,GAId,CAAE2/B,SAAU,GAAID,MAAO,KAC5B,MAAO,CACL7B,MAAO,CACLS,OAAQlsC,OAAO6Y,QAAQu0B,EAAWG,UAC/B3wB,OAAO,SAAA3G,GAAA,IAAAC,EAAAm3B,IAAAp3B,EAAA,GAAAC,EAAA,UAAAA,EAAA,KACP1M,IAAI,SAAA0gB,GAAA,IAAAO,EAAA4iB,IAAAnjB,EAAA,GAAEzT,EAAFgU,EAAA,GAAKwW,EAALxW,EAAA,cAAAxc,OAAiBwI,EAAjB,MAAAxI,OAAuBgzB,KAC3BhoB,KAAK,MAEVu0B,MAAO,CACLtB,OAAQkB,EAAWE,MACnBl3B,aAKOq3B,EAAgB,SAACp2B,GAC5B,IAAIq2B,EAAar2B,EAAM40B,OAAS,QAED,IAApB50B,EAAMs2B,YACfD,EAAa1tC,OACV6Y,QAAQxB,GACRuF,OAAO,SAAA+M,GAAA,IAAArG,EAAA+pB,IAAA1jB,EAAA,GAAElT,EAAF6M,EAAA,GAAAA,EAAA,UAAY7M,EAAEm3B,SAAS,YAC9BjgC,OAAO,SAACC,EAAKpM,GAA6C,OAArCoM,EAAIpM,EAAE,GAAGqT,MAAM,UAAU,IAAMrT,EAAE,GAAWoM,GAAO,KAE7E,IAAMq+B,EAAQjsC,OAAO6Y,QAAQ60B,GAAY9wB,OAAO,SAAAgH,GAAA,IAAAG,EAAAspB,IAAAzpB,EAAA,GAAAG,EAAA,UAAAA,EAAA,KAAepW,OAAO,SAACC,EAADqW,GAAiB,IAAAE,EAAAkpB,IAAAppB,EAAA,GAAVxN,EAAU0N,EAAA,GAAP8c,EAAO9c,EAAA,GAErF,OADAvW,EAAI6I,GAAKwqB,EACFrzB,GACN,CACD61B,IAAK,EACLpsB,MAAO,EACPw2B,SAAU,EACVtK,MAAO,GACPz5B,OAAQ,EACRgkC,UAAW,GACXC,QAAS,EACTj6B,WAAY,EACZmwB,YAAayJ,EAAWnK,QAG1B,MAAO,CACLkI,MAAO,CACLQ,MAAOjsC,OAAO6Y,QAAQozB,GAAOrvB,OAAO,SAAAyH,GAAA,IAAAE,EAAA8oB,IAAAhpB,EAAA,GAAAE,EAAA,UAAAA,EAAA,KAAe/a,IAAI,SAAAkb,GAAA,IAAA4H,EAAA+gB,IAAA3oB,EAAA,GAAEjO,EAAF6V,EAAA,GAAK2U,EAAL3U,EAAA,cAAAre,OAAiBwI,EAAjB,YAAAxI,OAA6BgzB,EAA7B,QAAoChoB,KAAK,MAElGu0B,MAAO,CACLvB,WAKO+B,EAAgB,SAAC32B,GAC5B,IAAM+0B,EAAQpsC,OAAO6Y,QAAQxB,EAAM+0B,OAAS,IAAIxvB,OAAO,SAAA6P,GAAA,IAAA5H,EAAAwoB,IAAA5gB,EAAA,GAAA5H,EAAA,UAAAA,EAAA,KAAelX,OAAO,SAACC,EAADmX,GAAiB,IAAAzI,EAAA+wB,IAAAtoB,EAAA,GAAVtO,EAAU6F,EAAA,GAAP2kB,EAAO3kB,EAAA,GAK5F,OAJA1O,EAAI6I,GAAKzW,OAAO6Y,QAAQooB,GAAGrkB,OAAO,SAAAyF,GAAA,IAAAa,EAAAmqB,IAAAhrB,EAAA,GAAAa,EAAA,UAAAA,EAAA,KAAevV,OAAO,SAACC,EAADwe,GAAiB,IAAAzK,EAAA0rB,IAAAjhB,EAAA,GAAV3V,EAAUkL,EAAA,GAAPsf,EAAOtf,EAAA,GAEvE,OADA/T,EAAI6I,GAAKwqB,EACFrzB,GACNA,EAAI6I,IACA7I,GACN,CACDqgC,UAAW,CACTC,OAAQ,cAEV72B,MAAO,CACL62B,OAAQ,WAEVC,KAAM,CACJD,OAAQ,WAEVE,SAAU,CACRF,OAAQ,eAIZ,MAAO,CACLzC,MAAO,CACLW,MAAOpsC,OACJ6Y,QAAQuzB,GACRxvB,OAAO,SAAAkF,GAAA,IAAAI,EAAAmrB,IAAAvrB,EAAA,GAAAI,EAAA,UAAAA,EAAA,KACP1Y,IAAI,SAAAkf,GAAA,IAAAG,EAAAwkB,IAAA3kB,EAAA,GAAEjS,EAAFoS,EAAA,GAAKoY,EAALpY,EAAA,cAAA5a,OAAiBwI,EAAjB,UAAAxI,OAA2BgzB,EAAEiN,UAAUj1B,KAAK,MAErDu0B,MAAO,CACLpB,WAKAvE,EAAS,SAACjQ,EAAKyW,GAAN,MAAkB,CAC/BvW,EAAG,EACHC,EAAGH,EAAM,GAAK,EACd8U,KAAM,EACNC,OAAQ,EACRx2B,MAAOk4B,EAAS,UAAY,UAC5BzB,MAAO,GACPJ,OAAO,IAEH8B,EAAyB,CAACzG,GAAO,GAAM,GAAQA,GAAO,GAAO,IAC7D0G,EAAwB,CAAC1G,GAAO,GAAM,GAAOA,GAAO,GAAO,IAC3D2G,EAAY,CAChB1W,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNC,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,GAGI6B,EAAkB,CAC7BlL,MAAO,CAAC,CACNzL,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNC,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,KAETxJ,OAAQ,CAAC,CACPtL,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNC,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,KAET8B,MAAO,CAAC,CACN5W,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNC,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,KAET9iC,OAAQ,CAAC,CACPguB,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNC,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,KAET+B,aAAc,GACdC,YAAa,GACbC,OAAM,CAAG,CACP/W,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNC,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,IANH3+B,OAOAqgC,GACNQ,YAAW,CAAGN,GAAHvgC,OAAiBqgC,GAC5BS,cAAa,CAAGP,GAAHvgC,OAAiBsgC,GAC9Bl3B,MAAK,GAAApJ,OAAMsgC,EAAN,CAA6B,CAChCzW,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNF,OAAO,EACPG,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,MAGEoC,EAAkB,SAAC33B,EAAO60B,GAGrC,IAAM+C,EAAkB,CACtBJ,OAAQ,MACRtL,MAAO,KACP3L,IAAK,SACL8W,MAAO,UACP5kC,OAAQ,KACR8kC,YAAa,QACbv3B,MAAO,SAEH63B,EAAe73B,EAAM80B,UAAY90B,EAAM21B,mBACzCmC,EAAY93B,EAAM80B,QAAS90B,EAAMjB,SACjCiB,EAAM80B,SAAW,GACfA,EAAUnsC,OAAO6Y,QAAPtI,EAAA,GACXk+B,EADW,GAEXS,IACFvhC,OAAO,SAACyhC,EAADnmB,GAAwC,IAAAE,EAAAkkB,IAAApkB,EAAA,GAA1BomB,EAA0BlmB,EAAA,GAAhBmmB,EAAgBnmB,EAAA,GAC1ComB,EAAgBF,EAASzlC,QAAQ,WAAY,IAC7C4lC,EAAgBP,EAAgBM,GAEhCtK,EADgBhwB,YAAkBw6B,kBAAQvD,EAAOsD,IAAgBt4B,KAAO,GAClD,GAAK,EAC3Bw4B,EAAYJ,EAAW3hC,OAAO,SAACgiC,EAAWC,GAAZ,SAAA3hC,OAAA4hC,IAC/BF,GAD+B,CAAAp/B,EAAA,GAG7Bq/B,EAH6B,CAIhCz5B,MAAOpC,YAAQ+7B,YACbF,EAAIz5B,MACJ,SAAC45B,GAAD,OAAkBN,kBAAQvD,EAAO6D,IAAe74B,KAChD+tB,SAGH,IACH,OAAA10B,EAAA,GAAY6+B,EAAZY,IAAA,GAAyBX,EAAWK,KACnC,IAEH,MAAO,CACLjE,MAAO,CACLU,QAASnsC,OACN6Y,QAAQszB,GAGR3iC,IAAI,SAAA6f,GAAA,IA3OehS,EA2OfoS,EAAA4jB,IAAAhkB,EAAA,GAAE5S,EAAFgT,EAAA,GAAKwX,EAALxX,EAAA,SAAY,MAAAxb,OACVwI,EADU,YAAAxI,OACEq+B,EAAarL,IADf,KAAAhzB,OAEVwI,EAFU,kBAAAxI,QA3OGoJ,EA6OwB4pB,EA5O7B,IAAjB5pB,EAAMxX,OACD,OAGFwX,EAEJuF,OAAO,SAAC6vB,GAAD,OAAWA,EAAKD,OAAiC,IAAxBjY,OAAOkY,EAAKE,UAC5CnjC,IAAI,SAACijC,GAAD,MAAU,CACbA,EAAK3U,EACL2U,EAAK1U,EAEL0U,EAAKC,KAAO,GACZljC,IAAI,SAAAqT,GAAC,OAAIA,EAAI,OAAM5O,OAAO,CAC1BmJ,YAAYq1B,EAAKt2B,MAAOs2B,EAAKG,SAC5B3zB,KAAK,OACPzP,IAAI,SAAAqT,GAAC,qBAAA5O,OAAmB4O,EAAnB,OACL5D,KAAK,OA0Ne,KAAAhL,OAGVwI,EAHU,iBAAAxI,OAGOq+B,EAAarL,GAAG,KACtChoB,KAAK,OACNA,KAAK,MAEVu0B,MAAO,CACLrB,aAKO8D,EAAgB,SAAC/D,EAAQD,EAAOE,EAASC,GACpD,MAAO,CACLX,MAAKl7B,EAAA,GACA47B,EAAQV,MADR,GAEAS,EAAOT,MAFP,GAGAQ,EAAMR,MAHN,GAIAW,EAAMX,OAEX+B,MAAKj9B,EAAA,GACA47B,EAAQqB,MADR,GAEAtB,EAAOsB,MAFP,GAGAvB,EAAMuB,MAHN,GAIApB,EAAMoB,SAKF9B,EAAiB,SAACr0B,GAC7B,IAAM60B,EAASW,EAAex1B,GAC9B,OAAO44B,EACL/D,EACAuB,EAAcp2B,GACd23B,EAAgB33B,EAAO60B,EAAOsB,MAAMtB,OAAQA,EAAOjH,KACnD+I,EAAc32B,KAIL64B,EAAY,WAGvB,OAAOjoC,OAAOmT,MAAM,sBAAuB,CAAE+0B,MAF/B,aAGXhrC,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAACirC,GACL,OAAOpwC,OAAO6Y,QAAQu3B,GAAQ5mC,IAAI,SAAAuf,GAAY,IAAAlJ,EAAAwtB,IAAAtkB,EAAA,GAAVtS,EAAUoJ,EAAA,GAAPohB,EAAOphB,EAAA,GACxCxa,EAAU,KAWd,MAViB,WAAbgrC,IAAOpP,GACT57B,EAAUzD,QAAQC,QAAQo/B,GACJ,iBAANA,IAChB57B,EAAU4C,OAAOmT,MAAM6lB,EAAG,CAAEkP,MAVtB,aAWHhrC,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SADb,MAED,SAACza,GAEN,OADAuG,QAAQlC,MAAMrE,GACP,QAGN,CAACiV,EAAGpR,OAGdF,KAAK,SAAC1D,GACL,OAAOA,EACJkM,OAAO,SAACC,EAAD6T,GAAiB,IAAAwD,EAAAooB,IAAA5rB,EAAA,GAAVhL,EAAUwO,EAAA,GAAPgc,EAAOhc,EAAA,GAEvB,OADArX,EAAI6I,GAAKwqB,EACFrzB,GACN,OAGEq/B,EAAa,SAACf,GACzB,OAAOlsC,OAAO6Y,QAAQqzB,GAAQv+B,OAAO,SAACC,EAADuX,GAA4B,IAAAE,EAAAgoB,IAAAloB,EAAA,GAArBkqB,EAAqBhqB,EAAA,GAAXlP,EAAWkP,EAAA,GAE/D,OAAQgqB,GACN,IAAK,UACH,OAAA9+B,EAAA,GAAY3C,EAAZ,CAAiByyB,UAAWlqB,IAC9B,IAAK,UACH,OAAA5F,EAAA,GACK3C,EADL,GALiB,CAAC,GAAI,QAAS,UAQ1BD,OACC,SAAC2iC,EAAkBC,GAAnB,OAAAhgC,EAAA,GACQ+/B,EADRN,IAAA,GAC2B,MAAQO,EAAW,OAASp6B,KACrD,KAGV,QACE,OAAA5F,EAAA,GAAY3C,EAAZoiC,IAAA,GAAkBX,EAAWl5B,MAEhC,KAQQg5B,EAAc,SAAChD,EAAS/1B,GACnC,OAAOpW,OAAO6Y,QAAQszB,GAASx+B,OAAO,SAACyhC,EAAD7pB,GAAwC,IAAAE,EAAA4nB,IAAA9nB,EAAA,GAA1B8pB,EAA0B5pB,EAAA,GAAhB6pB,EAAgB7pB,EAAA,GAGtEiqB,EAAYJ,EAAW3hC,OAAO,SAACgiC,EAAWC,GAAZ,SAAA3hC,OAAA4hC,IAC/BF,GAD+B,CAAAp/B,EAAA,GAG7Bq/B,EAH6B,CAIhChD,OANcjnB,EAMGiqB,EANHjqB,EAAGxP,MAAkBmB,WAAW,OAC/BuO,EAKoB+pB,EALjBz5B,EAAH0P,EAAG1P,MAAYC,EAAQo6B,YAAer6B,EAAMs6B,UAAU,GAAG57B,MAAM,KAAK,MAKxC,GAAI+6B,EAAIhD,WALpC,IAAA/mB,EAAG1P,EADJwP,GAQf,IACH,OAAApV,EAAA,GAAY6+B,EAAZY,IAAA,GAAyBX,EAAWK,KACnC,KAGQgB,EAAY,SAACr8B,GACxB,OAAO67B,IACJ/qC,KAAK,SAACirC,GAAD,OAAYA,EAAO/7B,GAAO+7B,EAAO/7B,GAAO+7B,EAAO,kBACpDjrC,KAAK,SAACqoC,GACL,IAAMmD,EAAOlO,MAAMmO,QAAQpD,GACrBnuC,EAAOsxC,EAAO,GAAKnD,EAAMA,MAE/B,GAAImD,EAAM,CACR,IAAM36B,EAAKK,YAAQm3B,EAAM,IACnB13B,EAAKO,YAAQm3B,EAAM,IACnBt+B,EAAOmH,YAAQm3B,EAAM,IACrBhJ,EAAOnuB,YAAQm3B,EAAM,IAErB3I,EAAOxuB,YAAQm3B,EAAM,IAAM,WAC3B1I,EAASzuB,YAAQm3B,EAAM,IAAM,WAC7B5I,EAAQvuB,YAAQm3B,EAAM,IAAM,WAC5BzI,EAAU1uB,YAAQm3B,EAAM,IAAM,WAEpCnuC,EAAK6sC,OAAS,CAAEl2B,KAAIF,KAAI5G,OAAMs1B,OAAMK,OAAMD,QAAOE,SAAQC,WAG3D,MAAO,CAAEyI,MAAOnuC,EAAMiM,OAAQkiC,EAAMliC,WAI7BulC,EAAY,SAACx8B,GAAD,OAASq8B,EAAUr8B,GAAKlP,KAAK,SAAA9F,GAAI,OAAImsC,EAAWnsC,EAAKmuC,0UCzZ9E,IAgCesD,EAhCQ,CACrBrf,MAAO,CAAC,SAAU,YAClBpyB,KAFqB,WAGnB,MAAO,CACL0xC,UAAU,IAGd7e,QAAS,CACPlN,SADO,WACK,IAAA9M,EAAAP,KACLA,KAAKxJ,OAAOC,UAGfuJ,KAAKia,OAAO+K,SAAS,aAAc,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,KAFrDmP,KAAKia,OAAO+K,SAAS,WAAY,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,KAIrDmP,KAAKo5B,UAAW,EAChB3qC,WAAW,WACT8R,EAAK64B,UAAW,GACf,OAGPjV,sWAAQvrB,CAAA,CACN4uB,QADM,WAEJ,MAAO,CACL6R,mBAAoBr5B,KAAKxJ,OAAOC,UAChC6iC,YAAat5B,KAAKxJ,OAAOC,UACzB8iC,eAAgBv5B,KAAKo5B,YAGtBxQ,YAAW,CAAC,0BCtBnB,IAEAlO,EAVA,SAAAC,GACEtxB,EAAQ,MAyBKmwC,EAVCnxC,OAAAwyB,EAAA,EAAAxyB,CACdoxC,ECjBF,WAA0B,IAAArX,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,SAAAlH,EAAA,OAAAA,EAAA,KAAwCC,YAAA,yCAAAC,MAAAgH,EAAAoF,QAAA/L,MAAA,CAA8E3iB,MAAAspB,EAAA2D,GAAA,sBAAoC1D,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA/U,eAAwB+U,EAAAO,GAAA,MAAAP,EAAAhF,aAAAsc,eAAAtX,EAAA5rB,OAAAG,SAAA,EAAAukB,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAG,aAAAyrB,EAAAQ,OAAA1H,EAAA,OAAAA,EAAA,KAAyJC,YAAA,8BAAAC,MAAAgH,EAAAoF,QAAA/L,MAAA,CAAmE3iB,MAAAspB,EAAA2D,GAAA,wBAAqC3D,EAAAO,GAAA,MAAAP,EAAAhF,aAAAsc,eAAAtX,EAAA5rB,OAAAG,SAAA,EAAAukB,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAG,aAAAyrB,EAAAQ,QAClkB,IDOA,EAaAlI,EATA,KAEA,MAYgC,4OEvBhC,IAsCeif,EAtCK,CAClB7f,MAAO,CAAC,UACRpyB,KAFkB,WAGhB,MAAO,CACLkyC,WAAY,KAGhBvf,WAAY,CACVoE,mBAEFlE,QAAS,CACPsf,YADO,SACM9sC,EAAOmJ,EAAOkR,GACzB,IAAM0yB,EAAmB95B,KAAKxJ,OAAOwB,gBAAgB+hC,KAAK,SAAA1qC,GAAC,OAAIA,EAAEN,OAASmH,IACtE4jC,GAAoBA,EAAiBE,GACvCh6B,KAAKia,OAAO+K,SAAS,mBAAoB,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,GAAIqF,UAE/D8J,KAAKia,OAAO+K,SAAS,iBAAkB,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,GAAIqF,UAE/DkR,MAGJ+c,sWAAU8V,CAAA,CACRC,aADM,WAEJ,MAAO,CAAC,KAAM,KAAM,KAAM,KAAM,OAElC3oC,OAJM,WAKJ,GAAwB,KAApByO,KAAK45B,WAAmB,CAC1B,IAAMO,EAAsBn6B,KAAK45B,WAAWQ,cAC5C,OAAOp6B,KAAKia,OAAOC,MAAMC,SAASjkB,MAAM+O,OAAO,SAAA/O,GAAK,OAClDA,EAAMmkC,YAAYD,cAAclmC,SAASimC,KAG7C,OAAOn6B,KAAKia,OAAOC,MAAMC,SAASjkB,OAAS,KAE1C0yB,YAAW,CAAC,mBC7BnB,IAEI0R,EAVJ,SAAoB3f,GAClBtxB,EAAQ,MAyBKkxC,EAVClyC,OAAAwyB,EAAA,EAAAxyB,CACdmyC,ECjBQ,WAAgB,IAAApY,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,WAAqBC,YAAA,uBAAAM,MAAA,CAA0CiD,QAAA,QAAAC,UAAA,MAAApH,OAAA,CAA8C6I,EAAA,IAAQqa,YAAArY,EAAAsY,GAAA,EAAsB5qC,IAAA,UAAA6qC,GAAA,SAAAnY,GACpO,IAAApb,EAAAob,EAAApb,MACA,OAAA8T,EAAA,SAAkB,CAAAA,EAAA,OAAYC,YAAA,0BAAqC,CAAAD,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,WAAAqI,WAAA,eAA8EhP,MAAA,CAASmf,YAAAxY,EAAA2D,GAAA,uBAA2CqE,SAAA,CAAW56B,MAAA4yB,EAAA,YAAyBC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAwX,WAAAtW,EAAAr2B,OAAAuC,aAAqC4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,mBAA8B,CAAAiH,EAAAyY,GAAAzY,EAAA,sBAAAlsB,GAA4C,OAAAglB,EAAA,QAAkBprB,IAAAoG,EAAAilB,YAAA,eAAAkH,GAAA,CAAyCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAyX,YAAAvW,EAAAptB,EAAAkR,MAA+C,CAAAgb,EAAAO,GAAA,aAAAP,EAAA0D,GAAA5vB,GAAA,gBAAkDksB,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,4BAAsCiH,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAA,gBAAAlsB,EAAApG,GAAsD,OAAAorB,EAAA,QAAkBprB,MAAAqrB,YAAA,eAAAkH,GAAA,CAAuCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAyX,YAAAvW,EAAAptB,EAAA4kC,YAAA1zB,MAA2D,CAAAgb,EAAAO,GAAA,aAAAP,EAAA0D,GAAA5vB,EAAA4kC,aAAA,gBAA8D1Y,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,2BAAoC,UAAY,CAAAiH,EAAAO,GAAA,KAAAzH,EAAA,KAAsBC,YAAA,6CAAAM,MAAA,CAAgEoK,KAAA,UAAA/sB,MAAAspB,EAAA2D,GAAA,0BAAyDF,KAAA,eACzoC,IDKY,EAa7ByU,EATiB,KAEU,MAYG,oOExBhC,IAgCeS,EAhCO,CACpBjhB,MAAO,CAAC,SAAU,WAAY,cAC9BpyB,KAFoB,WAGlB,MAAO,CACL0xC,UAAU,IAGd7e,QAAS,CACP9M,QADO,WACI,IAAAlN,EAAAP,KACJA,KAAKxJ,OAAOK,SAGfmJ,KAAKia,OAAO+K,SAAS,YAAa,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,KAFpDmP,KAAKia,OAAO+K,SAAS,UAAW,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,KAIpDmP,KAAKo5B,UAAW,EAChB3qC,WAAW,WACT8R,EAAK64B,UAAW,GACf,OAGPjV,sWAAU6W,CAAA,CACRxT,QADM,WAEJ,MAAO,CACLyT,UAAaj7B,KAAKxJ,OAAOK,SACzBqkC,mBAAoBl7B,KAAKxJ,OAAOK,SAChC0iC,eAAgBv5B,KAAKo5B,YAGtBxQ,YAAW,CAAC,mBCtBnB,IAEIuS,EAVJ,SAAoBxgB,GAClBtxB,EAAQ,MAyBK+xC,EAVC/yC,OAAAwyB,EAAA,EAAAxyB,CACdgzC,ECjBQ,WAAgB,IAAAjZ,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,SAAAlH,EAAA,mBAAAkH,EAAA9oB,YAAA,WAAA8oB,EAAA9oB,WAAA,CAAA4hB,EAAA,KAAuGC,YAAA,oDAAAC,MAAAgH,EAAAoF,QAAA/L,MAAA,CAAyF3iB,MAAAspB,EAAA2D,GAAA,oBAAkC1D,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA3U,cAAuB2U,EAAAO,GAAA,MAAAP,EAAAhF,aAAAsc,eAAAtX,EAAA5rB,OAAAO,WAAA,EAAAmkB,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAO,eAAAqrB,EAAAQ,MAAA,CAAA1H,EAAA,KAAmJC,YAAA,wBAAAC,MAAAgH,EAAAoF,QAAA/L,MAAA,CAA6D3iB,MAAAspB,EAAA2D,GAAA,iCAA4C,GAAA3D,EAAAkG,SAA4IlG,EAAAQ,KAA5I1H,EAAA,OAAAA,EAAA,KAAyCC,YAAA,2BAAAC,MAAAgH,EAAAoF,QAAA/L,MAAA,CAAgE3iB,MAAAspB,EAAA2D,GAAA,sBAAmC3D,EAAAO,GAAA,MAAAP,EAAAhF,aAAAsc,eAAAtX,EAAA5rB,OAAAO,WAAA,EAAAmkB,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAO,eAAAqrB,EAAAQ,QAC7vB,IDOY,EAa7BuY,EATiB,KAEU,MAYG,QE4CjBG,EApEM,CACnBxhB,MAAO,CAAE,UACTO,WAAY,CAAEoE,mBACdlE,QAAS,CACPjL,aADO,WAEahf,OAAOirC,QAAQv7B,KAAK+lB,GAAG,2BAEvC/lB,KAAKia,OAAO+K,SAAS,eAAgB,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,MAG3D2qC,UAPO,WAOM,IAAAj7B,EAAAP,KACXA,KAAKia,OAAO+K,SAAS,YAAahlB,KAAKxJ,OAAO3F,IAC3CrD,KAAK,kBAAM+S,EAAKghB,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAIoT,EAAKghB,MAAM,UAAWp0B,EAAIe,MAAMA,UAElDutC,YAZO,WAYQ,IAAA3W,EAAA9kB,KACbA,KAAKia,OAAO+K,SAAS,cAAehlB,KAAKxJ,OAAO3F,IAC7CrD,KAAK,kBAAMs3B,EAAKvD,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAI23B,EAAKvD,MAAM,UAAWp0B,EAAIe,MAAMA,UAElDqe,iBAjBO,WAiBa,IAAA4Y,EAAAnlB,KAClBA,KAAKia,OAAO+K,SAAS,mBAAoBhlB,KAAKxJ,OAAO3F,IAClDrD,KAAK,kBAAM23B,EAAK5D,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAIg4B,EAAK5D,MAAM,UAAWp0B,EAAIe,MAAMA,UAElDue,mBAtBO,WAsBe,IAAAivB,EAAA17B,KACpBA,KAAKia,OAAO+K,SAAS,qBAAsBhlB,KAAKxJ,OAAO3F,IACpDrD,KAAK,kBAAMkuC,EAAKna,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAIuuC,EAAKna,MAAM,UAAWp0B,EAAIe,MAAMA,UAElDytC,SA3BO,WA2BK,IAAAC,EAAA57B,KACV67B,UAAUC,UAAUC,UAAU/7B,KAAKg8B,YAChCxuC,KAAK,kBAAMouC,EAAKra,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAIyuC,EAAKra,MAAM,UAAWp0B,EAAIe,MAAMA,UAElD2f,eAhCO,WAgCW,IAAAouB,EAAAj8B,KAChBA,KAAKia,OAAO+K,SAAS,WAAY,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,KAChDrD,KAAK,kBAAMyuC,EAAK1a,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAI8uC,EAAK1a,MAAM,UAAWp0B,EAAIe,MAAMA,UAElD6f,iBArCO,WAqCa,IAAAmuB,EAAAl8B,KAClBA,KAAKia,OAAO+K,SAAS,aAAc,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,KAClDrD,KAAK,kBAAM0uC,EAAK3a,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAI+uC,EAAK3a,MAAM,UAAWp0B,EAAIe,MAAMA,WAGpDi2B,SAAU,CACR6D,YADQ,WACS,OAAOhoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAChDmU,UAFQ,WAGN,GAAKn8B,KAAKgoB,YAEV,OADkBhoB,KAAKgoB,YAAY30B,OAAOC,WAAa0M,KAAKgoB,YAAY30B,OAAOG,OAC3DwM,KAAKxJ,OAAOgD,KAAK3I,KAAOmP,KAAKgoB,YAAYn3B,IAE/DurC,UAPQ,WAQN,OAAOp8B,KAAKxJ,OAAOgD,KAAK3I,KAAOmP,KAAKgoB,YAAYn3B,IAElDwrC,OAVQ,WAWN,OAAOr8B,KAAKo8B,YAAyC,WAA3Bp8B,KAAKxJ,OAAO8C,YAAsD,aAA3B0G,KAAKxJ,OAAO8C,aAE/EgjC,QAbQ,WAcN,QAASt8B,KAAKgoB,aAEhBgU,WAhBQ,WAiBN,SAAA1lC,OAAU0J,KAAKia,OAAOC,MAAMC,SAASC,QAArC9jB,OAA8C0J,KAAKwmB,QAAQt8B,QAAQ,CAAE6E,KAAM,eAAgB+U,OAAQ,CAAEjT,GAAImP,KAAKxJ,OAAO3F,MAAQzG,SCzDnI,IAEImyC,EAVJ,SAAoB5hB,GAClBtxB,EAAQ,MAyBKmzC,EAVCn0C,OAAAwyB,EAAA,EAAAxyB,CACdo0C,ECjBQ,WAAgB,IAAAra,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,WAAqBC,YAAA,uBAAAM,MAAA,CAA0CiD,QAAA,QAAAC,UAAA,MAAAoI,WAAA,CAAgD5G,EAAA,cAAkBsa,YAAArY,EAAAsY,GAAA,EAAsB5qC,IAAA,UAAA6qC,GAAA,SAAAnY,GAChP,IAAApb,EAAAob,EAAApb,MACA,OAAA8T,EAAA,SAAkB,CAAAA,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAka,UAAAla,EAAA5rB,OAAAuB,aAAAmjB,EAAA,UAAyDC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA7V,iBAAA+W,MAAsC,CAAApI,EAAA,KAAUC,YAAA,iBAA2BD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAka,SAAAla,EAAA5rB,OAAAuB,aAAAmjB,EAAA,UAA+IC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA3V,mBAAA6W,MAAwC,CAAApI,EAAA,KAAUC,YAAA,iBAA2BD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAA5rB,OAAAuC,QAAAqpB,EAAAia,OAAAnhB,EAAA,UAA2IC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,UAAAa,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoZ,UAAAlY,IAA6Blc,KAAS,CAAA8T,EAAA,KAAUC,YAAA,aAAuBD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oBAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5rB,OAAAuC,QAAAqpB,EAAAia,OAAAnhB,EAAA,UAA0HC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,UAAAa,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAAqZ,YAAAnY,IAA+Blc,KAAS,CAAA8T,EAAA,KAAUC,YAAA,aAAuBD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5rB,OAAAS,WAA+SmrB,EAAAQ,KAA/S1H,EAAA,UAAmHC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,UAAAa,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAAvU,eAAAyV,IAAkClc,KAAS,CAAA8T,EAAA,KAAUC,YAAA,wBAAkCD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yBAAA3D,EAAAO,GAAA,KAAAP,EAAA5rB,OAAA,WAAA0kB,EAAA,UAAqHC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,UAAAa,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAArU,iBAAAuV,IAAoClc,KAAS,CAAA8T,EAAA,KAAUC,YAAA,kBAA4BD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,UAAAlH,EAAA,UAA+GC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,UAAAa,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAA9S,aAAAgU,IAAgClc,KAAS,CAAA8T,EAAA,KAAUC,YAAA,gBAA0BD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uBAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,UAA2FC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,UAAAa,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAAuZ,SAAArY,IAA4Blc,KAAS,CAAA8T,EAAA,KAAUC,YAAA,eAAyBD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAoE,CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAsBC,YAAA,4BAAAM,MAAA,CAA+CoK,KAAA,WAAiBA,KAAA,eAC78E,IDKY,EAa7B0W,EATiB,KAEU,MAYG,0EEUjBG,EAlCO,CACpB3tC,KAAM,gBACN+qB,MAAO,CACL,YAEFpyB,KALoB,WAMlB,MAAO,CACLwG,OAAO,IAGXi2B,SAAU,CACR3tB,OADQ,WAEN,OAAOmmC,IAAK38B,KAAKia,OAAOC,MAAMzC,SAASmlB,YAAa,CAAE/rC,GAAImP,KAAK68B,aAGnExiB,WAAY,CACVyiB,OAAQ,kBAAM7yC,QAAAC,UAAAsD,KAAAnE,EAAA0G,KAAA,WACd0uB,QAAS,kBAAMx0B,QAAAC,UAAAsD,KAAAnE,EAAA0G,KAAA,YAEjBwqB,QAAS,CACPwiB,MADO,WACE,IAAAx8B,EAAAP,KACP,IAAKA,KAAKxJ,OAAQ,CAChB,IAAKwJ,KAAK68B,SAER,YADA78B,KAAK9R,OAAQ,GAGf8R,KAAKia,OAAO+K,SAAS,cAAehlB,KAAK68B,UACtCrvC,KAAK,SAAA9F,GAAI,OAAK6Y,EAAKrS,OAAQ,IAD9B,MAES,SAAArE,GAAC,OAAK0W,EAAKrS,OAAQ,QCtBpC,IAEI8uC,EAVJ,SAAoBriB,GAClBtxB,EAAQ,MAyBK4zC,EAVC50C,OAAAwyB,EAAA,EAAAxyB,CACd60C,ECjBQ,WAAgB,IAAA9a,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,WAAqBO,MAAA,CAAOiD,QAAA,QAAAye,gBAAA,iCAAApW,WAAA,CAA+E5G,EAAA,cAAkBkC,GAAA,CAAK6C,KAAA9C,EAAA2a,QAAkB,CAAA7hB,EAAA,YAAiB2K,KAAA,WAAe,CAAAzD,EAAAM,GAAA,eAAAN,EAAAO,GAAA,KAAAzH,EAAA,OAA8CO,MAAA,CAAOoK,KAAA,WAAiBA,KAAA,WAAgB,CAAAzD,EAAA,OAAAlH,EAAA,UAA4BO,MAAA,CAAO2hB,cAAA,EAAAC,UAAAjb,EAAA5rB,OAAA8kB,SAAA,KAAyD8G,EAAA,MAAAlH,EAAA,OAAwBC,YAAA,mCAA8C,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA7K,EAAA,OAAsFC,YAAA,6BAAwC,CAAAD,EAAA,KAAUC,YAAA,+BAAsC,QAChqB,IDOY,EAa7B6hB,EATiB,KAEU,MAYG,QETjBM,EAhBS,CACtBvuC,KAAM,kBACN+qB,MAAO,CACL,SAEFO,WAAY,CACVoE,QAAS,kBAAMx0B,QAAAC,UAAAsD,KAAAnE,EAAA0G,KAAA,WACf8pB,WAAY,kBAAM5vB,QAAAC,UAAAsD,KAAAnE,EAAA0G,KAAA,YAEpBo0B,SAAU,CACRoZ,YADQ,WAEN,OAAOv9B,KAAK4K,MAAMpa,MAAM,EAAG,OCJjC,IAEIgtC,EAVJ,SAAoB7iB,GAClBtxB,EAAQ,MAyBKo0C,EAVCp1C,OAAAwyB,EAAA,EAAAxyB,CACdq1C,ECjBQ,WAAgB,IAAAtb,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,WAAqBO,MAAA,CAAOiD,QAAA,QAAAC,UAAA,MAAApH,OAAA,CAA8C6I,EAAA,KAAS,CAAAlF,EAAA,YAAiB2K,KAAA,WAAe,CAAAzD,EAAAM,GAAA,eAAAN,EAAAO,GAAA,KAAAzH,EAAA,OAA8CC,YAAA,oBAAAM,MAAA,CAAuCoK,KAAA,WAAiBA,KAAA,WAAgB,CAAAzD,EAAAxX,MAAA,OAAAsQ,EAAA,MAAAkH,EAAAyY,GAAAzY,EAAA,qBAAA5oB,GAAsE,OAAA0hB,EAAA,OAAiBprB,IAAA0J,EAAA3I,GAAAsqB,YAAA,iBAAwC,CAAAD,EAAA,cAAmBC,YAAA,eAAAM,MAAA,CAAkCjiB,OAAA8hB,SAAA,KAA4B8G,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,mBAA8B,CAAAD,EAAA,QAAakP,SAAA,CAAUC,UAAAjI,EAAA0D,GAAAtsB,EAAApI,cAAoCgxB,EAAAO,GAAA,KAAAzH,EAAA,QAAyBC,YAAA,yBAAoC,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAAtsB,EAAAzI,mBAAA,KAA2C,GAAAmqB,EAAA,OAAAA,EAAA,KAAuBC,YAAA,iCAAsC,IACrxB,IDOY,EAa7BqiB,EATiB,KAEU,MAYG,QE0CjBG,EA/DQ,CACrB5uC,KAAM,iBACNsrB,WAAY,CACVR,qBACAyjB,mBAEFxjB,MAAO,CAAC,UACRpyB,KAAM,iBAAO,CACXk2C,SAAS,IAEXzZ,SAAU,CACR0Z,iBADQ,WAEN,OAAO79B,KAAKxJ,OAAOwB,gBAAgB9P,OAdL,IAgBhCs0B,eAJQ,WAKN,OAAOxc,KAAK49B,QACR59B,KAAKxJ,OAAOwB,gBACZgI,KAAKxJ,OAAOwB,gBAAgBxH,MAAM,EAnBR,KAqBhCstC,eATQ,WAUN,UAAAxnC,OAAW0J,KAAKxJ,OAAOwB,gBAAgB9P,OAtBT,KAwBhC61C,iBAZQ,WAaN,OAAO/9B,KAAKxJ,OAAOwB,gBAAgBhC,OAAO,SAACC,EAAK+nC,GAE9C,OADA/nC,EAAI+nC,EAASjvC,MAAQivC,EAAS3nB,UAAY,GACnCpgB,GACN,KAELqyB,SAlBQ,WAmBN,QAAStoB,KAAKia,OAAOC,MAAMtP,MAAMod,cAGrCzN,QAAS,CACP0jB,cADO,WAELj+B,KAAK49B,SAAW59B,KAAK49B,SAEvBM,YAJO,SAIMhoC,GACX,OAAO8J,KAAKxJ,OAAOwB,gBAAgB+hC,KAAK,SAAA1qC,GAAC,OAAIA,EAAEN,OAASmH,IAAO8jC,IAEjEmE,+BAPO,WAQiBn+B,KAAKxJ,OAAOwB,gBAAgB+hC,KAAK,SAAA1qC,GAAC,OAAKA,EAAEgnB,YAE7DrW,KAAKia,OAAO+K,SAAS,wBAAyBhlB,KAAKxJ,OAAO3F,KAG9DutC,UAbO,SAaIloC,GACT8J,KAAKia,OAAO+K,SAAS,iBAAkB,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,GAAIqF,WAE/DmoC,QAhBO,SAgBEnoC,GACP8J,KAAKia,OAAO+K,SAAS,mBAAoB,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,GAAIqF,WAEjEooC,aAnBO,SAmBOpoC,EAAOnJ,GACdiT,KAAKsoB,WAENtoB,KAAKk+B,YAAYhoC,GACnB8J,KAAKq+B,QAAQnoC,GAEb8J,KAAKo+B,UAAUloC,OCtDvB,IAEIqoC,EAVJ,SAAoB5jB,GAClBtxB,EAAQ,MAyBKm1C,EAVCn2C,OAAAwyB,EAAA,EAAAxyB,CACd2P,ECjBQ,WAAgB,IAAAoqB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,mBAA8B,CAAAiH,EAAAyY,GAAAzY,EAAA,wBAAA4b,GAAiD,OAAA9iB,EAAA,mBAA6BprB,IAAAkuC,EAAAjvC,KAAA0sB,MAAA,CAAyB7Q,MAAAwX,EAAA2b,iBAAAC,EAAAjvC,QAA6C,CAAAmsB,EAAA,UAAeC,YAAA,iCAAAC,MAAA,CAAoDqjB,kBAAArc,EAAA8b,YAAAF,EAAAjvC,MAAA2vC,iBAAAtc,EAAAkG,UAAoFjG,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAkc,aAAAN,EAAAjvC,KAAAu0B,IAA+ChB,WAAA,SAAAgB,GAA+B,OAAAlB,EAAA+b,oCAA8C,CAAAjjB,EAAA,QAAaC,YAAA,kBAA6B,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAAkY,EAAAjvC,SAAAqzB,EAAAO,GAAA,KAAAzH,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAAkY,EAAAW,gBAA8Fvc,EAAAO,GAAA,KAAAP,EAAA,iBAAAlH,EAAA,KAA6CC,YAAA,8BAAAM,MAAA,CAAiDrxB,KAAA,sBAA4Bi4B,GAAA,CAAKI,MAAAL,EAAA6b,gBAA2B,CAAA7b,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAAwb,QAAAxb,EAAA2D,GAAA,qBAAA3D,EAAA0b,gBAAA,UAAA1b,EAAAQ,MAAA,IAC51B,IDOY,EAa7B2b,EATiB,KAEU,MAYG,4PEPhC,IAgRezB,EAhRA,CACb/tC,KAAM,SACNsrB,WAAY,CACV8e,iBACAQ,cACAoB,gBACAO,eACAsD,mBACAC,aACAhlB,qBACAilB,eACAC,YACArC,gBACAY,kBACAK,iBACAqB,mBAEFllB,MAAO,CACL,YACA,aACA,iBACA,UACA,YACA,UACA,UACA,YACA,YACA,iBACA,aACA,YACA,iBAEFpyB,KAhCa,WAiCX,MAAO,CACLu3C,UAAU,EACVC,SAAS,EACTC,cAAc,EACdjxC,MAAO,OAGXi2B,sWAAUib,CAAA,CACR/hB,UADM,WAEJ,OAAOrd,KAAKod,aAAaC,WAE3BgiB,sBAJM,WAKJ,OACEr/B,KAAKxJ,OAAOuB,cACTiI,KAAKxJ,OAAOU,QAAU8I,KAAKxJ,OAAOU,OAAOa,gBACxCiI,KAAKs/B,gBAEbC,cAVM,WAWJ,IAAM/lC,EAAOwG,KAAKq9B,UAAU7jC,KAC5B,OAAOgmC,YAAehmC,IAExBimC,UAdM,WAeJ,IAAMjmC,EAAOwG,KAAKyN,QAAWzN,KAAKq9B,UAAU9kC,iBAAiBiB,KAAQwG,KAAKq9B,UAAU7jC,KACpF,OAAOgmC,YAAehmC,IAExBkmC,QAlBM,WAmBJ,OAAO1/B,KAAKq9B,UAAUqC,SAExBC,cArBM,WAsBJ,IAAMnmC,EAAOwG,KAAKq9B,UAAU7jC,KACtBkvB,EAAY1oB,KAAKod,aAAasL,UACpC,OAAOkX,YAAelX,EAAUlvB,EAAKzI,eAEvC8uC,UA1BM,WA2BJ,IAAI7/B,KAAK8/B,UAAT,CACA,IAAMtmC,EAAOwG,KAAKyN,QAAWzN,KAAKq9B,UAAU9kC,iBAAiBiB,KAAQwG,KAAKq9B,UAAU7jC,KAC9EkvB,EAAY1oB,KAAKod,aAAasL,UACpC,OAAOkX,YAAelX,EAAUlvB,EAAKzI,gBAEvC24B,gBAhCM,WAiCJ,OAAO1pB,KAAK+/B,wBAAwB//B,KAAKxJ,OAAOgD,KAAK3I,GAAImP,KAAKxJ,OAAOgD,KAAKzI,cAE5EivC,iBAnCM,WAoCJ,GAAIhgC,KAAKigC,QACP,OAAOjgC,KAAK+/B,wBAAwB//B,KAAKxJ,OAAO4B,oBAAqB4H,KAAKkgC,cAG9EzyB,QAxCM,WAwCO,QAASzN,KAAKq9B,UAAU9kC,kBACrC4nC,UAzCM,WAyCS,OAAOngC,KAAKq9B,UAAU7jC,KAAKzK,MAAQiR,KAAKq9B,UAAU7jC,KAAKzI,aACtEqvC,cA1CM,WA0Ca,OAAOpgC,KAAKq9B,UAAU7jC,KAAKpI,WAC9CivC,qBA3CM,WA2CoB,OAAOrgC,KAAK+/B,wBAAwB//B,KAAKq9B,UAAU7jC,KAAK3I,GAAImP,KAAKq9B,UAAU7jC,KAAKzI,cAC1GyF,OA5CM,WA6CJ,OAAIwJ,KAAKyN,QACAzN,KAAKq9B,UAAU9kC,iBAEfyH,KAAKq9B,WAGhBiD,2BAnDM,WAqDJ,OAAOtgC,KAAKia,OAAOC,MAAMzC,SAAS8oB,kBAAkBvgC,KAAKxJ,OAAO3F,KAElEy3B,SAvDM,WAwDJ,QAAStoB,KAAKgoB,aAEhB9K,aA1DM,WA2DJ,OAAOA,YAAald,KAAKxJ,OAAQwJ,KAAKqd,YAExChpB,MA7DM,WA6DG,IACCmC,EAAWwJ,KAAXxJ,OACAU,EAAWV,EAAXU,OACFvE,EAAeqN,KAAKia,OAAOqN,QAAQ30B,aAAa6D,EAAOgD,KAAK3I,IAC5D2vC,EAAqBtpC,GAAU8I,KAAKia,OAAOqN,QAAQ30B,aAAauE,EAAOsC,KAAK3I,IAC5E4vC,EAEJjqC,EAAOnC,OAEN6C,GAAUA,EAAO7C,OAElB1B,EAAayB,QAEZosC,GAAsBA,EAAmBpsC,QAE1CoC,EAAOuB,cAEPiI,KAAKkd,aAAah1B,OAAS,EAEvBw4C,GAEF1gC,KAAK2gC,aAEDzpC,GAAUV,EAAOgD,KAAK3I,KAAOmP,KAAK4gC,eAEnC1pC,GAAUA,EAAOsC,KAAK3I,KAAOmP,KAAK4gC,gBAItC5gC,KAAKs/B,gBAAkB9oC,EAAOuB,gBAE3BiI,KAAKkd,aAAah1B,OAAS,EAEjC,OAAQ8X,KAAKk/B,UAAYwB,GAAoBD,GAE/CI,qBAhGM,WAiGJ,OAAO7gC,KAAKod,aAAayjB,sBAE3BC,WAnGM,WAoGJ,OAAO9gC,KAAK0/B,SAAY1/B,KAAK3L,OAAS2L,KAAK6gC,sBAE7CE,UAtGM,WAwGJ,QAAI/gC,KAAKghC,WAEGhhC,KAAKs/B,gBAIVt/B,KAAKxJ,OAAO3F,KAAOmP,KAAK0oB,WAEjCuX,QAhHM,WAiHJ,SAAUjgC,KAAKxJ,OAAO0B,wBAAyB8H,KAAKxJ,OAAO4B,sBAE7D8nC,YAnHM,WAoHJ,GAAIlgC,KAAKxJ,OAAOqB,wBACd,OAAOmI,KAAKxJ,OAAOqB,wBAEnB,IAAM2B,EAAOwG,KAAKia,OAAOqN,QAAQC,SAASvnB,KAAKxJ,OAAO4B,qBACtD,OAAOoB,GAAQA,EAAKzI,aAGxBkwC,aA3HM,WA4HJ,IAAKjhC,KAAKxJ,OAAOgB,QAAS,MAAO,GACjC,IAAM0pC,EAAiBC,IAASnhC,KAAKxJ,OAAOgB,SACtC4pC,EAAWphC,KAAKod,aAAaikB,oBAC7BC,EAAeJ,EAAehoC,MAAM,YAC1C,MAAkB,SAAbkoC,GAAuBE,GAA8B,UAAbF,EACpCF,EACe,UAAbE,EACF,OAAO9qC,OAAO4qC,GACC,SAAbE,EACF,QADF,GAITG,4BAxIM,WA0IJ,IAAMC,EAAgB,GAAGlrC,OACvB0J,KAAKsgC,2BAA2BvmC,YAChCiG,KAAKsgC,2BAA2BtmC,aAElC,OAAOynC,IAAOD,EAAe,OAE/BpsC,KAhJM,WAiJJ,OAAO4K,KAAKxJ,OAAOpB,KAAK6P,OAAO,SAAAy8B,GAAM,OAAIA,EAAOn5C,eAAe,UAASsJ,IAAI,SAAA6vC,GAAM,OAAIA,EAAO3yC,OAAMuS,KAAK,MAE1Go4B,cAnJM,WAoJJ,OAAO15B,KAAKod,aAAasc,gBAExB9Q,YAAW,CAAC,iBAtJT,GAuJHlC,YAAS,CACVlL,aAAc,SAAAtB,GAAK,OAAIA,EAAK,UAAWiN,eAAeC,WACtDY,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,gBAGtCzN,QAAS,CACPonB,eADO,SACSroC,GACd,OAAQA,GACN,IAAK,UACH,MAAO,YACT,IAAK,WACH,MAAO,qBACT,IAAK,SACH,MAAO,gBACT,QACE,MAAO,eAGbsoC,UAbO,SAaI1zC,GACT8R,KAAK9R,MAAQA,GAEf2zC,WAhBO,WAiBL7hC,KAAK9R,WAAQM,GAEfszC,eAnBO,WAoBL9hC,KAAKi/B,UAAYj/B,KAAKi/B,UAExB8C,aAtBO,SAsBOlxC,GACRmP,KAAKs/B,gBACPt/B,KAAKuhB,MAAM,OAAQ1wB,IAGvBmxC,eA3BO,WA4BLhiC,KAAKuhB,MAAM,mBAEb0gB,WA9BO,WA+BLjiC,KAAKk/B,SAAWl/B,KAAKk/B,SAEvBgD,mBAjCO,WAkCLliC,KAAKm/B,cAAgBn/B,KAAKm/B,cAE5BY,wBApCO,SAoCkBlvC,EAAI9B,GAC3B,OAAO0qB,YAAoB5oB,EAAI9B,EAAMiR,KAAKia,OAAOC,MAAMC,SAAST,uBAGpEyoB,MAAO,CACLzZ,UAAa,SAAU73B,GACrB,GAAImP,KAAKxJ,OAAO3F,KAAOA,EAAI,CACzB,IAAIuxC,EAAOpiC,KAAKsf,IAAIG,wBAChB2iB,EAAKniB,IAAM,IAEb3vB,OAAO+xC,SAAS,EAAGD,EAAKniB,IAAM,KACrBmiB,EAAKhjB,QAAW9uB,OAAOqwB,YAAc,GAE9CrwB,OAAO+xC,SAAS,EAAGD,EAAKniB,IAAM,KACrBmiB,EAAK1hB,OAASpwB,OAAOqwB,YAAc,IAE5CrwB,OAAO+xC,SAAS,EAAGD,EAAK1hB,OAASpwB,OAAOqwB,YAAc,MAI5D2hB,oBAAqB,SAAUC,GAEzBviC,KAAK+gC,WAAa/gC,KAAKsgC,2BAA2BtmC,aAAegG,KAAKsgC,2BAA2BtmC,YAAY9R,SAAWq6C,GAC1HviC,KAAKia,OAAO+K,SAAS,eAAgBhlB,KAAKxJ,OAAO3F,KAGrD2xC,kBAAmB,SAAUD,GAEvBviC,KAAK+gC,WAAa/gC,KAAKsgC,2BAA2BvmC,aAAeiG,KAAKsgC,2BAA2BvmC,YAAY7R,SAAWq6C,GAC1HviC,KAAKia,OAAO+K,SAAS,YAAahlB,KAAKxJ,OAAO3F,MAIpD4xC,QAAS,CACPC,WAAY,SAAUC,GACpB,OAAOA,EAAIC,OAAO,GAAGC,cAAgBF,EAAInyC,MAAM,MCtRrD,IAEIsyC,EAVJ,SAAoBnoB,GAClBtxB,EAAQ,MAeN05C,EAAY16C,OAAAwyB,EAAA,EAAAxyB,CACd26C,ECjBQ,WAAgB,IAAA5gB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA0e,WAAs0T1e,EAAAQ,KAAt0T1H,EAAA,OAAmCC,YAAA,SAAAC,MAAA,EAA6B6nB,WAAA7gB,EAAA2e,WAA4B,CAAGmC,gBAAA9gB,EAAA+gB,kBAAwC,CAAA/gB,EAAA,MAAAlH,EAAA,OAAwBC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAl0B,OAAA,YAAAgtB,EAAA,KAA0DC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAAL,EAAAyf,gBAAwBzf,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA/tB,QAAA+tB,EAAAghB,UAAA,CAAAloB,EAAA,OAAkEC,YAAA,2BAAsC,CAAAD,EAAA,SAAcC,YAAA,mBAA8B,CAAAiH,EAAA/tB,OAAA+tB,EAAA3U,QAAAyN,EAAA,KAAqCC,YAAA,6BAAuCiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,eAAyCO,MAAA,CAAOwK,GAAA7D,EAAAsH,kBAA0B,CAAAtH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAgD,KAAAzI,aAAA,sBAAAqxB,EAAAO,GAAA,KAAAP,EAAA,sBAAAlH,EAAA,SAAwIC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAid,uBAAAjd,EAAAlF,aAAAh1B,OAAA,EAAAgzB,EAAA,SAA0KC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,SAAyHC,YAAA,aAAAM,MAAA,CAAgC3iB,MAAAspB,EAAAlF,aAAA5b,KAAA,QAAqC,CAAA8gB,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAAlF,aAAA5b,KAAA,uBAAA8gB,EAAAO,GAAA,KAAAzH,EAAA,KAAgGC,YAAA,SAAAM,MAAA,CAA4BrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA6f,WAAA3e,MAAgC,CAAApI,EAAA,KAAUC,YAAA,kCAAuC,CAAAiH,EAAA,WAAAlH,EAAA,OAAmCC,YAAA,OAAkB,CAAAD,EAAA,KAAUC,YAAA,sBAAgCiH,EAAAO,GAAA,KAAAzH,EAAA,QAAyBC,YAAA,SAAoB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uBAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAA3U,SAAA2U,EAAA0d,WAAA1d,EAAAkd,eAAi3Bld,EAAAQ,KAAj3B1H,EAAA,OAAoIC,YAAA,+BAAAC,MAAA,CAAAgH,EAAAmd,cAAA,CAAsE8D,YAAAjhB,EAAAud,gBAAiC9c,MAAA,CAAAT,EAAAud,gBAA8B,CAAAvd,EAAA,QAAAlH,EAAA,cAAiCC,YAAA,4BAAAM,MAAA,CAA+CF,gBAAA6G,EAAA5G,aAAAhiB,KAAA4oB,EAAAib,UAAA7jC,QAA4D4oB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAiCC,YAAA,oBAA+B,CAAAD,EAAA,QAAaC,YAAA,gCAAAM,MAAA,CAAmD3iB,MAAAspB,EAAA+d,YAAuB,CAAA/d,EAAA,cAAAlH,EAAA,eAAwCO,MAAA,CAAOwK,GAAA7D,EAAAie,sBAA8BjW,SAAA,CAAWC,UAAAjI,EAAA0D,GAAA1D,EAAAge,kBAAuCllB,EAAA,eAAoBO,MAAA,CAAOwK,GAAA7D,EAAAie,uBAA+B,CAAAje,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA+d,eAAA,GAAA/d,EAAAO,GAAA,KAAAzH,EAAA,KAA0DC,YAAA,4BAAAM,MAAA,CAA+C3iB,MAAAspB,EAAA2D,GAAA,sBAAmC3D,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA+GC,YAAA,mBAAAC,MAAA,CAAAgH,EAAAqd,UAAA,CAAsD4D,YAAAjhB,EAAAyd,UAAAyD,UAAAlhB,EAAA3U,UAAA2U,EAAAkd,iBAA4Ezc,MAAA,CAAAT,EAAAyd,WAAApkB,MAAA,CAAmC8nB,YAAAnhB,EAAAhtB,OAAsB,CAAAgtB,EAAA0d,UAAgV1d,EAAAQ,KAAhV1H,EAAA,OAA6BC,YAAA,aAAwB,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA7D,EAAAsH,iBAAyB8Z,SAAA,CAAWC,SAAA,SAAAngB,GAA2E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA8f,mBAAA5e,MAAwC,CAAApI,EAAA,cAAmBO,MAAA,CAAOH,QAAA8G,EAAA9G,QAAAC,gBAAA6G,EAAA5G,aAAAhiB,KAAA4oB,EAAA5rB,OAAAgD,SAA+E,OAAA4oB,EAAAO,GAAA,KAAAzH,EAAA,OAAyCC,YAAA,cAAyB,CAAAiH,EAAA,aAAAlH,EAAA,YAAoCC,YAAA,WAAAM,MAAA,CAA8BioB,UAAAthB,EAAA5rB,OAAAgD,KAAA3I,GAAA62B,SAAA,EAAAG,UAAA,KAA6DzF,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA0d,UAAitH1d,EAAAQ,KAAjtH1H,EAAA,OAAkDC,YAAA,kBAA6B,CAAAD,EAAA,OAAYC,YAAA,oBAA+B,CAAAD,EAAA,OAAYC,YAAA,gBAA2B,CAAAiH,EAAA5rB,OAAAgD,KAAA,UAAA0hB,EAAA,MAAuCC,YAAA,kBAAAM,MAAA,CAAqC3iB,MAAAspB,EAAA5rB,OAAAgD,KAAAzK,MAA6Bq7B,SAAA,CAAWC,UAAAjI,EAAA0D,GAAA1D,EAAA5rB,OAAAgD,KAAApI,cAA+C8pB,EAAA,MAAWC,YAAA,kBAAAM,MAAA,CAAqC3iB,MAAAspB,EAAA5rB,OAAAgD,KAAAzK,OAA8B,CAAAqzB,EAAAO,GAAA,uBAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAgD,KAAAzK,MAAA,wBAAAqzB,EAAAO,GAAA,KAAAzH,EAAA,eAAmHC,YAAA,eAAAM,MAAA,CAAkC3iB,MAAAspB,EAAA5rB,OAAAgD,KAAAzI,YAAAk1B,GAAA7D,EAAAsH,kBAA8D,CAAAtH,EAAAO,GAAA,uBAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAgD,KAAAzI,aAAA,wBAAAqxB,EAAAO,GAAA,KAAAP,EAAA5rB,OAAAgD,MAAA4oB,EAAA5rB,OAAAgD,KAAA3G,QAAAqoB,EAAA,OAAmKC,YAAA,iBAAAM,MAAA,CAAoCvuB,IAAAk1B,EAAA5rB,OAAAgD,KAAA3G,WAA+BuvB,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAzH,EAAA,QAAsCC,YAAA,iBAA4B,CAAAD,EAAA,eAAoBC,YAAA,qBAAAM,MAAA,CAAwCwK,GAAA,CAAMl3B,KAAA,eAAA+U,OAAA,CAAgCjT,GAAAuxB,EAAA5rB,OAAA3F,OAAwB,CAAAqqB,EAAA,WAAgBO,MAAA,CAAOkoB,KAAAvhB,EAAA5rB,OAAA7B,WAAAivC,cAAA,OAA+C,GAAAxhB,EAAAO,GAAA,KAAAP,EAAA5rB,OAAA,WAAA0kB,EAAA,OAAoDC,YAAA,+BAA0C,CAAAD,EAAA,KAAUE,MAAAgH,EAAAuf,eAAAvf,EAAA5rB,OAAA8C,YAAAmiB,MAAA,CAAuD3iB,MAAAspB,EAAAyhB,GAAA,aAAAzhB,GAAA5rB,OAAA8C,iBAAqD8oB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5rB,OAAAvC,UAAAmuB,EAAAghB,UAAmOhhB,EAAAQ,KAAnO1H,EAAA,KAA0EC,YAAA,aAAAM,MAAA,CAAgCrxB,KAAAg4B,EAAA5rB,OAAAiC,aAAAxL,OAAA,SAAA6L,MAAA,WAAmE,CAAAoiB,EAAA,KAAUC,YAAA,oCAA4CiH,EAAAO,GAAA,KAAAP,EAAA0hB,aAAA1hB,EAAAghB,UAAA,CAAAloB,EAAA,KAAqEO,MAAA,CAAOrxB,KAAA,IAAA0O,MAAA,UAA4BupB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA4f,eAAA1e,MAAoC,CAAApI,EAAA,KAAUC,YAAA,qCAA4CiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,QAAAlH,EAAA,KAAgDO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA6f,WAAA3e,MAAgC,CAAApI,EAAA,KAAUC,YAAA,+BAAuCiH,EAAAQ,MAAA,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAyCC,YAAA,qBAAgC,CAAAiH,EAAA,QAAAlH,EAAA,OAA0BC,YAAA,4BAAuC,CAAAiH,EAAAghB,UAAojBloB,EAAA,QAAiHC,YAAA,uBAAkC,CAAAD,EAAA,QAAaC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yBAAhvB7K,EAAA,iBAAuCC,YAAA,mBAAAC,MAAA,CAAsC2oB,kBAAA3hB,EAAA5rB,OAAAyB,gBAA+C+rC,YAAA,CAAcC,YAAA,KAAgBxoB,MAAA,CAAQyoB,YAAA9hB,EAAA5rB,OAAAyB,gBAAAmqB,EAAA5rB,OAAA0B,wBAA2E,CAAAgjB,EAAA,KAAUC,YAAA,WAAAM,MAAA,CAA8BrxB,KAAA,IAAA+5C,aAAA/hB,EAAA2D,GAAA,mBAAiD1D,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA2f,aAAA3f,EAAA5rB,OAAA0B,0BAA4D,CAAAgjB,EAAA,KAAUC,YAAA,wCAAkDiH,EAAAO,GAAA,KAAAzH,EAAA,QAAyBC,YAAA,4BAAuC,CAAAiH,EAAAO,GAAA,2BAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oDAA4L3D,EAAAO,GAAA,KAAAzH,EAAA,eAA8EC,YAAA,gBAAAM,MAAA,CAAmC3iB,MAAAspB,EAAA8d,YAAAja,GAAA7D,EAAA4d,mBAAmD,CAAA5d,EAAAO,GAAA,uBAAAP,EAAA0D,GAAA1D,EAAA8d,aAAA,wBAAA9d,EAAAO,GAAA,KAAAP,EAAAgiB,SAAAhiB,EAAAgiB,QAAAl8C,OAAAgzB,EAAA,QAA2IC,YAAA,2BAAsC,CAAAiH,EAAAO,GAAA,6CAAAP,EAAAQ,MAAA,GAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAkd,iBAAAld,EAAAghB,WAAAhhB,EAAAgiB,SAAAhiB,EAAAgiB,QAAAl8C,OAAAgzB,EAAA,OAA8KC,YAAA,WAAsB,CAAAD,EAAA,QAAaC,YAAA,SAAoB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAA,iBAAAiiB,GAAmG,OAAAnpB,EAAA,iBAA2BprB,IAAAu0C,EAAAxzC,GAAA4qB,MAAA,CAAoByoB,YAAAG,EAAAxzC,KAAsB,CAAAqqB,EAAA,KAAUC,YAAA,aAAAM,MAAA,CAAgCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA2f,aAAAsC,EAAAxzC,OAAoC,CAAAuxB,EAAAO,GAAAP,EAAA0D,GAAAue,EAAAt1C,cAAiC,GAAAqzB,EAAAQ,SAAAR,EAAAO,GAAA,KAAAzH,EAAA,iBAA4DO,MAAA,CAAOjlB,OAAA4rB,EAAA5rB,OAAA8tC,aAAAliB,EAAA0d,UAAApX,UAAAtG,EAAAsG,UAAAsY,QAAA5e,EAAA2e,aAAkG3e,EAAAO,GAAA,KAAAzH,EAAA,cAA+BO,MAAA,CAAO1sB,KAAA,SAAe,EAAAqzB,EAAAsX,eAAAtX,EAAA2e,WAAA3e,EAAAmf,4BAAAr5C,OAAA,EAAAgzB,EAAA,OAAgGC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAke,2BAAAtmC,aAAAooB,EAAAke,2BAAAtmC,YAAA9R,OAAA,EAAAgzB,EAAA,mBAA8HO,MAAA,CAAO7Q,MAAAwX,EAAAke,2BAAAtmC,cAAoD,CAAAkhB,EAAA,OAAYC,YAAA,cAAyB,CAAAD,EAAA,KAAUC,YAAA,cAAyB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAmEC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,2BAAAP,EAAA0D,GAAA1D,EAAAke,2BAAAtmC,YAAA9R,QAAA,gCAAAk6B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAke,2BAAAvmC,aAAAqoB,EAAAke,2BAAAvmC,YAAA7R,OAAA,EAAAgzB,EAAA,mBAA+QO,MAAA,CAAO7Q,MAAAwX,EAAAke,2BAAAvmC,cAAoD,CAAAmhB,EAAA,OAAYC,YAAA,cAAyB,CAAAD,EAAA,KAAUC,YAAA,cAAyB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wBAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAqEC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,2BAAAP,EAAA0D,GAAA1D,EAAAke,2BAAAvmC,YAAA7R,QAAA,gCAAAk6B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA6JC,YAAA,cAAyB,CAAAD,EAAA,cAAmBO,MAAA,CAAO7Q,MAAAwX,EAAAmf,gCAAyC,SAAAnf,EAAAQ,OAAAR,EAAAO,GAAA,MAAAP,EAAAhF,aAAAmnB,2BAAAniB,EAAA2e,WAAA3e,EAAA0d,WAAA1d,EAAAghB,UAAyLhhB,EAAAQ,KAAzL1H,EAAA,kBAA6JO,MAAA,CAAOjlB,OAAA4rB,EAAA5rB,UAAqB4rB,EAAAO,GAAA,KAAAP,EAAA0d,WAAA1d,EAAAghB,UAAi9BhhB,EAAAQ,KAAj9B1H,EAAA,OAAoEC,YAAA,kBAA6B,CAAAD,EAAA,OAAAkH,EAAA,SAAAlH,EAAA,KAAmCC,YAAA,sCAAAC,MAAA,CAAyDopB,UAAApiB,EAAA6c,UAAwBxjB,MAAA,CAAQ3iB,MAAAspB,EAAA2D,GAAA,mBAAiC1D,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA0f,eAAAxe,OAAoCpI,EAAA,KAAUC,YAAA,gDAAAM,MAAA,CAAmE3iB,MAAAspB,EAAA2D,GAAA,qBAAkC3D,EAAAO,GAAA,KAAAP,EAAA5rB,OAAA8B,cAAA,EAAA4iB,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAA8B,kBAAA8pB,EAAAQ,OAAAR,EAAAO,GAAA,KAAAzH,EAAA,kBAA+IO,MAAA,CAAOniB,WAAA8oB,EAAA5rB,OAAA8C,WAAAmrC,YAAAriB,EAAAkG,SAAA9xB,OAAA4rB,EAAA5rB,UAAiF4rB,EAAAO,GAAA,KAAAzH,EAAA,mBAAoCO,MAAA,CAAOgpB,YAAAriB,EAAAkG,SAAA9xB,OAAA4rB,EAAA5rB,UAA8C4rB,EAAAO,GAAA,KAAAP,EAAA,SAAAlH,EAAA,eAA+CO,MAAA,CAAOjlB,OAAA4rB,EAAA5rB,UAAqB4rB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,iBAA2CO,MAAA,CAAOjlB,OAAA4rB,EAAA5rB,QAAoB6rB,GAAA,CAAKqiB,QAAAtiB,EAAAwf,UAAA+C,UAAAviB,EAAAyf,eAAoD,SAAAzf,EAAAO,GAAA,KAAAP,EAAA,SAAAlH,EAAA,OAA0DC,YAAA,+BAA0C,CAAAD,EAAA,kBAAuBC,YAAA,aAAAM,MAAA,CAAgCmpB,WAAAxiB,EAAA5rB,OAAA3F,GAAA6I,WAAA0oB,EAAA5rB,OAAAkD,WAAAmrC,eAAAziB,EAAA5rB,OAAAgD,KAAAsrC,qBAAA1iB,EAAA5rB,OAAA8C,WAAAyrC,QAAA3iB,EAAA6e,cAAiK5e,GAAA,CAAK2iB,OAAA5iB,EAAA0f,mBAA6B,GAAA1f,EAAAQ,OAAA,IAC54T,IDOY,EAa7BkgB,EATiB,KAEU,MAYdlnB,EAAA,QAAAmnB,EAAiB,qGEvBjBrqC,EAAA,CACb3J,KAAM,OACN+qB,MAAO,CAAC,YACRO,WAAY,CAAE0kB,iBACdr3C,KAJa,WAKX,MAAO,CACLu9C,SAAS,EACTtvB,QAAS,KAGbqM,QAVa,WAWNhiB,KAAKia,OAAOC,MAAMgrB,MAAMC,YAAYnlC,KAAK0V,SAC5C1V,KAAKia,OAAO+K,SAAS,iBAAkBhlB,KAAKolC,UAE9CplC,KAAKia,OAAO+K,SAAS,YAAahlB,KAAK0V,SAEzCuM,UAhBa,WAiBXjiB,KAAKia,OAAO+K,SAAS,cAAehlB,KAAK0V,SAE3CyO,SAAU,CACRzO,OADQ,WAEN,OAAO1V,KAAKolC,SAASv0C,IAEvB6H,KAJQ,WAMN,OADkBsH,KAAKia,OAAOC,MAAMgrB,MAAMC,YAAYnlC,KAAK0V,SACvC,IAEtB/c,QARQ,WASN,OAAQqH,KAAKtH,MAAQsH,KAAKtH,KAAKC,SAAY,IAE7C0sC,UAXQ,WAYN,OAAQrlC,KAAKtH,MAAQsH,KAAKtH,KAAK4sC,YAAe,GAEhDC,QAdQ,WAeN,OAAQvlC,KAAKtH,MAAQsH,KAAKtH,KAAK6sC,UAAY,GAE7Cjd,SAjBQ,WAkBN,OAAOtoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAEjCwd,YApBQ,WAqBN,OAAOxlC,KAAKtH,KAAK+sC,OAASzlC,KAAKulC,UAAYvlC,KAAKsoB,UAElDod,gBAvBQ,WAwBN,OAAO1lC,KAAKtH,KAAKitC,aAEnBC,eA1BQ,WA2BN,MAAO,CACLX,QAASjlC,KAAKilC,UAGlBY,cA/BQ,WAmCN,OAAO7lC,KAAK2V,QACT9jB,IAAI,SAACi0C,EAAOC,GAAR,OAAkBD,GAASC,IAC/B9gC,OAAO,SAAAzV,GAAK,MAAqB,iBAAVA,KAE5Bw2C,WAvCQ,WAwCN,IAAMC,EAAyC,IAA9BjmC,KAAK6lC,cAAc39C,OACpC,OAAO8X,KAAKilC,SAAWgB,IAG3B1rB,QAAS,CACP2rB,oBADO,SACcvH,GACnB,OAAgC,IAAzB3+B,KAAK0lC,gBAAwB,EAAI/oC,KAAK0kB,MAAMsd,EAAQ3+B,KAAK0lC,gBAAkB,MAEpFS,YAJO,SAIMp3B,GACX,SAAAzY,OAAUyY,EAAO42B,YAAjB,KAAArvC,OAAgC0J,KAAK0lC,gBAArC,KAAApvC,OAAwD0J,KAAK+lB,GAAG,iBAElEnQ,UAPO,WAQL5V,KAAKia,OAAO+K,SAAS,cAAe,CAAEn0B,GAAImP,KAAK68B,SAAUnnB,OAAQ1V,KAAKtH,KAAK7H,MAE7Eu1C,eAVO,SAUSL,GASd,IAAMM,EAAcrmC,KAAKsf,IAAIgnB,iBAAiB,SACxCC,EAAiBvmC,KAAKsf,IAAIknB,cAAT,gBAAAlwC,OAAuCyvC,EAAvC,OACnB/lC,KAAKtH,KAAKyW,SAEZo3B,EAAeE,SAAWF,EAAeE,SAGzCC,IAAQL,EAAa,SAAAM,GAAaA,EAAQF,SAAU,IACpDF,EAAeE,SAAU,GAE3BzmC,KAAK2V,QAAUlM,IAAI48B,EAAa,SAAAx8C,GAAC,OAAIA,EAAE48C,WAEzCG,SA/BO,SA+BGb,GACR,aAAAzvC,OAAc0J,KAAKtH,KAAK7H,GAAxB,KAAAyF,OAA8ByvC,IAEhCvwB,KAlCO,WAkCC,IAAAjV,EAAAP,KAC4B,IAA9BA,KAAK6lC,cAAc39C,SACvB8X,KAAKilC,SAAU,EACfjlC,KAAKia,OAAO+K,SACV,WACA,CAAEn0B,GAAImP,KAAK68B,SAAUnnB,OAAQ1V,KAAKtH,KAAK7H,GAAI8kB,QAAS3V,KAAK6lC,gBACzDr4C,KAAK,SAAAkL,GACL6H,EAAK0kC,SAAU,eCnGvB,IAEAvqB,EAVA,SAAAC,GACEtxB,EAAQ,MAyBKw9C,EAVCx+C,OAAAwyB,EAAA,EAAAxyB,CACdqQ,ECjBF,WAA0B,IAAA0pB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,OAAAC,MAAAgH,EAAAwjB,gBAA4C,CAAAxjB,EAAAyY,GAAAzY,EAAA,iBAAArT,EAAAg3B,GAA8C,OAAA7qB,EAAA,OAAiBprB,IAAAi2C,EAAA5qB,YAAA,eAAoC,CAAAiH,EAAA,YAAAlH,EAAA,OAA8BC,YAAA,gBAAAM,MAAA,CAAmC3iB,MAAAspB,EAAA+jB,YAAAp3B,KAAiC,CAAAmM,EAAA,OAAYC,YAAA,uBAAkC,CAAAD,EAAA,QAAaC,YAAA,qBAAgC,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA8jB,oBAAAn3B,EAAA42B,cAAA,iBAAAvjB,EAAAO,GAAA,KAAAzH,EAAA,QAAoHkP,SAAA,CAAUC,UAAAjI,EAAA0D,GAAA/W,EAAAlW,iBAAuCupB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,cAAA0H,MAAA,CAAkC1D,MAAAiD,EAAA8jB,oBAAAn3B,EAAA42B,aAAA,SAAmEzqB,EAAA,OAAcmH,GAAA,CAAII,MAAA,SAAAa,GAAyB,OAAAlB,EAAAgkB,eAAAL,MAAmC,CAAA3jB,EAAA1pB,KAAA,SAAAwiB,EAAA,SAAkCO,MAAA,CAAO7uB,KAAA,WAAAk6C,SAAA1kB,EAAA6iB,SAAyC7a,SAAA,CAAW56B,MAAAu2C,KAAe7qB,EAAA,SAAcO,MAAA,CAAO7uB,KAAA,QAAAk6C,SAAA1kB,EAAA6iB,SAAsC7a,SAAA,CAAW56B,MAAAu2C,KAAe3jB,EAAAO,GAAA,KAAAzH,EAAA,SAA0BC,YAAA,eAA0B,CAAAD,EAAA,OAAAkH,EAAAO,GAAAP,EAAA0D,GAAA/W,EAAAjW,kBAAiDspB,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,gBAA2B,CAAAiH,EAAAojB,YAAyJpjB,EAAAQ,KAAzJ1H,EAAA,UAAkCC,YAAA,mCAAAM,MAAA,CAAsD7uB,KAAA,SAAAk6C,SAAA1kB,EAAA4jB,YAA0C3jB,GAAA,CAAKI,MAAAL,EAAA5M,OAAkB,CAAA4M,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA4FC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAsjB,iBAAA,IAAAtjB,EAAA0D,GAAA1D,EAAA2D,GAAA,+BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,QAAwHO,MAAA,CAAOsrB,KAAA3kB,EAAAmjB,QAAA,qCAA2D,CAAArqB,EAAA,WAAgBO,MAAA,CAAOkoB,KAAAvhB,EAAAijB,UAAAzB,cAAA,GAAAoD,gBAAA,MAAyD,YACppD,IDOA,EAaAtsB,EATA,KAEA,MAYgC,6REhBhC,IA2LeskB,EA3LO,CACpBjwC,KAAM,gBACN+qB,MAAO,CACL,SACA,UACA,YACA,cACA,cAEFpyB,KAToB,WAUlB,MAAO,CACLu/C,YAAajnC,KAAKknC,aAAgBlnC,KAAKs/B,gBAAkBt/B,KAAKghC,QAC9DmG,oBAAoB,EAEpBC,kBAAmBpnC,KAAKia,OAAOqN,QAAQlK,aAAaiqB,6BAGxDljB,sWAAQvrB,CAAA,CACN0uC,4BADM,WAEJ,OAAOtnC,KAAKod,aAAaiqB,4BAE3BE,gBAJM,WAKJ,OAAQvnC,KAAKod,aAAamqB,kBAAoBvnC,KAAKs/B,gBAChDt/B,KAAKod,aAAaoqB,uBAAyBxnC,KAAKs/B,gBASrDmI,WAfM,WAiBJ,OADoBznC,KAAKxJ,OAAOa,eAAe6F,MAAM,UAAUhV,OAAS8X,KAAKxJ,OAAOe,KAAKrP,OAAS,GAC7E,IAEvBw/C,YAnBM,WAoBJ,OAAO1nC,KAAKxJ,OAAOgB,QAAQtP,OAAS,KAGtCy/C,wBAvBM,WAwBJ,QAAS3nC,KAAKxJ,OAAOgB,SAAWwI,KAAKsnC,6BAEvCM,qBA1BM,WA2BJ,OAAO5nC,KAAKynC,cAAgBznC,KAAKxJ,OAAOgB,SAAWwI,KAAKsnC,8BAE1DO,kBA7BM,WA8BJ,OAAO7nC,KAAK2nC,0BAA4B3nC,KAAKonC,kBAE/CU,eAhCM,WAiCJ,OAAO9nC,KAAK4nC,uBAAyB5nC,KAAKinC,aAE5Cc,YAnCM,WAoCJ,OAAQ/nC,KAAK4nC,sBAAwB5nC,KAAKinC,aAAiBjnC,KAAK2nC,yBAA2B3nC,KAAKonC,kBAElGY,iBAtCM,WAuCJ,QAAKhoC,KAAKxJ,OAAOW,QAGb6I,KAAKxJ,OAAOgB,UAAWwI,KAAKsnC,8BAKlCW,eA/CM,WAgDJ,OAAKjoC,KAAKod,aAAamqB,kBAAoBvnC,KAAKs/B,gBAC7Ct/B,KAAKod,aAAaoqB,uBAAyBxnC,KAAKs/B,gBAChDt/B,KAAKxJ,OAAOoD,YAAY1R,OAAS8X,KAAKkoC,cAChC,OACEloC,KAAKsb,QACP,QAEF,UAET6sB,aAzDM,WA0DJ,MAA4B,SAAxBnoC,KAAKioC,eACA,GAEFjoC,KAAKod,aAAagrB,kBACrB,CAAC,QAAS,SACV,CAAC,UAEPC,mBAjEM,WAiEgB,IAAA9nC,EAAAP,KACpB,OAAOA,KAAKxJ,OAAOoD,YAAYqL,OAC7B,SAAAgO,GAAI,OAAIqL,IAASE,oBAAoBje,EAAK4nC,aAAcl1B,MAG5Dq1B,sBAtEM,WAsEmB,IAAAxjB,EAAA9kB,KACvB,OAAOA,KAAKxJ,OAAOoD,YAAYqL,OAC7B,SAAAgO,GAAI,OAAKqL,IAASE,oBAAoBsG,EAAKqjB,aAAcl1B,MAG7Ds1B,gBA3EM,WA4EJ,OAAOvoC,KAAKxJ,OAAOoD,YAAY/H,IAAI,SAAAohB,GAAI,OAAIqL,IAASA,SAASrL,EAAKxd,aAEpEyyC,cA9EM,WA+EJ,OAAOloC,KAAKod,aAAa8qB,eAE3BM,aAjFM,WAkFJ,IAAMC,EAAOzoC,KAAKxJ,OAAOa,eAEzB,IAAI2I,KAAKod,aAAasrB,UAwBpB,OAAOD,EAvBP,IACE,OAAIA,EAAKv0C,SAAS,QCvGD,SAACu0C,EAAM9hC,GA2ChC,IA1CA,IAUQ5d,EAVF4/C,EAAc,IAAI/iC,IAAI,CAAC,IAAK,KAAM,QAClCgjC,EAAgB,IAAIhjC,IAAI,CAAC,IAAK,QAEhCijC,EAAS,GACPC,EAAQ,GACVC,EAAa,GACbC,EAAY,KAQVC,EAAQ,WACRF,EAAWG,OAAOhhD,OAAS,EAC7B2gD,GAAUliC,EAAUoiC,GAEpBF,GAAUE,EAEZA,EAAa,IAGTI,EAAW,SAAC78C,GAChB28C,IACAJ,GAAUv8C,GAGN88C,EAAa,SAAC98C,GAClB28C,IACAJ,GAAUv8C,EACVw8C,EAAM1gD,KAAKkE,IAGP+8C,EAAc,SAAC/8C,GACnB28C,IACAJ,GAAUv8C,EACNw8C,EAAMA,EAAM5gD,OAAS,KAAOoE,GAC9Bw8C,EAAMQ,OAIDthD,EAAI,EAAGA,EAAIygD,EAAKvgD,OAAQF,IAAK,CACpC,IAAMuhD,EAAOd,EAAKzgD,GAClB,GAAa,MAATuhD,GAA8B,OAAdP,EAClBA,EAAYO,OACP,GAAa,MAATA,GAA8B,OAAdP,EACzBA,GAAaO,OACR,GAAa,MAATA,GAA8B,OAAdP,EAAoB,CAE7C,IAAMQ,EADNR,GAAaO,EAEbP,EAAY,KACZ,IAAMxkB,GA1CFz7B,YAAS,sCAAsC6V,KA0CxB4qC,MAzCXzgD,EAAO,IAAMA,EAAO,KA0ChC4/C,EAAYrhC,IAAIkd,GACF,OAAZA,EACF2kB,EAASK,GACAZ,EAActhC,IAAIkd,KACR,MAAfglB,EAAQ,GACVH,EAAYG,GAC6B,MAAhCA,EAAQA,EAAQthD,OAAS,GAElCihD,EAASK,GAETJ,EAAWI,IAIfT,GAAcS,MAEE,OAATD,EACTJ,EAASI,GAETR,GAAcQ,EASlB,OANIP,IACFD,GAAcC,GAGhBC,IAEOJ,EDuBUY,CAAYhB,EAAM,SAAC3yC,GACxB,OAAIA,EAAO5B,SAAS,SAChB4B,EACG7D,QAAQ,aAAc,IACtBA,QAAQ,SAAU,IAClBi3C,OACAvpC,WAAW,QAChB,2BAAArJ,OAAkCR,EAAlC,WAEOA,IAIJ2yC,EAET,MAAO5+C,GAEP,OADAuG,QAAQjD,IAAI,gCAAiCtD,GACtC4+C,KAMV7f,YAAW,CAAC,iBA/GT,GAgHHlC,YAAS,CACVlL,aAAc,SAAAtB,GAAK,OAAIA,EAAK,UAAWiN,eAAeC,WACtDY,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,gBAGtC3N,WAAY,CACVqvB,eACAC,OACAC,YACAC,iBAEFtvB,QAAS,CACPiP,YADO,SACMz8B,GACX,IEzI4BmE,EAE1BnI,EFuIIkE,EAASF,EAAME,OAAOsyB,QAAQ,qBACpC,GAAItyB,EAAQ,CACV,GAAIA,EAAO68C,UAAU5wC,MAAM,WAAY,CACrC,IAAM9O,EAAO6C,EAAO7C,KACd2/C,EAAO/pC,KAAKxJ,OAAOkD,WAAWqgC,KAAK,SAAAgQ,GAAI,OE5JtB,SAACC,EAAW94C,GAC3C,GAAIA,IAAQ84C,EAAU/4C,sBACpB,OAAO,EAF0C,IAAAg5C,EAIlBD,EAAUj5C,YAAYmM,MAAM,KAJVgtC,EAAA9oC,IAAA6oC,EAAA,GAI5CE,EAJ4CD,EAAA,GAIlCE,EAJkCF,EAAA,GAK7CG,EAAc,IAAIh0C,OAAO,MAAQ+zC,EAAe,MAAQD,EAAW,IAAK,KAE9E,QAASj5C,EAAIgI,MAAMmxC,GFqJsCC,CAAkBP,EAAM3/C,KACzE,GAAI2/C,EAAM,CACRh9C,EAAMy2B,kBACNz2B,EAAMm+B,iBACN,IAAM2B,EAAO7sB,KAAK+/B,wBAAwBgK,EAAKl5C,GAAIk5C,EAAKh5C,aAExD,YADAiP,KAAKwmB,QAAQp+B,KAAKykC,IAItB,GAAI5/B,EAAOT,IAAI0M,MAAM,wBAA0BjM,EAAO68C,UAAU5wC,MAAM,WAAY,CAEhF,IAAM5M,EAAMW,EAAOs9C,QAAQj+C,MExJH4E,EFwJ4BjE,EAAO7C,QEtJ7DrB,EADQ,mBACO6V,KAAK1N,KAInBnI,EAAO,IFmJN,GAAIuD,EAAK,CACP,IAAMugC,EAAO7sB,KAAKwqC,gBAAgBl+C,GAElC,YADA0T,KAAKwmB,QAAQp+B,KAAKykC,IAItBv8B,OAAOm5B,KAAKx8B,EAAO7C,KAAM,YAG7BqgD,eA3BO,WA4BDzqC,KAAK4nC,qBACP5nC,KAAKinC,aAAejnC,KAAKinC,YAChBjnC,KAAK2nC,0BACd3nC,KAAKonC,kBAAoBpnC,KAAKonC,mBAGlCrH,wBAlCO,SAkCkBlvC,EAAI9B,GAC3B,OAAO0qB,YAAoB5oB,EAAI9B,EAAMiR,KAAKia,OAAOC,MAAMC,SAAST,sBAElE8wB,gBArCO,SAqCUl+C,GACf,cAAAgK,OAAehK,IAEjBo+C,SAxCO,WAwCK,IAAAvlB,EAAAnlB,KACJpG,EAAsC,SAAxBoG,KAAKioC,eAA4BjoC,KAAKxJ,OAAOoD,YAAcoG,KAAKqoC,mBACpF,OAAO,kBAAMljB,EAAKlL,OAAO+K,SAAS,WAAYprB,OGxLpD,IAEI+wC,EAVJ,SAAoBhwB,GAClBtxB,EAAQ,MAeNuhD,EAAYviD,OAAAwyB,EAAA,EAAAxyB,CACdwiD,ECjBQ,WAAgB,IAAAzoB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,iBAA4B,CAAAiH,EAAAM,GAAA,UAAAN,EAAAO,GAAA,KAAAP,EAAA5rB,OAAA,aAAA0kB,EAAA,OAAmEC,YAAA,kBAAAC,MAAA,CAAqC0vB,eAAA1oB,EAAAslB,cAAAtlB,EAAA+kB,qBAAgE,CAAAjsB,EAAA,OAAYC,YAAA,qBAAAiP,SAAA,CAA2CC,UAAAjI,EAAA0D,GAAA1D,EAAA5rB,OAAAgC,eAA4C6pB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoH,YAAAlG,OAAiClB,EAAAO,GAAA,KAAAP,EAAAslB,aAAAtlB,EAAA+kB,mBAAAjsB,EAAA,KAAkEC,YAAA,qBAAAM,MAAA,CAAwCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAyBA,EAAA4H,iBAAwB9I,EAAA+kB,oBAAA,KAA+B,CAAA/kB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gCAAA3D,EAAA,YAAAlH,EAAA,KAAiFC,YAAA,qBAAAC,MAAA,CAAwC2vB,6BAAA3oB,EAAA4e,SAA4CvlB,MAAA,CAAQrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAyBA,EAAA4H,iBAAwB9I,EAAA+kB,oBAAA,KAA8B,CAAA/kB,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAQ,OAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAqHC,YAAA,yBAAAC,MAAA,CAA4C4vB,cAAA5oB,EAAA0lB,iBAAmC,CAAA1lB,EAAA,eAAAlH,EAAA,KAA+BC,YAAA,oBAAAC,MAAA,CAAuC6vB,4BAAA7oB,EAAA4e,SAA2CvlB,MAAA,CAAQrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAqoB,eAAAnnB,MAAoC,CAAAlB,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAylB,kBAAkVzlB,EAAAQ,KAAlV1H,EAAA,OAA4HC,YAAA,4BAAAC,MAAA,CAA+C8vB,cAAA9oB,EAAA+oB,YAAgC/gB,SAAA,CAAWC,UAAAjI,EAAA0D,GAAA1D,EAAAomB,eAAqCnmB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoH,YAAAlG,OAAiClB,EAAAO,GAAA,KAAAP,EAAA,kBAAAlH,EAAA,KAAuDC,YAAA,kBAAAM,MAAA,CAAqCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAqoB,eAAAnnB,MAAoC,CAAAlB,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAmmB,gBAAAr0C,SAAA,SAAAgnB,EAAA,QAAyHC,YAAA,iBAA2BiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAmmB,gBAAAr0C,SAAA,SAAAgnB,EAAA,QAA0EC,YAAA,eAAyBiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAmmB,gBAAAr0C,SAAA,SAAAgnB,EAAA,QAA0EC,YAAA,eAAyBiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAmmB,gBAAAr0C,SAAA,WAAAgnB,EAAA,QAA4EC,YAAA,aAAuBiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5rB,OAAAkC,MAAA0pB,EAAA5rB,OAAAkC,KAAAC,QAAAuiB,EAAA,QAA+EC,YAAA,mBAA6BiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5rB,OAAA,KAAA0kB,EAAA,QAAoDC,YAAA,cAAwBiH,EAAAQ,OAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA2lB,cAAA3lB,EAAA8kB,YAAAhsB,EAAA,KAAgFC,YAAA,iBAAAM,MAAA,CAAoCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAqoB,eAAAnnB,MAAoC,CAAAlB,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAqlB,WAAArlB,EAAA2D,GAAA,qBAAA3D,EAAA2D,GAAA,oCAAA3D,EAAAQ,OAAAR,EAAAO,GAAA,KAAAP,EAAA5rB,OAAAkC,MAAA0pB,EAAA5rB,OAAAkC,KAAAC,UAAAypB,EAAAylB,kBAAA3sB,EAAA,OAAAA,EAAA,QAAwOO,MAAA,CAAO2vB,YAAAhpB,EAAA5rB,OAAAkC,SAA6B,GAAA0pB,EAAAQ,KAAAR,EAAAO,GAAA,SAAAP,EAAA5rB,OAAAoD,YAAA1R,QAAAk6B,EAAAylB,oBAAAzlB,EAAA+kB,mBAA6kB/kB,EAAAQ,KAA7kB1H,EAAA,OAAiIC,YAAA,0BAAqC,CAAAiH,EAAAyY,GAAAzY,EAAA,+BAAAjmB,GAA0D,OAAA+e,EAAA,cAAwBprB,IAAAqM,EAAAtL,GAAAsqB,YAAA,cAAAM,MAAA,CAAmD4vB,KAAAjpB,EAAA6lB,eAAA9wC,KAAAirB,EAAA4lB,iBAAA7rC,aAAAmvC,cAAA,EAAAC,YAAAnpB,EAAAsoB,gBAA8HtoB,EAAAO,GAAA,KAAAP,EAAAimB,mBAAAngD,OAAA,EAAAgzB,EAAA,WAAgEO,MAAA,CAAOtkB,KAAAirB,EAAA4lB,iBAAApuC,YAAAwoB,EAAAimB,mBAAAkD,YAAAnpB,EAAAsoB,cAA6FtoB,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,MAAAP,EAAA5rB,OAAA+C,MAAA6oB,EAAAylB,mBAAAzlB,EAAA0d,UAA4P1d,EAAAQ,KAA5P1H,EAAA,OAA4GC,YAAA,2BAAsC,CAAAD,EAAA,gBAAqBO,MAAA,CAAOliB,KAAA6oB,EAAA5rB,OAAA+C,KAAA8xC,KAAAjpB,EAAA6lB,eAAA9wC,KAAAirB,EAAA4lB,qBAA8E,GAAA5lB,EAAAO,GAAA,KAAAP,EAAAM,GAAA,eACnwH,IDOY,EAa7BioB,EATiB,KAEU,MAYd/uB,EAAA,EAAAgvB,EAAiB,sCE1BhCvhD,EAAAyF,EAAA8sB,EAAA,sBAAA4vB,IAAAniD,EAAAyF,EAAA8sB,EAAA,sBAAA6vB,IAAApiD,EAAAyF,EAAA8sB,EAAA,sBAAA8vB,IAAAriD,EAAAyF,EAAA8sB,EAAA,sBAAA+vB,IAAAtiD,EAAAyF,EAAA8sB,EAAA,sBAAAgwB,IAAO,IACMJ,EAAS,IACTC,EAAO,GAAKD,EACZE,EAAM,GAAKD,EACXI,EAAO,EAAIH,EACXI,EAAQ,GAAKJ,EACbK,EAAO,OAASL,EAEhBC,EAAe,SAACK,GAA2B,IAArBC,EAAqBhxC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAN,EAC5B,iBAAT+wC,IAAmBA,EAAOp3C,KAAKiM,MAAMmrC,IAChD,IAAM3qB,EAAQzsB,KAAKs3C,MAAQF,EAAOrvC,KAAKsC,MAAQtC,KAAKC,KAC9C9N,EAAI6N,KAAKwvC,IAAIv3C,KAAKs3C,MAAQF,GAC5B38C,EAAI,CAAEkzC,IAAKlhB,EAAMvyB,EAAIi9C,GAAOj8C,IAAK,cAyBrC,OAxBIhB,EAbgB,IAaZm9C,GACN58C,EAAEkzC,IAAM,EACRlzC,EAAES,IAAM,YACChB,EAAI08C,GACbn8C,EAAEkzC,IAAMlhB,EAAMvyB,EAjBI,KAkBlBO,EAAES,IAAM,gBACChB,EAAI28C,GACbp8C,EAAEkzC,IAAMlhB,EAAMvyB,EAAI08C,GAClBn8C,EAAES,IAAM,gBACChB,EAAI48C,GACbr8C,EAAEkzC,IAAMlhB,EAAMvyB,EAAI28C,GAClBp8C,EAAES,IAAM,cACChB,EAAI+8C,GACbx8C,EAAEkzC,IAAMlhB,EAAMvyB,EAAI48C,GAClBr8C,EAAES,IAAM,aACChB,EAAIg9C,GACbz8C,EAAEkzC,IAAMlhB,EAAMvyB,EAAI+8C,GAClBx8C,EAAES,IAAM,cACChB,EAAIi9C,IACb18C,EAAEkzC,IAAMlhB,EAAMvyB,EAAIg9C,GAClBz8C,EAAES,IAAM,eAGI,IAAVT,EAAEkzC,MAAWlzC,EAAES,IAAMT,EAAES,IAAIU,MAAM,GAAI,IAClCnB,GAGIu8C,EAAoB,SAACI,GAA2B,IAArBC,EAAqBhxC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAN,EAC/C5L,EAAIs8C,EAAaK,EAAMC,GAE7B,OADA58C,EAAES,KAAO,SACFT,+DChBM+8C,EAvBO,CACpBtyB,MAAO,CACL,QAEFpyB,KAJoB,WAKlB,MAAO,CACLy3C,cAAc,IAGlB9kB,WAAY,CACVwkB,aACAhlB,sBAEFU,QAAS,CACP2nB,mBADO,WAELliC,KAAKm/B,cAAgBn/B,KAAKm/B,cAE5BzV,gBAJO,SAIUlwB,GACf,OAAOigB,YAAoBjgB,EAAK3I,GAAI2I,EAAKzI,YAAaiP,KAAKia,OAAOC,MAAMC,SAAST,+BCdvF,IAEAgB,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdgkD,ECjBF,WAA0B,IAAAjqB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,mBAA8B,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA7D,EAAAsH,gBAAAtH,EAAA5oB,QAAoC,CAAA0hB,EAAA,cAAmBC,YAAA,SAAAM,MAAA,CAA4BjiB,KAAA4oB,EAAA5oB,MAAgBgqC,SAAA,CAAW/gB,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA8f,mBAAA5e,QAAwC,GAAAlB,EAAAO,GAAA,KAAAP,EAAA,aAAAlH,EAAA,OAA+CC,YAAA,oCAA+C,CAAAD,EAAA,YAAiBO,MAAA,CAAOioB,UAAAthB,EAAA5oB,KAAA3I,GAAA62B,SAAA,EAAAG,UAAA,MAAsD,GAAA3M,EAAA,OAAgBC,YAAA,qCAAgD,CAAAD,EAAA,OAAYC,YAAA,4BAAAM,MAAA,CAA+C3iB,MAAAspB,EAAA5oB,KAAAzK,OAAuB,CAAAqzB,EAAA5oB,KAAA,UAAA0hB,EAAA,QAAkCC,YAAA,kCAAAiP,SAAA,CAAwDC,UAAAjI,EAAA0D,GAAA1D,EAAA5oB,KAAApI,cAAwC8pB,EAAA,QAAaC,YAAA,mCAA8C,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5oB,KAAAzK,WAAAqzB,EAAAO,GAAA,KAAAzH,EAAA,OAAAA,EAAA,eAA4EC,YAAA,8BAAAM,MAAA,CAAiDwK,GAAA7D,EAAAsH,gBAAAtH,EAAA5oB,QAAoC,CAAA4oB,EAAAO,GAAA,cAAAP,EAAA0D,GAAA1D,EAAA5oB,KAAAzI,aAAA,kBAAAqxB,EAAAO,GAAA,KAAAP,EAAAM,GAAA,oBACtgC,IDOA,EAaAhI,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,83BEYzB,IAAM0xB,EAAkB,EAElBC,EAAiB,SAAC3f,GAG7B,IAHsD,IAAlBllC,EAAkBuT,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAXkwB,IACvCqhB,EAAQ,CAAC5f,GACT6f,EAAS/kD,EAAKklC,GACX6f,GACLD,EAAME,QAAQD,GACdA,EAAS/kD,EAAK+kD,GAEhB,OAAOD,GAGIG,EAAY,SAAC/f,GAAyD,IAAlD+B,EAAkD1zB,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAxC2xB,EAAOggB,EAAiC3xC,UAAA/S,OAAA,EAAA+S,UAAA,QAAAzM,EAApB+lC,EAAoBt5B,UAAA/S,OAAA,EAAA+S,UAAA,QAAAzM,EAAZiQ,EAAYxD,UAAA/S,OAAA,EAAA+S,UAAA,QAAAzM,EACjF,OAAO+9C,EAAe3f,GAAO/6B,IAAI,SAACg7C,GAAD,MAAmB,CAClDA,IAAiBjgB,EACb2H,EAAO5F,GACP4F,EAAOsY,GACXA,IAAiBjgB,EACbnuB,EAAQmuC,IAAgB,EACxBnuC,EAAQouC,OAIVC,EAAkB,SAACh9C,EAAKi9C,GAC5B,IAAMrlD,EAAOqlD,EAAYj9C,GACzB,GAAoB,iBAATpI,GAAqBA,EAAKiY,WAAW,MAC9C,MAAO,CAACjY,EAAKoxC,UAAU,IAEvB,GAAa,OAATpxC,EAAe,MAAO,GADrB,IAEGglC,EAA4BhlC,EAA5BglC,QAASE,EAAmBllC,EAAnBklC,MAAO+B,EAAYjnC,EAAZinC,QAClBqe,EAAYpgB,EACd2f,EAAe3f,GAAO/6B,IAAI,SAAAg7C,GAC1B,OAAOA,IAAiBjgB,EACpB+B,GAAW/B,EACXigB,IAEJ,GACJ,OAAI/hB,MAAMmO,QAAQvM,GAChB,GAAAp2B,OAAA22C,IAAWvgB,GAAXugB,IAAuBD,IAEvBC,IAAWD,IAiEXE,EAAkB,SAAC19C,GACvB,MAAqB,WAAjB+M,IAAO/M,GAA2BA,EAC/B,CACLk9B,QAASl9B,EAAMmQ,WAAW,MAAQ,CAACnQ,EAAMspC,UAAU,IAAM,GACzD9V,QAASxzB,EAAMmQ,WAAW,KAAOnQ,OAAQhB,IAQhCqqC,EAAiB,SAC5B/5B,GAGG,IAFHiuC,EAEG9xC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAFWowB,IACd8hB,EACGlyC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GADO6xC,EAEJt9C,EAAQ09C,EAAgBH,EAAYjuC,IAC1C,GAAsB,OAAlBtP,EAAMiP,QAAV,CACA,GAAIjP,EAAMiP,QAAS,OAAOjP,EAAMiP,QAchC,OAAIjP,EAAMk9B,QAbmB,SAAvB0gB,EAAwBt9C,GAAuB,IAAlBu9C,EAAkBpyC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAR,CAAC6D,GACtCwuC,EAAUH,EAAQr9C,EAAKi9C,GAAa,GAC1C,QAAgBv+C,IAAZ8+C,EAAJ,CACA,IAAMC,EAAaR,EAAYO,GAC/B,QAAmB9+C,IAAf++C,EACJ,OAAIA,EAAW9uC,SAA0B,OAAf8uC,EACjBA,EAAW9uC,QACT8uC,EAAW7gB,SAAW2gB,EAAQn5C,SAASo5C,GACzCF,EAAqBE,EAAD,GAAAh3C,OAAA22C,IAAcI,GAAd,CAAuBC,KAE3C,MAIFF,CAAqBtuC,QAD9B,IAYW0uC,EAAe,SAC1B1uC,GAGG,IAFHiuC,EAEG9xC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAFWowB,IACd8hB,EACGlyC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GADO6xC,EAEJt9C,EAAQ09C,EAAgBH,EAAYjuC,IAC1C,GAAIqsB,IAAOrsB,GAAI,OAAOA,EACtB,GAAoB,OAAhBtP,EAAMo9B,MAAV,CACA,GAAIp9B,EAAMo9B,MAAO,OAAOp9B,EAAMo9B,MAc9B,OAAIp9B,EAAMk9B,QAbiB,SAArB+gB,EAAsB39C,GAAuB,IAAlBu9C,EAAkBpyC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAR,CAAC6D,GACpCwuC,EAAUH,EAAQr9C,EAAKi9C,GAAa,GAC1C,QAAgBv+C,IAAZ8+C,EAAJ,CACA,IAAMC,EAAaR,EAAYO,GAC/B,QAAmB9+C,IAAf++C,EACJ,OAAIA,EAAW3gB,OAAwB,OAAf2gB,EACfA,EAAW3gB,MACT2gB,EAAW7gB,QACb+gB,EAAmBF,EAAD,GAAAj3C,OAAA22C,IAAiBI,GAAjB,CAA0BC,KAE5C,MAIFG,CAAmB3uC,QAD5B,IAQW4uC,EA7HW,WAkCtB,IA/BG,IAFHX,EAEG9xC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAFWowB,IACd8hB,EACGlyC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GADO6xC,EAIJa,EAAUtlD,OAAO+mB,KAAK29B,GACtBa,EAAS,IAAIhoC,IAAI+nC,GACjBE,EAAQ,IAAIjoC,IACZkoC,EAAS,IAAIloC,IACbmoC,EAAcd,IAAIU,GAClBj9C,EAAS,GAETs9C,EAAO,SAAPA,EAAQC,GACZ,GAAIL,EAAOtmC,IAAI2mC,GAEbL,EAAM,OAAQK,GACdJ,EAAM5Z,IAAIga,GAEVd,EAAQc,EAAMlB,GAAal+B,QAAQm/B,GAEnCH,EAAK,OAAQI,GACbH,EAAO7Z,IAAIga,GAEXv9C,EAAOtI,KAAK6lD,QACP,GAAIJ,EAAMvmC,IAAI2mC,GACnB79C,QAAQ8W,MAAM,0CACdxW,EAAOtI,KAAK6lD,QACP,IAAIH,EAAOxmC,IAAI2mC,GAGpB,MAAM,IAAI7gD,MAAM,sCAGb2gD,EAAY7lD,OAAS,GAC1B8lD,EAAKD,EAAYzE,OAKnB,OAAO54C,EAAOmB,IAAI,SAACnK,EAAMq+C,GAAP,MAAkB,CAAEr+C,OAAMq+C,WAAUjoB,KAAK,SAAAlgB,EAAAC,GAAoD,IAA3CJ,EAA2CG,EAAjDlW,KAAgBwmD,EAAiCtwC,EAAxCmoC,MAAqBzpC,EAAmBuB,EAAzBnW,KAAgBymD,EAAStwC,EAAhBkoC,MACvFqI,EAAQjB,EAAQ1vC,EAAGsvC,GAAa7kD,OAChCmmD,EAAQlB,EAAQ7wC,EAAGywC,GAAa7kD,OAEtC,OAAIkmD,IAAUC,GAAoB,IAAVA,GAAyB,IAAVD,EAAqBF,EAAKC,EACnD,IAAVC,GAAyB,IAAVC,GAAqB,EAC1B,IAAVA,GAAyB,IAAVD,EAAoB,OAAvC,IACCv8C,IAAI,SAAAyM,GAAA,OAAAA,EAAG5W,OA8EgB4mD,CAC1BjmD,OAAO6Y,QAAQmqB,KACZvN,KAAK,SAAAvf,EAAAgU,GAAA,IAAAO,EAAAhW,IAAAyB,EAAA,GAAMgwC,GAANz7B,EAAA,GAAAA,EAAA,IAAAd,EAAAlV,IAAAyV,EAAA,GAAgBi8B,GAAhBx8B,EAAA,GAAAA,EAAA,WAA0Bu8B,GAAMA,EAAG5hB,UAAa,IAAO6hB,GAAMA,EAAG7hB,UAAa,KAClF32B,OAAO,SAACC,EAAD0V,GAAA,IAAAM,EAAAnP,IAAA6O,EAAA,GAAO7M,EAAPmN,EAAA,GAAUqd,EAAVrd,EAAA,UAAArT,EAAA,GAAuB3C,EAAvBw4C,IAAA,GAA6B3vC,EAAIwqB,KAAM,KAOtColB,EAAYrmD,OAAO6Y,QAAQmqB,KAAkBr1B,OAAO,SAACC,EAADmW,GAAiB,IAAAE,EAAAxP,IAAAsP,EAAA,GAAVtN,EAAUwN,EAAA,GAC1E7N,GAD0E6N,EAAA,GAChEusB,EAAe/5B,EAAGusB,IAAkByhB,IACpD,OAAIruC,EACF7F,EAAA,GACK3C,EADLw4C,IAAA,GAEGhwC,EAAU,CACTkwC,aAAcvjB,IAAgB3sB,IAAY,EAC1CmwC,cAAa,GAAAt4C,OAAA22C,IAAQh3C,EAAIwI,IAAYxI,EAAIwI,GAASmwC,eAAkB,IAAvD,CAA4D9vC,OAItE7I,GAER,IAKUkiC,EAAsB,SAAC0W,EAAaC,EAAUxhB,GACzD,GAA2B,iBAAhBuhB,IAA6BA,EAAYlvC,WAAW,MAAO,OAAOkvC,EAC7E,IAAIE,EAAc,KAF+CC,EAIpCH,EAAY3xC,MAAM,MAAMrL,IAAI,SAAA8wC,GAAG,OAAIA,EAAIuG,SAJH+F,EAAAnyC,IAAAkyC,EAAA,GAI1DE,EAJ0DD,EAAA,GAIhDE,EAJgDF,EAAA,GAUjE,OAJAF,EAAcD,EADOI,EAASpW,UAAU,IAEpCqW,IACFJ,EAAcxhB,qBAAW3Q,OAAOwyB,WAAWD,GAAY7hB,EAAKyhB,GAAaxvC,KAEpEwvC,GAOIvZ,EAAY,SAACJ,EAAcia,GAAf,OAAiC3B,EAAa13C,OAAO,SAAAwW,EAAsB1c,GAAQ,IAA3BykC,EAA2B/nB,EAA3B+nB,OAAQ91B,EAAmB+N,EAAnB/N,QACjFowC,EAAczZ,EAAatlC,GAC3BN,EAAQ09C,EAAgB7hB,IAAiBv7B,IACzCw/C,EAAOxC,EAAgBh9C,EAAKu7B,KAC5BkkB,IAAgB//C,EAAMi+B,UACtBkB,EAAUn/B,EAAMm/B,SAAWn/B,EAAMo9B,MAEnC4iB,EAAkB,KAGpBA,EADED,EACgBtxC,YAAgBrF,EAAA,GAC1B27B,EAAO+a,EAAK,KAAOxX,kBAAQ1C,EAAatlC,IAAQ,WAAWyP,KACjEotC,EACEa,EAAa19C,IAAQ,KACrB6+B,GAAW,KACXkK,EAAelK,GACf4F,EACA91B,IAGKkwB,GAAWA,IAAY7+B,EACdykC,EAAO5F,IAAYmJ,kBAAQ1C,EAAazG,IAAUpvB,IAElDg1B,EAAOl2B,IAAMy5B,kBAAQ1C,EAAa/2B,IAGtD,IACMivB,EADgBhwB,YAAkBkyC,GAAmB,GAC/B,GAAK,EAE7BC,EAAc,KAClB,GAAIZ,EAAa,CAEf,IAAIE,EAAcF,EAClB,GAAoB,gBAAhBE,EAA+B,CAEjC,IAAMhxC,EAAS4uC,EACba,EAAa19C,GACbA,EACA+oC,EAAe/oC,IAAQA,EACvBykC,EACA91B,GACAjO,MAAM,GAAI,GACZu+C,EAAWn2C,EAAA,GACNqF,YACD65B,kBAAQ,WAAWv4B,IACnBxB,GAHO,CAKTN,EAAG,QAE2B,iBAAhBoxC,GAA4BA,EAAYlvC,WAAW,MACnEovC,EAAc5W,EACZ0W,EACA,SAAAzW,GAAY,OAAI7D,EAAO6D,IAAiBhD,EAAagD,IACrD9K,GAE8B,iBAAhBuhB,GAA4BA,EAAYlvC,WAAW,OACnEovC,EAAcjX,kBAAQiX,GAAaxvC,KAErCkwC,EAAW72C,EAAA,GAAQm2C,QACd,GAAIv/C,EAAK,QAEdigD,EAAc3X,kBAAQtoC,EAAK,SAAU+P,QAChC,CAEL,IACMmwC,EAAYlgD,EAAMgP,OADC,SAAC8uB,EAAKqiB,GAAN,OAAA/2C,EAAA,GAAoB+2C,IAG7C,GAAIngD,EAAMi+B,UACR,GAAwB,OAApBj+B,EAAMi+B,UACRgiB,EAAcjwC,wBAAcgwC,GAAiBjwC,QACxC,CACL,IAAIf,EAAK5F,EAAA,GAAQ27B,EAAO+a,EAAK,KACzB9/C,EAAMgP,QACRA,EAAQkxC,EAAS7mD,WAAT,GAAUykC,GAAVh3B,OAAA22C,IAAkBqC,EAAKz9C,IAAI,SAAC89C,GAAD,OAAA/2C,EAAA,GAAe27B,EAAOob,UAE3DF,EAAcvwC,YACZswC,EADwB52C,EAAA,GAEnB4F,GACe,aAApBhP,EAAMi+B,gBAKVgiB,EAAcC,EAAS7mD,WAAT,GACZykC,GADYh3B,OAAA22C,IAETqC,EAAKz9C,IAAI,SAAC89C,GAAD,OAAA/2C,EAAA,GAAe27B,EAAOob,SAIxC,IAAKF,EACH,MAAM,IAAIriD,MAAM,+BAAkC0C,GAGpD,IAAM88C,EAAcp9C,EAAMiP,SAAWo6B,EAAe/oC,GAC9C8/C,EAAiBpgD,EAAMiP,QAE7B,GAAuB,OAAnBmxC,EACFH,EAAYhyC,EAAI,OACX,GAAoB,gBAAhBoxC,EACTY,EAAYhyC,EAAI,MACX,CACL,IAAMoyC,EAAmBD,QAAiDphD,IAA/B6gD,EAAczC,GAEnDkD,EAAiBR,EAAK,GACtBS,EAAkBD,GAAkBvb,EAAOub,GAE5CF,IAAkBG,GAAoBvgD,EAAMi+B,WAAgC,OAAnBmiB,EAIlDG,GAAoBnD,EAK1BmD,GAAyC,IAAtBA,EAAgBtyC,EAErCgyC,EAAYhyC,EAAI,EAGhBgyC,EAAYhyC,EAAImf,OACdizB,EACIR,EAAczC,IACb8B,EAAU9B,IAAgB,IAAI+B,qBAXhCc,EAAYhyC,EAHnBgyC,EAAYhyC,EAAIsyC,EAAgBtyC,EAwBpC,OAJImf,OAAOG,MAAM0yB,EAAYhyC,SAAwBjP,IAAlBihD,EAAYhyC,KAC7CgyC,EAAYhyC,EAAI,GAGdmvC,EACK,CACLrY,OAAM37B,EAAA,GAAO27B,EAAPka,IAAA,GAAgB3+C,EAAM2/C,IAC5BhxC,QAAO7F,EAAA,GAAO6F,EAAPgwC,IAAA,GAAiB7B,EAAc6C,EAAYhyC,KAG7C,CACL82B,OAAM37B,EAAA,GAAO27B,EAAPka,IAAA,GAAgB3+C,EAAM2/C,IAC5BhxC,YAGH,CAAE81B,OAAQ,GAAI91B,QAAS,kLC5UXuxC,EAvEK,CAClBtoD,KADkB,WAEhB,MAAO,CACLuoD,YAAa,EACbC,aAAa,IAGjB/rB,SAAU,CACRgsB,UADQ,WAEN,OAAOnwC,KAAKiwC,YAAc,IAG9B11B,QAAS,CACP61B,WADO,SACKn9B,GACV,IAAMo9B,EAAOrwC,KACP8b,EAAQ9b,KAAKia,OACnB,GAAIhH,EAAKo4B,KAAOvvB,EAAM5B,MAAMC,SAASm2B,YAArC,CACE,IAAMC,EAAWC,IAAsBC,eAAex9B,EAAKo4B,MACrDqF,EAAcF,IAAsBC,eAAe30B,EAAM5B,MAAMC,SAASm2B,aAC9ED,EAAK9uB,MAAM,gBAAiB,eAAgB,CAAEgvB,SAAUA,EAAShO,IAAKoO,aAAcJ,EAASK,KAAMF,YAAaA,EAAYnO,IAAKsO,gBAAiBH,EAAYE,WAHhK,CAMA,IAAMjhC,EAAW,IAAIjB,SACrBiB,EAASf,OAAO,OAAQqE,GAExBo9B,EAAK9uB,MAAM,aACX8uB,EAAKJ,cAELa,IAAoBrhC,YAAY,CAAEqM,QAAOnM,aACtCniB,KAAK,SAACujD,GACLV,EAAK9uB,MAAM,WAAYwvB,GACvBV,EAAKW,uBACJ,SAAC9iD,GACFmiD,EAAK9uB,MAAM,gBAAiB,WAC5B8uB,EAAKW,0BAGXA,oBAzBO,WA0BLhxC,KAAKiwC,cACoB,IAArBjwC,KAAKiwC,aACPjwC,KAAKuhB,MAAM,iBAGf0vB,UA/BO,WA+BM,IAAA1wC,EAAAP,KACXA,KAAKkwC,aAAc,EACnBlwC,KAAKwhB,UAAU,WACbjhB,EAAK2vC,aAAc,KAGvBgB,YArCO,SAqCMC,GAAO,IAAAC,GAAA,EAAAC,GAAA,EAAAC,OAAA9iD,EAAA,IAClB,QAAA+iD,EAAAC,EAAmBL,EAAnB7hD,OAAAmiD,cAAAL,GAAAG,EAAAC,EAAAn2C,QAAAq2C,MAAAN,GAAA,EAA0B,KAAfn+B,EAAes+B,EAAA/hD,MACxBwQ,KAAKowC,WAAWn9B,IAFA,MAAA9lB,GAAAkkD,GAAA,EAAAC,EAAAnkD,EAAA,YAAAikD,GAAA,MAAAI,EAAA,QAAAA,EAAA,oBAAAH,EAAA,MAAAC,KAKpB1mB,OA1CO,SAAAhtB,GA0Ca,IAAV3Q,EAAU2Q,EAAV3Q,OACR+S,KAAKkxC,YAAYjkD,EAAOkkD,SAG5Br3B,MAAO,CACL,YACA,YAEFqoB,MAAO,CACLwP,UAAa,SAAUC,GAChB5xC,KAAKmwC,WACRnwC,KAAKkxC,YAAYU,aC7DzB,IAEAl3B,EAVA,SAAAC,GACEtxB,EAAQ,MAyBKwoD,EAVCxpD,OAAAwyB,EAAA,EAAAxyB,CACdypD,ECjBF,WAA0B,IAAA1vB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,eAAAC,MAAA,CAAkC0rB,SAAA1kB,EAAA0kB,WAA0B,CAAA5rB,EAAA,SAAcC,YAAA,QAAAM,MAAA,CAA2B3iB,MAAAspB,EAAA2D,GAAA,2BAAyC,CAAA3D,EAAA,UAAAlH,EAAA,KAA0BC,YAAA,0CAAoDiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA+tB,UAAmF/tB,EAAAQ,KAAnF1H,EAAA,KAAgDC,YAAA,yBAAmCiH,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,SAAqD8oB,YAAA,CAAapL,SAAA,QAAA3Y,IAAA,UAAkCxE,MAAA,CAAQqrB,SAAA1kB,EAAA0kB,SAAAl6C,KAAA,OAAAuiB,SAAA,QAAwDkT,GAAA,CAAKuI,OAAAxI,EAAAwI,UAAqBxI,EAAAQ,UACvlB,IDOA,EAaAlI,EATA,KAEA,MAYgC,mDEvBjBq3B,EAAA,CACbhjD,KAAM,WACN+qB,MAAO,CAAC,WACRpyB,KAAM,iBAAO,CACXsqD,SAAU,SACVr5C,QAAS,CAAC,GAAI,IACds5C,aAAc,GACdC,WAAY,YAEd/tB,SAAU,CACRguB,WADQ,WAEN,OAAOnyC,KAAKia,OAAOC,MAAMC,SAASg4B,YAEpCC,WAJQ,WAKN,OAAOpyC,KAAKmyC,WAAWE,aAEzBC,UAPQ,WAQN,OAAOtyC,KAAKmyC,WAAWI,kBAEzBC,YAVQ,WAUO,IAAAjyC,EAAAP,KAEPyyC,EAASzyC,KAAK0yC,sBACpB,MAFiB,CAAC,UAAW,QAAS,QAEtBztC,OACd,SAAA2rC,GAAI,OAAIrwC,EAAK4xC,WAAWQ,gBAAkBF,EAAO7B,EAAM,MAG3DgC,2BAjBQ,WAkBN,OAAOj2C,KAAKC,KACVoD,KAAK6yC,oBACH7yC,KAAKkyC,WACLlyC,KAAKmyC,WAAWW,kBAItBC,2BAzBQ,WA0BN,OAAOp2C,KAAKsC,MACVe,KAAK6yC,oBACH7yC,KAAKkyC,WACLlyC,KAAKmyC,WAAWQ,mBAKxBp4B,QAAS,CACPy4B,MADO,WAELhzC,KAAKgyC,SAAW,SAChBhyC,KAAKrH,QAAU,CAAC,GAAI,IACpBqH,KAAKiyC,aAAe,GACpBjyC,KAAKkyC,WAAa,WAEpBe,WAPO,SAOKlN,GACV,IAAMY,EAAU3mC,KAAKsf,IAAIknB,cAAT,SAAAlwC,OAAgCyvC,EAAQ,IACpDY,EACFA,EAAQuM,QAGYlzC,KAAKmzC,aAEvBnzC,KAAKwhB,UAAU,WACbxhB,KAAKizC,WAAWlN,MAKxBoN,UArBO,WAsBL,OAAInzC,KAAKrH,QAAQzQ,OAAS8X,KAAKoyC,aAC7BpyC,KAAKrH,QAAQvQ,KAAK,KACX,IAIXgrD,aA5BO,SA4BOrN,EAAOh5C,GACfiT,KAAKrH,QAAQzQ,OAAS,IACxB8X,KAAKrH,QAAQvP,OAAO28C,EAAO,GAC3B/lC,KAAKqzC,uBAGTR,oBAlCO,SAkCcjC,EAAM0C,GAEzB,OAAQ1C,GACN,IAAK,UAAW,OAAQ,IAAO0C,EAAUC,IACzC,IAAK,QAAS,OAAQ,IAAOD,EAAUC,IACvC,IAAK,OAAQ,OAAQ,IAAOD,EAAUC,MAG1Cb,sBA1CO,SA0CgB9B,EAAM0C,GAE3B,OAAQ1C,GACN,IAAK,UAAW,MAAO,KAAQ0C,EAASC,IACxC,IAAK,QAAS,MAAO,KAAQD,EAASC,IACtC,IAAK,OAAQ,MAAO,KAAQD,EAASC,MAGzCC,mBAlDO,WAmDLxzC,KAAKiyC,aACHt1C,KAAK4jB,IAAIvgB,KAAK4yC,2BAA4B5yC,KAAKiyC,cACjDjyC,KAAKiyC,aACHt1C,KAAK2jB,IAAItgB,KAAK+yC,2BAA4B/yC,KAAKiyC,cACjDjyC,KAAKqzC,sBAEPA,mBAzDO,WA0DL,IAAMnkC,EAAYlP,KAAK0yC,sBACrB1yC,KAAKkyC,WACLlyC,KAAKiyC,cAGDt5C,EAAU86C,IAAKzzC,KAAKrH,QAAQsM,OAAO,SAAA8J,GAAM,MAAe,KAAXA,KAC/CpW,EAAQzQ,OAAS,EACnB8X,KAAKuhB,MAAM,cAAe,CAAErzB,MAAO8R,KAAK+lB,GAAG,8BAG7C/lB,KAAKuhB,MAAM,cAAe,CACxB5oB,UACAwW,SAA4B,aAAlBnP,KAAKgyC,SACf9iC,iBC7GR,IAEIwkC,EAVJ,SAAoB/4B,GAClBtxB,EAAQ,MAyBKsqD,EAVCtrD,OAAAwyB,EAAA,EAAAxyB,CACd0pD,ECjBQ,WAAgB,IAAA3vB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,QAAAlH,EAAA,OAA+BC,YAAA,aAAwB,CAAAiH,EAAAyY,GAAAzY,EAAA,iBAAArT,EAAAg3B,GAA8C,OAAA7qB,EAAA,OAAiBprB,IAAAi2C,EAAA5qB,YAAA,eAAoC,CAAAD,EAAA,OAAYC,YAAA,mBAA8B,CAAAD,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAAzpB,QAAAotC,GAAAtb,WAAA,mBAAsFtP,YAAA,oBAAAM,MAAA,CAAyC5qB,GAAA,QAAAk1C,EAAAn5C,KAAA,OAAAguC,YAAAxY,EAAA2D,GAAA,gBAAA6tB,UAAAxxB,EAAAkwB,WAAoGloB,SAAA,CAAW56B,MAAA4yB,EAAAzpB,QAAAotC,IAA6B1jB,GAAA,CAAKuI,OAAAxI,EAAAixB,mBAAAQ,QAAA,SAAAvwB,GAA2D,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,MAAewzB,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA6wB,WAAAlN,KAA6BrmC,MAAA,SAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAAzpB,QAAAotC,EAAAziB,EAAAr2B,OAAAuC,aAAoD4yB,EAAAO,GAAA,KAAAP,EAAAzpB,QAAAzQ,OAAA,EAAAgzB,EAAA,OAAmDC,YAAA,kBAA6B,CAAAD,EAAA,KAAUC,YAAA,cAAAkH,GAAA,CAA8BI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAgxB,aAAArN,SAAiC3jB,EAAAQ,SAAeR,EAAAO,GAAA,KAAAP,EAAAzpB,QAAAzQ,OAAAk6B,EAAAgwB,WAAAl3B,EAAA,KAA4DC,YAAA,mBAAAkH,GAAA,CAAmCI,MAAAL,EAAA+wB,YAAuB,CAAAj4B,EAAA,KAAUC,YAAA,cAAwBiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+BAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA8FC,YAAA,oBAA+B,CAAAD,EAAA,OAAYC,YAAA,YAAAM,MAAA,CAA+B3iB,MAAAspB,EAAA2D,GAAA,gBAA8B,CAAA7K,EAAA,SAAcC,YAAA,SAAAM,MAAA,CAA4BkP,IAAA,uBAA4B,CAAAzP,EAAA,UAAeqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,SAAAqI,WAAA,aAA0EtP,YAAA,SAAAkH,GAAA,CAA2BuI,OAAA,UAAAtH,GAA2B,IAAAuH,EAAAC,MAAAxiC,UAAA2c,OAAAzc,KAAA86B,EAAAr2B,OAAA0L,QAAA,SAAA1J,GAAkF,OAAAA,EAAA87B,WAAkBl5B,IAAA,SAAA5C,GAA+D,MAA7C,WAAAA,IAAA+7B,OAAA/7B,EAAAO,QAA0D4yB,EAAA4vB,SAAA1uB,EAAAr2B,OAAAkiB,SAAA0b,IAAA,IAAwEzI,EAAAixB,sBAA0B,CAAAn4B,EAAA,UAAeO,MAAA,CAAOjsB,MAAA,WAAkB,CAAA4yB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA2EO,MAAA,CAAOjsB,MAAA,aAAoB,CAAA4yB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAA2EC,YAAA,uBAA6BiH,EAAAO,GAAA,KAAAzH,EAAA,OAA4BC,YAAA,cAAAM,MAAA,CAAiC3iB,MAAAspB,EAAA2D,GAAA,kBAAgC,CAAA7K,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,aAAAqI,WAAA,iBAAkFtP,YAAA,oCAAAM,MAAA,CAAyD7uB,KAAA,SAAA0zB,IAAA8B,EAAAwwB,2BAAAryB,IAAA6B,EAAA2wB,4BAA0F3oB,SAAA,CAAW56B,MAAA4yB,EAAA,cAA2BC,GAAA,CAAKuI,OAAAxI,EAAAoxB,mBAAA9zC,MAAA,SAAA4jB,GAAyDA,EAAAr2B,OAAAy9B,YAAsCtI,EAAA6vB,aAAA3uB,EAAAr2B,OAAAuC,WAAuC4yB,EAAAO,GAAA,KAAAzH,EAAA,SAA0BC,YAAA,sBAAiC,CAAAD,EAAA,UAAeqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,WAAAqI,WAAA,eAA8EpI,GAAA,CAAMuI,OAAA,UAAAtH,GAA2B,IAAAuH,EAAAC,MAAAxiC,UAAA2c,OAAAzc,KAAA86B,EAAAr2B,OAAA0L,QAAA,SAAA1J,GAAkF,OAAAA,EAAA87B,WAAkBl5B,IAAA,SAAA5C,GAA+D,MAA7C,WAAAA,IAAA+7B,OAAA/7B,EAAAO,QAA0D4yB,EAAA8vB,WAAA5uB,EAAAr2B,OAAAkiB,SAAA0b,IAAA,IAA0EzI,EAAAoxB,sBAA0BpxB,EAAAyY,GAAAzY,EAAA,qBAAAwuB,GAAyC,OAAA11B,EAAA,UAAoBprB,IAAA8gD,EAAAxmB,SAAA,CAAmB56B,MAAAohD,IAAc,CAAAxuB,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,QAAA6qB,EAAA,oCAA8F,GAAAxuB,EAAAO,GAAA,KAAAzH,EAAA,KAAyBC,YAAA,0BAA6B,GAAAiH,EAAAQ,MAC13G,IDOY,EAa7B8wB,EATiB,KAEU,MAYG,6REZhC,IAgBMQ,EAAmB,SAACvR,GACxB,OAAO/lB,OAAO+lB,EAAI7J,UAAU,EAAG6J,EAAIz6C,OAAS,KAqhB/B02C,EAlhBQ,CACrB9kB,MAAO,CACL,UACA,cACA,aACA,mBACA,UACA,iBACA,uBACA,gBACA,qBACA,eACA,6BACA,gBACA,iBACA,cACA,YACA,cACA,gBACA,YACA,YACA,gBACA,wBAEFO,WAAY,CACV85B,cACAC,eACAC,WACAC,kBACAC,aACA7K,eACA1K,mBAEFwV,QAjCqB,WAqCnB,GAHAx0C,KAAKy0C,uBACLz0C,KAAK00C,OAAO10C,KAAK4f,MAAM+0B,UAEnB30C,KAAK6pB,QAAS,CAChB,IAAM+qB,EAAa50C,KAAK4f,MAAM+0B,SAASnlD,MAAMtH,OAC7C8X,KAAK4f,MAAM+0B,SAASE,kBAAkBD,EAAYA,IAGhD50C,KAAK6pB,SAAW7pB,KAAK80C,YACvB90C,KAAK4f,MAAM+0B,SAASzB,SAGxBxrD,KA9CqB,WA+CnB,IACIiiB,EADW3J,KAAKqlB,OAAOzN,MAAMrpB,SACN,GAEnBwmD,EAAc/0C,KAAKia,OAAOqN,QAAQlK,aAAlC23B,UAER,GAAI/0C,KAAK6pB,QAAS,CAChB,IAAM7B,EAAchoB,KAAKia,OAAOC,MAAMtP,MAAMod,YAC5Cre,EA1EsB,SAAA/L,EAA4BoqB,GAAgB,IAAzCxuB,EAAyCoE,EAAzCpE,KAAyCw7C,EAAAp3C,EAAnClE,kBAAmC,IAAAs7C,EAAtB,GAAsBA,EAClEC,EAAgB1zC,IAAI7H,GAExBu7C,EAAcvI,QAAQlzC,GAEtBy7C,EAAgBxT,IAAOwT,EAAe,MACtCA,EAAgBC,IAAOD,EAAe,CAAEpkD,GAAIm3B,EAAYn3B,KAExD,IAAI8I,EAAW8P,IAAIwrC,EAAe,SAACjL,GACjC,UAAA1zC,OAAW0zC,EAAUj5C,eAGvB,OAAO4I,EAASzR,OAAS,EAAIyR,EAAS2H,KAAK,KAAO,IAAM,GA8DvC6zC,CAAoB,CAAE37C,KAAMwG,KAAK8pB,YAAapwB,WAAYsG,KAAKtG,YAAcsuB,GAG5F,IAAMotB,EAAUp1C,KAAKq1C,kBAAoBN,GAAwC,WAA1B/0C,KAAKq1C,iBACxDr1C,KAAKq1C,iBACLr1C,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYp0B,cAEf2a,EAAgBvO,KAAKia,OAAOqN,QAAQlK,aAArDk4B,gBAER,MAAO,CACL3D,UAAW,GACX4D,gBAAgB,EAChBrnD,MAAO,KACPsnD,SAAS,EACTnS,YAAa,EACboS,UAAW,CACTtnC,YAAanO,KAAK+kC,SAAW,GAC7BvuC,OAAQmT,EACRxS,MAAM,EACNg6C,MAAO,GACPz4C,KAAM,GACNg9C,kBAAmB,GACnBp8C,WAAY87C,EACZ7mC,eAEFonC,MAAO,EACPC,iBAAiB,EACjBC,aAAc,OACdC,gBAAiB,KACjBtnC,QAAS,KACTunC,gBAAgB,EAChBC,iBAAiB,EACjBvnC,eAAgB,KAGpB0V,sWAAQvrB,CAAA,CACNgS,MADM,WAEJ,OAAO5K,KAAKia,OAAOC,MAAMtP,MAAMA,OAEjCqrC,iBAJM,WAKJ,OAAOj2C,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYp0B,eAE7CsiD,cAPM,WAQJ,OAAQl2C,KAAKod,aAAa+4B,mBAE5BC,mBAVM,WAUgB,IAAA71C,EAAAP,KACpB,OAAOq2C,YAAU,CACfngD,MAAK,GAAAI,OAAAiL,IACAvB,KAAKia,OAAOC,MAAMC,SAASjkB,OAD3BqL,IAEAvB,KAAKia,OAAOC,MAAMC,SAASm8B,cAEhC1rC,MAAO5K,KAAKia,OAAOC,MAAMtP,MAAMA,MAC/B2rC,gBAAiB,SAAC3+B,GAAD,OAAWrX,EAAK0Z,OAAO+K,SAAS,cAAe,CAAEpN,cAGtE4+B,eApBM,WAqBJ,OAAOH,YAAU,CACfngD,MAAK,GAAAI,OAAAiL,IACAvB,KAAKia,OAAOC,MAAMC,SAASjkB,OAD3BqL,IAEAvB,KAAKia,OAAOC,MAAMC,SAASm8B,iBAIpCpgD,MA5BM,WA6BJ,OAAO8J,KAAKia,OAAOC,MAAMC,SAASjkB,OAAS,IAE7CogD,YA/BM,WAgCJ,OAAOt2C,KAAKia,OAAOC,MAAMC,SAASm8B,aAAe,IAEnDG,aAlCM,WAmCJ,OAAOz2C,KAAKy1C,UAAUj/C,OAAOtO,QAE/BwuD,kBArCM,WAsCJ,OAAO12C,KAAKy1C,UAAUtnC,YAAYjmB,QAEpCyuD,kBAxCM,WAyCJ,OAAO32C,KAAKia,OAAOC,MAAMC,SAASy8B,WAEpCC,qBA3CM,WA4CJ,OAAO72C,KAAK22C,kBAAoB,GAElCG,eA9CM,WA+CJ,OAAO92C,KAAK22C,mBAAqB32C,KAAKy2C,aAAez2C,KAAK02C,oBAE5DK,kBAjDM,WAkDJ,OAAO/2C,KAAK62C,sBAAyB72C,KAAK82C,eAAiB,GAE7DX,kBApDM,WAqDJ,OAAOn2C,KAAKia,OAAOC,MAAMC,SAASg8B,mBAEpCa,kBAvDM,WAwDJ,OAAOh3C,KAAKod,aAAa65B,wBAE3BC,YA1DM,WA2DJ,OAAOl3C,KAAKia,OAAOC,MAAMC,SAAS+8B,aAAe,IAEnDC,cA7DM,WA8DJ,OAAOn3C,KAAKia,OAAOC,MAAMC,SAASi9B,QAEpCC,eAhEM,WAiEJ,OAAOr3C,KAAKia,OAAOC,MAAMC,SAASk9B,gBAChCr3C,KAAKia,OAAOC,MAAMC,SAASg4B,WAAWE,aAAe,IAC/B,IAAtBryC,KAAKs3C,cAETC,gBArEM,WAsEJ,OAAOv3C,KAAKw3C,eAAiBx3C,KAAKia,OAAOqN,QAAQlK,aAAam6B,iBAEhEE,iBAxEM,WAyEJ,OAAOz3C,KAAK41C,iBACV51C,KAAKy1C,UAAU/8C,MACfsH,KAAKy1C,UAAU/8C,KAAKxK,OAExBwpD,YA7EM,WA8EJ,OAAQ13C,KAAK23C,mBAAqB33C,KAAKwO,SAAWxO,KAAK+1C,iBAEzD6B,YAhFM,WAiFJ,MAAwC,KAAjC53C,KAAKy1C,UAAUj/C,OAAO0yC,QAAiD,IAAhClpC,KAAKy1C,UAAUtE,MAAMjpD,QAErE2vD,uBAnFM,WAoFJ,OAAO73C,KAAKy1C,UAAUtE,MAAMjpD,QAAU8X,KAAK83C,YAE1ClvB,YAAW,CAAC,iBAtFT,GAuFHlC,YAAS,CACVqxB,aAAc,SAAA79B,GAAK,OAAIA,EAAK,UAAW69B,iBAG3C5V,MAAO,CACLsT,UAAa,CACXuC,MAAM,EACNC,QAFW,WAGTj4C,KAAKk4C,mBAIX39B,QAAS,CACP29B,cADO,WAELl4C,KAAKm4C,cACLn4C,KAAKy0C,wBAEP2D,YALO,WAKQ,IAAAtzB,EAAA9kB,KACPy1C,EAAYz1C,KAAKy1C,UACvBz1C,KAAKy1C,UAAY,CACfj/C,OAAQ,GACR2X,YAAa,GACbgjC,MAAO,GACP73C,WAAYm8C,EAAUn8C,WACtBiV,YAAaknC,EAAUlnC,YACvB7V,KAAM,GACNg9C,kBAAmB,IAErB11C,KAAK41C,iBAAkB,EACvB51C,KAAK4f,MAAMowB,aAAehwC,KAAK4f,MAAMowB,YAAYiB,YACjDjxC,KAAKq4C,gBACDr4C,KAAKs4C,eACPt4C,KAAKwhB,UAAU,WACbsD,EAAKlF,MAAM+0B,SAASzB,UAGxB,IAAIqF,EAAKv4C,KAAKsf,IAAIknB,cAAc,YAChC+R,EAAG11B,MAAMzD,OAAS,OAClBm5B,EAAG11B,MAAMzD,YAAS5wB,EAClBwR,KAAK9R,MAAQ,KACT8R,KAAKwO,SAASxO,KAAKw4C,iBAEnBvqC,WA9BC,SA8BWlhB,EAAO0oD,GA9BlB,IAAA/8C,EAAA+/C,EAAAtzB,EAAAnlB,KAAA04C,EAAAz9C,UAAA,OAAA4P,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,UAAAq9C,EAAAxwD,OAAA,QAAAsG,IAAAkqD,EAAA,GAAAA,EAAA,GA8BoC,IACrC14C,KAAKw1C,QA/BJ,CAAAzqC,EAAA1P,KAAA,eAAA0P,EAAA4tC,OAAA,qBAgCD34C,KAAK44C,cAhCJ,CAAA7tC,EAAA1P,KAAA,eAAA0P,EAAA4tC,OAAA,qBAiCD34C,KAAKg2C,gBAjCJ,CAAAjrC,EAAA1P,KAAA,eAAA0P,EAAA4tC,OAAA,oBAkCD34C,KAAK64C,gBACP9rD,EAAMy2B,kBACNz2B,EAAMm+B,mBAGJlrB,KAAK43C,YAvCJ,CAAA7sC,EAAA1P,KAAA,gBAwCH2E,KAAK9R,MAAQ8R,KAAK+lB,GAAG,kCAxClBhb,EAAA4tC,OAAA,qBA4CCjgD,EAAOsH,KAAK41C,gBAAkB51C,KAAKy1C,UAAU/8C,KAAO,IACtDsH,KAAKy3C,iBA7CJ,CAAA1sC,EAAA1P,KAAA,gBA8CH2E,KAAK9R,MAAQ8R,KAAKy3C,iBA9Cf1sC,EAAA4tC,OAAA,yBAkDL34C,KAAKw1C,SAAU,EAlDVzqC,EAAAvP,KAAA,GAAAuP,EAAA1P,KAAA,GAAAwP,EAAApN,EAAAwN,MAqDGjL,KAAK84C,2BArDR,QAAA/tC,EAAA1P,KAAA,wBAAA0P,EAAAvP,KAAA,GAAAuP,EAAAK,GAAAL,EAAA,UAuDH/K,KAAK9R,MAAQ8R,KAAK+lB,GAAG,uCACrB/lB,KAAKw1C,SAAU,EAxDZzqC,EAAA4tC,OAAA,kBA4DCF,EAAiB,CACrBjiD,OAAQi/C,EAAUj/C,OAClB2X,YAAasnC,EAAUtnC,aAAe,KACtC7U,WAAYm8C,EAAUn8C,WACtBlC,UAAWq+C,EAAUt+C,KACrBkS,MAAOosC,EAAUtE,MACjBr1B,MAAO9b,KAAKia,OACZ3L,kBAAmBtO,KAAK6pB,QACxBtb,YAAaknC,EAAUlnC,YACvB7V,OACA+V,eAAgBzO,KAAKyO,iBAGHzO,KAAK+4C,YAAc/4C,KAAK+4C,YAAcC,IAAa/qC,YAE3DwqC,GAAgBjrD,KAAK,SAAC9F,GAC3BA,EAAKwG,MAIRi3B,EAAKj3B,MAAQxG,EAAKwG,OAHlBi3B,EAAKizB,cACLjzB,EAAK5D,MAAM,SAAU75B,IAIvBy9B,EAAKqwB,SAAU,IAlFZ,yBAAAzqC,EAAAM,SAAA,KAAArL,KAAA,YAqFPw4C,cArFO,WAqFU,IAAA9c,EAAA17B,KACf,GAAIA,KAAK43C,aAAqD,KAAtC53C,KAAKy1C,UAAUtnC,YAAY+6B,OAGjD,OAFAlpC,KAAKwO,QAAU,CAAEtgB,MAAO8R,KAAK+lB,GAAG,mCAChC/lB,KAAK+1C,gBAAiB,GAGxB,IAAMN,EAAYz1C,KAAKy1C,UACvBz1C,KAAK+1C,gBAAiB,EACtBiD,IAAa/qC,WAAW,CACtBzX,OAAQi/C,EAAUj/C,OAClB2X,YAAasnC,EAAUtnC,aAAe,KACtC7U,WAAYm8C,EAAUn8C,WACtBlC,UAAWq+C,EAAUt+C,KACrBkS,MAAO,GACPyS,MAAO9b,KAAKia,OACZ3L,kBAAmBtO,KAAK6pB,QACxBtb,YAAaknC,EAAUlnC,YACvB7V,KAAM,GACN8V,SAAS,IACRhhB,KAAK,SAAC9F,GAGFg0C,EAAKqa,iBACLruD,EAAKwG,MAGRwtC,EAAKltB,QAAU,CAAEtgB,MAAOxG,EAAKwG,OAF7BwtC,EAAKltB,QAAU9mB,KAhBnB,MAoBS,SAACwG,GACRwtC,EAAKltB,QAAU,CAAEtgB,WArBnB,QAsBW,WACTwtC,EAAKqa,gBAAiB,KAG1BkD,sBAAuBC,IAAS,WAAcl5C,KAAKw4C,iBAAmB,KACtEL,YAxHO,WAyHAn4C,KAAKwO,UACVxO,KAAK+1C,gBAAiB,EACtB/1C,KAAKi5C,0BAEPE,aA7HO,WA8HLn5C,KAAKwO,QAAU,KACfxO,KAAK+1C,gBAAiB,GAExBqD,cAjIO,WAkIDp5C,KAAK03C,YACP13C,KAAKm5C,eAELn5C,KAAKw4C,iBAGTa,aAxIO,SAwIOC,GACZt5C,KAAKy1C,UAAUtE,MAAM/oD,KAAKkxD,GAC1Bt5C,KAAKuhB,MAAM,SAAU,CAAEg4B,SAAS,KAElCC,gBA5IO,SA4IUF,GACf,IAAIvT,EAAQ/lC,KAAKy1C,UAAUtE,MAAM2C,QAAQwF,GACzCt5C,KAAKy1C,UAAUtE,MAAM/nD,OAAO28C,EAAO,GACnC/lC,KAAKuhB,MAAM,WAEbk4B,aAjJO,SAiJOC,EAAWC,GACvBA,EAAeA,GAAgB,GAC/B35C,KAAK9R,MAAQ8R,KAAK+lB,GAAG,qBAAuB,IAAM/lB,KAAK+lB,GAAG,gBAAkB2zB,EAAWC,IAEzFC,sBArJO,WAsJL55C,KAAKu1C,gBAAiB,GAExBsE,uBAxJO,WAyJL75C,KAAKuhB,MAAM,UACXvhB,KAAKu1C,gBAAiB,GAExB3oD,KA5JO,SA4JD0sD,GACJ,OAAO/6B,IAAgBD,SAASg7B,EAAS7jD,WAE3CqkD,MA/JO,SA+JAjwD,GACLmW,KAAKm4C,cACLn4C,KAAK00C,OAAO7qD,GACRA,EAAEkwD,cAAc5I,MAAMjpD,OAAS,IAEjC2B,EAAEqhC,iBAIFlrB,KAAK2xC,UAAY,CAAC9nD,EAAEkwD,cAAc5I,MAAM,MAG5C6I,SA3KO,SA2KGnwD,GACJA,EAAEowD,cAAgBpwD,EAAEowD,aAAar8B,MAAM1pB,SAAS,WAClDrK,EAAEqhC,iBACFlrB,KAAK2xC,UAAY9nD,EAAEowD,aAAa9I,MAChChjD,aAAa6R,KAAK81C,iBAClB91C,KAAK61C,aAAe,SAGxBqE,aAnLO,SAmLOrwD,GAAG,IAAA+xC,EAAA57B,KAIf7R,aAAa6R,KAAK81C,iBAClB91C,KAAK61C,aAAe,OACpB71C,KAAK81C,gBAAkBrnD,WAAW,kBAAOmtC,EAAKia,aAAe,QAAS,MAExEsE,SA3LO,SA2LGtwD,GACRA,EAAEowD,aAAaG,WAAap6C,KAAK63C,uBAAyB,OAAS,OAC/DhuD,EAAEowD,cAAgBpwD,EAAEowD,aAAar8B,MAAM1pB,SAAS,WAClD/F,aAAa6R,KAAK81C,iBAClB91C,KAAK61C,aAAe,SAGxBwE,kBAlMO,SAkMYxwD,GAAG,IAAAoyC,EAAAj8B,KACpBA,KAAKwhB,UAAU,WACbya,EAAKyY,OAAOzY,EAAKrc,MAAL,aAGhB80B,OAvMO,SAuMC7qD,GACN,IAAMoD,EAASpD,EAAEoD,QAAUpD,EAC3B,GAAMoD,aAAkBqD,OAAOgqD,QAA/B,CAGA,GAAqB,KAAjBrtD,EAAOuC,MAIT,OAHAvC,EAAO41B,MAAMzD,OAAS,KACtBpf,KAAKuhB,MAAM,eACXvhB,KAAK4f,MAAM,eAAe80B,SAI5B,IAAM6F,EAAUv6C,KAAK4f,MAAL,KACV46B,EAAYx6C,KAAK4f,MAAL,OAKZ66B,EAAyBnqD,OAAOoqD,iBAAiBF,GAAW,kBAC5DG,EAAsBzG,EAAiBuG,GAEvCG,EAAc56C,KAAKsf,IAAIC,QAAQ,sBAC/Bvf,KAAKsf,IAAIC,QAAQ,0BACjBjvB,OAGAuqD,EAAgBvqD,OAAOoqD,iBAAiBztD,GAAQ,eAChD6tD,EAAmBxqD,OAAOoqD,iBAAiBztD,GAAQ,kBAGnD8tD,EAFa7G,EAAiB2G,GACd3G,EAAiB4G,GAGjCE,EAAY9G,EAAiBjnD,EAAO41B,MAAMzD,QAoB1C67B,EAAgBL,IAAgBtqD,OAClCsqD,EAAYM,QACZN,EAAYO,UACVC,EAAiBR,IAAgBtqD,OACnCsqD,EAAYj6B,YACZi6B,EAAY75B,aACVs6B,EAAuBJ,EAAgBG,EAG7CnuD,EAAO41B,MAAMzD,OAAS,OACtB,IAAMk8B,EAAuB3+C,KAAKsC,MAAMhS,EAAOsuD,aAAeR,GAC1DS,EAAYx7C,KAAKy7C,UAAY9+C,KAAK2jB,IAAIg7B,EAAsBt7C,KAAKy7C,WAAaH,EAG9E3+C,KAAKwvC,IAAIqP,EAAYR,IAAc,IACrCQ,EAAYR,GAEd/tD,EAAO41B,MAAMzD,OAAb,GAAA9oB,OAAyBklD,EAAzB,MACAx7C,KAAKuhB,MAAM,SAAUi6B,GAKrB,IAAME,EAAqBlB,EAAUz5B,aAAe46B,YAAWnB,EAAWI,GAAa36B,IAAM06B,EAEvFiB,EAAqBP,EAAuBK,EAC5CG,EAA2BT,EAAiBb,EAAQx5B,aACpD+6B,EAAoBJ,EAAqBL,EASzCU,EAAed,GAJQW,KACrBC,GACA77C,KAAK4f,MAAM+0B,SAASqH,iBAAmBh8C,KAAK4f,MAAM+0B,SAASnlD,MAAMtH,QAC/B4zD,EAAoB,GAG1DlB,IAAgBtqD,OAClBsqD,EAAYqB,OAAO,EAAGF,GAEtBnB,EAAYO,UAAYY,EAG1B/7C,KAAK4f,MAAM,eAAe80B,WAE5BwH,gBAzSO,WA0SLl8C,KAAK4f,MAAL,SAAuBszB,QACvBlzC,KAAK4f,MAAM,eAAeu8B,qBAE5Bta,WA7SO,WA8SL7hC,KAAK9R,MAAQ,MAEfkuD,UAhTO,SAgTI9iD,GACT0G,KAAKy1C,UAAUn8C,WAAaA,GAE9B+iD,eAnTO,WAoTLr8C,KAAK41C,iBAAmB51C,KAAK41C,iBAE/B0G,QAtTO,SAsTE5jD,GACPsH,KAAKy1C,UAAU/8C,KAAOA,GAExB2/C,cAzTO,WA0TDr4C,KAAK4f,MAAM28B,UACbv8C,KAAK4f,MAAM28B,SAASvJ,SAGxBwJ,mBA9TO,WA+TLx8C,KAAKia,OAAO+K,SAAS,YAAa,CAAEj2B,KAAM,kBAAmBS,OAAO,KAEtEogB,oBAjUO,SAiUc/e,GACnB,IAAMW,EAAcwO,KAAKy1C,UAAUC,kBAAkB7kD,GACrD,GAAKW,GAAsC,KAAvBA,EAAY03C,OAChC,OAAO8P,IAAappC,oBAAoB,CAAEkM,MAAO9b,KAAKia,OAAQppB,KAAIW,iBAEpEsnD,wBAtUO,WAsUoB,IAAA5c,EAAAl8B,KACnBy8C,EAAMz8C,KAAKy1C,UAAUtE,MAAMt/C,IAAI,SAAAohB,GAAI,OAAIA,EAAKpiB,KAClD,OAAO5G,QAAQ0E,IAAI8tD,EAAI5qD,IAAI,SAAAhB,GAAE,OAAIqrC,EAAKtsB,oBAAoB/e,OAE5D6rD,qBA1UO,SA0UeltD,GACpBwQ,KAAKg2C,gBAAkBxmD,GAEzBilD,qBA7UO,WA8ULz0C,KAAKyO,eAAiB7Z,KAAKs3C,MAAMnvC,YAEnC4/C,eAhVO,WAiVL38C,KAAKia,OAAO+K,SAAS,uBAAwB,cCviBnD,IAEI43B,EAVJ,SAAoBjiC,GAClBtxB,EAAQ,MAeNwzD,EAAYx0D,OAAAwyB,EAAA,EAAAxyB,CACdy0D,ECjBQ,WAAgB,IAAA16B,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBsH,IAAA,OAAArH,YAAA,oBAA0C,CAAAD,EAAA,QAAaO,MAAA,CAAOshC,aAAA,OAAqB16B,GAAA,CAAK26B,OAAA,SAAA15B,GAA0BA,EAAA4H,kBAAyB+xB,SAAA,SAAA35B,GAAqD,OAAxBA,EAAA4H,iBAAwB9I,EAAA+3B,SAAA72B,MAA8B,CAAApI,EAAA,OAAYqP,WAAA,EAAax7B,KAAA,OAAAy7B,QAAA,SAAAh7B,MAAA,SAAA4yB,EAAAyzB,aAAAprB,WAAA,4BAAsGtP,YAAA,iBAAAC,MAAA,CAAAgH,EAAAy1B,uBAAA,4BAAAh1B,MAAA,CAAyGq6B,UAAA,SAAA96B,EAAAyzB,aAAA,iCAA6ExzB,GAAA,CAAM86B,UAAA/6B,EAAA83B,aAAAkD,KAAA,SAAA95B,GAA8E,OAAzBA,EAAAE,kBAAyBpB,EAAA43B,SAAA12B,OAA8BlB,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,cAAyB,CAAAiH,EAAAnI,OAAAC,MAAAtP,MAAAod,YAAAnzB,QAAA,WAAAutB,EAAAqzB,UAAAn8C,YAAA8oB,EAAAi7B,mBAA6Rj7B,EAAAQ,KAA7R1H,EAAA,QAA8HC,YAAA,oBAAAM,MAAA,CAAuCsrB,KAAA,yCAAAz6C,IAAA,MAA2D,CAAA4uB,EAAA,KAAUO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAAL,EAAAu6B,iBAA4B,CAAAv6B,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kEAAA3D,EAAAO,GAAA,KAAAP,EAAAm1B,iBAAA,WAAAn1B,EAAAqzB,UAAAn8C,WAAkf8oB,EAAAm1B,iBAAA,aAAAn1B,EAAAqzB,UAAAn8C,YAA+X8oB,EAAAm1B,iBAAA,YAAAn1B,EAAAqzB,UAAAn8C,YAAA8oB,EAAAnI,OAAAC,MAAAtP,MAAAod,YAAAnzB,OAAAqmB,EAAA,KAA4HC,YAAA,wCAAmD,CAAAD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAA8FC,YAAA,sBAAAkH,GAAA,CAAsCI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAo6B,wBAAkC,CAAAthC,EAAA,KAAUC,YAAA,oBAA0B,WAAAiH,EAAAqzB,UAAAn8C,WAAA4hB,EAAA,KAAsDC,YAAA,qBAAgC,CAAAiH,EAAA,cAAAlH,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gDAAA7K,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2CAAA3D,EAAAQ,KAA/3B1H,EAAA,KAAgFC,YAAA,wCAAmD,CAAAD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAA+FC,YAAA,sBAAAkH,GAAA,CAAsCI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAo6B,wBAAkC,CAAAthC,EAAA,KAAUC,YAAA,oBAAv1BD,EAAA,KAAqMC,YAAA,wCAAmD,CAAAD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAA6FC,YAAA,sBAAAkH,GAAA,CAAsCI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAo6B,wBAAkC,CAAAthC,EAAA,KAAUC,YAAA,oBAAy5BiH,EAAAO,GAAA,KAAAP,EAAAu1B,eAA4tBv1B,EAAAQ,KAA5tB1H,EAAA,OAAsOC,YAAA,yBAAoC,CAAAD,EAAA,KAAUC,YAAA,uBAAAkH,GAAA,CAAuCI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAg3B,cAAA91B,MAAmC,CAAAlB,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA7K,EAAA,KAAsFE,MAAAgH,EAAAs1B,YAAA,uCAA6Dt1B,EAAAO,GAAA,KAAAzH,EAAA,KAAwBqP,WAAA,EAAax7B,KAAA,OAAAy7B,QAAA,SAAAh7B,MAAA4yB,EAAA,eAAAqI,WAAA,mBAAoFtP,YAAA,8BAAwCiH,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,OAAqDC,YAAA,qBAAgC,CAAAiH,EAAA5T,QAAwD4T,EAAA5T,QAAA,MAAA0M,EAAA,OAAwGC,YAAA,gCAA2C,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA5T,QAAAtgB,OAAA,gBAAAgtB,EAAA,iBAAsFC,YAAA,iBAAAM,MAAA,CAAoCjlB,OAAA4rB,EAAA5T,WAArU0M,EAAA,OAA2BC,YAAA,kBAA6B,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAmS,GAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAk7B,iBAAAl7B,EAAAqzB,UAAAtnC,cAAAiU,EAAA40B,kBAAwxB50B,EAAAQ,KAAxxB1H,EAAA,cAA0HC,YAAA,eAAAM,MAAA,CAAkC8hC,sBAAA,GAAAC,QAAAp7B,EAAAo0B,gBAAsDiH,MAAA,CAAQjuD,MAAA4yB,EAAAqzB,UAAA,YAAAiI,SAAA,SAAAC,GAA2Dv7B,EAAA6xB,KAAA7xB,EAAAqzB,UAAA,cAAAkI,IAA4ClzB,WAAA,0BAAqC,CAAAvP,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAAqzB,UAAA,YAAAhrB,WAAA,0BAAoGtP,YAAA,oBAAAM,MAAA,CAAyC7uB,KAAA,OAAAguC,YAAAxY,EAAA2D,GAAA,+BAAA+gB,SAAA1kB,EAAAozB,SAAyFprB,SAAA,CAAW56B,MAAA4yB,EAAAqzB,UAAA,aAAoCpzB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAAqzB,UAAA,cAAAnyB,EAAAr2B,OAAAuC,aAA8D4yB,EAAAO,GAAA,KAAAzH,EAAA,cAA0CsH,IAAA,cAAArH,YAAA,0BAAAM,MAAA,CAA+D+hC,QAAAp7B,EAAAg0B,mBAAAz3B,UAAAyD,EAAAw7B,qBAAAL,sBAAA,GAAAM,oBAAA,GAAAC,wBAAA17B,EAAAy2B,cAAAkF,wBAAA,IAA2L17B,GAAA,CAAK3iB,MAAA0iB,EAAAi4B,kBAAA2D,mBAAA57B,EAAAi3B,aAAA4E,wBAAA77B,EAAAq3B,aAAAyE,MAAA97B,EAAAs6B,sBAA4Ie,MAAA,CAAQjuD,MAAA4yB,EAAAqzB,UAAA,OAAAiI,SAAA,SAAAC,GAAsDv7B,EAAA6xB,KAAA7xB,EAAAqzB,UAAA,SAAAkI,IAAuClzB,WAAA,qBAAgC,CAAAvP,EAAA,YAAiBqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAAqzB,UAAA,OAAAhrB,WAAA,qBAA0FjI,IAAA,WAAArH,YAAA,iBAAAC,MAAA,CAAqD+iC,oBAAA/7B,EAAAq5B,WAAqChgC,MAAA,CAAQmf,YAAAxY,EAAAwY,aAAAxY,EAAA2D,GAAA,uBAAAq4B,KAAA,IAAAC,KAAA,IAAAvX,SAAA1kB,EAAAozB,SAA4GprB,SAAA,CAAW56B,MAAA4yB,EAAAqzB,UAAA,QAA+BpzB,GAAA,CAAKwxB,QAAA,UAAAvwB,GAA4B,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,KAAewzB,EAAAg7B,SAAAh7B,EAAAi7B,UAAAj7B,EAAAk7B,QAAAl7B,EAAAm7B,QAAmE,UAAer8B,EAAAy2B,eAAAz2B,EAAAnU,WAAAqV,EAAAlB,EAAAqzB,aAA2D,SAAAnyB,GAAkB,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,KAAewzB,EAAAm7B,QAAmCr8B,EAAAnU,WAAAqV,EAAAlB,EAAAqzB,WAAf,MAA4D,SAAAnyB,GAAkB,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,KAAewzB,EAAAg7B,cAAmCl8B,EAAAy2B,eAAAz2B,EAAAnU,WAAAqV,EAAAlB,EAAAqzB,YAAf,OAA2E/1C,MAAA,UAAA4jB,GAA4BA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAAqzB,UAAA,SAAAnyB,EAAAr2B,OAAAuC,QAAuD4yB,EAAAsyB,QAAAgK,kBAAAt8B,EAAAsyB,OAAAoF,MAAA13B,EAAA03B,SAA+D13B,EAAAO,GAAA,KAAAP,EAAA,qBAAAlH,EAAA,KAAiDC,YAAA,0BAAAC,MAAA,CAA6CltB,MAAAk0B,EAAA20B,oBAAgC,CAAA30B,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA00B,gBAAA,gBAAA10B,EAAAQ,OAAAR,EAAAO,GAAA,KAAAP,EAAAu8B,qBAA67Cv8B,EAAAQ,KAA77C1H,EAAA,OAAgIC,YAAA,mBAA8B,CAAAD,EAAA,kBAAuBO,MAAA,CAAOmjC,WAAAx8B,EAAA8zB,cAAA2I,eAAAz8B,EAAA6zB,iBAAA6I,iBAAA18B,EAAAizB,iBAAA0J,gBAAA38B,EAAAqzB,UAAAn8C,WAAA0lD,kBAAA58B,EAAAg6B,aAAiLh6B,EAAAO,GAAA,KAAAP,EAAA80B,YAAAhvD,OAAA,EAAAgzB,EAAA,OAAqDC,YAAA,eAA0B,CAAAD,EAAA,SAAcC,YAAA,SAAAM,MAAA,CAA4BkP,IAAA,sBAA2B,CAAAzP,EAAA,UAAeqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAAqzB,UAAA,YAAAhrB,WAAA,0BAAoGtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,qBAAyBwxB,GAAA,CAAKuI,OAAA,SAAAtH,GAA0B,IAAAuH,EAAAC,MAAAxiC,UAAA2c,OAAAzc,KAAA86B,EAAAr2B,OAAA0L,QAAA,SAAA1J,GAAkF,OAAAA,EAAA87B,WAAkBl5B,IAAA,SAAA5C,GAA+D,MAA7C,WAAAA,IAAA+7B,OAAA/7B,EAAAO,QAA0D4yB,EAAA6xB,KAAA7xB,EAAAqzB,UAAA,cAAAnyB,EAAAr2B,OAAAkiB,SAAA0b,IAAA,OAAqGzI,EAAAyY,GAAAzY,EAAA,qBAAA68B,GAA+C,OAAA/jC,EAAA,UAAoBprB,IAAAmvD,EAAA70B,SAAA,CAAyB56B,MAAAyvD,IAAoB,CAAA78B,EAAAO,GAAA,qBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6BAAAk5B,EAAA,+BAAyH,GAAA78B,EAAAO,GAAA,KAAAzH,EAAA,KAAyBC,YAAA,uBAA6BiH,EAAAQ,KAAAR,EAAAO,GAAA,SAAAP,EAAA80B,YAAAhvD,QAAA,eAAAk6B,EAAA80B,YAAA,GAAAh8B,EAAA,OAA2GC,YAAA,eAA0B,CAAAD,EAAA,QAAaC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6BAAA3D,EAAA80B,YAAA,8BAAA90B,EAAAQ,MAAA,OAAAR,EAAAO,GAAA,KAAAP,EAAA,eAAAlH,EAAA,aAAwMsH,IAAA,WAAA/G,MAAA,CAAsByjC,QAAA98B,EAAAwzB,iBAA8BvzB,GAAA,CAAK88B,cAAA/8B,EAAAk6B,WAA2Bl6B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAiCsH,IAAA,SAAArH,YAAA,eAAuC,CAAAD,EAAA,OAAYC,YAAA,oBAA+B,CAAAD,EAAA,gBAAqBsH,IAAA,cAAArH,YAAA,oBAAAM,MAAA,CAAyD2jC,aAAAh9B,EAAAuvB,UAAA7K,SAAA1kB,EAAAy1B,wBAAiEx1B,GAAA,CAAK8tB,UAAA/tB,EAAAw3B,sBAAAyF,SAAAj9B,EAAAi3B,aAAAiG,gBAAAl9B,EAAAq3B,aAAA8F,eAAAn9B,EAAAy3B,0BAA8Iz3B,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,cAAyB,CAAAD,EAAA,KAAUC,YAAA,6BAAAM,MAAA,CAAgD3iB,MAAAspB,EAAA2D,GAAA,oBAAkC1D,GAAA,CAAKI,MAAAL,EAAA85B,qBAA6B95B,EAAAO,GAAA,KAAAP,EAAA,eAAAlH,EAAA,OAA+CC,YAAA,YAAAC,MAAA,CAA+B2P,SAAA3I,EAAAwzB,kBAAiC,CAAA16B,EAAA,KAAUC,YAAA,iCAAAM,MAAA,CAAoD3iB,MAAAspB,EAAA2D,GAAA,mBAAiC1D,GAAA,CAAKI,MAAAL,EAAAi6B,oBAA4Bj6B,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAP,EAAA,QAAAlH,EAAA,UAAwDC,YAAA,kBAAAM,MAAA,CAAqCqrB,SAAA,KAAe,CAAA1kB,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAA,kBAAAlH,EAAA,UAA+GC,YAAA,kBAAAM,MAAA,CAAqCqrB,SAAA,KAAe,CAAA1kB,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iCAAA7K,EAAA,UAAkFC,YAAA,kBAAAM,MAAA,CAAqCqrB,SAAA1kB,EAAAmzB,gBAAAnzB,EAAAw2B,eAAmDv2B,GAAA,CAAKm9B,WAAA,SAAAl8B,GAA+E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAnU,WAAAqV,EAAAlB,EAAAqzB,YAA6ChzB,MAAA,SAAAa,GAA2E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAnU,WAAAqV,EAAAlB,EAAAqzB,cAA+C,CAAArzB,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAAyGC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,kBAAAP,EAAA0D,GAAA1D,EAAAl0B,OAAA,YAAAgtB,EAAA,KAAiEC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAAL,EAAAyf,gBAAwBzf,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAmCC,YAAA,eAA0BiH,EAAAyY,GAAAzY,EAAAqzB,UAAA,eAAAxiC,GAA6C,OAAAiI,EAAA,OAAiBprB,IAAAmjB,EAAA/hB,IAAAiqB,YAAA,wBAAgD,CAAAD,EAAA,KAAUC,YAAA,6BAAAkH,GAAA,CAA6CI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAo3B,gBAAAvmC,OAAmCmP,EAAAO,GAAA,KAAAzH,EAAA,cAA+BO,MAAA,CAAOtf,WAAA8W,EAAAs4B,YAAA,WAA2C,OAAAnpB,EAAAnI,OAAA+K,SAAA,WAAA5C,EAAAqzB,UAAAtE,QAA+D9F,KAAA,QAAAC,aAAA,WAAsClpB,EAAAO,GAAA,KAAAzH,EAAA,SAA0BqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAAqzB,UAAAC,kBAAAziC,EAAApiB,IAAA45B,WAAA,yCAAkIhP,MAAA,CAAS7uB,KAAA,OAAAguC,YAAAxY,EAAA2D,GAAA,kCAAoEqE,SAAA,CAAW56B,MAAA4yB,EAAAqzB,UAAAC,kBAAAziC,EAAApiB,KAAmDwxB,GAAA,CAAKwxB,QAAA,SAAAvwB,GAA2B,IAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,YAAewzB,EAAA4H,kBAAyBxrB,MAAA,SAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAAqzB,UAAAC,kBAAAziC,EAAApiB,GAAAyyB,EAAAr2B,OAAAuC,YAA0E,KAAM,GAAA4yB,EAAAO,GAAA,KAAAP,EAAAqzB,UAAAtE,MAAAjpD,OAAA,IAAAk6B,EAAAq9B,2BAAAvkC,EAAA,OAA+FC,YAAA,mBAA8B,CAAAD,EAAA,YAAiBuiC,MAAA,CAAOjuD,MAAA4yB,EAAAqzB,UAAA,KAAAiI,SAAA,SAAAC,GAAoDv7B,EAAA6xB,KAAA7xB,EAAAqzB,UAAA,OAAAkI,IAAqClzB,WAAA,mBAA8B,CAAArI,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAAQ,MAAA,MACv9V,IDOY,EAa7Bg6B,EATiB,KAEU,MAYdhhC,EAAA,EAAAihC,EAAiB,wUEpBhC,IAiHenT,EAjHI,CACjB5vB,MAAO,CACL,aACA,OACA,OACA,YACA,WACA,mBAEFpyB,KATiB,WAUf,MAAO,CACLg4D,UAAW1/C,KAAKia,OAAOC,MAAMC,SAASwlC,iBAAmBD,IACzDE,cAAe5/C,KAAKia,OAAOqN,QAAQlK,aAAayiC,SAChDC,aAAc9/C,KAAKia,OAAOqN,QAAQlK,aAAa0iC,aAC/C7a,SAAS,EACT8a,IAA4D,UAAvDxhC,IAAgBD,SAASte,KAAK7D,WAAW1G,WAAyBtJ,SAASQ,cAAc,OAC9FqzD,WAAW,EACXC,YAAY,IAGhB5lC,WAAY,CACVC,eACA4lC,qBAEF/7B,sWAAQvrB,CAAA,CACNunD,eADM,WAEJ,MAAqB,SAAdngD,KAAKqrC,MAAiC,YAAdrrC,KAAKpT,MAEtCwzD,gBAJM,WAKJ,MAAoC,KAAhCpgD,KAAK7D,WAAW3K,aAAuBwO,KAAK7D,WAAW3K,YAGpDwO,KAAK7D,WAAW3K,YAFdwO,KAAKpT,KAAKi2C,eAIrBwd,qBAVM,WAWJ,MAAkB,UAAdrgD,KAAKpT,KAAyB,eAChB,UAAdoT,KAAKpT,KAAyB,aAChB,UAAdoT,KAAKpT,KAAyB,aAC3B,YAET0zD,eAhBM,WAiBJ,OAAOtgD,KAAKia,OAAOC,MAAMC,SAASomC,oBAAsB,GAAK,eAE/D3zD,KAnBM,WAoBJ,OAAO2xB,IAAgBD,SAASte,KAAK7D,WAAW1G,WAElDupB,OAtBM,WAuBJ,OAAOhf,KAAK7I,MAAQ6I,KAAK4/C,gBAAkB5/C,KAAKigD,YAElDO,QAzBM,WA0BJ,MAAsB,SAAdxgD,KAAKpT,OAAoBoT,KAAK7D,WAAWskD,QAAyB,YAAdzgD,KAAKpT,MAEnE8zD,QA5BM,WA6BJ,MAAqB,UAAd1gD,KAAKqrC,MAEdsV,UA/BM,WAgCJ,MAAkB,SAAd3gD,KAAKqrC,OACY,SAAdrrC,KAAKpT,MAAiC,UAAdoT,KAAKpT,MAAkC,YAAdoT,KAAKpT,OAE/Dg0D,SAnCM,WAwCJ,OAJiC,SAAd5gD,KAAKqrC,KAAkB,CAAC,QAAS,QAAS,SACzDrrC,KAAKod,aAAagrB,kBAChB,CAAC,QAAS,SACV,CAAC,UACWl0C,SAAS8L,KAAKpT,QAE/Bg8B,YAAW,CAAC,kBAEjBrO,QAAS,CACPiP,YADO,SAAA5rB,GACkB,IAAV3Q,EAAU2Q,EAAV3Q,OACU,MAAnBA,EAAOu3B,SACTl0B,OAAOm5B,KAAKx8B,EAAO7C,KAAM,WAG7By2D,UANO,SAMI9zD,GACLiT,KAAK4gD,WACP7zD,EAAMy2B,kBACNz2B,EAAMm+B,iBACNlrB,KAAK0qC,WACL1qC,KAAKia,OAAO+K,SAAS,aAAchlB,KAAK7D,cAG5C2kD,aAdO,SAcO/zD,GAAO,IAAAwT,EAAAP,MAEhBA,KAAKod,aAAa2jC,iBAAoB/gD,KAAKigD,YAC7B,UAAdjgD,KAAKpT,OAAoBoT,KAAKod,aAAagrB,kBAK1CpoC,KAAK+/C,MAAQ//C,KAAK8/C,aAChB9/C,KAAK+/C,IAAIlzD,OACXmT,KAAK+/C,IAAIlzD,UAETmT,KAAKilC,SAAU,EACfjlC,KAAK+/C,IAAI7yD,IAAM8S,KAAK7D,WAAWjL,IAC/B8O,KAAK+/C,IAAIlzD,OAAS,WAChB0T,EAAK0kC,SAAU,EACf1kC,EAAK0/C,YAAc1/C,EAAK0/C,aAI5BjgD,KAAKigD,YAAcjgD,KAAKigD,WAfxBjgD,KAAK6gD,UAAU9zD,IAkBnBi0D,YArCO,SAqCM3iC,GACX,IAAMc,EAAQd,EAAM4iC,aACd7hC,EAASf,EAAM6iC,cACrBlhD,KAAKmhD,iBAAmBnhD,KAAKmhD,gBAAgB,CAAEhiC,QAAOC,qBC1G5D,IAEA1E,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACd8T,ECjBF,WACA,IAAAilD,EACAh/B,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,eAAAlH,EAAA,OAAsCE,MAAA,CAAOulC,UAAAv+B,EAAAu+B,WAA6Bt+B,GAAA,CAAKI,MAAAL,EAAAy+B,YAAuB,UAAAz+B,EAAAx1B,KAAAsuB,EAAA,KAAgCC,YAAA,cAAAM,MAAA,CAAiCxuB,OAAA,SAAA7C,KAAAg4B,EAAAjmB,WAAAjL,IAAAwqB,IAAA0G,EAAAjmB,WAAA3K,YAAAsH,MAAAspB,EAAAjmB,WAAA3K,cAAiH,CAAA0pB,EAAA,QAAaE,MAAAgH,EAAAi+B,uBAA+Bj+B,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAjrB,KAAA,iBAAAirB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAg+B,iBAAA,UAAAh+B,EAAAQ,OAAA1H,EAAA,OAAoIqP,WAAA,EAAax7B,KAAA,OAAAy7B,QAAA,SAAAh7B,OAAA4yB,EAAAo+B,QAAA/1B,WAAA,aAAwEtP,YAAA,aAAAC,OAAAgmC,EAAA,GAA4CA,EAAAh/B,EAAAx1B,OAAA,EAAAw0D,EAAAnc,QAAA7iB,EAAA6iB,QAAAmc,EAAA,UAAAh/B,EAAAu+B,UAAAS,EAAA,oBAAAh/B,EAAApD,OAAAoiC,IAAwI,CAAAh/B,EAAA,OAAAlH,EAAA,KAAuBC,YAAA,mBAAAM,MAAA,CAAsCrxB,KAAAg4B,EAAAjmB,WAAAjL,IAAAwqB,IAAA0G,EAAAjmB,WAAA3K,YAAAsH,MAAAspB,EAAAjmB,WAAA3K,aAA8F6wB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA0+B,aAAAx9B,MAAkC,CAAApI,EAAA,OAAYprB,IAAAsyB,EAAAs9B,UAAAvkC,YAAA,OAAAC,MAAA,CAA4CimC,MAAAj/B,EAAAs+B,SAAqBjlC,MAAA,CAAQvuB,IAAAk1B,EAAAs9B,aAAqBt9B,EAAAO,GAAA,eAAAP,EAAAx1B,KAAAsuB,EAAA,KAA6CC,YAAA,gCAA0CiH,EAAAQ,OAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAjrB,MAAAirB,EAAAw9B,gBAAAx9B,EAAApD,OAAA9D,EAAA,OAA2FC,YAAA,SAAoB,CAAAD,EAAA,KAAUO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA0+B,aAAAx9B,MAAkC,CAAAlB,EAAAO,GAAA,YAAAP,EAAAQ,KAAAR,EAAAO,GAAA,eAAAP,EAAAx1B,MAAAw1B,EAAApD,SAAAoD,EAAA09B,aAAqgB19B,EAAAQ,KAArgB1H,EAAA,KAA8GC,YAAA,mBAAAC,MAAA,CAAsC4D,OAAAoD,EAAApD,QAAAoD,EAAA09B,cAA0CrkC,MAAA,CAAQrxB,KAAAg4B,EAAAjmB,WAAAjL,IAAAjE,OAAA,UAA4Co1B,GAAA,CAAKI,MAAAL,EAAAy+B,YAAuB,CAAA3lC,EAAA,cAAmBC,YAAA,QAAAM,MAAA,CAA2B6kC,eAAAl+B,EAAAk+B,eAAA7qD,SAAA2sB,EAAAjmB,WAAA1G,SAAAvI,IAAAk1B,EAAAjmB,WAAAvG,iBAAAwsB,EAAAjmB,WAAAjL,IAAAowD,qBAAAl/B,EAAA4+B,YAAAtlC,IAAA0G,EAAAjmB,WAAA3K,gBAAyM,GAAA4wB,EAAAO,GAAA,eAAAP,EAAAx1B,MAAAw1B,EAAApD,OAAuZoD,EAAAQ,KAAvZ1H,EAAA,KAAyEC,YAAA,kBAAAC,MAAA,CAAqCimC,MAAAj/B,EAAAs+B,SAAqBjlC,MAAA,CAAQrxB,KAAAg4B,EAAAm/B,eAAA/yD,EAAA4zB,EAAAjmB,WAAAjL,KAAsDmxB,GAAA,CAAKI,MAAAL,EAAAy+B,YAAuB,CAAA3lC,EAAA,mBAAwBC,YAAA,QAAAM,MAAA,CAA2Btf,WAAAimB,EAAAjmB,WAAAqlD,SAAAp/B,EAAAm/B,aAAsDn/B,EAAAO,GAAA,KAAAP,EAAAm/B,UAAiFn/B,EAAAQ,KAAjF1H,EAAA,KAAuCC,YAAA,iCAA0C,GAAAiH,EAAAO,GAAA,eAAAP,EAAAx1B,KAAAsuB,EAAA,SAAuEO,MAAA,CAAOvuB,IAAAk1B,EAAAjmB,WAAAjL,IAAAwqB,IAAA0G,EAAAjmB,WAAA3K,YAAAsH,MAAAspB,EAAAjmB,WAAA3K,YAAAgwD,SAAA,MAA4Gp/B,EAAAQ,KAAAR,EAAAO,GAAA,cAAAP,EAAAx1B,MAAAw1B,EAAAjmB,WAAAskD,OAAAvlC,EAAA,OAAgFC,YAAA,SAAAkH,GAAA,CAAyBI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoH,YAAAlG,MAAiC,CAAAlB,EAAAjmB,WAAA,UAAA+e,EAAA,OAAuCC,YAAA,SAAoB,CAAAD,EAAA,OAAYO,MAAA,CAAOvuB,IAAAk1B,EAAAjmB,WAAAslD,eAAgCr/B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAmCC,YAAA,QAAmB,CAAAD,EAAA,MAAAA,EAAA,KAAmBO,MAAA,CAAOrxB,KAAAg4B,EAAAjmB,WAAAjL,MAA2B,CAAAkxB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAjmB,WAAAskD,OAAA3nD,YAAAspB,EAAAO,GAAA,KAAAzH,EAAA,OAAwEkP,SAAA,CAAUC,UAAAjI,EAAA0D,GAAA1D,EAAAjmB,WAAAskD,OAAAiB,mBAAsDt/B,EAAAQ,QACzhG,IDKA,EAaAlI,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,kDEdhC+mC,EAAA,CACA5yD,KAAA,UACA+qB,MAAA,kDACApyB,KAHA,WAIA,OACAikD,aAAA,CAAA77C,IAAA,WAAAyyC,IAAA,GACAqf,SAAA,OAGAz9B,SAAA,CACA09B,iBADA,WAEA,uBAAA7hD,KAAA2jC,KACA,IAAA/uC,UAAAiM,MAAAb,KAAA2jC,OAAAme,iBACA9hD,KAAA2jC,KAAAme,mBAGA9/B,QAhBA,WAiBAhiB,KAAA+hD,6BAEA9/B,UAnBA,WAoBA9zB,aAAA6R,KAAA4hD,WAEArnC,QAAA,CACAwnC,0BADA,WAEA,IAAA9V,EAAA,iBAAAjsC,KAAAisC,aAAAjsC,KAAAisC,aAAA,EACAjsC,KAAA2rC,aAAA3rC,KAAAgiD,WACAC,EAAA,EAAAjiD,KAAA2jC,KAAAsI,GACAgW,EAAA,EAAAjiD,KAAA2jC,KAAAsI,GAEAjsC,KAAAkiD,aACAliD,KAAA4hD,SAAAnzD,WACAuR,KAAA+hD,0BACA,IAAA/hD,KAAAkiD,uBC9BAtnC,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACds5D,ECfF,WAA0B,IAAa5mC,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,QAAkBU,MAAA,CAAO0mC,SAAxFniD,KAAwF2jC,KAAA7qC,MAAxFkH,KAAwF6hD,mBAAkD,CAA1I7hD,KAA0I2iB,GAAA,OAA1I3iB,KAA0I8lB,GAA1I9lB,KAA0I+lB,GAA1I/lB,KAA0I2rC,aAAA77C,IAAA,CAA1IkQ,KAA0I2rC,aAAApJ,OAAA,SACpK,IDKA,EAEA,KAEA,KAEA,MAYe3mB,EAAA,EAAAhB,EAAiB,uCExBhCvxB,EAAAyF,EAAA8sB,EAAA,sBAAA4jB,IAAAn2C,EAAAyF,EAAA8sB,EAAA,sBAAAgkB,IAAA,IAAAwiB,EAAA/4D,EAAA,GACMu2C,EAAiB,SAACyiB,GACtB,QAAc7zD,IAAV6zD,EAAJ,CADgC,IAExB7jD,EAAgB6jD,EAAhB7jD,MAAO5R,EAASy1D,EAATz1D,KACf,GAAqB,iBAAV4R,EAAX,CACA,IAAMe,EAAMb,YAAQF,GACpB,GAAW,MAAPe,EAAJ,CACA,IAAM+iD,EAAU,OAAAhsD,OAAUqG,KAAKsC,MAAMM,EAAIlQ,GAAzB,MAAAiH,OAAgCqG,KAAKsC,MAAMM,EAAIlD,GAA/C,MAAA/F,OAAsDqG,KAAKsC,MAAMM,EAAIjD,GAArE,KACVimD,EAAS,QAAAjsD,OAAWqG,KAAKsC,MAAMM,EAAIlQ,GAA1B,MAAAiH,OAAiCqG,KAAKsC,MAAMM,EAAIlD,GAAhD,MAAA/F,OAAuDqG,KAAKsC,MAAMM,EAAIjD,GAAtE,SACTkmD,EAAU,QAAAlsD,OAAWqG,KAAKsC,MAAMM,EAAIlQ,GAA1B,MAAAiH,OAAiCqG,KAAKsC,MAAMM,EAAIlD,GAAhD,MAAA/F,OAAuDqG,KAAKsC,MAAMM,EAAIjD,GAAtE,SAChB,MAAa,YAAT1P,EACK,CACLk7B,gBAAiB,CACf,oCADe,GAAAxxB,OAEZisD,EAFY,SAAAjsD,OAGZisD,EAHY,aAAAjsD,OAIZksD,EAJY,aAAAlsD,OAKZksD,EALY,UAMflhD,KAAK,KACPmhD,mBAAoB,OAEJ,UAAT71D,EACF,CACL4iD,gBAAiBgT,GAED,SAAT51D,EACF,CACLk7B,gBAAiB,CACf,4BADe,GAAAxxB,OAEZgsD,EAFY,SAAAhsD,OAGZgsD,EAHY,4BAKfhhD,KAAK,KACPmhD,mBAAoB,YARjB,MAaHjjB,EAAiB,SAAChmC,GACtB,MAAO,WAAaA,EAAKzI,YACtBkB,QAAQ,MAAO,KACfA,QAAQ,KAAM,4CCnBnB,IAAAywD,EAAA,CACA5oC,MAAA,CACA6oC,MAAA,CACA/1D,KAAAk+B,MACA9H,QAAA,sBAEA4/B,OAAA,CACAh2D,KAAAs2B,SACAF,QAAA,SAAA6/B,GAAA,OAAAA,EAAAhyD,cCrBA,IAEA6pB,EAXA,SAAAC,GACEtxB,EAAQ,MAgBVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdq6D,EClBF,WAA0B,IAAAtgC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,QAAmB,CAAAiH,EAAAyY,GAAAzY,EAAA,eAAAygC,GAAoC,OAAA3nC,EAAA,OAAiBprB,IAAAsyB,EAAAwgC,OAAAC,GAAA1nC,YAAA,aAA6C,CAAAiH,EAAAM,GAAA,aAAsBmgC,UAAY,KAAMzgC,EAAAO,GAAA,SAAAP,EAAAugC,MAAAz6D,QAAAk6B,EAAA0gC,OAAAC,MAAA7nC,EAAA,OAAuEC,YAAA,4BAAuC,CAAAiH,EAAAM,GAAA,aAAAN,EAAAQ,MAAA,IACrX,IDQA,EAaAlI,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,uCEJhC,WCdA,IAEAF,EAXA,SAAAC,GACEtxB,EAAQ,MAgBVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CDMhB,CACAo1D,MAAA,CACAuF,KAAA,UACAj2D,MAAA,UAEA+sB,MAAA,CACA,UACA,gBACA,aE/BA,WAA0B,IAAAsI,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,SAAmBC,YAAA,WAAAC,MAAA,CAA8B0rB,SAAA1kB,EAAA0kB,SAAAmc,cAAA7gC,EAAA6gC,gBAA4D,CAAA/nC,EAAA,SAAcO,MAAA,CAAO7uB,KAAA,WAAAk6C,SAAA1kB,EAAA0kB,UAA0C1c,SAAA,CAAWqc,QAAArkB,EAAAqkB,QAAAwc,cAAA7gC,EAAA6gC,eAAwD5gC,GAAA,CAAKuI,OAAA,SAAAtH,GAA0B,OAAAlB,EAAAb,MAAA,SAAA+B,EAAAr2B,OAAAw5C,aAAoDrkB,EAAAO,GAAA,KAAAzH,EAAA,KAAsBC,YAAA,uBAAiCiH,EAAAO,GAAA,KAAAP,EAAA0gC,OAAA9/B,QAAA9H,EAAA,QAAgDC,YAAA,SAAoB,CAAAiH,EAAAM,GAAA,eAAAN,EAAAQ,QACthB,IDQA,EAaAlI,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,yEEgC1Bk2B,EAAsB,CAC1B7iC,WAzDiB,SAAArQ,GAYb,IAXJke,EAWIle,EAXJke,MACAtlB,EAUIoH,EAVJpH,OACA2X,EASIvQ,EATJuQ,YACA7U,EAQIsE,EARJtE,WACAlC,EAOIwG,EAPJxG,UACAsB,EAMIkF,EANJlF,KAMIwqD,EAAAtlD,EALJyL,aAKI,IAAA65C,EALI,GAKJA,EAAAC,EAAAvlD,EAJJ0Q,yBAII,IAAA60C,OAJgB30D,EAIhB20D,EAAAC,EAAAxlD,EAHJ2Q,mBAGI,IAAA60C,EAHU,aAGVA,EAAAC,EAAAzlD,EAFJ4Q,eAEI,IAAA60C,KAAAC,EAAA1lD,EADJ6Q,sBACI,IAAA60C,EADa,GACbA,EACEj1C,EAAWk1C,IAAIl6C,EAAO,MAE5B,OAAOtB,IAAWkG,WAAW,CAC3BtK,YAAamY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAC3CnN,SACA2X,cACA7U,aACAlC,YACAiX,WACAC,oBACAC,cACA7V,OACA8V,UACAC,mBAECjhB,KAAK,SAAC9F,GASL,OARKA,EAAKwG,OAAUsgB,GAClBsN,EAAMkJ,SAAS,iBAAkB,CAC/BvN,SAAU,CAAC/vB,GACXygB,SAAU,UACVq7C,iBAAiB,EACjBC,YAAY,IAGT/7D,IAtBJ,MAwBE,SAACyF,GACN,MAAO,CACLe,MAAOf,EAAIoB,YAiBjBkhB,YAZkB,SAAA5R,GAAyB,IAAtBie,EAAsBje,EAAtBie,MAAOnM,EAAe9R,EAAf8R,SACtBhM,EAAcmY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAClD,OAAOoE,IAAW0H,YAAY,CAAE9L,cAAagM,cAW7CC,oBAR0B,SAAAtR,GAAgC,IAA7Bwd,EAA6Bxd,EAA7Bwd,MAAOjrB,EAAsByN,EAAtBzN,GAAIW,EAAkB8M,EAAlB9M,YAClCmS,EAAcmY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAClD,OAAOoE,IAAW6H,oBAAoB,CAAEjM,cAAa9S,KAAIW,kBAS5Cs/C,oCCjEf,IAoCex2B,EApCI,CACjBR,MAAO,CACL,MACA,iBACA,WACA,iBACA,mBACA,OAEFpyB,KATiB,WAUf,MAAO,CACLg8D,SAAU1jD,KAAKia,OAAOqN,QAAQlK,aAAasmC,WAG/Cv/B,SAAU,CACRiV,SADQ,WAEN,OAAOp5B,KAAK0jD,WAA+B,cAAlB1jD,KAAKvK,UAA4BuK,KAAK9S,IAAI+oC,SAAS,WAGhF1b,QAAS,CACPopC,OADO,WAEL3jD,KAAK4jD,kBAAoB5jD,KAAK4jD,iBAAiB5jD,KAAK4f,MAAM1yB,KAC1D,IAAM22D,EAAS7jD,KAAK4f,MAAMikC,OAC1B,GAAKA,EAAL,CACA,IAAM1kC,EAAQnf,KAAK4f,MAAM1yB,IAAI+zD,aACvB7hC,EAASpf,KAAK4f,MAAM1yB,IAAIg0D,cAC9B2C,EAAO1kC,MAAQA,EACf0kC,EAAOzkC,OAASA,EAChBykC,EAAOC,WAAW,MAAMC,UAAU/jD,KAAK4f,MAAM1yB,IAAK,EAAG,EAAGiyB,EAAOC,KAEjEslB,QAXO,WAYL1kC,KAAKya,gBAAkBza,KAAKya,2BCvBlC,IAEAC,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACd27D,ECjBF,WAA0B,IAAA5hC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,cAAAC,MAAA,CAAiCge,SAAAhX,EAAAgX,WAA0B,CAAAhX,EAAA,SAAAlH,EAAA,UAA8BsH,IAAA,WAAaJ,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAiCprB,IAAAsyB,EAAAl1B,IAAAs1B,IAAA,MAAA/G,MAAA,CAA6BC,IAAA0G,EAAA1G,IAAA5iB,MAAAspB,EAAA1G,IAAAxuB,IAAAk1B,EAAAl1B,IAAAozD,eAAAl+B,EAAAk+B,gBAAgFj+B,GAAA,CAAK4hC,KAAA7hC,EAAAuhC,OAAAz1D,MAAAk0B,EAAAsiB,cACnW,IDOA,EAaAhqB,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,6EEjB1BspC,EAAU,CACdC,GAAI,kBAAM96D,EAAAQ,EAAA,GAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVq0D,GAAI,kBAAM/6D,EAAAQ,EAAA,GAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVs0D,GAAI,kBAAMh7D,EAAAQ,EAAA,GAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVu0D,GAAI,kBAAMj7D,EAAAQ,EAAA,GAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVw0D,GAAI,kBAAMl7D,EAAAQ,EAAA,GAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVy0D,GAAI,kBAAMn7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV00D,GAAI,kBAAMp7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV20D,GAAI,kBAAMr7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV40D,GAAI,kBAAMt7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV60D,GAAI,kBAAMv7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV80D,GAAI,kBAAMx7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV+0D,GAAI,kBAAMz7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVg1D,GAAI,kBAAM17D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVi1D,GAAI,kBAAM37D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVk1D,GAAI,kBAAM57D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVm1D,QAAS,kBAAM77D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACfo1D,GAAI,kBAAM97D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVq1D,GAAI,kBAAM/7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVs1D,GAAI,kBAAMh8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVu1D,GAAI,kBAAMj8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVw1D,GAAI,kBAAMl8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVy1D,GAAI,kBAAMn8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV01D,GAAI,kBAAMp8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV21D,GAAI,kBAAMr8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV41D,GAAI,kBAAMt8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV61D,GAAI,kBAAMv8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,eAGN81D,EAAW,CACfC,UAAS,CAAG,MAAHxvD,aAAA4hC,GAAY7vC,OAAO+mB,KAAK80C,KACjClhC,QAAS,CACP+iC,GAAIC,EAAQ,MAEdC,YAAa,SAAOxoC,EAAMyoC,GAAb,IAAAC,EAAA,OAAAC,EAAA3oD,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,WACP6oD,EAAQgC,GADD,CAAAn7C,EAAA1P,KAAA,eAAA0P,EAAA1P,KAAA,EAAA+qD,EAAA3oD,EAAAwN,MAEYi5C,EAAQgC,MAFpB,OAELL,EAFK96C,EAAAG,KAGTuS,EAAK4oC,iBAAiBH,EAAUL,GAHvB,OAKXpoC,EAAKvL,OAASg0C,EALH,wBAAAn7C,EAAAM,YASAw6C,uCCrCf,IAAAS,EAAA,CACAxsC,MAAA,CACAgtB,SAAA,CACAl6C,KAAA+N,SAEA8nB,MAAA,CACA71B,KAAAs2B,SACAF,QAAA,kBAAA/4B,QAAAC,aAGAxC,KAVA,WAWA,OACA6+D,UAAA,IAGAhsC,QAAA,CACAqH,QADA,WACA,IAAArhB,EAAAP,KACAA,KAAAumD,UAAA,EACAvmD,KAAAyiB,QAAAj1B,KAAA,WAAA+S,EAAAgmD,UAAA,cCnBA3rC,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdi+D,ECfF,WAA0B,IAAavrC,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,UAAoBU,MAAA,CAAOqrB,SAA1F9mC,KAA0FumD,UAA1FvmD,KAA0F8mC,UAAwCzkB,GAAA,CAAKI,MAAvIziB,KAAuI4hB,UAAqB,CAA5J5hB,KAA4JumD,UAA5JvmD,KAA4J8iD,OAAAyD,SAAA,CAA5JvmD,KAA4J0iB,GAAA,cAA5J1iB,KAA4J0iB,GAAA,iBACtL,IDKA,EAEA,KAEA,KAEA,MAYe9G,EAAA,EAAAhB,EAAiB,4wBEpBhC,IAAM4rC,GAAiBl2D,OAAOurC,UAAUqqB,UAAY,MAAMhpD,MAAM,KAAK,GAOxDupD,EAAwB,CACnC,kBACA,uBAGWC,EAAe,CAC1BnyB,OAAQ,GACRsB,WAAOrnC,EACPm4D,iBAAan4D,EACbo4D,uBAAmBp4D,EACnBq4D,SAAS,EAETC,oBAAgBt4D,EAChB64C,gCAA4B74C,EAC5Bu4D,UAAU,EACVxf,iBAAiB,EACjBC,uBAAuB,EACvBU,cAAe,GACf2X,UAAU,EACVC,cAAc,EACdkH,WAAW,EACXC,qBAAqB,EACrBC,WAAW,EACX3iB,0BAA0B,EAC1B4iB,4BAA4B,EAC5BC,kBAAkB,EAClB1D,UAAU,EACV56C,gBAAiB,MACjBoT,uBAAwB,CACtBG,SAAS,EACT1iB,UAAU,EACVwiB,OAAO,EACPC,SAAS,EACTG,OAAO,EACPC,gBAAgB,EAChBF,eAAe,EACf+qC,aAAa,GAEfC,sBAAsB,EACtBjqC,UAAW,GACXqL,UAAW,GACX6+B,kBAAmBf,EACnBjP,iBAAiB,EACjBiQ,iBAAiB,EACjBzS,eAAWvmD,EACX6yC,yBAAqB7yC,EACrByoD,4BAAwBzoD,EACxB8mD,qBAAiB9mD,EACjB2nD,uBAAmB3nD,EAEnBqyC,0BAAsBryC,EACtB45C,mBAAmB,EACnB2Y,iBAAiB,EACjB0G,eAAe,EACf/e,eAAWl6C,EACXkrC,mBAAelrC,EACf87B,mBAAe97B,GAIJk5D,EAA4Br/D,OAAO6Y,QAAQwlD,GACrDzhD,OAAO,SAAArH,GAAA,IAAAC,EAAAf,IAAAc,EAAA,GAAAC,EAAA,eAA4BrP,IAA5BqP,EAAA,KACPhM,IAAI,SAAAyM,GAAA,IAAAC,EAAAzB,IAAAwB,EAAA,GAAExO,EAAFyO,EAAA,GAAAA,EAAA,UAAkBzO,IAEnBmsB,EAAS,CACb/B,MAAOwsC,EACPp/B,QAAS,CACPlK,aADO,SACOlD,EAAOoN,EAAStL,EAAWmB,GAAa,IAC5ChD,EAAa6B,EAAb7B,SACR,OAAAvhB,EAAA,GACKshB,EADL,GAEKwtC,EACA71D,IAAI,SAAA/B,GAAG,MAAI,CAACA,OAAoBtB,IAAf0rB,EAAMpqB,GACpBqqB,EAASrqB,GACToqB,EAAMpqB,MAETkG,OAAO,SAACC,EAADsc,GAAA,IAAAO,EAAAhW,IAAAyV,EAAA,GAAOziB,EAAPgjB,EAAA,GAAYtjB,EAAZsjB,EAAA,UAAAla,EAAA,GAA6B3C,EAA7Bw4C,IAAA,GAAmC3+C,EAAMN,KAAU,OAInEm4D,UAAW,CACTC,UADS,SACE1tC,EADFlI,GAC0B,IAAfjjB,EAAeijB,EAAfjjB,KAAMS,EAASwiB,EAATxiB,MACxBm5B,cAAIzO,EAAOnrB,EAAMS,IAEnBq4D,aAJS,SAIK3tC,EAJLvO,GAImC,IAArBnS,EAAqBmS,EAArBnS,KAAMgF,EAAemN,EAAfnN,MAAO5R,EAAQ+e,EAAR/e,KAC5BlF,EAAOsY,KAAKka,MAAM+B,OAAOyM,UAAUlvB,GACrCgF,GAAS5R,EACX+7B,cAAIzO,EAAMwO,UAAWlvB,EAAM,CAAEgF,MAAOA,GAAS9W,EAAK8W,MAAO5R,KAAMA,GAAQlF,EAAKkF,OAE5Ek7D,iBAAI5tC,EAAMwO,UAAWlvB,KAI3BuuD,QAAS,CACPF,aADO,SAAA57C,EAAAG,GACoD,IAA3CwY,EAA2C3Y,EAA3C2Y,OAA2C3Y,EAAnC+Y,SACtBJ,EAAO,eAAgB,CAAEprB,KADgC4S,EAArB5S,KACLgF,MAD0B4N,EAAf5N,MACJ5R,KADmBwf,EAARxf,QAGnDg7D,UAJO,SAAAt7C,EAAAE,GAI2C,IAArCoY,EAAqCtY,EAArCsY,OAAsB71B,GAAeud,EAA7B0Y,SAA6BxY,EAAfzd,MAAMS,EAASgd,EAAThd,MAEvC,OADAo1B,EAAO,YAAa,CAAE71B,OAAMS,UACpBT,GACN,IAAK,QACHmqC,YAAU1pC,GACV,MACF,IAAK,cACL,IAAK,oBACHqkC,YAAWrkC,GACX,MACF,IAAK,oBACHq2D,IAASI,YAAYjmD,KAAKsnB,QAAQ7J,KAAMjuB,OAOnCysB,4FC5HFiB,EAAe,SAAC1mB,EAAQ6mB,GACnC,IAAM1T,EAAanT,EAAOe,KAAK6iC,cACzB4tB,EAAgBxxD,EAAOgB,QAAQ4iC,cAKrC,OAJa6tB,IAAO5qC,EAAW,SAAC6qC,GAC9B,OAAOv+C,EAAWzV,SAASg0D,EAAS9tB,gBAAkB4tB,EAAc9zD,SAASg0D,EAAS9tB,gDCN1F/wC,EAAAyF,EAAA8sB,EAAA,sBAAA8B,IAAO,IAAMA,EAA0B,SAAC1B,EAAWmsC,GACjD,GAAM,iBAAkB73D,QAA6C,YAAnCA,OAAO83D,aAAaC,aAClDrsC,EAAUvE,SAAStO,cAAcm/C,2BAArC,CAEA,IAAMC,EAAsB,IAAIj4D,OAAO83D,aAAaD,EAAwBrvD,MAAOqvD,GAGnF15D,WAAW85D,EAAoBnhD,MAAMrX,KAAKw4D,GAAsB,2CCPlEl/D,EAAAyF,EAAA8sB,EAAA,sBAAA+/B,IAAO,IAAMA,EAAa,SAAbA,EAAc6M,EAAO/b,GAA6D,IAAA7uC,EAAA3C,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAA7B,GAA6BwtD,EAAA7qD,EAAnDqiB,WAAmD,IAAAwoC,EAA7C,EAA6CA,EAAAC,EAAA9qD,EAA1CoiB,YAA0C,IAAA0oC,EAAnC,EAAmCA,EAAzBC,IAAyB1tD,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,KAAAA,UAAA,GACvFlS,EAAS,CACbk3B,IAAKA,EAAMuoC,EAAMI,UACjB5oC,KAAMA,EAAOwoC,EAAMK,YAErB,IAAKF,GAAiBH,IAAUl4D,OAAQ,KAAAw4D,EACFC,EAAYP,GAAxCQ,EAD8BF,EAC9BE,WAAYC,EADkBH,EAClBG,YACpBlgE,EAAOk3B,KAAO0oC,EAAgB,EAAIK,EAClCjgE,EAAOi3B,MAAQ2oC,EAAgB,EAAIM,EAGrC,GAAIT,EAAMhpC,eAAiBitB,IAAWn8C,QAAUm8C,EAAO3qB,SAAS0mC,EAAMhpC,eAAiBitB,IAAW+b,EAAMhpC,cACtG,OAAOm8B,EAAW6M,EAAMhpC,aAAcitB,EAAQ1jD,GAAQ,GAEtD,GAAI0jD,IAAWn8C,OAAQ,KAAA44D,EACeH,EAAYtc,GAAxCuc,EADaE,EACbF,WAAYC,EADCC,EACDD,YACpBlgE,EAAOk3B,KAAO+oC,EACdjgE,EAAOi3B,MAAQipC,EAEjB,OAAOlgE,GAILggE,EAAc,SAACxQ,GACnB,IAAMsC,EAAgBvqD,OAAOoqD,iBAAiBnC,GAAI,eAC5CyQ,EAAapsC,OAAOi+B,EAAc/hB,UAAU,EAAG+hB,EAAc3yD,OAAS,IACtEihE,EAAiB74D,OAAOoqD,iBAAiBnC,GAAI,gBAGnD,MAAO,CAAEyQ,aAAYC,YAFDrsC,OAAOusC,EAAerwB,UAAU,EAAGqwB,EAAejhE,OAAS,yDCTpEkhE,EAAgB,SAAC3gD,EAAQqT,GAAT,OAAmB,IAAI7xB,QAAQ,SAACC,EAASC,GACpE2xB,EAAM5B,MAAMwK,IAAIC,kBAAkBjZ,WAAW,CAAE7a,GAAI4X,IAChDjb,KAAK,SAACu0B,GAGL,GAFAjG,EAAM8I,OAAO,yBAA0B,CAAC7C,MAEpCA,EAAQrtB,WAAcqtB,EAAQltB,QAAUktB,EAAQsnC,WAapD,OApCoB,SAApBC,EAAqBC,EAAS9gD,EAAQqT,GAAlB,OAA4B,IAAI7xB,QAAQ,SAACC,EAASC,GAC1EsE,WAAW,WACTqtB,EAAM5B,MAAMwK,IAAIC,kBAAkBxX,sBAAsB,CAAEtc,GAAI4X,IAC3Djb,KAAK,SAACmF,GAEL,OADAmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,IACjCA,IAERnF,KAAK,SAACmF,GAAD,OAAkBzI,EAAQ,CAACyI,EAAa+B,UAAW/B,EAAa02D,UAAW12D,EAAakC,OAAQ00D,MALxG,MAMS,SAAC1/D,GAAD,OAAOM,EAAON,MACtB,OACF2D,KAAK,SAAAoQ,GAAwC,IAAAC,EAAAuD,IAAAxD,EAAA,GAAtClJ,EAAsCmJ,EAAA,GAA3BqN,EAA2BrN,EAAA,GAArBhJ,EAAqBgJ,EAAA,GAAb0rD,EAAa1rD,EAAA,GACzCnJ,GAAeG,GAAUqW,KAASq+C,GAAW,IAGhDD,IAAoBC,EAAS9gD,EAAQqT,KAsB5BwtC,CAAkB,EAAGvnC,EAASjG,GAClCtuB,KAAK,WACJtD,MAbFA,SCxBOs/D,EAAA,CACb1vC,MAAO,CAAC,eAAgB,iBAAkB,eAC1CpyB,KAFa,WAGX,MAAO,CACL+hE,YAAY,IAGhBtlC,SAAU,CACRulC,UADQ,WAEN,OAAO1pD,KAAKypD,YAAczpD,KAAKrN,aAAa+B,WAE9CoE,MAJQ,WAKN,OAAIkH,KAAKypD,YAAczpD,KAAKrN,aAAa+B,UAChCsL,KAAK+lB,GAAG,6BACN/lB,KAAKrN,aAAa02D,UACpBrpD,KAAK+lB,GAAG,0BAER/lB,KAAK+lB,GAAG,qBAGnB4jC,MAbQ,WAcN,OAAI3pD,KAAKypD,WACAzpD,KAAK+lB,GAAG,6BACN/lB,KAAKrN,aAAa+B,UACpBsL,KAAK4pD,gBAAkB5pD,KAAK+lB,GAAG,uBAC7B/lB,KAAKrN,aAAa02D,UACpBrpD,KAAK+lB,GAAG,yBAER/lB,KAAK+lB,GAAG,sBAIrBxL,QAAS,CACPqH,QADO,WAEL5hB,KAAKrN,aAAa+B,UAAYsL,KAAK6pD,WAAa7pD,KAAK8pD,UAEvDA,OAJO,WAIG,IAAAvpD,EAAAP,KACRA,KAAKypD,YAAa,EAClBL,EAAcppD,KAAKrN,aAAa9B,GAAImP,KAAKia,QAAQzsB,KAAK,WACpD+S,EAAKkpD,YAAa,KAGtBI,SAVO,WAUK,IAAA/kC,EAAA9kB,KACJ8b,EAAQ9b,KAAKia,OACnBja,KAAKypD,YAAa,EDFO,SAAChhD,EAAQqT,GAAT,OAAmB,IAAI7xB,QAAQ,SAACC,EAASC,GACtE2xB,EAAM5B,MAAMwK,IAAIC,kBAAkB3Y,aAAa,CAAEnb,GAAI4X,IAClDjb,KAAK,SAACu0B,GACLjG,EAAM8I,OAAO,yBAA0B,CAAC7C,IACxC73B,EAAQ,CACN63B,gBCFFgoC,CAAgB/pD,KAAKrN,aAAa9B,GAAIirB,GAAOtuB,KAAK,WAChDs3B,EAAK2kC,YAAa,EAClB3tC,EAAM8I,OAAO,eAAgB,CAAEzc,SAAU,UAAWM,OAAQqc,EAAKnyB,aAAa9B,iBCnCtF+pB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdmhE,ECdF,WAA0B,IAAazuC,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,UAAoBI,YAAA,gCAAAC,MAAA,CAAmD8I,QAAtIlkB,KAAsI0pD,WAAyBjuC,MAAA,CAAQqrB,SAAvK9mC,KAAuKypD,WAAA3wD,MAAvKkH,KAAuKlH,OAA4CupB,GAAA,CAAKI,MAAxNziB,KAAwN4hB,UAAqB,CAA7O5hB,KAA6O2iB,GAAA,OAA7O3iB,KAA6O8lB,GAA7O9lB,KAA6O2pD,OAAA,SACvQ,IDIA,EAEA,KAEA,KAEA,MAYe/tC,EAAA,EAAAhB,EAAiB,sCEtBhC,IA6BeslC,EA7BS,CACtBpmC,MAAO,CAAC,aAAc,YACtBpyB,KAFsB,WAGpB,MAAO,CACLs/D,UAAWhnD,KAAKia,OAAOqN,QAAQlK,aAAa4pC,YAGhDzsC,QAAS,CACPyvC,gBADO,SACUngE,GACf,IAAMoD,EAASpD,EAAEogE,YAAcpgE,EAAEoD,YACiB,IAAvCA,EAAOi9D,4BAEZj9D,EAAOi9D,4BAA8B,IACvClqD,KAAKgnD,UAAYhnD,KAAKgnD,YAAchnD,KAAKia,OAAOqN,QAAQlK,aAAa6pC,0BAEhC,IAAvBh6D,EAAOk9D,YAEnBl9D,EAAOk9D,cACTnqD,KAAKgnD,UAAYhnD,KAAKgnD,YAAchnD,KAAKia,OAAOqN,QAAQlK,aAAa6pC,0BAEhC,IAAvBh6D,EAAOm9D,aACnBn9D,EAAOm9D,YAAYliE,OAAS,IAC9B8X,KAAKgnD,UAAYhnD,KAAKgnD,YAAchnD,KAAKia,OAAOqN,QAAQlK,aAAa6pC,+BCV/ErsC,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdgiE,ECdF,WAA0B,IAAatvC,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,SAAmBI,YAAA,QAAAM,MAAA,CAA2BvuB,IAA7G8S,KAA6G7D,WAAAjL,IAAAo5D,KAA7GtqD,KAA6GgnD,UAAAxF,SAA7GxhD,KAA6GwhD,SAAA9lC,IAA7G1b,KAA6G7D,WAAA3K,YAAAsH,MAA7GkH,KAA6G7D,WAAA3K,YAAA+4D,YAAA,IAA2JloC,GAAA,CAAKmoC,WAA7QxqD,KAA6QgqD,oBACvS,IDIA,EAEA,KAEA,KAEA,MAYepuC,EAAA,EAAAhB,EAAiB,iHE6BjBgvB,EAjDC,CACd9vB,MAAO,CACL,cACA,OACA,YAEFpyB,KANc,WAOZ,MAAO,CACL+iE,MAAO,KAGXpwC,WAAY,CAAEqvB,oBACdvlB,SAAU,CACRi6B,KADQ,WAEN,IAAKp+C,KAAKpG,YACR,MAAO,GAET,IAAMwkD,EAAOsM,IAAM1qD,KAAKpG,YAAa,GACrC,GAA0B,IAAtBoR,IAAKozC,GAAMl2D,QAAgBk2D,EAAKl2D,OAAS,EAAG,CAE9C,IAAMyiE,EAAiB3/C,IAAKozC,GAAM,GAC5BwM,EAAgBC,IAAUzM,GAEhC,OADApzC,IAAK4/C,GAAexiE,KAAKuiE,GAClBC,EAET,OAAOxM,GAETqJ,cAfQ,WAgBN,OAAOznD,KAAKia,OAAOqN,QAAQlK,aAAaqqC,gBAG5CltC,QAAS,CACPuwC,kBADO,SACYj6D,EAAIw6C,GACrBrrC,KAAKi0C,KAAKj0C,KAAKyqD,MAAO55D,EAAIw6C,IAE5B0f,SAJO,SAIGC,GACR,MAAO,CAAEC,iBAAA,GAAA30D,OAAsB,KAAO00D,EAAc,IAA3C,OAEXE,UAPO,SAOIr6D,EAAIs6D,GAAK,IAAA5qD,EAAAP,KACZorD,EAAQC,IAAMF,EAAK,SAAAtI,GAAI,OAAItiD,EAAK+qD,eAAezI,EAAKhyD,MAC1D,MAAO,CAAE06D,KAAI,GAAAj1D,OAAK0J,KAAKsrD,eAAez6D,GAAMu6D,EAA/B,WAEfE,eAXO,SAWSz6D,GACd,IAAMw6C,EAAOrrC,KAAKyqD,MAAM55D,GACxB,OAAOw6C,EAAOA,EAAKlsB,MAAQksB,EAAKjsB,OAAS,YCvC/C,IAEA1E,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdmjE,ECjBF,WAA0B,IAAAppC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBsH,IAAA,mBAAAwhB,YAAA,CAAoC7kB,MAAA,SAAgBiD,EAAAyY,GAAAzY,EAAA,cAAA+oC,EAAAplB,GAAuC,OAAA7qB,EAAA,OAAiBprB,IAAAi2C,EAAA5qB,YAAA,cAAAC,MAAA,CAA2CqwC,cAAArpC,EAAAqlC,cAAAiE,aAAAtpC,EAAAqlC,eAAoE5kC,MAAAT,EAAA2oC,SAAAI,EAAAjjE,SAAkC,CAAAgzB,EAAA,OAAYC,YAAA,qBAAgCiH,EAAAyY,GAAA,WAAA1+B,GAAmC,OAAA+e,EAAA,cAAwBprB,IAAAqM,EAAAtL,GAAAgyB,MAAAT,EAAA8oC,UAAA/uD,EAAAtL,GAAAs6D,GAAA1vC,MAAA,CAAmE8vB,YAAAnpB,EAAAsoB,SAAAvzC,KAAAirB,EAAAjrB,KAAAgF,aAAAmvC,cAAA,EAAAqgB,oBAAAvpC,EAAA0oC,kBAAA/6D,KAAA,KAAAoM,EAAAtL,SAA2J,OAAO,IACnrB,IDOA,EAaA6pB,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,sCE1BhC,IAkCeivB,EAlCK,CAClB96C,KAAM,cACN+qB,MAAO,CACL,OACA,OACA,QAEFpyB,KAPkB,WAQhB,MAAO,CACLkkE,aAAa,IAGjBznC,SAAU,CACR0nC,SADQ,WAKN,OAAO7rD,KAAKzG,KAAK8kB,QAAUre,KAAK7I,MAAsB,SAAd6I,KAAKqrC,MAE/CygB,eAPQ,WAQN,OAAO9rD,KAAKzG,KAAK/H,aAAe,KAAKu6D,KAAK/rD,KAAKzG,KAAK/H,eAGxDwwB,QAvBkB,WAuBP,IAAAzhB,EAAAP,KACT,GAAIA,KAAK6rD,SAAU,CACjB,IAAMG,EAAS,IAAIC,MACnBD,EAAOn/D,OAAS,WACd0T,EAAKqrD,aAAc,GAErBI,EAAO9+D,IAAM8S,KAAKzG,KAAK8kB,gBCrB7B,IAEA3D,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACd6jE,ECjBF,WAA0B,IAAA9pC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAAA,EAAA,KAAyBC,YAAA,oBAAAM,MAAA,CAAuCrxB,KAAAg4B,EAAA7oB,KAAArI,IAAAjE,OAAA,SAAAT,IAAA,aAAwD,CAAA41B,EAAAypC,UAAAzpC,EAAAwpC,YAAA1wC,EAAA,OAA8CC,YAAA,aAAAC,MAAA,CAAgC+wC,cAAA,UAAA/pC,EAAAipB,OAAuC,CAAAnwB,EAAA,OAAYO,MAAA,CAAOvuB,IAAAk1B,EAAA7oB,KAAA8kB,WAAsB+D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAmCC,YAAA,gBAA2B,CAAAD,EAAA,QAAaC,YAAA,mBAA8B,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA7oB,KAAA6yD,kBAAAhqC,EAAAO,GAAA,KAAAzH,EAAA,MAAgEC,YAAA,cAAyB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA7oB,KAAAT,UAAAspB,EAAAO,GAAA,KAAAP,EAAA,eAAAlH,EAAA,KAA4EC,YAAA,oBAA+B,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA7oB,KAAA/H,gBAAA4wB,EAAAQ,YAC5pB,IDOA,EAaAlI,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,sCE1BjB,IAAAyxC,EAAA,CACbvyC,MAAO,CAAE,QACTqK,SAAU,CACR8D,aADQ,WAGN,IAAMC,EAAY,IAAIC,IAAInoB,KAAKxG,KAAKvI,uBACpC,SAAAqF,OAAU4xB,EAAUE,SAApB,MAAA9xB,OAAiC4xB,EAAUG,KAA3C,2BCEN,IAEA3N,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdgkE,ECjBF,WAA0B,IAAatxC,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,iBAA4B,CAAAD,EAAA,QAAaO,MAAA,CAAO5X,OAAA,OAAAvJ,OAAhI0F,KAAgIioB,eAA2C,CAAA/M,EAAA,SAAcO,MAAA,CAAO7uB,KAAA,SAAAmC,KAAA,YAAkCq7B,SAAA,CAAW56B,MAA7OwQ,KAA6OxG,KAAAzI,eAA7OiP,KAA2Q2iB,GAAA,KAAAzH,EAAA,SAA0BO,MAAA,CAAO7uB,KAAA,SAAAmC,KAAA,UAAAS,MAAA,MAA5SwQ,KAAyV2iB,GAAA,KAAAzH,EAAA,UAA2BC,YAAA,gBAAAM,MAAA,CAAmCgH,MAAA,WAAkB,CAAzaziB,KAAya2iB,GAAA,WAAza3iB,KAAya8lB,GAAza9lB,KAAya+lB,GAAA,6CACnc,IDOA,EAaArL,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,0DENjBkkB,EAjBI,CACjBhlB,MAAO,CAAC,SACRqK,SAAU,CACRmoC,YADQ,WAEN,OAAOtsD,KAAK4K,MAAQ5K,KAAK4K,MAAMpa,MAAM,EAAG,IAAM,KAGlD6pB,WAAY,CACVR,sBAEFU,QAAS,CACPmP,gBADO,SACUlwB,GACf,OAAOigB,YAAoBjgB,EAAK3I,GAAI2I,EAAKzI,YAAaiP,KAAKia,OAAOC,MAAMC,SAAST,+BCPvF,IAEAgB,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdkkE,ECjBF,WAA0B,IAAAnqC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,WAAsBiH,EAAAyY,GAAAzY,EAAA,qBAAA5oB,GAAyC,OAAA0hB,EAAA,eAAyBprB,IAAA0J,EAAA3I,GAAAsqB,YAAA,eAAAM,MAAA,CAA8CwK,GAAA7D,EAAAsH,gBAAAlwB,KAAgC,CAAA0hB,EAAA,cAAmBC,YAAA,eAAAM,MAAA,CAAkCjiB,WAAa,KAAM,IACxV,IDOA,EAaAkhB,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,yDE1BhC,IAaM41B,EAAwB,CAC5BC,eAdqB,SAAClO,GACtB,IAAIiqB,EAEAC,EAAQ,CAAC,IAAK,MAAO,MAAO,MAAO,OACvC,OAAIlqB,EAAM,EACDA,EAAM,IAAMkqB,EAAM,IAG3BD,EAAW7vD,KAAK2jB,IAAI3jB,KAAKsC,MAAMtC,KAAK+vD,IAAInqB,GAAO5lC,KAAK+vD,IAAI,OAAQD,EAAMvkE,OAAS,GAGxE,CAAEq6C,IAFTA,EAAoD,GAA7CA,EAAM5lC,KAAKS,IAAI,KAAMovD,IAAWG,QAAQ,GAE5B/b,KADZ6b,EAAMD,OAMAhc,gDCHToc,QAAqBC,GAAS,SAACnlE,EAAMgY,GACzChY,EAAK6uD,gBAAgB72C,IACpB,KAEYkc,EAAA,WAAAl0B,GAAI,OAAI,SAAAgY,GACrB,IAAMotD,EAAYptD,EAAM,GACxB,MAAkB,MAAdotD,GAAqBplE,EAAKwO,MACrB62D,EAAarlE,EAAKwO,MAAlB62D,CAAyBrtD,GAEhB,MAAdotD,GAAqBplE,EAAKkjB,MACrBoiD,EAAatlE,EAAbslE,CAAmBttD,GAErB,KAGF,IAAMqtD,EAAe,SAAAx7D,GAAM,OAAI,SAAAmO,GACpC,IAAMutD,EAAWvtD,EAAM06B,cAAc8yB,OAAO,GAC5C,OAAO37D,EACJ0T,OAAO,SAAArH,GAAA,OAAAA,EAAGy8B,YAA8BD,cAAclhC,MAAM+zD,KAC5DnvC,KAAK,SAACrgB,EAAGnB,GACR,IAAI6wD,EAAS,EACTC,EAAS,EAqBb,OAlBAD,GAAU1vD,EAAE48B,YAAYD,gBAAkB6yB,EAAW,IAAM,EAC3DG,GAAU9wD,EAAE+9B,YAAYD,gBAAkB6yB,EAAW,IAAM,EAG3DE,GAAU1vD,EAAE4vD,SAAW,IAAM,EAC7BD,GAAU9wD,EAAE+wD,SAAW,IAAM,EAG7BF,GAAU1vD,EAAE48B,YAAYD,cAAcz6B,WAAWstD,GAAY,GAAK,EAClEG,GAAU9wD,EAAE+9B,YAAYD,cAAcz6B,WAAWstD,GAAY,GAAK,EAGlEE,GAAU1vD,EAAE48B,YAAYnyC,QACxBklE,GAAU9wD,EAAE+9B,YAAYnyC,QAKRilE,GAFO1vD,EAAE48B,YAAc/9B,EAAE+9B,YAAc,IAAO,QAMvD2yB,EAAe,SAAAtlE,GAAI,OAAI,SAAAgY,GAClC,IAAMutD,EAAWvtD,EAAM06B,cAAc8yB,OAAO,GAGtCI,EAFQ5lE,EAAKkjB,MAEI3F,OACrB,SAAAzL,GAAI,OACFA,EAAKzI,YAAYqpC,cAAcz6B,WAAWstD,IAC1CzzD,EAAKzK,KAAKqrC,cAAcz6B,WAAWstD,KAMrCz8D,MAAM,EAAG,IAAIstB,KAAK,SAACrgB,EAAGnB,GACtB,IAAI6wD,EAAS,EACTC,EAAS,EAgBb,OAbAD,GAAU1vD,EAAE1M,YAAYqpC,cAAcz6B,WAAWstD,GAAY,EAAI,EACjEG,GAAU9wD,EAAEvL,YAAYqpC,cAAcz6B,WAAWstD,GAAY,EAAI,EAGjEE,GAAU1vD,EAAE1O,KAAKqrC,cAAcz6B,WAAWstD,GAAY,EAAI,EAGzB,KAFjCG,GAAU9wD,EAAEvN,KAAKqrC,cAAcz6B,WAAWstD,GAAY,EAAI,GAEnCE,IAGI1vD,EAAE1O,KAAOuN,EAAEvN,KAAO,GAAK,IACjB0O,EAAE1M,YAAcuL,EAAEvL,YAAc,GAAK,KAIrEc,IAAI,SAAAgM,GAAA,IAAG9M,EAAH8M,EAAG9M,YAAH,MAAwD,CAC7DspC,YAAatpC,EACbw8D,WAFK1vD,EAAgB9O,KAGrBs+D,SAHKxvD,EAAsBzL,2BAI3B0oC,YAAa,IAAM/pC,EAAc,OAOnC,OAHIrJ,EAAK6uD,iBACPqW,EAAmBllE,EAAMulE,GAEpBK,qTClGME,QAAIC,UAAU,eAAgB,CAC3C1+D,KAAM,cACN+qB,MAAO,CACL4zC,kBAAmB,CACjBC,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,GAEX4qC,SAAU,CACRD,UAAU,EACV/gE,KAAMs2B,SACNF,aAASx0B,GAEXq/D,UAAW,CACTF,UAAU,EACV/gE,KAAMkE,OACNkyB,aAASx0B,GAEXs/D,eAAgB,CACdH,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,GAEX+qC,WAAY,CACVJ,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,IAGbt7B,KA7B2C,WA8BzC,MAAO,CACLsmE,OAAQhuD,KAAK8iD,OAAL,QAAoBmL,UAAU,SAAA/oD,GAAC,OAAIA,EAAE5Y,QAGjD63B,sWAAQvrB,CAAA,CACNs1D,YADM,WACS,IAAA3tD,EAAAP,KAEb,OAAIA,KAAK6tD,UACA7tD,KAAK8iD,OAAL,QAAoBmL,UAAU,SAAApoC,GAAI,OAAItlB,EAAKstD,YAAchoC,EAAK/1B,MAE9DkQ,KAAKguD,QAGhBG,qBATM,WAUJ,MAAmC,YAA5BnuD,KAAKouD,qBAEX1nC,YAAS,CACV0nC,mBAAoB,SAAAl0C,GAAK,OAAIA,EAAK,UAAWk0C,uBAGjDC,aAlD2C,WAmDrBruD,KAAK8iD,OAAL,QAAoB9iD,KAAKguD,QAC5B1hE,MACf0T,KAAKguD,OAAShuD,KAAK8iD,OAAL,QAAoBmL,UAAU,SAAA/oD,GAAC,OAAIA,EAAE5Y,QAGvDiuB,QAAS,CACP+zC,SADO,SACGvoB,GAAO,IAAAjhB,EAAA9kB,KACf,OAAO,SAACnW,GACNA,EAAEqhC,iBACFpG,EAAKypC,OAAOxoB,KAGhBwoB,OAPO,SAOCxoB,GACuB,mBAAlB/lC,KAAK4tD,UACd5tD,KAAK4tD,SAASplE,KAAK,KAAMwX,KAAK8iD,OAAL,QAAoB/c,GAAOj2C,KAEtDkQ,KAAKguD,OAASjoB,EACV/lC,KAAK8tD,iBACP9tD,KAAK4f,MAAM4uC,SAASrT,UAAY,KAItCsT,OAzE2C,SAyEnCC,GAAG,IAAAvpC,EAAAnlB,KACH2uD,EAAO3uD,KAAK8iD,OAAL,QACVjxD,IAAI,SAACg0B,EAAMkgB,GACV,GAAKlgB,EAAKv5B,IAAV,CACA,IAAMsiE,EAAa,CAAC,OACdC,EAAiB,CAAC,eAKxB,OAJI1pC,EAAK+oC,cAAgBnoB,IACvB6oB,EAAWxmE,KAAK,UAChBymE,EAAezmE,KAAK,WAElBy9B,EAAKn+B,KAAK+zB,MAAM4C,MAClBqwC,EAAA,OAAAtzC,MACcyzC,EAAevtD,KAAK,MADlC,CAAAotD,EAAA,UAAAjzC,MAAA,CAAAqrB,SAGgBjhB,EAAKn+B,KAAK+zB,MAAMqrB,UAHhCzkB,GAAA,CAAAI,MAIe0C,EAAKmpC,SAASvoB,IAJ7B3qB,MAKawzC,EAAWttD,KAAK,MAL7B,CAAAotD,EAAA,OAAAjzC,MAAA,CAAAvuB,IAMgB24B,EAAKn+B,KAAK+zB,MAAM4C,MANhCvlB,MAM8C+sB,EAAKn+B,KAAK+zB,MAAM,oBACvDoK,EAAKn+B,KAAK+zB,MAAMkuC,MAAQ,GAAK9jC,EAAKn+B,KAAK+zB,MAAMkuC,UAKtD+E,EAAA,OAAAtzC,MACcyzC,EAAevtD,KAAK,MADlC,CAAAotD,EAAA,UAAAjzC,MAAA,CAAAqrB,SAGgBjhB,EAAKn+B,KAAK+zB,MAAMqrB,SAHhCl6C,KAMW,UANXy1B,GAAA,CAAAI,MAIe0C,EAAKmpC,SAASvoB,IAJ7B3qB,MAKawzC,EAAWttD,KAAK,MAL7B,CAQQukB,EAAKn+B,KAAK+zB,MAAM2C,KAAjBswC,EAAA,KAAAtzC,MAAwC,iBAAmByK,EAAKn+B,KAAK+zB,MAAM2C,OAAnD,GAR/BswC,EAAA,QAAAtzC,MASkB,QATlB,CAUSyK,EAAKn+B,KAAK+zB,MAAMkuC,eAOvB6E,EAAWxuD,KAAK8iD,OAAL,QAAoBjxD,IAAI,SAACg0B,EAAMkgB,GAC9C,GAAKlgB,EAAKv5B,IAAV,CACA,IAAM0hE,EAAS7oC,EAAK+oC,cAAgBnoB,EAC9Bve,EAAU,CAAEwmC,EAAS,SAAW,UAClCnoC,EAAKn+B,KAAK+zB,MAAMqzC,YAClBtnC,EAAQp/B,KAAK,eAEf,IAAM2mE,GAAe5pC,EAAKuoC,mBAAqBM,EAC3CnoC,EACA,GAEJ,OAAA6oC,EAAA,OAAAtzC,MACcoM,GADd,CAGMrC,EAAK4oC,WAALW,EAAA,MAAAtzC,MACc,gBADd,CAC8ByK,EAAKn+B,KAAK+zB,MAAMkuC,QAC1C,GAELoF,OAKP,OAAAL,EAAA,OAAAtzC,MACc,iBAAmBpb,KAAK+tD,WAAa,YAAc,aADjE,CAAAW,EAAA,OAAAtzC,MAEe,QAFf,CAGOuzC,IAHPD,EAAA,OAAAlsC,IAKa,WALbpH,MAK+B,YAAcpb,KAAK8tD,eAAiB,mBAAqB,IALxFvjC,WAAA,EAAAx7B,KAAA,mBAAAS,MAKiHwQ,KAAKmuD,wBALtH,CAMOK,yFCnJXnlE,EAAAyF,EAAA8sB,EAAA,sBAAAozC,IAAA,IAAAC,EAAA5lE,EAAA,IAAA6lE,EAAA7lE,EAAA2G,EAAAi/D,GAIMD,EAAoB,SAACp0C,GAAD,OAFE,SAACA,GAAD,OAAgBu0C,IAAWv0C,GAAcA,EAAUjiB,QAAUiiB,EAEhDw0C,CAAoBx0C,GAAWd,gICS3Du1C,EAAqB,SAACC,GACjC,OAAOC,IAAOD,EAAO,SAACvmE,EAAQymE,GAC5B,IAAM9nE,EAAO,CACX8nE,OACAC,MAAO,EACPC,IAAKF,EAAKtnE,QAGZ,GAAIa,EAAOb,OAAS,EAAG,CACrB,IAAMynE,EAAW5mE,EAAOugD,MAExB5hD,EAAK+nE,OAASE,EAASD,IACvBhoE,EAAKgoE,KAAOC,EAASD,IAErB3mE,EAAOX,KAAKunE,GAKd,OAFA5mE,EAAOX,KAAKV,GAELqB,GACN,KAGQ6mE,EAA4B,SAACjtB,GAGxC,IAFA,IAAI55C,EAAS,GACT8mE,EAAc,GACT7nE,EAAI,EAAGA,EAAI26C,EAAIz6C,OAAQF,IAAK,CACnC,IAAM8nE,EAAcntB,EAAI36C,GAEnB6nE,IAMCC,EAAY5mB,UAAa2mB,EAAY3mB,OAK3C2mB,GAAeC,GAJb/mE,EAAOX,KAAKynE,GACZA,EAAcC,GAPdD,EAAcC,EAgBlB,OAHID,GACF9mE,EAAOX,KAAKynE,GAEP9mE,GAUMgnE,EAPI,CACjBC,eAzD4B,SAACrtB,EAAKstB,GAClC,IAAMX,EAAQM,EAA0BjtB,GAClCutB,EAAoBb,EAAmBC,GAE7C,OAAO3yB,IAAKuzB,EAAmB,SAAAtyD,GAAA,IAAG6xD,EAAH7xD,EAAG6xD,MAAOC,EAAV9xD,EAAU8xD,IAAV,OAAoBD,GAASQ,GAAOP,EAAMO,KAsDzEZ,qBACAO,4BACAO,YAhEyB,SAACxtB,EAAKytB,EAAWt1B,GAC1C,OAAO6H,EAAInyC,MAAM,EAAG4/D,EAAUX,OAAS30B,EAAc6H,EAAInyC,MAAM4/D,EAAUV,eCMrEW,EAAkB,SAAC3N,GAAuB,IAAjB4N,EAAiBr1D,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAP,GACvC,OAAOynD,EAAKz9C,OAAO,SAAAkb,GAAC,OAAIA,EAAEka,YAAYnmC,SAASo8D,MAgLlCC,EA7KK,CAClBz2C,MAAO,CACL02C,oBAAqB,CACnB7C,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,IAGbt7B,KARkB,WAShB,MAAO,CACL4oE,QAAS,GACTG,YAAa,SACbC,iBAAiB,EACjBC,oBAAqB,eACrBC,UAAU,EACVC,uBAxBgB,GAyBhBC,mBAAoB,KACpBC,6BAA6B,IAGjC12C,WAAY,CACV22C,cAAe,kBAAM3nE,EAAAQ,EAAA,GAAA2D,KAAAnE,EAAA0G,KAAA,YACrBwkD,cAEFh6B,QAAS,CACP02C,kBADO,SACYpnE,GACjBmW,KAAKuhB,MAAM,mBAAoB13B,IAEjCqnE,sBAJO,SAIgBrnE,GACrBmW,KAAKuhB,MAAM,wBAAyB13B,IAEtCsnE,QAPO,SAOEj7D,GACP,IAAM1G,EAAQ0G,EAAMm3D,SAAN,IAAA/2D,OAAqBJ,EAAMmkC,YAA3B,KAA4CnkC,EAAM4kC,YAChE96B,KAAKuhB,MAAM,QAAS,CAAE6vC,UAAW5hE,EAAOohE,SAAU5wD,KAAK4wD,YAEzDS,SAXO,SAWGxnE,GACR,IAAMoD,EAAUpD,GAAKA,EAAEoD,QAAW+S,KAAK4f,MAAM,gBAC7C5f,KAAKsxD,oBAAoBrkE,GACzB+S,KAAKuxD,cAActkE,GACnB+S,KAAKwxD,gBAAgBvkE,IAEvBy7B,UAjBO,SAiBI54B,GAAK,IAAAyQ,EAAAP,KAERigB,EADMjgB,KAAK4f,MAAM,SAAW9vB,GAClB,GAAG84D,UACnB5oD,KAAKyxD,iBAAgB,GACrBzxD,KAAKywD,YAAc3gE,EACnBkQ,KAAKwhB,UAAU,WACbjhB,EAAKqf,MAAM,gBAAgBu7B,UAAYl7B,EAAM,KAGjDqxC,oBA1BO,SA0BcrkE,GACfA,EAAOkuD,WAAa,EACtBn7C,KAAK2wD,oBAAsB,eAClB1jE,EAAOkuD,WAAaluD,EAAOykE,aAAe,EACnD1xD,KAAK2wD,oBAAsB,kBAE3B3wD,KAAK2wD,oBAAsB,mBAG/Ba,gBAnCO,SAmCUvkE,GACf,IAAMu1B,EAAMxiB,KAAK4f,MAAM,oBAAoB,GAC3C,GAAK4C,EAAL,CACA,IAAM9B,EAAS8B,EAAIomC,UAAYpmC,EAAIzB,aAE7B4wC,EAAiB1kE,EAAOkuD,UAAYluD,EAAO2kE,aAC3CC,EAAc5kE,EAAOkuD,UACrB2W,EAAc7kE,EAAOsuD,aAOC76B,EAASmxC,GAAeF,IAAmBG,KAJ7CpxC,EAASixC,EA3Ef,OA6ENE,EAAc,IAI1B7xD,KAAK+xD,cAGTR,cAtDO,SAsDQtkE,GAAQ,IAAA63B,EAAA9kB,KACfigB,EAAMhzB,EAAOkuD,UAAY,EAC/Bn7C,KAAKwhB,UAAU,WACbsD,EAAKktC,WAAWnjD,QAAQ,SAAAojD,GACVntC,EAAKlF,MAAM,SAAWqyC,EAAMphE,IAChC,GAAG+3D,WAAa3oC,IACtB6E,EAAK2rC,YAAcwB,EAAMphE,SAKjCkhE,UAjEO,WAkEa/xD,KAAKkyD,kBAAkBhqE,SAAW8X,KAAKmyD,cAAcjqE,SAMvE8X,KAAK6wD,wBAzGW,KA2GlBuB,eA1EO,WA0E8B,IAAAjtC,EAAAnlB,KAArBqyD,EAAqBp3D,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,IAAAA,UAAA,GAC9Bo3D,IACHryD,KAAKswD,QAAU,IAEjBtwD,KAAKwhB,UAAU,WACb2D,EAAKvF,MAAM,gBAAgBu7B,UAAY,IAEtBn7C,KAAKkyD,kBAAkBhqE,SACA8X,KAAKmyD,cAAcjqE,SAClCmqE,IAG3BryD,KAAK6wD,uBAvHW,KAyHlByB,eAxFO,WAyFLtyD,KAAK0wD,iBAAmB1wD,KAAK0wD,iBAE/Be,gBA3FO,SA2FUjiE,GACfwQ,KAAK0wD,gBAAkBlhE,IAG3B2yC,MAAO,CACLmuB,QADK,WAEHtwD,KAAK+wD,6BAA8B,EACnC/wD,KAAKqxD,WACLrxD,KAAKoyD,gBAAe,KAGxBjuC,SAAU,CACRouC,gBADQ,WAEN,OAAOvyD,KAAK0wD,gBAAkB,GAAK1wD,KAAKywD,aAE1C+B,kBAJQ,WAKN,OAAIxyD,KAAKia,OAAOC,MAAMC,SAASs4C,SACtBzyD,KAAKia,OAAOC,MAAMC,SAASs4C,SAASvqE,OAAS,EAE/C,GAETiqE,cAVQ,WAWN,OAAO9B,EACLrwD,KAAKia,OAAOC,MAAMC,SAASm8B,aAAe,GAC1Ct2C,KAAKswD,UAGT4B,kBAhBQ,WAiBN,OAAOlyD,KAAKmyD,cAAc3hE,MAAM,EAAGwP,KAAK6wD,yBAE1Ct/D,OAnBQ,WAoBN,IAAMmhE,EAAiB1yD,KAAKia,OAAOC,MAAMC,SAASjkB,OAAS,GACrDy8D,EAAe3yD,KAAKkyD,kBAE1B,MAAO,CACL,CACErhE,GAAI,SACJ0G,KAAMyI,KAAK+lB,GAAG,gBACd3H,KAAM,aACN7sB,OAAQohE,GAEV,CACE9hE,GAAI,WACJ0G,KAAMyI,KAAK+lB,GAAG,iBACd3H,KAAM,eACN7sB,OAAQ8+D,EAAgBqC,EAAgB1yD,KAAKswD,YAInD0B,WAtCQ,WAuCN,OAAOhyD,KAAKzO,OAAO0T,OAAO,SAAAzV,GAAK,OAAIA,EAAM+B,OAAOrJ,OAAS,KAE3D0qE,qBAzCQ,WA0CN,OAA8D,KAAtD5yD,KAAKia,OAAOC,MAAMC,SAASs4C,UAAY,IAAIvqE,iBC7KzD,IAEAwyB,EAVA,SAAAC,GACEtxB,EAAQ,MAyBKwpE,EAVCxqE,OAAAwyB,EAAA,EAAAxyB,CACdyqE,ECjBF,WAA0B,IAAA1wC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,+CAA0D,CAAAD,EAAA,OAAYC,YAAA,WAAsB,CAAAD,EAAA,QAAaC,YAAA,cAAyBiH,EAAAyY,GAAAzY,EAAA,gBAAA6vC,GAAqC,OAAA/2C,EAAA,QAAkBprB,IAAAmiE,EAAAphE,GAAAsqB,YAAA,kBAAAC,MAAA,CACnS4yC,OAAA5rC,EAAAmwC,kBAAAN,EAAAphE,GACAi2C,SAAA,IAAAmrB,EAAA1gE,OAAArJ,QACSuzB,MAAA,CAAQ3iB,MAAAm5D,EAAA16D,MAAmB8qB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAsG,UAAAupC,EAAAphE,OAAiC,CAAAqqB,EAAA,KAAUE,MAAA62C,EAAA7zC,WAAqB,GAAAgE,EAAAO,GAAA,KAAAP,EAAA,qBAAAlH,EAAA,QAAuDC,YAAA,mBAA8B,CAAAD,EAAA,QAAaC,YAAA,yCAAAC,MAAA,CAA4D4yC,OAAA5rC,EAAAsuC,iBAA4Bj1C,MAAA,CAAQ3iB,MAAAspB,EAAA2D,GAAA,mBAAiC1D,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAkwC,eAAAhvC,MAAoC,CAAApI,EAAA,KAAUC,YAAA,kBAAwBiH,EAAAQ,OAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAuCC,YAAA,WAAsB,CAAAD,EAAA,OAAYC,YAAA,gBAAAC,MAAA,CAAmC4D,OAAAoD,EAAAsuC,kBAA6B,CAAAx1C,EAAA,OAAYC,YAAA,gBAA2B,CAAAD,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,QAAAqI,WAAA,YAAwEtP,YAAA,eAAAM,MAAA,CAAoC7uB,KAAA,OAAAguC,YAAAxY,EAAA2D,GAAA,uBAAyDqE,SAAA,CAAW56B,MAAA4yB,EAAA,SAAsBC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAkuC,QAAAhtC,EAAAr2B,OAAAuC,aAAkC4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BsH,IAAA,eAAArH,YAAA,eAAAC,MAAAgH,EAAAuuC,oBAAAtuC,GAAA,CAAgF45B,OAAA75B,EAAAivC,WAAuBjvC,EAAAyY,GAAAzY,EAAA,oBAAA6vC,GAAyC,OAAA/2C,EAAA,OAAiBprB,IAAAmiE,EAAAphE,GAAAsqB,YAAA,eAAuC,CAAAD,EAAA,MAAWsH,IAAA,SAAAyvC,EAAAphE,GAAAkiE,UAAA,EAAA53C,YAAA,qBAAsE,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAAmsC,EAAA16D,MAAA,kBAAA6qB,EAAAO,GAAA,KAAAP,EAAAyY,GAAAo3B,EAAA,gBAAA/7D,GAAiH,OAAAglB,EAAA,QAAkBprB,IAAAmiE,EAAAphE,GAAAqF,EAAAmkC,YAAAlf,YAAA,aAAAM,MAAA,CAAiE3iB,MAAA5C,EAAAmkC,aAA0BhY,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA+uC,QAAAj7D,MAA4B,CAAAA,EAAAm3D,SAAAnyC,EAAA,OAA6EO,MAAA,CAAOvuB,IAAAgJ,EAAAm3D,YAApFnyC,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA5vB,EAAA4kC,oBAA8G1Y,EAAAO,GAAA,KAAAzH,EAAA,QAAyBsH,IAAA,aAAAyvC,EAAAphE,GAAAkiE,UAAA,KAA0C,KAAM,GAAA3wC,EAAAO,GAAA,KAAAzH,EAAA,OAA2BC,YAAA,aAAwB,CAAAD,EAAA,YAAiBuiC,MAAA,CAAOjuD,MAAA4yB,EAAA,SAAAs7B,SAAA,SAAAC,GAA8Cv7B,EAAAwuC,SAAAjT,GAAiBlzB,WAAA,aAAwB,CAAArI,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAO,GAAA,KAAAP,EAAA,gBAAAlH,EAAA,OAA4HC,YAAA,oBAA+B,CAAAD,EAAA,kBAAuBmH,GAAA,CAAIg9B,SAAAj9B,EAAA6uC,kBAAA3R,gBAAAl9B,EAAA8uC,0BAA4E,GAAA9uC,EAAAQ,UACvsE,IDIA,EAaAlI,EATA,KAEA,MAYgC,6OEHhC,IA8ce05B,EA9cI,CACjBt6B,MAAO,CACL0jC,QAAS,CAsBPmQ,UAAU,EACV/gE,KAAMs2B,UAER1zB,MAAO,CAILm+D,UAAU,EACV/gE,KAAMkE,QAERkiE,kBAAmB,CAIjBrF,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,GAEXiwC,gBAAiB,CAKftF,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,GAEXwtC,oBAAqB,CAInB7C,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,GAEXrE,UAAW,CAKTgvC,UAAU,EACV/gE,KAAMkE,OACNkyB,QAAS,QAEXkwC,mBAAoB,CAClBvF,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,IAGbt7B,KA1EiB,WA2Ef,MAAO,CACLgY,WAAOlR,EACP60C,YAAa,EACbsS,MAAO,EACP3U,SAAS,EACTmyB,YAAa,KACbC,YAAY,EACZC,4BAA4B,EAC5BzC,UAAU,EACV0C,qBAAqB,IAGzBj5C,WAAY,CACVk2C,eAEFpsC,SAAU,CACR4iC,SADQ,WAEN,OAAO/mD,KAAKia,OAAOqN,QAAQlK,aAAa2pC,UAE1C/xC,YAJQ,WAIO,IAAAzU,EAAAP,KACPuzD,EAAYvzD,KAAKwzD,YAAY5wB,OAAO,GAC1C,GAAI5iC,KAAKwzD,cAAgBD,EAAa,MAAO,GAC7C,IAAME,EAAqBzzD,KAAKw9C,QAAQx9C,KAAKwzD,aAC7C,OAAIC,EAAmBvrE,QAAU,EACxB,GAEFwrE,IAAKD,EAAoB,GAC7B5hE,IAAI,SAAA+L,EAAwBmoC,GAAxB,IAAGsnB,EAAHzvD,EAAGyvD,SAAH,oWAAAz0D,CAAA,GAAAgT,IAAAhO,EAAA,eAGHmiD,IAAKsN,GAAY,GACjBhqB,YAAa0C,IAAUxlC,EAAK8iC,iBAGlCswB,gBAnBQ,WAoBN,OAAO3zD,KAAKghC,SACVhhC,KAAKgV,aACLhV,KAAKgV,YAAY9sB,OAAS,IACzB8X,KAAKozD,aACLpzD,KAAKqzD,4BAEVG,YA1BQ,WA2BN,OAAQxzD,KAAK4zD,aAAe,IAAIpE,MAAQ,IAE1CoE,YA7BQ,WA8BN,GAAI5zD,KAAKxQ,OAASwQ,KAAK21C,MAErB,OADake,EAAW7D,eAAehwD,KAAKxQ,MAAOwQ,KAAK21C,MAAQ,IAAM,KAK5EnB,QA9HiB,WA+Hf,IAAMsf,EAAQ9zD,KAAK8iD,OAAL,QACd,GAAKgR,GAA0B,IAAjBA,EAAM5rE,OAApB,CACA,IAAMwX,EAAQo0D,EAAM/5B,KAAK,SAAAlU,GAAI,MAAI,CAAC,QAAS,YAAY3xB,SAAS2xB,EAAKv5B,OAChEoT,IACLM,KAAKN,MAAQA,EACbM,KAAK00C,SACLh1C,EAAMq0D,IAAIntD,iBAAiB,OAAQ5G,KAAKg0D,QACxCt0D,EAAMq0D,IAAIntD,iBAAiB,QAAS5G,KAAKi0D,SACzCv0D,EAAMq0D,IAAIntD,iBAAiB,QAAS5G,KAAKk0D,SACzCx0D,EAAMq0D,IAAIntD,iBAAiB,QAAS5G,KAAKm0D,SACzCz0D,EAAMq0D,IAAIntD,iBAAiB,UAAW5G,KAAKo0D,WAC3C10D,EAAMq0D,IAAIntD,iBAAiB,QAAS5G,KAAKq0D,cACzC30D,EAAMq0D,IAAIntD,iBAAiB,gBAAiB5G,KAAKs0D,cACjD50D,EAAMq0D,IAAIntD,iBAAiB,QAAS5G,KAAKu0D,YAE3CC,UA9IiB,WA8IJ,IACH90D,EAAUM,KAAVN,MACJA,IACFA,EAAMq0D,IAAI7xC,oBAAoB,OAAQliB,KAAKg0D,QAC3Ct0D,EAAMq0D,IAAI7xC,oBAAoB,QAASliB,KAAKi0D,SAC5Cv0D,EAAMq0D,IAAI7xC,oBAAoB,QAASliB,KAAKk0D,SAC5Cx0D,EAAMq0D,IAAI7xC,oBAAoB,QAASliB,KAAKm0D,SAC5Cz0D,EAAMq0D,IAAI7xC,oBAAoB,UAAWliB,KAAKo0D,WAC9C10D,EAAMq0D,IAAI7xC,oBAAoB,QAASliB,KAAKq0D,cAC5C30D,EAAMq0D,IAAI7xC,oBAAoB,gBAAiBliB,KAAKs0D,cACpD50D,EAAMq0D,IAAI7xC,oBAAoB,QAASliB,KAAKu0D,WAGhDpyB,MAAO,CACLwxB,gBAAiB,SAAUc,GACzBz0D,KAAKuhB,MAAM,QAASkzC,KAGxBl6C,QAAS,CACP4hC,kBADO,WACc,IAAAr3B,EAAA9kB,KACnBA,KAAKozD,YAAa,EAClBpzD,KAAK4f,MAAM80C,OAAOtC,iBAClBpyD,KAAKwhB,UAAU,WACbsD,EAAK6vC,mBAKP30D,KAAKszD,qBAAsB,EAC3B7kE,WAAW,WACTq2B,EAAKwuC,qBAAsB,GAC1B,IAELsB,aAfO,WAgBL50D,KAAKN,MAAMq0D,IAAI7gB,QACflzC,KAAKozD,YAAcpzD,KAAKozD,WACpBpzD,KAAKozD,aACPpzD,KAAK20D,iBACL30D,KAAK4f,MAAM80C,OAAOtC,mBAGtBngE,QAvBO,SAuBE6oC,GACP,IAAM25B,EAAWZ,EAAW1D,YAAYnwD,KAAKxQ,MAAOwQ,KAAK4zD,YAAa94B,GACtE96B,KAAKuhB,MAAM,QAASkzC,GACpBz0D,KAAK21C,MAAQ,GAEfkf,OA5BO,SAAAh3D,GA4BmD,IAAhDuzD,EAAgDvzD,EAAhDuzD,UAAWR,EAAqC/yD,EAArC+yD,SAAqCkE,EAAAj3D,EAA3Bk3D,wBAA2B,IAAAD,KAClDE,EAASh1D,KAAKxQ,MAAMspC,UAAU,EAAG94B,KAAK21C,QAAU,GAChDsf,EAAQj1D,KAAKxQ,MAAMspC,UAAU94B,KAAK21C,QAAU,GAgB5Cuf,EAAe,KACfC,EAAeJ,IAAqBG,EAAat2D,KAAKo2D,EAAOxkE,OAAO,KAAOwkE,EAAO9sE,QAAU8X,KAAK+mD,SAAW,EAAK,IAAM,GACvHqO,EAAcL,IAAqBG,EAAat2D,KAAKq2D,EAAM,KAAOj1D,KAAK+mD,SAAY,IAAM,GAEzF0N,EAAW,CACfO,EACAG,EACA/D,EACAgE,EACAH,GACA3zD,KAAK,IACPtB,KAAK4wD,SAAWA,EAChB5wD,KAAKuhB,MAAM,QAASkzC,GACpB,IAAM77B,EAAW54B,KAAK21C,OAASyb,EAAYgE,EAAaD,GAAajtE,OAChE0oE,GACH5wD,KAAKN,MAAMq0D,IAAI7gB,QAGjBlzC,KAAKwhB,UAAU,WAGbxhB,KAAKN,MAAMq0D,IAAIlf,kBAAkBjc,EAAUA,GAC3C54B,KAAK21C,MAAQ/c,KAGjBy8B,YAvEO,SAuEMxrE,EAAGyrE,GACd,IAAMC,EAAMv1D,KAAKgV,YAAY9sB,QAAU,EACvC,GAAgC,IAA5B8X,KAAKwzD,YAAYtrE,SACjBqtE,EAAM,GAAKD,GAAY,CACzB,IACMx6B,GADmBw6B,GAAct1D,KAAKgV,YAAYhV,KAAKqjC,cACxBvI,YAC/B25B,EAAWZ,EAAW1D,YAAYnwD,KAAKxQ,MAAOwQ,KAAK4zD,YAAa94B,GACtE96B,KAAKuhB,MAAM,QAASkzC,GACpBz0D,KAAKqjC,YAAc,EACnB,IAAMzK,EAAW54B,KAAK4zD,YAAYnE,MAAQ30B,EAAY5yC,OAEtD8X,KAAKwhB,UAAU,WAEbxhB,KAAKN,MAAMq0D,IAAI7gB,QAEflzC,KAAKN,MAAMq0D,IAAIlf,kBAAkBjc,EAAUA,GAC3C54B,KAAK21C,MAAQ/c,IAEf/uC,EAAEqhC,mBAGNsqC,cA5FO,SA4FQ3rE,IACDmW,KAAKgV,YAAY9sB,QAAU,GAC7B,GACR8X,KAAKqjC,aAAe,EAChBrjC,KAAKqjC,YAAc,IACrBrjC,KAAKqjC,YAAcrjC,KAAKgV,YAAY9sB,OAAS,GAE/C2B,EAAEqhC,kBAEFlrB,KAAKqjC,YAAc,GAGvBoyB,aAxGO,SAwGO5rE,GACZ,IAAM0rE,EAAMv1D,KAAKgV,YAAY9sB,QAAU,EACnCqtE,EAAM,GACRv1D,KAAKqjC,aAAe,EAChBrjC,KAAKqjC,aAAekyB,IACtBv1D,KAAKqjC,YAAc,GAErBx5C,EAAEqhC,kBAEFlrB,KAAKqjC,YAAc,GAGvBsxB,eApHO,WAoHW,IAAAxvC,EAAAnlB,KACV01D,EAAU11D,KAAK4f,MAAL,OAAqBN,IAK/Bs7B,EAAc56C,KAAKsf,IAAIC,QAAQ,sBAC/Bvf,KAAKsf,IAAIC,QAAQ,0BACjBjvB,OACA2qD,EAAgBL,IAAgBtqD,OAClCsqD,EAAYM,QACZN,EAAYO,UAKVE,EAAuBJ,GAJNL,IAAgBtqD,OACnCsqD,EAAYj6B,YACZi6B,EAAY75B,cAKV40C,EAAmBD,EAAQ30C,aAAe46B,YAAW+Z,EAAS9a,GAAa36B,IAI3E87B,EAAed,EAFDt+C,KAAK4jB,IAAI,EAAGo1C,EAAmBta,GAI/CT,IAAgBtqD,OAClBsqD,EAAYqB,OAAO,EAAGF,GAEtBnB,EAAYO,UAAYY,EAG1B/7C,KAAKwhB,UAAU,WAAM,IACXT,EAAiBoE,EAAKzlB,MAAMq0D,IAA5BhzC,aACA2zC,EAAWvvC,EAAKvF,MAAhB80C,OACaA,EAAOp1C,IAAIG,wBAAwBiB,OACrCpwB,OAAOqwB,cACxB+zC,EAAOp1C,IAAIuD,MAAM5C,IAAM,OACvBy0C,EAAOp1C,IAAIuD,MAAMnC,OAASK,EAAe,SAI/CuzC,aA7JO,SA6JOzqE,GACZmW,KAAK00C,UAEPsf,OAhKO,SAgKCnqE,GAAG,IAAA6xC,EAAA17B,KAGTA,KAAKmzD,YAAc1kE,WAAW,WAC5BitC,EAAKsF,SAAU,EACftF,EAAKk6B,SAAS/rE,GACd6xC,EAAKgZ,UACJ,MAEL9yB,QAzKO,SAyKE/3B,EAAGyrE,GACVt1D,KAAKq1D,YAAYxrE,EAAGyrE,IAEtBrB,QA5KO,SA4KEpqE,GACHmW,KAAKmzD,cACPhlE,aAAa6R,KAAKmzD,aAClBnzD,KAAKmzD,YAAc,MAGhBnzD,KAAK4wD,WACR5wD,KAAKozD,YAAa,GAEpBpzD,KAAKghC,SAAU,EACfhhC,KAAK41D,SAAS/rE,GACdmW,KAAK00C,SACL10C,KAAKqzD,4BAA6B,GAEpCc,QA1LO,SA0LEtqE,GAAG,IACFiG,EAAQjG,EAARiG,IACRkQ,KAAK41D,SAAS/rE,GACdmW,KAAK00C,SAKH10C,KAAKqzD,2BADK,WAARvjE,GAMNokE,QAvMO,SAuMErqE,GACPmW,KAAK41D,SAAS/rE,GACdmW,KAAK00C,UAEP0f,UA3MO,SA2MIvqE,GAAG,IAAA+xC,EAAA57B,KACJs+C,EAA2Bz0D,EAA3By0D,QAASC,EAAkB10D,EAAlB00D,SAAUzuD,EAAQjG,EAARiG,IACvBkQ,KAAKkzD,oBAAsB5U,GAAmB,UAARxuD,IACxCkQ,KAAK60D,OAAO,CAAEzD,UAAW,KAAM2D,kBAAkB,IAEjDlrE,EAAE25B,kBACF35B,EAAEqhC,iBAGFlrB,KAAKwhB,UAAU,WACboa,EAAKl8B,MAAMq0D,IAAIh/B,OACf6G,EAAKl8B,MAAMq0D,IAAI7gB,WAIdlzC,KAAKqzD,6BACI,QAARvjE,IACEyuD,EACFv+C,KAAKw1D,cAAc3rE,GAEnBmW,KAAKy1D,aAAa5rE,IAGV,YAARiG,EACFkQ,KAAKw1D,cAAc3rE,GACF,cAARiG,GACTkQ,KAAKy1D,aAAa5rE,GAER,UAARiG,IACGwuD,GACHt+C,KAAKq1D,YAAYxrE,KAQX,WAARiG,IACGkQ,KAAKqzD,4BACRrzD,KAAKN,MAAMq0D,IAAI7gB,SAInBlzC,KAAKozD,YAAa,EAClBpzD,KAAK00C,UAEP6f,QA1PO,SA0PE1qE,GACPmW,KAAKozD,YAAa,EAClBpzD,KAAK41D,SAAS/rE,GACdmW,KAAK00C,SACL10C,KAAKuhB,MAAM,QAAS13B,EAAEoD,OAAOuC,QAE/B6kE,aAhQO,SAgQOxqE,GACZmW,KAAKozD,YAAa,GAEpBvxC,eAnQO,SAmQSh4B,GACVmW,KAAKszD,sBACTtzD,KAAKozD,YAAa,IAEpBnC,kBAvQO,SAuQYpnE,GACjBmW,KAAKozD,YAAa,EAClBpzD,KAAKuhB,MAAM,mBAAoB13B,IAEjCqnE,sBA3QO,SA2QgBrnE,GACrBmW,KAAKozD,YAAa,EAClBpzD,KAAKuhB,MAAM,wBAAyB13B,IAEtC+rE,SA/QO,SAAAt3D,GA+QmC,IAApB09C,EAAoB19C,EAA9BrR,OAAU+uD,eACpBh8C,KAAK21C,MAAQqG,GAEftH,OAlRO,WAmRL,IAAM9oB,EAAQ5rB,KAAK4f,MAAMgM,MACzB,GAAKA,EAAL,CACA,IAAM8oC,EAAS10D,KAAK4f,MAAM80C,OAAOp1C,IAC3Bu2C,EAAY71D,KAAK4f,MAAM,cAJrBk2C,EAK4B91D,KAAKN,MAAMq0D,IAAvChzC,EALA+0C,EAKA/0C,aACFg1C,EANED,EAKclN,UACW7nC,EAEjC/gB,KAAKg2D,aAAaH,EAAWjqC,EAAOmqC,GACpC/1D,KAAKg2D,aAAatB,EAAQA,EAAQqB,KAEpCC,aA7RO,SA6ROC,EAAWhpE,EAAQ8oE,GAC1BE,GAAchpE,IAEnBA,EAAO41B,MAAM5C,IAAM81C,EAAe,KAClC9oE,EAAO41B,MAAMnC,OAAS,QAEC,QAAnB1gB,KAAK2e,WAA2C,SAAnB3e,KAAK2e,WAAwB3e,KAAKk2D,gBAAgBD,MACjFhpE,EAAO41B,MAAM5C,IAAM,OACnBhzB,EAAO41B,MAAMnC,OAAS1gB,KAAKN,MAAMq0D,IAAIhzC,aAAe,QAGxDm1C,gBAxSO,SAwSU3d,GACf,OAAOA,EAAG94B,wBAAwBiB,OAASpwB,OAAOqwB,eCxdxD,IAEIw1C,EAVJ,SAAoBx7C,GAClBtxB,EAAQ,MAeN+sE,EAAY/tE,OAAAwyB,EAAA,EAAAxyB,CACdguE,ECjBQ,WAAgB,IAAAj0C,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBqP,WAAA,EAAax7B,KAAA,gBAAAy7B,QAAA,kBAAAh7B,MAAA4yB,EAAA,eAAAqI,WAAA,mBAAsGtP,YAAA,cAAAC,MAAA,CAAmCk7C,eAAAl0C,EAAA6wC,kBAAuC,CAAA7wC,EAAAM,GAAA,WAAAN,EAAAO,GAAA,KAAAP,EAAA,mBAAAA,EAAA6wC,gBAAoP7wC,EAAAQ,KAApP1H,EAAA,OAA0FC,YAAA,oBAAAkH,GAAA,CAAoCI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAwyC,aAAAtxC,MAAkC,CAAApI,EAAA,KAAUC,YAAA,iBAAyBiH,EAAAO,GAAA,KAAAP,EAAA,kBAAAlH,EAAA,eAAmEsH,IAAA,SAAArH,YAAA,qBAAAC,MAAA,CAAqDm7C,MAAAn0C,EAAAgxC,YAAwB33C,MAAA,CAAQsiC,wBAAA37B,EAAAouC,qBAAgDnuC,GAAA,CAAKnsB,MAAAksB,EAAAyyC,OAAA7W,mBAAA57B,EAAA6uC,kBAAAhT,wBAAA77B,EAAA8uC,yBAA+G9uC,EAAAQ,MAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA2CsH,IAAA,QAAArH,YAAA,qBAAAC,MAAA,CAAoDm7C,MAAAn0C,EAAAuxC,kBAA8B,CAAAz4C,EAAA,OAAYsH,IAAA,aAAArH,YAAA,2BAAuDiH,EAAAyY,GAAAzY,EAAA,qBAAAkzC,EAAAvvB,GAAqD,OAAA7qB,EAAA,OAAiBprB,IAAAi2C,EAAA5qB,YAAA,oBAAAC,MAAA,CAAiDioB,YAAAiyB,EAAAjyB,aAAsChhB,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAR,QAAA0B,EAAAgyC,MAAyC,CAAAp6C,EAAA,QAAaC,YAAA,SAAoB,CAAAm6C,EAAA,IAAAp6C,EAAA,OAA6BO,MAAA,CAAOvuB,IAAAooE,EAAAvV,OAAsB7kC,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAAwvC,EAAAx6B,kBAAA1Y,EAAAO,GAAA,KAAAzH,EAAA,OAA8EC,YAAA,SAAoB,CAAAD,EAAA,QAAaC,YAAA,eAA0B,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAAwvC,EAAAj7B,gBAAAjY,EAAAO,GAAA,KAAAzH,EAAA,QAAkEC,YAAA,cAAyB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAAwvC,EAAA/H,qBAA8C,UACtoD,IDOY,EAa7B4I,EATiB,KAEU,MAYdv6C,EAAA,EAAAw6C,EAAiB,sCE1BhC,IAqDe9hB,EArDO,CACpBx6B,MAAO,CACL,UACA,cACA,gBACA,eACA,iBAEFpyB,KARoB,WASlB,MAAO,CACL8uE,aAAcx2D,KAAKy2D,eAGvBtyC,SAAU,CACRuyC,YADQ,WAEN,QAAQ12D,KAAK22D,YAAe32D,KAAK42D,cAAiB52D,KAAK62D,aAAgB72D,KAAK82D,aAE9EH,WAJQ,WAKN,MAA8B,WAAvB32D,KAAK+2D,eAA8B/2D,KAAKg3D,WAAW,WAE5DJ,aAPQ,WAQN,MAA8B,WAAvB52D,KAAK+2D,eAA8B/2D,KAAKg3D,WAAW,aAE5DH,YAVQ,WAWN,MAA8B,WAAvB72D,KAAK+2D,eAA8B/2D,KAAKg3D,WAAW,YAE5DF,WAbQ,WAcN,OAAO92D,KAAKg3D,WAAW,WAEzBC,IAhBQ,WAiBN,MAAO,CACLjuD,OAAQ,CAAE+hB,SAAgC,WAAtB/qB,KAAKw2D,cACzBU,SAAU,CAAEnsC,SAAgC,aAAtB/qB,KAAKw2D,cAC3BW,QAAS,CAAEpsC,SAAgC,YAAtB/qB,KAAKw2D,cAC1BY,OAAQ,CAAErsC,SAAgC,WAAtB/qB,KAAKw2D,iBAI/Bj8C,QAAS,CACPy8C,WADO,SACK5hB,GACV,OAAOp1C,KAAK49B,SACV59B,KAAKw2D,eAAiBphB,GACtBp1C,KAAK+2D,gBAAkB3hB,GACvBp1C,KAAKq3D,cAAgBjiB,GACX,WAAVA,GAEJgH,UARO,SAQIhH,GACTp1C,KAAKw2D,aAAephB,EACpBp1C,KAAKs3D,eAAiBt3D,KAAKs3D,cAAcliB,aCxC/C,IAEA16B,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdkvE,ECjBF,WAA0B,IAAAn1C,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAAs0C,YAA83Bt0C,EAAAQ,KAA93B1H,EAAA,OAAoCC,YAAA,kBAA6B,CAAAiH,EAAA,WAAAlH,EAAA,KAA2BC,YAAA,gBAAAC,MAAAgH,EAAA60C,IAAAG,OAAA37C,MAAA,CAAwD3iB,MAAAspB,EAAA2D,GAAA,6BAA2C1D,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAg6B,UAAA,cAAiCh6B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,KAAiDC,YAAA,YAAAC,MAAAgH,EAAA60C,IAAAE,QAAA17C,MAAA,CAAqD3iB,MAAAspB,EAAA2D,GAAA,8BAA4C1D,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAg6B,UAAA,eAAkCh6B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,aAAAlH,EAAA,KAAkDC,YAAA,qBAAAC,MAAAgH,EAAA60C,IAAAC,SAAAz7C,MAAA,CAA+D3iB,MAAAspB,EAAA2D,GAAA,+BAA6C1D,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAg6B,UAAA,gBAAmCh6B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,WAAAlH,EAAA,KAAgDC,YAAA,aAAAC,MAAAgH,EAAA60C,IAAAjuD,OAAAyS,MAAA,CAAqD3iB,MAAAspB,EAAA2D,GAAA,6BAA2C1D,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAg6B,UAAA,cAAiCh6B,EAAAQ,QACv9B,IDOA,EAaAlI,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,4CE1BhCjxB,EAAAD,QAAiBL,EAAA4C,EAAuB,u4yBCGxC,IAAAqL,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,oQAAoQ,0BCF3R,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,8mMAAsnM,uBCF7oM,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,2IAA2I,sBCFlK,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,22CAA22C,sBCFl4C,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,+6DAA+6D,sBCFt8D,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,uIAAuI,sBCF9J,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,wIAAwI,sBCF/J,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,60LAA60L,sBCFp2L,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,+MAA+M,sBCFtO,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4HAA4H,sBCFnJ,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,m5EAAm5E,sBCF16E,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,+6HAA+6H,sBCFt8H,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yiCAA6iC,sBCFpkC,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,igCAAigC,sBCFxhC,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,wpFAAwpF,sBCF/qF,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,w3BAA03B,sBCFj5B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,ynFAAynF,sBCFhpF,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4jCAA4jC,sBCFnlC,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,k5BAAk5B,sBCFz6B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,+6BAA+6B,sBCFt8B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,wnLAAwnL,sBCF/oL,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,+bAA+b,sBCFtd,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,2FAA2F,sBCFlH,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,gdAAkd,sBCFze,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,ymCAA2mC,sBCFloC,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,6QAA6Q,sBCFpS,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,qUAAqU,sBCF5V,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,icAAic,sBCFxd,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,odAAod,sBCF3e,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,i8BAAi8B,sBCFx9B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,weAAwe,oCCF/f,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4nEAA4nE,sBCFnpE,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,8zGAA8zG,sBCFr1G,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,i2BAAm2B,sBCF13B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,uNAAuN,sBCF9O,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,68CAA68C,sBCFp+C,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4hBAA4hB,sBCFnjB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yWAAyW,sBCFhY,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yiBAAyiB,sBCFhkB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,0KAA0K,sBCFjM,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,qtFAAqtF,sBCF5uF,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,u+FAAy+F,sBCFhgG,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,u1DAAu1D,sBCF92D,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,8TAA8T,0DCFrV,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,+wCAA+wC,sBCFtyC,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,s9CAAw9C,8CCF/+C,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,y4BAAy4B,sBCFh6B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,kWAAkW,sBCFzX,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,w3BAAw3B,sBCF/4B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4yBAA4yB,sBCFn0B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yBCFvB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yBCFvB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,uCAAuC,sBCF9D,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,2BAA2B,sBCFlD,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yBCFvB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,2BAA2B,sBCFlD,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yBCFvB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAA0D25B,SAC5E,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAAoD,IAK/EjB,KAAA,CAAcuB,EAAA3B,EAAS,21gBAAm2gB,sBCF13gB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,2CAA2C,sBCFlE,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,63CAA63C,sBCFp5C,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4eAA4e,sBCFngB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,6RAA6R,yBCFpT,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4rBAA4rB,sBCFntB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,8hBAA8hB,sBCFrjB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,mUAAmU,sBCF1V,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,qNAAqN,sBCF5O,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,wlCAAwlC,sBCF/mC,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,g+EAAg+E,sBCFv/E,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,ymBAAymB,sBCFhoB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4vDAA4vD,sBCFnxD,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,kpDAAkpD,sBCFzqD,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,0QAA0Q,sBCFjS,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,0nCAA0nC,gHCHjpC,IAEE,IAAIqe,YAEJ,MAAOxc,GACPyG,OAAO+V,YAAcoxD,ICLvB,IA2IeC,EAtHM,CACnBx9C,MAtBmB,CACnBk0C,mBAAoB,SACpBuJ,qBAAqB,EACrBC,uBAAwB,KACxB1gD,SAAU,CACR2gD,uBAAwB,KACxBC,mBAAoB,KACpBC,uBAAwB,MAE1B5wC,eAAgB,CACdC,UAAW92B,OAAO0nE,KAAO1nE,OAAO0nE,IAAIC,WAClC3nE,OAAO0nE,IAAIC,SAAS,SAAU,qBAC9B3nE,OAAO0nE,IAAIC,SAAS,iBAAkB,sBAG1ClgB,cAAc,EACdmgB,cAAe,GACfC,aAAc,EACdC,aAAc,MAKdzQ,UAAW,CACT0Q,cADS,SACMn+C,EADNtc,GACiC,IAAlB06D,EAAkB16D,EAAlB06D,QAASpqE,EAAS0P,EAAT1P,MAC3BoqE,GACEp+C,EAAM49C,oBACR3pE,aAAa+rB,EAAM49C,oBAErBnvC,cAAIzO,EAAMhD,SAAU,yBAA0B,CAAEhpB,OAAO,EAAOxG,KAAM4wE,IACpE3vC,cAAIzO,EAAMhD,SAAU,qBAClBzoB,WAAW,kBAAMq5D,iBAAI5tC,EAAMhD,SAAU,2BAA2B,OAElEyR,cAAIzO,EAAMhD,SAAU,yBAA0B,CAAEhpB,OAAO,EAAMqqE,UAAWrqE,KAG5EsqE,0BAbS,SAakBt+C,EAAOmuC,GAChCnuC,EAAM69C,uBAAyB1P,GAEjCoQ,gBAhBS,SAgBQv+C,EAAO1qB,GACtB0qB,EAAM69B,aAAevoD,GAEvBkpE,mBAnBS,SAmBWx+C,GAClBA,EAAMk0C,mBAAqB,UAE7BuK,wBAtBS,SAsBgBz+C,GACvB,OAAQA,EAAMk0C,oBACZ,IAAK,YAEH,YADAl0C,EAAMk0C,mBAAqB,WAE7B,IAAK,UAEH,YADAl0C,EAAMk0C,mBAAqB,aAE7B,QACE,MAAM,IAAIhhE,MAAM,kDAGtBwrE,kBAlCS,SAkCU1+C,GACjBA,EAAMk0C,mBAAqB,UACtBl0C,EAAMy9C,sBACTz9C,EAAMy9C,qBAAsB,IAGhCkB,0BAxCS,SAwCkB3+C,EAAO1qB,GAChC0qB,EAAM09C,uBAAyBpoE,GAEjCspE,iBA3CS,SA2CS5+C,EAAOzf,GACvByf,EAAMg+C,cAAc9vE,KAAKqS,IAE3Bs+D,mBA9CS,SA8CW7+C,EAAOzf,GACzByf,EAAMg+C,cAAgBh+C,EAAMg+C,cAAcjzD,OAAO,SAAAjV,GAAC,OAAIA,IAAMyK,KAE9Du+D,gBAjDS,SAiDQ9+C,EAAO1qB,GACtB0qB,EAAMi+C,aAAe3oE,GAEvBypE,gBApDS,SAoDQ/+C,EAAO1qB,GACtB0qB,EAAMk+C,aAAe5oE,IAGzBu4D,QAAS,CACPmR,aADO,SAAAr7D,GACmC,IAA1Bme,EAA0Bne,EAA1Bme,UAAajN,EAAa9T,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GACpC9O,SAAS2M,MAAT,GAAAxC,OAAoByY,EAApB,KAAAzY,OAA8B0lB,EAAU7B,SAASprB,OAEnDspE,cAJO,SAAA/5D,EAAAC,GAIkD,IAAxCqmB,EAAwCtmB,EAAxCsmB,OAAwCtmB,EAAhC0mB,SACvBJ,EAAO,gBAAiB,CAAE0zC,QAD6B/5D,EAAlB+5D,QACFpqE,MADoBqQ,EAATrQ,SAGhDsqE,0BAPO,SAAAjmD,EAOgC81C,IACrCzjC,EADiDrS,EAAtBqS,QACpB,4BAA6ByjC,IAEtCoQ,gBAVO,SAAA3lD,EAUsBtjB,IAC3Bo1B,EADkC9R,EAAjB8R,QACV,kBAAmBp1B,IAE5BkpE,mBAbO,SAAA1mD,IAcL4S,EAD8B5S,EAAV4S,QACb,uBAETg0C,kBAhBO,SAAAjtD,IAiBLiZ,EAD6BjZ,EAAViZ,QACZ,sBAET+zC,wBAnBO,SAAA1sD,IAoBL2Y,EADmC3Y,EAAV2Y,QAClB,4BAETu0C,4BAtBO,SAAA/sD,IAuBLwY,EADuCxY,EAAVwY,QACtB,4BAA6B,OAEtCw0C,qBAzBO,SAAA9sD,EAyB2B9c,GAAO,IAAjBo1B,EAAiBtY,EAAjBsY,OACtBA,EAAO,4BAA6Bp1B,GACpCo1B,EAAO,sBAETk0C,iBA7BO,SAAAtsD,EAAAE,GAoCF,IANDkY,EAMCpY,EANDoY,OAAQI,EAMPxY,EANOwY,SAERq0C,EAIC3sD,EAJD2sD,WAICC,EAAA5sD,EAHD6sD,mBAGC,IAAAD,EAHa,GAGbA,EAAAE,EAAA9sD,EAFDo8B,aAEC,IAAA0wB,EAFO,QAEPA,EAAAC,EAAA/sD,EADD5e,eACC,IAAA2rE,EADS,EACTA,EACGh/D,EAAS,CACb4+D,aACAE,cACAzwB,SAMF,OAJIh7C,GACFW,WAAW,kBAAMu2B,EAAS,qBAAsBvqB,IAAS3M,GAE3D82B,EAAO,mBAAoBnqB,GACpBA,GAETs+D,mBAhDO,SAAAnsD,EAgDyBnS,IAC9BmqB,EADsChY,EAAlBgY,QACb,qBAAsBnqB,IAE/Bu+D,gBAnDO,SAAAjsD,EAmDsBvd,IAC3Bo1B,EADkC7X,EAAjB6X,QACV,kBAAmBp1B,IAE5BypE,gBAtDO,SAAAtkD,EAsDsBnlB,IAC3Bo1B,EADkCjQ,EAAjBiQ,QACV,kBAAmBp1B,mTClIhC,IA0Me2qB,EAhIE,CACfD,MA3EmB,CAEnBnrB,KAAM,aACN2qE,kBAAkB,EAClBt/C,OAAQ,yBACRw8B,UAAW,IACXzhB,eAAW3mC,EACXmrE,oBAAgBnrE,EAGhByoD,wBAAwB,EACxBj9B,cAAe,kBACf4/C,cAAe,qBACfhnD,WAAY,8BACZy0B,4BAA4B,EAC5BwyB,aAAa,EACbnxB,WAAW,EACX7H,sBAAsB,EACtBimB,gBAAgB,EAChBptB,eAAe,EACfogC,cAAc,EACdxvC,eAAe,EACfyvC,YAAa,WACbC,KAAM,mBACNC,WAAY,OACZC,UAAU,EACV/jB,mBAAmB,EACnBwJ,qBAAiBnxD,EACjB8mD,gBAAiB,aACjB6kB,kBAAmB,gBACnBC,oBAAqB,YACrBrlB,WAAW,EACXslB,mBAAmB,EACnBC,2BAA2B,EAC3BC,cAAc,EACdl5B,oBAAqB,QACrBxL,MAAO,eAGPygB,YAAa,GACbkkB,oBAAoB,EACpBtkE,MAAO,GACPukE,cAAc,EACdC,gBAAgB,EAChBxjB,YAAa,GACbx9B,oBAAqB,GACrB09B,QAAQ,EACRujB,aAAc,GAGdC,eAAe,EACfj0C,8BAA8B,EAC9Bk0C,iBAAiB,EACjBta,qBAAqB,EACrBua,oBAAoB,EACpBC,eAAgB,GAGhBC,6BAA8B,GAC9BC,IAAK,GAGLC,eAAgB,GAChBC,gBAAiB,GAEjB9jB,gBAAgB,EAChBlF,WAAY,CACVE,YAAa,EACbE,iBAAkB,IAClBO,eAAgB,GAChBH,eAAgB,QAMlBgV,UAAW,CACTyT,kBADS,SACUlhD,EADVtc,GACkC,IAAf7O,EAAe6O,EAAf7O,KAAMS,EAASoO,EAATpO,WACX,IAAVA,GACTm5B,cAAIzO,EAAOnrB,EAAMS,IAGrB6rE,gBANS,SAMQnhD,EAAOohD,GACtBphD,EAAMygD,aAAeW,IAGzBh0C,QAAS,CACPi0C,sBADO,SACgBrhD,GACrB,OAAOwtC,IACJ71D,IAAI,SAAA/B,GAAG,MAAI,CAACA,EAAKoqB,EAAMpqB,MACvBkG,OAAO,SAACC,EAAD4H,GAAA,IAAAS,EAAA8C,IAAAvD,EAAA,GAAO/N,EAAPwO,EAAA,GAAY9O,EAAZ8O,EAAA,uWAAA1F,CAAA,GAA6B3C,EAA7BulE,IAAA,GAAmC1rE,EAAMN,KAAU,MAGjEu4D,QAAS,CACPqT,kBADO,SAAA78D,EAAAgU,GACmD,IAArCqS,EAAqCrmB,EAArCqmB,OAAQI,EAA6BzmB,EAA7BymB,SAAcj2B,EAAewjB,EAAfxjB,KAAMS,EAAS+iB,EAAT/iB,MAE/C,OADAo1B,EAAO,oBAAqB,CAAE71B,OAAMS,UAC5BT,GACN,IAAK,OACHi2B,EAAS,gBACT,MACF,IAAK,gBACCx1B,GACFw1B,EAAS,oBAEX,MACF,IAAK,QACHA,EAAS,WAAYx1B,KAIrBisE,eAjBC,SAAA3oD,GAAA,IAAA8R,EAAA82C,EAAAC,EAAAzlE,EAAA,OAAA2U,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,cAiBiBupB,EAjBjB9R,EAiBiB8R,OAjBjB7Z,EAAAvP,KAAA,EAAAuP,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAmBe3a,OAAOmT,MAAM,uBAnB5B,YAmBGi4D,EAnBH3wD,EAAAG,MAoBK3G,GApBL,CAAAwG,EAAA1P,KAAA,gBAAA0P,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAqBoBywD,EAAIp3D,QArBxB,OAqBKq3D,EArBL5wD,EAAAG,KAsBKhV,EAAQ7N,OAAO+mB,KAAKusD,GAAQ9pE,IAAI,SAAC/B,GACrC,MAAO,CACLuqC,YAAavqC,EACbu9D,UAAU,EACVvyB,YAAa6gC,EAAO7rE,MAErBguB,KAAK,SAACrgB,EAAGnB,GAAJ,OAAUmB,EAAE48B,YAAc/9B,EAAE+9B,cACpCzV,EAAO,oBAAqB,CAAE71B,KAAM,QAASS,MAAO0G,IA7BnD6U,EAAA1P,KAAA,uBA+BMqgE,EA/BN,QAAA3wD,EAAA1P,KAAA,iBAAA0P,EAAAvP,KAAA,GAAAuP,EAAAK,GAAAL,EAAA,SAkCH3a,QAAQmX,KAAK,2BACbnX,QAAQmX,KAARwD,EAAAK,IAnCG,yBAAAL,EAAAM,SAAA,qBAuCDuwD,eAvCC,SAAA5pD,GAAA,IAAA4S,EAAA1K,EAAAwhD,EAAA3yE,EAAA4yE,EAAAzlE,EAAA,OAAA2U,EAAApN,EAAAqN,MAAA,SAAA+wD,GAAA,cAAAA,EAAArgE,KAAAqgE,EAAAxgE,MAAA,cAuCiBupB,EAvCjB5S,EAuCiB4S,OAAQ1K,EAvCzBlI,EAuCyBkI,MAvCzB2hD,EAAArgE,KAAA,EAAAqgE,EAAAxgE,KAAA,EAAAwP,EAAApN,EAAAwN,MAyCe3a,OAAOmT,MAAM,4BAzC5B,YAyCGi4D,EAzCHG,EAAA3wD,MA0CK3G,GA1CL,CAAAs3D,EAAAxgE,KAAA,gBAAAwgE,EAAAxgE,KAAA,EAAAwP,EAAApN,EAAAwN,MA2CoBywD,EAAIp3D,QA3CxB,OA2CKvb,EA3CL8yE,EAAA3wD,KA4CKywD,EAAS7wC,MAAMmO,QAAQlwC,GAAUV,OAAOgX,OAAPxW,MAAAR,OAAM,CAAQ,IAARiO,OAAAiL,IAAexY,KAAUA,EAChEmN,EAAQ7N,OAAO6Y,QAAQy6D,GAAQ9pE,IAAI,SAAA8Z,GAAkB,IAAAM,EAAA7K,IAAAuK,EAAA,GAAhB7b,EAAgBmc,EAAA,GAAXzc,EAAWyc,EAAA,GACnDohD,EAAW79D,EAAMssE,UACvB,MAAO,CACLzhC,YAAavqC,EACbu9D,SAAUA,EAAWnzC,EAAME,OAASizC,EAAW79D,EAC/C4F,KAAMi4D,EAAW79D,EAAM4F,KAAK0oB,KAAK,SAACrgB,EAAGnB,GAAJ,OAAUmB,EAAInB,EAAI,EAAI,IAAK,CAAC,OAC7Dw+B,YAAW,IAAAxkC,OAAMxG,EAAN,SAIZguB,KAAK,SAACrgB,EAAGnB,GAAJ,OAAUmB,EAAE48B,YAAYD,cAAgB99B,EAAE+9B,YAAYD,cAAgB,EAAI,IAClFxV,EAAO,oBAAqB,CAAE71B,KAAM,cAAeS,MAAO0G,IAxDzD2lE,EAAAxgE,KAAA,uBA0DMqgE,EA1DN,QAAAG,EAAAxgE,KAAA,iBAAAwgE,EAAArgE,KAAA,GAAAqgE,EAAAzwD,GAAAywD,EAAA,SA6DHzrE,QAAQmX,KAAK,4BACbnX,QAAQmX,KAARs0D,EAAAzwD,IA9DG,yBAAAywD,EAAAxwD,SAAA,qBAkEP0wD,SAlEO,SAAA3vD,EAkE0B4vD,GAAW,IAAhCp3C,EAAgCxY,EAAhCwY,OAAQ5I,EAAwB5P,EAAxB4P,UAClB4I,EAAO,oBAAqB,CAAE71B,KAAM,QAASS,MAAOwsE,IACpDjjC,YAAUijC,GACPxuE,KAAK,SAAA2nC,GAIJ,GAHAvQ,EAAO,oBAAqB,CAAE71B,KAAM,YAAaS,MAAO2lC,KAEhCnZ,EAAUC,OAA1B0qC,YACR,CAGA,IAAMsV,EAAc9mC,EAAUxhC,QACzBwhC,EAAUU,OAAUomC,GAAeA,EAAY5mC,qBAAuBiX,IACzEzY,YAAWooC,GAEXpoC,YAAWsB,EAAUU,WAI7BqmC,WApFO,SAAA5vD,GAoF0B,IAAnB0Y,EAAmB1Y,EAAnB0Y,SAAU9K,EAAS5N,EAAT4N,MACjBA,EAAMsgD,qBACTtgD,EAAMsgD,oBAAqB,EAC3Bx1C,EAAS,mBAEN9K,EAAMugD,eACTvgD,EAAMugD,cAAe,EACrBz1C,EAAS,oBAIPm3C,gBA/FC,SAAA3vD,GAAA,IAAAoY,EAAA5I,EAAAjzB,EAAA,OAAA8hB,EAAApN,EAAAqN,MAAA,SAAAsxD,GAAA,cAAAA,EAAA5gE,KAAA4gE,EAAA/gE,MAAA,cA+FkBupB,EA/FlBpY,EA+FkBoY,OAAQ5I,EA/F1BxP,EA+F0BwP,UA/F1BogD,EAAA5gE,KAAA,EAAA4gE,EAAA/gE,KAAA,EAAAwP,EAAApN,EAAAwN,MAiGkBlD,IAAW8P,kBAAkB,CAChDlU,YAAaqY,EAAUpR,MAAMod,YAAYrkB,eAlGxC,OAiGG5a,EAjGHqzE,EAAAlxD,KAoGH0Z,EAAO,kBAAmB77B,GApGvBqzE,EAAA/gE,KAAA,gBAAA+gE,EAAA5gE,KAAA,EAAA4gE,EAAAhxD,GAAAgxD,EAAA,SAsGHhsE,QAAQmX,KAAK,4BACbnX,QAAQmX,KAAR60D,EAAAhxD,IAvGG,yBAAAgxD,EAAA/wD,SAAA,0yBCjFX,IAAMgxD,EAAU,iBAAiB,CAC/B5kD,SAAU,GACV6kD,eAAgB,GAChBC,MAAO,GACPC,gBAAiB,GACjBC,sBAAuB,GACvBC,eAAgB,EAChBthE,MAAO,EACPG,MAAO,EACPohE,aAAc,EACd13B,SAAS,EACT23B,UAAW,GACX3zD,QAAS,GACTR,OAbcxN,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAU,EAcxB4hE,YAAa,IAGTC,EAAqB,iBAAO,CAChCxU,4BAA4B,EAC5BltD,MAAO,EACPG,MAAOqhB,OAAOmgD,kBACdr1E,KAAM,GACNs1E,QAAS,GACT/3B,SAAS,EACT/2C,OAAO,IAGIw4D,EAAe,iBAAO,CACjC9pB,YAAa,GACb2D,kBAAmB,GACnB08B,oBAAqB,GACrB7hE,MAAO,EACP+N,cAAe2zD,IACfxzD,UAAW,IAAI1D,IACf1X,OAAO,EACPqqE,UAAW,KACX2E,UAAW,CACTvjE,SAAU0iE,IACVrzD,OAAQqzD,IACR7iE,KAAM6iE,IACN/yD,UAAW+yD,IACXhzD,MAAOgzD,IACPjzD,kBAAmBizD,IACnBpzD,QAASozD,IACT/vE,IAAK+vE,IACLnzD,IAAKmzD,IACL9yD,UAAW8yD,OAcTc,EAAa,SAACC,EAAKC,EAAKxa,GAC5B,IAX4BrsD,EAWtB8mE,EAAUD,EAAIxa,EAAKhyD,IAEzB,OAAIysE,GAIFC,IAAMD,EAASE,IAAO3a,EAAM,SAACv5B,EAAGxqB,GAAJ,OAAgB,OAANwqB,GAAoB,SAANxqB,KAEpDw+D,EAAQ1jE,YAAYxQ,OAAOk0E,EAAQ1jE,YAAY1R,QACxC,CAAE26D,KAAMya,EAASG,KAAK,MApBHjnE,EAuBZqsD,GArBTnjB,SAAU,EAGjBlpC,EAAOoD,YAAcpD,EAAOoD,aAAe,GAmBzCwjE,EAAIh1E,KAAKy6D,GACTl6B,cAAI00C,EAAKxa,EAAKhyD,GAAIgyD,GACX,CAAEA,OAAM4a,KAAK,KAIlB/gD,GAAW,SAACjf,EAAGnB,GACnB,IAAMqgB,EAAOC,OAAOnf,EAAE5M,IAChBgsB,EAAOD,OAAOtgB,EAAEzL,IAChBisB,GAAUF,OAAOG,MAAMJ,GACvBK,GAAUJ,OAAOG,MAAMF,GAC7B,OAAIC,GAAUE,EACLL,EAAOE,GAAQ,EAAI,EACjBC,IAAWE,EACb,GACGF,GAAUE,GACZ,EAEDvf,EAAE5M,GAAKyL,EAAEzL,IAAM,EAAI,GAIxB6sE,GAAe,SAACv1D,GAIpB,OAHAA,EAASq0D,gBAAkBr0D,EAASq0D,gBAAgB1+C,KAAKpB,IACzDvU,EAASsP,SAAWtP,EAASsP,SAASqG,KAAKpB,IAC3CvU,EAASw0D,cAAgB3xD,IAAK7C,EAASq0D,kBAAoB,IAAI3rE,GACxDsX,GAIHw1D,GAA2B,SAACzjD,EAAOxyB,GACvC,IAAMqB,EAASo0E,EAAWjjD,EAAM0iB,YAAa1iB,EAAMqmB,kBAAmB74C,GACtE,GAAIqB,EAAM,IAAM,CAEd,IAAMyN,EAASzN,EAAO85D,KAChBoa,EAAsB/iD,EAAM+iD,oBAC5BW,EAAiBpnE,EAAOkB,0BAC1BulE,EAAoBW,GACtBX,EAAoBW,GAAgBx1E,KAAKoO,GAEzCmyB,cAAIs0C,EAAqBW,EAAgB,CAACpnE,IAG9C,OAAOzN,GA4NI4+D,GAAY,CACvBkW,eA1MqB,SAAC3jD,EAADrc,GAAoH,IAA1G4Z,EAA0G5Z,EAA1G4Z,SAA0GqmD,EAAAjgE,EAAhG2lD,uBAAgG,IAAAsa,KAAvE31D,EAAuEtK,EAAvEsK,SAAuE41D,EAAAlgE,EAA7DrE,YAA6D,IAAAukE,EAAtD,GAAsDA,EAAAC,EAAAngE,EAAlD4lD,kBAAkD,IAAAua,KAA9Bv1D,EAA8B5K,EAA9B4K,OAA8Bw1D,EAAApgE,EAAtB+L,kBAAsB,IAAAq0D,EAAT,GAASA,EAEzI,IAAKC,IAAQzmD,GACX,OAAO,EAGT,IAAMmlB,EAAc1iB,EAAM0iB,YACpBuhC,EAAiBjkD,EAAMgjD,UAAU/0D,GAMjCi2D,EAASx0D,EAAWxO,QAAUqc,EAASvvB,OAAS,EAAIm2E,IAAM5mD,EAAU,MAAM5mB,GAAK,GAC/EytE,EAAS10D,EAAWrO,QAAUkc,EAASvvB,OAAS,EAAIq2E,IAAM9mD,EAAU,MAAM5mB,GAAK,GAE/E2tE,EAAQr2D,IAAam2D,EAASH,EAAe/iE,OAAkC,IAAzB+iE,EAAe/iE,QAAgBqc,EAASvvB,OAAS,EACvGu2E,EAAQt2D,IAAai2D,EAASD,EAAe5iE,OAAkC,IAAzB4iE,EAAe5iE,QAAgBkc,EAASvvB,OAAS,EAY7G,IAVKu7D,GAAc+a,IACjBL,EAAe/iE,MAAQkjE,IAEpB7a,GAAcgb,IACjBN,EAAe5iE,MAAQ6iE,GAMP,SAAbj2D,GAAoC,UAAbA,GAAyBg2D,EAAe11D,SAAWA,EAA/E,CAIA,IAAMi2D,EAAY,SAACh3E,EAAM87D,GAA0C,IA4B7Dmb,EA5BoCC,IAAyB3jE,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,KAAAA,UAAA,GAC3DlS,EAAS40E,GAAyBzjD,EAAOxyB,GACzC8O,EAASzN,EAAO85D,KAEtB,GAAI95D,EAAM,IAAM,CAEd,GAAoB,WAAhByN,EAAO5J,MAAqB+vC,IAAKnmC,EAAOkD,WAAY,CAAE7I,GAAI2I,EAAK3I,KAAO,CACxE,IAAM8I,EAAWugB,EAAMgjD,UAAUvjE,SAG7BwkE,IAAmBxkE,IACrBwjE,EAAWxjE,EAAS8d,SAAU9d,EAAS2iE,eAAgB9lE,GACvDmD,EAAS+iE,gBAAkB,EAE3BgB,GAAa/jE,IAGjB,GAA0B,WAAtBnD,EAAO8C,WAAyB,CAClC,IAAM4P,EAAMgR,EAAMgjD,UAAUh0D,IAE5Bi0D,EAAWj0D,EAAIuO,SAAUvO,EAAIozD,eAAgB9lE,GAC7C0S,EAAIwzD,gBAAkB,EAEtBgB,GAAax0D,IAoBjB,OAbIf,GAAYy2D,IACdD,EAA2BxB,EAAWgB,EAAe1mD,SAAU0mD,EAAe7B,eAAgB9lE,IAG5F2R,GAAYq7C,EAGd2Z,EAAWgB,EAAe3B,gBAAiB2B,EAAe1B,sBAAuBjmE,GACxE2R,GAAYy2D,GAAiBD,EAAwB,MAE9DR,EAAezB,gBAAkB,GAG5BlmE,GAgBHqoE,EAAa,CACjBroE,OAAU,SAACA,GACTkoE,EAAUloE,EAAQgtD,IAEpB/1C,QAAW,SAACjX,GAEV,IAEIiX,EAFE3T,EAAkB4kE,EAAUloE,EAAO+B,kBAAkB,GAAO,GAahEkV,EAREtF,GAAYw0B,IAAKwhC,EAAe1mD,SAAU,SAACnuB,GAC7C,OAAIA,EAAEiP,iBACGjP,EAAEuH,KAAOiJ,EAAgBjJ,IAAMvH,EAAEiP,iBAAiB1H,KAAOiJ,EAAgBjJ,GAEzEvH,EAAEuH,KAAOiJ,EAAgBjJ,KAIxB6tE,EAAUloE,GAAQ,GAAO,GAEzBkoE,EAAUloE,EAAQgtD,GAG9B/1C,EAAQlV,iBAAmBuB,GAE7BuT,SAAY,SAACA,GAGN6M,EAAM5Q,UAAUhC,IAAI+F,EAASxc,MAChCqpB,EAAM5Q,UAAU2qB,IAAI5mB,EAASxc,IA3CZ,SAACwc,EAAUyxD,GAChC,IAAMtoE,EAASmmC,IAAKC,EAAa,CAAE/rC,GAAIwc,EAASnV,wBAC5C1B,IAEE6W,EAAS7T,KAAK3I,KAAO2I,EAAK3I,GAC5B2F,EAAOC,WAAY,EAEnBD,EAAOG,UAAY,GAqCnBooE,CAAe1xD,KAGnB2xD,SAAY,SAACA,GACX,IAAM/lE,EAAM+lE,EAAS/lE,IACfzC,EAASmmC,IAAKC,EAAa,CAAE3jC,QAC9BzC,IAhJ2B,SAAC0jB,EAAO1jB,GAC5CyoE,IAAO/kD,EAAM0iB,YAAa,CAAE/rC,GAAI2F,EAAO3F,KAKvCouE,IAAO/kD,EAAM/Q,cAAczhB,KAAM,SAAAkW,GAAA,OAAAA,EAAGtD,OAAUzJ,KAAkB2F,EAAO3F,KAGvE,IAAM+sE,EAAiBpnE,EAAOkB,0BAC1BwiB,EAAM+iD,oBAAoBW,IAC5BqB,IAAO/kD,EAAM+iD,oBAAoBW,GAAiB,CAAE/sE,GAAI2F,EAAO3F,KAyI7DquE,CAA8BhlD,EAAO1jB,GAEjC2R,IACF82D,IAAOd,EAAe1mD,SAAU,CAAExe,QAClCgmE,IAAOd,EAAe3B,gBAAiB,CAAEvjE,WAG7C6wD,OAAU,SAACA,KAGX9mC,QAAW,SAACm8C,GACV/uE,QAAQs8D,IAAI,uBACZt8D,QAAQs8D,IAAIyS,KAIhBhoD,IAAKM,EAAU,SAACjhB,GACd,IAAM5J,EAAO4J,EAAO5J,MACFiyE,EAAWjyE,IAASiyE,EAAU,SACtCroE,KAIR2R,GAA2B,cAAbA,GAChBu1D,GAAaS,KA8CfiB,oBA1C0B,SAACllD,EAAD5b,GAAkH,IAAxG0mB,EAAwG1mB,EAAxG0mB,SAAU7b,EAA8F7K,EAA9F6K,cAA6Dk2D,GAAiC/gE,EAA/EmgE,MAA+EngE,EAAxEghE,yBAAwEhhE,EAA9C6e,YAA8C7e,EAAjC+gE,4BAC3GloD,IAAKhO,EAAe,SAAC3B,GACfnN,YAAqBmN,EAAa5a,QACpC4a,EAAalN,OAASqjE,GAAyBzjD,EAAO1S,EAAalN,QAAQuoD,KAC3Er7C,EAAahR,OAASgR,EAAahR,QAAUmnE,GAAyBzjD,EAAO1S,EAAahR,QAAQqsD,MAG1E,2BAAtBr7C,EAAa5a,MACfo4B,EAAS,wBAAyBxd,EAAahR,OAAO3F,IAInDqpB,EAAM/Q,cAAc6zD,QAAQz0E,eAAeif,EAAa3W,IAYlD2W,EAAarN,OACtB+f,EAAM/Q,cAAc6zD,QAAQx1D,EAAa3W,IAAIsJ,MAAO,IAZpD+f,EAAM/Q,cAAc/N,MAAQoM,EAAa3W,GAAKqpB,EAAM/Q,cAAc/N,MAC9DoM,EAAa3W,GACbqpB,EAAM/Q,cAAc/N,MACxB8e,EAAM/Q,cAAc5N,MAAQiM,EAAa3W,GAAKqpB,EAAM/Q,cAAc5N,MAC9DiM,EAAa3W,GACbqpB,EAAM/Q,cAAc5N,MAExB2e,EAAM/Q,cAAczhB,KAAKU,KAAKof,GAC9B0S,EAAM/Q,cAAc6zD,QAAQx1D,EAAa3W,IAAM2W,EAE/C63D,EAA2B73D,OAoB/B+3D,aAbmB,SAACrlD,EAAD3b,GAAiC,IAAvB4J,EAAuB5J,EAAvB4J,SAAUM,EAAalK,EAAbkK,OACjC01D,EAAiBjkD,EAAMgjD,UAAU/0D,GACnCM,IACFw2D,IAAOd,EAAe1mD,SAAU,CAAEje,KAAM,CAAE3I,GAAI4X,KAC9Cw2D,IAAOd,EAAe3B,gBAAiB,CAAEhjE,KAAM,CAAE3I,GAAI4X,KACrD01D,EAAexB,aAAewB,EAAe3B,gBAAgBt0E,OAAS,EAAI8iB,IAAKmzD,EAAe3B,iBAAiB3rE,GAAK,EACpHstE,EAAe/iE,MAAQ+iE,EAAe1mD,SAASvvB,OAAS,EAAIs3E,IAAMrB,EAAe1mD,UAAU5mB,GAAK,IAQlG4uE,gBAJuB,SAINvlD,EAJM3H,GAIe,IAAZpK,EAAYoK,EAAZpK,SAClBu3D,EAAexlD,EAAMgjD,UAAU/0D,GAErCu3D,EAAYhD,eAAiB,EAC7BgD,EAAYlD,gBAAkBmD,IAAMD,EAAYjoD,SAAU,EAAG,IAC7DioD,EAAY/C,aAAe3xD,IAAK00D,EAAYlD,iBAAiB3rE,GAC7D6uE,EAAYnkE,MAAQmkE,EAAY/C,aAChC+C,EAAYjD,sBAAwB,GACpCtlD,IAAKuoD,EAAYlD,gBAAiB,SAAChmE,GAAakpE,EAAYjD,sBAAsBjmE,EAAO3F,IAAM2F,KAEjGopE,cAduB,SAcR1lD,GACb,IAAM2lD,EAAanZ,IACnBr+D,OAAO6Y,QAAQ2+D,GAAYhxD,QAAQ,SAAAiE,GAAkB,IAAAd,EAAA5Q,IAAA0R,EAAA,GAAhBhjB,EAAgBkiB,EAAA,GAAXxiB,EAAWwiB,EAAA,GACnDkI,EAAMpqB,GAAON,KAGjBswE,cApBuB,SAoBR5lD,EApBQvO,GAoBoC,IAAnCxD,EAAmCwD,EAAnCxD,SAAmC43D,EAAAp0D,EAAzBq0D,cAC1Bv3D,OADmD,IAAAs3D,KAC1B7lD,EAAMgjD,UAAU/0D,GAAUM,YAASja,EAClE0rB,EAAMgjD,UAAU/0D,GAAYk0D,EAAQ5zD,IAEtCw3D,mBAxBuB,SAwBH/lD,GAClBA,EAAM/Q,cAAgB2zD,KAExBoD,aA3BuB,SA2BThmD,EA3BSjO,GA2BiB,IAAjBzV,EAAiByV,EAAjBzV,OAAQhH,EAASyc,EAATzc,MACvBimD,EAAYv7B,EAAMqmB,kBAAkB/pC,EAAO3F,IAE7C4kD,EAAUh/C,YAAcjH,IACtBA,EACFimD,EAAU9+C,WAEV8+C,EAAU9+C,YAId8+C,EAAUh/C,UAAYjH,GAExB2wE,oBAxCuB,SAwCFjmD,EAxCE9N,GAwCuB,IAAhB5V,EAAgB4V,EAAhB5V,OAAQgD,EAAQ4S,EAAR5S,KAC9Bi8C,EAAYv7B,EAAMqmB,kBAAkB/pC,EAAO3F,IACjD4kD,EAAUh/C,UAAYD,EAAOC,UAC7Bg/C,EAAU9+C,SAAWH,EAAOG,SAC5B,IAAMovC,EAAQq6B,IAAU3qB,EAAU17C,YAAa,CAAElJ,GAAI2I,EAAK3I,MAC3C,IAAXk1C,GAAiB0P,EAAUh/C,WAET,IAAXsvC,GAAgB0P,EAAUh/C,WACnCg/C,EAAU17C,YAAY3R,KAAKoR,GAF3Bi8C,EAAU17C,YAAY3Q,OAAO28C,EAAO,IAKxCs6B,eAnDuB,SAmDPnmD,EAAO1jB,GACrB,IAAMi/C,EAAYv7B,EAAMqmB,kBAAkB/pC,EAAO3F,IACjD4kD,EAAU19C,aAAevB,EAAOuB,kBAEDvJ,IAA3BinD,EAAU19C,cACZmiB,EAAM+iD,oBAAoBxnB,EAAU/9C,2BAA2BmX,QAAQ,SAAArY,GAAYA,EAAOuB,aAAe09C,EAAU19C,gBAGvHuoE,aA3DuB,SA2DTpmD,EA3DS5N,GA2DiB,IAAjB9V,EAAiB8V,EAAjB9V,OAAQhH,EAAS8c,EAAT9c,MACvBimD,EAAYv7B,EAAMqmB,kBAAkB/pC,EAAO3F,IAE7C4kD,EAAU5+C,WAAarH,IACrBA,EACFimD,EAAU1+C,aAEV0+C,EAAU1+C,cAId0+C,EAAU5+C,SAAWrH,GAEvB+wE,oBAxEuB,SAwEFrmD,EAxEE1N,GAwEuB,IAAhBhW,EAAgBgW,EAAhBhW,OAAQgD,EAAQgT,EAARhT,KAC9Bi8C,EAAYv7B,EAAMqmB,kBAAkB/pC,EAAO3F,IACjD4kD,EAAU5+C,SAAWL,EAAOK,SAC5B4+C,EAAU1+C,WAAaP,EAAOO,WAC9B,IAAMgvC,EAAQq6B,IAAU3qB,EAAUz7C,YAAa,CAAEnJ,GAAI2I,EAAK3I,MAC3C,IAAXk1C,GAAiB0P,EAAU5+C,UAET,IAAXkvC,GAAgB0P,EAAU5+C,UACnC4+C,EAAUz7C,YAAY5R,KAAKoR,GAF3Bi8C,EAAUz7C,YAAY5Q,OAAO28C,EAAO,IAKxCy6B,cAnFuB,SAmFRtmD,EAnFQxN,GAmFkB,IAAjBlW,EAAiBkW,EAAjBlW,OAAQhH,EAASkd,EAATld,MACZ0qB,EAAMqmB,kBAAkB/pC,EAAO3F,IACvCoG,WAAazH,GAEzBixE,qBAvFuB,SAuFDvmD,EAvFCtN,GAuFkB,IAAVpW,EAAUoW,EAAVpW,OACX0jB,EAAMqmB,kBAAkB/pC,EAAO3F,IACvCoG,WAAaT,EAAOS,YAEhCypE,WA3FuB,SA2FXxmD,EA3FWnN,GA2FQ,IAAVvW,EAAUuW,EAAVvW,OACbi/C,EAAYv7B,EAAMqmB,kBAAkB/pC,EAAO3F,IAC7C4kD,IAAWA,EAAU/V,SAAU,IAErCihC,eA/FuB,SA+FPzmD,EAAO0mD,GACrBv4E,OAAOszE,OAAOzhD,EAAMqmB,mBAAmB1xB,QAAQ,SAAArY,GACzCoqE,EAAUpqE,KACZA,EAAOkpC,SAAU,MAIvBmhC,WAtGuB,SAsGX3mD,EAtGWvF,GAsGiB,IAAnBxM,EAAmBwM,EAAnBxM,SAAU3Y,EAASmlB,EAATnlB,MAC7B0qB,EAAMgjD,UAAU/0D,GAAU88B,QAAUz1C,GAEtCsxE,QAzGuB,SAyGd5mD,EAzGcpF,GAyGO,IAAZjkB,EAAYikB,EAAZjkB,GAAIsG,EAAQ2d,EAAR3d,KACF+iB,EAAMqmB,kBAAkB1vC,GAChCsG,KAAOA,GAEnB4pE,SA7GuB,SA6Gb7mD,EA7GahN,GA6GK,IAAT1d,EAAS0d,EAAT1d,MACjB0qB,EAAMhsB,MAAQsB,GAEhBwxE,aAhHuB,SAgHT9mD,EAhHS9M,GAgHS,IAAT5d,EAAS4d,EAAT5d,MACrB0qB,EAAMq+C,UAAY/oE,GAEpByxE,wBAnHuB,SAmHE/mD,EAnHFvV,GAmHoB,IAATnV,EAASmV,EAATnV,MAChC0qB,EAAM/Q,cAAc87B,QAAUz1C,GAEhC0xE,sBAtHuB,SAsHAhnD,EAtHAxP,GAsHkB,IAATlb,EAASkb,EAATlb,MAC9B0qB,EAAM/Q,cAAcjb,MAAQsB,GAE9B2xE,wBAzHuB,SAyHEjnD,EAzHF3O,GAyHoB,IAAT/b,EAAS+b,EAAT/b,MAChC0qB,EAAM/Q,cAAcm/C,2BAA6B94D,GAEnD0lB,wBA5HuB,SA4HEgF,GACvB/C,IAAK+C,EAAM/Q,cAAczhB,KAAM,SAAC8f,GAC9BA,EAAarN,MAAO,KAGxBinE,6BAjIuB,SAiIOlnD,EAjIPzF,GAiIsB,IAAN5jB,EAAM4jB,EAAN5jB,GAC/B2W,EAAem1B,IAAKziB,EAAM/Q,cAAczhB,KAAM,SAAAsI,GAAC,OAAIA,EAAEa,KAAOA,IAC9D2W,IAAcA,EAAarN,MAAO,IAExCmb,oBArIuB,SAqIF4E,EArIElQ,GAqIa,IAANnZ,EAAMmZ,EAANnZ,GAC5BqpB,EAAM/Q,cAAczhB,KAAOwyB,EAAM/Q,cAAczhB,KAAKud,OAAO,SAAAjV,GAAC,OAAIA,EAAEa,KAAOA,KAE3EwwE,qBAxIuB,SAwIDnnD,EAxIC/P,GAwIkB,IAAVm3D,EAAUn3D,EAAVm3D,OAC7BpnD,EAAM/Q,cAAczhB,KAAOwyB,EAAM/Q,cAAczhB,KAAKud,OAAO,SAAAjV,GAAC,OAAIsxE,KAElEC,mBA3IuB,SA2IHrnD,EA3IG3P,GA2IqB,IAAf1Z,EAAe0Z,EAAf1Z,GAAI2wE,EAAWj3D,EAAXi3D,QACzBh6D,EAAem1B,IAAKziB,EAAM/Q,cAAczhB,KAAM,SAAAsI,GAAC,OAAIA,EAAEa,KAAOA,IAClE2W,GAAgBg6D,EAAQh6D,IAE1Bi6D,WA/IuB,SA+IXvnD,EA/IWnJ,GA+Ic,IAAhB5I,EAAgB4I,EAAhB5I,SAAUtX,EAAMkgB,EAANlgB,GAC7BqpB,EAAMgjD,UAAU/0D,GAAU00D,YAAchsE,GAE1C6wE,cAlJuB,SAkJRxnD,GACb7xB,OAAO+mB,KAAK8K,EAAMgjD,WAAWruD,QAAQ,SAAC1G,GACpC+R,EAAMgjD,UAAU/0D,GAAU00D,YAAc3iD,EAAMgjD,UAAU/0D,GAAU/M,SAGtEumE,WAvJuB,SAuJXznD,EAvJWhJ,GAuJmC,IAArCrgB,EAAqCqgB,EAArCrgB,GAAI+wE,EAAiC1wD,EAAjC0wD,iBAAkB55C,EAAe9W,EAAf8W,YACnCytB,EAAYv7B,EAAMqmB,kBAAkB1vC,GAC1C4kD,EAAUz7C,YAAc4nE,EAAiB38D,OAAO,SAAAC,GAAC,OAAIA,IAErDuwC,EAAU1+C,WAAa0+C,EAAUz7C,YAAY9R,OAC7CutD,EAAU5+C,WAAa4+C,EAAUz7C,YAAY+/B,KAAK,SAAAzoB,GAAA,IAAGzgB,EAAHygB,EAAGzgB,GAAH,OAAYm3B,EAAYn3B,KAAOA,KAEnFgxE,QA9JuB,SA8Jd3nD,EA9Jc1I,GA8JgC,IAArC3gB,EAAqC2gB,EAArC3gB,GAAIixE,EAAiCtwD,EAAjCswD,iBAAkB95C,EAAexW,EAAfwW,YAChCytB,EAAYv7B,EAAMqmB,kBAAkB1vC,GAC1C4kD,EAAU17C,YAAc+nE,EAAiB78D,OAAO,SAAAC,GAAC,OAAIA,IAErDuwC,EAAU9+C,SAAW8+C,EAAU17C,YAAY7R,OAC3CutD,EAAUh/C,YAAcg/C,EAAU17C,YAAYggC,KAAK,SAAAroB,GAAA,IAAG7gB,EAAH6gB,EAAG7gB,GAAH,OAAYm3B,EAAYn3B,KAAOA,KAEpFkxE,oBArKuB,SAqKF7nD,EArKEpI,GAqK0C,IAAnCjhB,EAAmCihB,EAAnCjhB,GAAI2rB,EAA+B1K,EAA/B0K,eAC1BhmB,GADyDsb,EAAfkW,YACjC9N,EAAMqmB,kBAAkB1vC,IACvC83B,cAAInyB,EAAQ,kBAAmBgmB,IAEjCwlD,eAzKuB,SAyKP9nD,EAzKO9I,GAyK4B,IAA1BvgB,EAA0BugB,EAA1BvgB,GAAIqF,EAAsBkb,EAAtBlb,MAAO8xB,EAAe5W,EAAf4W,YAC5BxxB,EAAS0jB,EAAMqmB,kBAAkB1vC,GACjCoxE,EAAgB7B,IAAU5pE,EAAOwB,gBAAiB,CAAEjJ,KAAMmH,IAC1D8nC,EAAWxnC,EAAOwB,gBAAgBiqE,IAAkB,CAAElzE,KAAMmH,EAAOyoC,MAAO,EAAGtoB,SAAU,IAEvF6rD,EAAcC,EAAA,GACfnkC,EADY,CAEfW,MAAOX,EAASW,MAAQ,EACxB3E,IAAI,EACJ3jB,SAAQ,GAAA/f,OAAAiL,IACHy8B,EAAS3nB,UADN,CAEN2R,MAKAi6C,GAAiB,EACnBt5C,cAAInyB,EAAOwB,gBAAiBiqE,EAAeC,GAE3Cv5C,cAAInyB,EAAQ,kBAAT,GAAAF,OAAAiL,IAAgC/K,EAAOwB,iBAAvC,CAAwDkqE,MAG/DE,kBA/LuB,SA+LJloD,EA/LIhS,GA+L+B,IAA1BrX,EAA0BqX,EAA1BrX,GAAIqF,EAAsBgS,EAAtBhS,MAAO8xB,EAAe9f,EAAf8f,YAC/BxxB,EAAS0jB,EAAMqmB,kBAAkB1vC,GACjCoxE,EAAgB7B,IAAU5pE,EAAOwB,gBAAiB,CAAEjJ,KAAMmH,IAChE,KAAI+rE,EAAgB,GAApB,CAEA,IAAMjkC,EAAWxnC,EAAOwB,gBAAgBiqE,GAClC5rD,EAAW2nB,EAAS3nB,UAAY,GAEhC6rD,EAAcC,EAAA,GACfnkC,EADY,CAEfW,MAAOX,EAASW,MAAQ,EACxB3E,IAAI,EACJ3jB,SAAUA,EAASpR,OAAO,SAAAhP,GAAG,OAAIA,EAAIpF,KAAOm3B,EAAYn3B,OAGtDqxE,EAAYvjC,MAAQ,EACtBhW,cAAInyB,EAAOwB,gBAAiBiqE,EAAeC,GAE3Cv5C,cAAInyB,EAAQ,kBAAmBA,EAAOwB,gBAAgBiN,OAAO,SAAA5V,GAAC,OAAIA,EAAEN,OAASmH,OAGjFmsE,qBApNuB,SAoNDnoD,EApNCpQ,GAoNoB,IAAZjZ,EAAYiZ,EAAZjZ,GAAI6H,EAAQoR,EAARpR,KAClBwhB,EAAMqmB,kBAAkB1vC,GAChC6H,KAAOA,IA+LH+e,GA3LE,CACfyC,MAAOwsC,IACPqB,QAAS,CACP8V,eADO,SAAAvwD,EAAAE,GACiI,IAAtHwO,EAAsH1O,EAAtH0O,UAAW4I,EAA2GtX,EAA3GsX,OAAYnN,EAA+FjK,EAA/FiK,SAA+F6qD,EAAA90D,EAArFg2C,uBAAqF,IAAA8e,KAAAC,EAAA/0D,EAA5DrF,gBAA4D,IAAAo6D,KAAAC,EAAAh1D,EAA1Ci2C,kBAA0C,IAAA+e,KAAtB/5D,EAAsB+E,EAAtB/E,OAAQmB,EAAc4D,EAAd5D,WACxHgb,EAAO,iBAAkB,CAAEnN,WAAU+rC,kBAAiBr7C,WAAUs7C,aAAYjqD,KAAMwiB,EAAUpR,MAAMod,YAAavf,SAAQmB,gBAEzHw1D,oBAJO,SAIctjD,EAJdpO,GAI+C,IAAxBvE,EAAwBuE,EAAxBvE,cAAes1D,EAAS/wD,EAAT+wD,OAM3C75C,EAL0C9I,EAAlC8I,QAKD,sBAAuB,CAAEI,SALUlJ,EAA1BkJ,SAK0B7b,gBAAes1D,QAAOthD,YALtBrB,EAAhBqB,YAKmDkiD,2BAH1C,SAAC73D,GAClCyV,YAAsBnB,EAAOtU,OAIjCu5D,SAZO,SAAAnzD,EAAAE,GAYqCF,EAAhCoO,WACV4I,EAD0ChX,EAArBgX,QACd,WAAY,CAAEp1B,MADqBse,EAATte,SAGnCwxE,aAfO,SAAAhzD,EAAAE,GAeyCF,EAAhCgO,WACd4I,EAD8C5W,EAArB4W,QAClB,eAAgB,CAAEp1B,MADqB0e,EAAT1e,SAGvCyxE,wBAlBO,SAAA1xD,EAAAG,GAkBoDH,EAAhCyM,WACzB4I,EADyDrV,EAArBqV,QAC7B,0BAA2B,CAAEp1B,MADqBkgB,EAATlgB,SAGlD0xE,sBArBO,SAAArxD,EAAAmD,GAqBkDnD,EAAhCmM,WACvB4I,EADuD/U,EAArB+U,QAC3B,wBAAyB,CAAEp1B,MADqBwjB,EAATxjB,SAGhD2xE,wBAxBO,SAAAhuD,EAAAE,GAwBoDF,EAAhC6I,WACzB4I,EADyDzR,EAArByR,QAC7B,0BAA2B,CAAEp1B,MADqB6jB,EAAT7jB,SAGlD8a,YA3BO,SAAAkJ,EA2B+B3iB,GAAI,IAA3BmrB,EAA2BxI,EAA3BwI,UAAWgJ,EAAgBxR,EAAhBwR,SACxB,OAAOhJ,EAAU0I,IAAIC,kBAAkBra,YAAY,CAAEzZ,OAClDrD,KAAK,SAACgJ,GAAD,OAAYwuB,EAAS,iBAAkB,CAAEvN,SAAU,CAACjhB,QAE9D8Y,aA/BO,SAAAqE,EA+B8Bnd,GAAQ,IAA7BwlB,EAA6BrI,EAA7BqI,WACd4I,EAD2CjR,EAAlBiR,QAClB,aAAc,CAAEpuB,WACvBuR,IAAWuH,aAAa,CAAEze,GAAI2F,EAAO3F,GAAI8S,YAAaqY,EAAUpR,MAAMod,YAAYrkB,eAEpF8+D,sBAnCO,SAAA1uD,EAmC4B6sD,IACjCh8C,EAD4C7Q,EAArB6Q,QAChB,iBAAkBg8C,IAE3BvzD,SAtCO,SAAA4G,EAsC0Bzd,GAAQ,IAA7BwlB,EAA6B/H,EAA7B+H,UAAW4I,EAAkB3Q,EAAlB2Q,OAErBA,EAAO,eAAgB,CAAEpuB,SAAQhH,OAAO,IACxCwsB,EAAU0I,IAAIC,kBAAkBtX,SAAS,CAAExc,GAAI2F,EAAO3F,KACnDrD,KAAK,SAAAgJ,GAAM,OAAIouB,EAAO,sBAAuB,CAAEpuB,SAAQgD,KAAMwiB,EAAUpR,MAAMod,iBAElFza,WA5CO,SAAAgH,EA4C4B/d,GAAQ,IAA7BwlB,EAA6BzH,EAA7ByH,UAAW4I,EAAkBrQ,EAAlBqQ,OAEvBA,EAAO,eAAgB,CAAEpuB,SAAQhH,OAAO,IACxCwsB,EAAU0I,IAAIC,kBAAkBpX,WAAW,CAAE1c,GAAI2F,EAAO3F,KACrDrD,KAAK,SAAAgJ,GAAM,OAAIouB,EAAO,sBAAuB,CAAEpuB,SAAQgD,KAAMwiB,EAAUpR,MAAMod,iBAElFne,oBAlDO,SAAAwK,EAkDuC5L,GAAQ,IAA/BuT,EAA+B3H,EAA/B2H,UAAWgJ,EAAoB3Q,EAApB2Q,SAChChJ,EAAU0I,IAAIC,kBAAkB9a,oBAAoB,CAAEhZ,GAAI4X,IACvDjb,KAAK,SAAAiqB,GAAQ,OAAIuN,EAAS,iBAAkB,CAAEvN,WAAUtP,SAAU,OAAQM,SAAQ+6C,iBAAiB,EAAMC,YAAY,OAE1HjoB,UAtDO,SAAArnB,EAsD6B0oB,GAAU,IAAjC7gB,EAAiC7H,EAAjC6H,UAAWgJ,EAAsB7Q,EAAtB6Q,SACtB,OAAOhJ,EAAU0I,IAAIC,kBAAkBxY,aAAa,CAAEtb,GAAIgsC,IACvDrvC,KAAK,SAACgJ,GAAD,OAAYwuB,EAAS,iBAAkB,CAAEvN,SAAU,CAACjhB,QAE9DilC,YA1DO,SAAA1rB,EA0D+B8sB,GAAU,IAAjC7gB,EAAiCjM,EAAjCiM,UAAWgJ,EAAsBjV,EAAtBiV,SACxBhJ,EAAU0I,IAAIC,kBAAkBtY,eAAe,CAAExb,GAAIgsC,IAClDrvC,KAAK,SAACgJ,GAAD,OAAYwuB,EAAS,iBAAkB,CAAEvN,SAAU,CAACjhB,QAE9D+V,iBA9DO,SAAA0D,EA8DkC4sB,GAAU,IAA/B7gB,EAA+B/L,EAA/B+L,UAAW4I,EAAoB3U,EAApB2U,OAC7B,OAAO5I,EAAU0I,IAAIC,kBAAkBpY,iBAAiB,CAAE1b,GAAIgsC,IAC3DrvC,KAAK,SAACgJ,GAAD,OAAYouB,EAAO,iBAAkBpuB,MAE/CiW,mBAlEO,SAAA0D,EAkEoC0sB,GAAU,IAA/B7gB,EAA+B7L,EAA/B6L,UAAW4I,EAAoBzU,EAApByU,OAC/B,OAAO5I,EAAU0I,IAAIC,kBAAkBlY,mBAAmB,CAAE5b,GAAIgsC,IAC7DrvC,KAAK,SAACgJ,GAAD,OAAYouB,EAAO,iBAAkBpuB,MAE/CiX,QAtEO,SAAA4C,EAsEyB7Z,GAAQ,IAA7BwlB,EAA6B3L,EAA7B2L,UAAW4I,EAAkBvU,EAAlBuU,OAEpBA,EAAO,eAAgB,CAAEpuB,SAAQhH,OAAO,IACxCwsB,EAAU0I,IAAIC,kBAAkBlX,QAAQ,CAAE5c,GAAI2F,EAAO3F,KAClDrD,KAAK,SAAAgJ,GAAM,OAAIouB,EAAO,sBAAuB,CAAEpuB,OAAQA,EAAO+B,iBAAkBiB,KAAMwiB,EAAUpR,MAAMod,iBAE3Gra,UA5EO,SAAA4C,EA4E2B/Z,GAAQ,IAA7BwlB,EAA6BzL,EAA7ByL,UAAW4I,EAAkBrU,EAAlBqU,OAEtBA,EAAO,eAAgB,CAAEpuB,SAAQhH,OAAO,IACxCwsB,EAAU0I,IAAIC,kBAAkBhX,UAAU,CAAE9c,GAAI2F,EAAO3F,KACpDrD,KAAK,SAAAgJ,GAAM,OAAIouB,EAAO,sBAAuB,CAAEpuB,SAAQgD,KAAMwiB,EAAUpR,MAAMod,iBAElF06C,SAlFO,SAAAjyD,EAkF0Bja,GAAQ,IAA7BwlB,EAA6BvL,EAA7BuL,UAAW4I,EAAkBnU,EAAlBmU,OACrBA,EAAO,gBAAiB,CAAEpuB,SAAQhH,OAAO,IACzCwsB,EAAU0I,IAAIC,kBAAkB9W,eAAe,CAAEhd,GAAI2F,EAAO3F,KACzDrD,KAAK,SAAAgJ,GACJouB,EAAO,uBAAwB,CAAEpuB,cAGvCmsE,WAzFO,SAAAhyD,EAyF4Bna,GAAQ,IAA7BwlB,EAA6BrL,EAA7BqL,UAAW4I,EAAkBjU,EAAlBiU,OACvBA,EAAO,gBAAiB,CAAEpuB,SAAQhH,OAAO,IACzCwsB,EAAU0I,IAAIC,kBAAkB5W,iBAAiB,CAAEld,GAAI2F,EAAO3F,KAC3DrD,KAAK,SAAAgJ,GACJouB,EAAO,uBAAwB,CAAEpuB,cAGvCirE,WAhGO,SAAA5wD,EAAAoE,GAgG8CpE,EAAvCmL,WACZ4I,EADmD/T,EAA5B+T,QAChB,aAAc,CAAEzc,SAD4B8M,EAAhB9M,SACFtX,GADkBokB,EAANpkB,MAG/C6wE,cAnGO,SAAAvsD,GAmG+BA,EAArB6G,WACf4I,EADoCzP,EAAVyP,QACnB,kBAET1P,wBAtGO,SAAAO,GAsGyC,IAArBuG,EAAqBvG,EAArBuG,WACzB4I,EAD8CnP,EAAVmP,QAC7B,2BACP7c,IAAWmN,wBAAwB,CACjCrkB,GAAImrB,EAAUvE,SAAStO,cAAc/N,MACrCuI,YAAaqY,EAAUpR,MAAMod,YAAYrkB,eAG7Cy9D,6BA7GO,SAAAvrD,EAAAE,GA6GsD,IAA7BiG,EAA6BnG,EAA7BmG,UAAW4I,EAAkB/O,EAAlB+O,OAAY/zB,EAAMklB,EAANllB,GACrD+zB,EAAO,+BAAgC,CAAE/zB,OACzCkX,IAAWmN,wBAAwB,CACjCG,QAAQ,EACRxkB,KACA8S,YAAaqY,EAAUpR,MAAMod,YAAYrkB,eAG7Ci/D,yBArHO,SAAA3sD,EAAAE,GAqHkDF,EAA7B+F,WAC1B4I,EADuD3O,EAAlB2O,QAC9B,sBAAuB,CAAE/zB,GADuBslB,EAANtlB,MAGnDykB,oBAxHO,SAAAiB,EAAAE,GAwH6C,IAA7BuF,EAA6BzF,EAA7ByF,UAAW4I,EAAkBrO,EAAlBqO,OAAY/zB,EAAM4lB,EAAN5lB,GAC5C+zB,EAAO,sBAAuB,CAAE/zB,OAChCmrB,EAAU0I,IAAIC,kBAAkBrP,oBAAoB,CAAEzkB,QAExD0wE,mBA5HO,SAAA5qD,EAAAgB,GA4HqDhB,EAAtCqF,WACpB4I,EAD0DjO,EAA3BiO,QACxB,qBAAsB,CAAE/zB,GAD2B8mB,EAAf9mB,GACR2wE,QADuB7pD,EAAX6pD,WAGjDqB,oBA/HO,SAAAxrD,EA+HqCxmB,GAAI,IAAzBmrB,EAAyB3E,EAAzB2E,UAAW4I,EAAcvN,EAAduN,OAChC36B,QAAQ0E,IAAI,CACVqtB,EAAU0I,IAAIC,kBAAkB7O,sBAAsB,CAAEjlB,OACxDmrB,EAAU0I,IAAIC,kBAAkB3O,sBAAsB,CAAEnlB,SACvDrD,KAAK,SAAAsqB,GAA0C,IAAAE,EAAA5W,IAAA0W,EAAA,GAAxCgqD,EAAwC9pD,EAAA,GAAtB4pD,EAAsB5pD,EAAA,GAChD4M,EAAO,UAAW,CAAE/zB,KAAIixE,mBAAkB95C,YAAahM,EAAUpR,MAAMod,cACvEpD,EAAO,aAAc,CAAE/zB,KAAI+wE,mBAAkB55C,YAAahM,EAAUpR,MAAMod,iBAG9E1R,eAxIO,SAAA4B,EAAAG,GAwIyD,IAA9C2D,EAA8C9D,EAA9C8D,UAAWgJ,EAAmC9M,EAAnC8M,SAAUJ,EAAyB1M,EAAzB0M,OAAY/zB,EAAawnB,EAAbxnB,GAAIqF,EAASmiB,EAATniB,MAC/C8xB,EAAchM,EAAUpR,MAAMod,YAC/BA,IAELpD,EAAO,iBAAkB,CAAE/zB,KAAIqF,QAAO8xB,gBACtChM,EAAU0I,IAAIC,kBAAkBrO,eAAe,CAAEzlB,KAAIqF,UAAS1I,KAC5D,SAAA+W,GACEygB,EAAS,wBAAyBn0B,OAIxC2lB,iBAnJO,SAAAjB,EAAAnQ,GAmJ2D,IAA9C4W,EAA8CzG,EAA9CyG,UAAWgJ,EAAmCzP,EAAnCyP,SAAUJ,EAAyBrP,EAAzBqP,OAAY/zB,EAAauU,EAAbvU,GAAIqF,EAASkP,EAATlP,MACjD8xB,EAAchM,EAAUpR,MAAMod,YAC/BA,IAELpD,EAAO,oBAAqB,CAAE/zB,KAAIqF,QAAO8xB,gBACzChM,EAAU0I,IAAIC,kBAAkBnO,iBAAiB,CAAE3lB,KAAIqF,UAAS1I,KAC9D,SAAA+W,GACEygB,EAAS,wBAAyBn0B,OAIxCiyE,sBA9JO,SAAAt9D,EA8JuC3U,GAAI,IAAzBmrB,EAAyBxW,EAAzBwW,UAAW4I,EAAcpf,EAAdof,OAClC5I,EAAU0I,IAAIC,kBAAkBzO,oBAAoB,CAAErlB,OAAMrD,KAC1D,SAAAgvB,GACEoI,EAAO,sBAAuB,CAAE/zB,KAAI2rB,iBAAgBwL,YAAahM,EAAUpR,MAAMod,iBAIvF+6C,UArKO,SAAAt9D,EAqK2B5U,GAAI,IAAzBmrB,EAAyBvW,EAAzBuW,UAAW4I,EAAcnf,EAAdmf,OACtB5I,EAAU0I,IAAIC,kBAAkB7O,sBAAsB,CAAEjlB,OACrDrD,KAAK,SAAAs0E,GAAgB,OAAIl9C,EAAO,UAAW,CAAE/zB,KAAIixE,mBAAkB95C,YAAahM,EAAUpR,MAAMod,iBAErGg7C,aAzKO,SAAAj9D,EAyK8BlV,GAAI,IAAzBmrB,EAAyBjW,EAAzBiW,UAAW4I,EAAc7e,EAAd6e,OACzB5I,EAAU0I,IAAIC,kBAAkB3O,sBAAsB,CAAEnlB,OACrDrD,KAAK,SAAAo0E,GAAgB,OAAIh9C,EAAO,aAAc,CAAE/zB,KAAI+wE,mBAAkB55C,YAAahM,EAAUpR,MAAMod,iBAExGi7C,OA7KO,SA6KCnnD,EA7KDvD,GA6KkD,IAAxCjB,EAAwCiB,EAAxCjB,EAAGptB,EAAqCquB,EAArCruB,QAAS4a,EAA4ByT,EAA5BzT,MAAOyS,EAAqBgB,EAArBhB,OAAQ7iB,EAAa6jB,EAAb7jB,UAC1C,OAAOonB,EAAME,UAAU0I,IAAIC,kBAAkBvN,QAAQ,CAAEE,IAAGptB,UAAS4a,QAAOyS,SAAQ7iB,cAC/ElH,KAAK,SAAC9F,GAGL,OAFAo0B,EAAM8I,OAAO,cAAel9B,EAAK2uB,UACjCyF,EAAM8I,OAAO,iBAAkB,CAAEnN,SAAU/vB,EAAK+vB,WACzC/vB,MAIfigE,yICluBIub,GAAiB,SAAArlE,GASjB,IARJie,EAQIje,EARJie,MACAnY,EAOI9F,EAPJ8F,YAOIw/D,EAAAtlE,EANJsK,gBAMI,IAAAg7D,EANO,UAMPA,EAAAC,EAAAvlE,EALJ4gE,aAKI,IAAA2E,KAAAtF,EAAAjgE,EAJJ2lD,uBAII,IAAAsa,KAAAuF,EAAAxlE,EAHJ4K,cAGI,IAAA46D,KAAAC,EAAAzlE,EAFJvR,WAEI,IAAAg3E,KADJ/6D,EACI1K,EADJ0K,MAEMvD,EAAO,CAAEmD,WAAUxE,eACnBqY,EAAYF,EAAME,WAAaF,EAAM5B,MACnCoN,EAAYxL,EAAZwL,QACFi8C,EAAevnD,EAAUvE,SAASylD,UAAUsG,KAAUr7D,IAJxDs7D,EAKwCn8C,EAAQlK,aAA5C0pC,EALJ2c,EAKI3c,eAAgBh+C,EALpB26D,EAKoB36D,gBAClBwf,IAAatM,EAAUpR,MAAMod,YAE/By2C,EACFz5D,EAAI,MAAYuD,GAASg7D,EAAahoE,MAEtCyJ,EAAI,MAAYu+D,EAAanoE,MAG/B4J,EAAI,OAAayD,EACjBzD,EAAI,IAAU1Y,EACd0Y,EAAI,WAAiB8hD,EACjBx+B,GAAY,CAAC,UAAW,SAAU,qBAAqBp0B,SAASiU,KAClEnD,EAAI,gBAAsB8D,GAG5B,IAAM46D,EAAyBH,EAAa9rD,SAASvvB,OAErD,OAAO6f,IAAWE,cAAcjD,GAC7BxX,KAAK,SAAAuS,GACJ,IAAIA,EAAS7R,MAAb,CADgB,IAMFupB,EAAyB1X,EAA/BrY,KAAgBkiB,EAAe7J,EAAf6J,WAKxB,OAJK60D,GAAShnD,EAASvvB,QAAU,KAAOq7E,EAAat+B,SAAWy+B,EAAyB,GACvF5nD,EAAMkJ,SAAS,aAAc,CAAE7c,SAAUA,EAAUtX,GAAI0yE,EAAanoE,QAxD7D,SAAAwC,GAAwE,IAArEke,EAAqEle,EAArEke,MAAOrE,EAA8D7Z,EAA9D6Z,SAAUtP,EAAoDvK,EAApDuK,SAAUq7C,EAA0C5lD,EAA1C4lD,gBAAiB/6C,EAAyB7K,EAAzB6K,OAAQmB,EAAiBhM,EAAjBgM,WAC9D+5D,EAAaH,KAAUr7D,GAE7B2T,EAAMkJ,SAAS,WAAY,CAAEx1B,OAAO,IACpCssB,EAAMkJ,SAAS,eAAgB,CAAEx1B,MAAO,OAExCssB,EAAMkJ,SAAS,iBAAkB,CAC/B7c,SAAUw7D,EACVl7D,SACAgP,WACA+rC,kBACA55C,eA+CEg6D,CAAO,CAAE9nD,QAAOrE,WAAUtP,WAAUq7C,kBAAiB/6C,SAAQmB,eACtD,CAAE6N,WAAU7N,cATjBkS,EAAMkJ,SAAS,eAAgB,CAAEx1B,MAAOuQ,KAUzC,kBAAM+b,EAAMkJ,SAAS,WAAY,CAAEx1B,OAAO,OAiBlCq0E,GALS,CACtBX,kBACAY,cAXoB,SAAAxlE,GAA+E,IAAAylE,EAAAzlE,EAA5E6J,gBAA4E,IAAA47D,EAAjE,UAAiEA,EAAtDpgE,EAAsDrF,EAAtDqF,YAAamY,EAAyCxd,EAAzCwd,MAAyCkoD,EAAA1lE,EAAlCmK,cAAkC,IAAAu7D,KAAAC,EAAA3lE,EAAlBhS,WAAkB,IAAA23E,KAE7FV,GADYznD,EAAME,WAAaF,EAAM5B,OACZzC,SAASylD,UAAUsG,KAAUr7D,IACtDq7C,EAA0D,IAAxC+f,EAAa/G,gBAAgBt0E,OACrDq7E,EAAa96D,OAASA,EACtBy6D,GAAe,CAAE/6D,WAAUxE,cAAamY,QAAO0nC,kBAAiB/6C,SAAQnc,QAExE,OAAO43E,YADqB,kBAAMhB,GAAe,CAAE/6D,WAAUxE,cAAamY,QAAOrT,SAAQnc,SACjD,OCnEpC42E,GAAiB,SAAArlE,GAA2C,IAAxCie,EAAwCje,EAAxCie,MAAOnY,EAAiC9F,EAAjC8F,YAAiCy/D,EAAAvlE,EAApB4gE,aAAoB,IAAA2E,KAC1Dp+D,EAAO,CAAErB,eACP2jB,EAAYxL,EAAZwL,QACFtL,EAAYF,EAAME,WAAaF,EAAM5B,MACrCqpD,EAAevnD,EAAUvE,SAAStO,cAClC29C,EAAiBx/B,EAAQlK,aAAa0pC,eACtCqd,EAAqBnoD,EAAUpR,MAAMod,YAAYh1B,qBAOvD,GALAgS,EAAI,WAAiB8hD,EAErB9hD,EAAI,UAAgBm/D,EAEpBn/D,EAAI,SAAe,gBACfy5D,EAIF,OAHI8E,EAAahoE,QAAUqhB,OAAOmgD,oBAChC/3D,EAAI,MAAYu+D,EAAahoE,OAExB6oE,GAAmB,CAAEtoD,QAAO9W,OAAMy5D,UAGrC8E,EAAanoE,QAAUwhB,OAAOmgD,oBAChC/3D,EAAI,MAAYu+D,EAAanoE,OAE/B,IAAMrS,EAASq7E,GAAmB,CAAEtoD,QAAO9W,OAAMy5D,UAO3Ct1D,EAAgBo6D,EAAa77E,KAC7B28E,EAAgBl7D,EAAclE,OAAO,SAAAjV,GAAC,OAAIA,EAAEmK,OAAMtI,IAAI,SAAA7B,GAAC,OAAIA,EAAEa,KAMnE,OALwBsY,EAAcjhB,OAASm8E,EAAcn8E,OACvC,GAAKm8E,EAAcn8E,OAAS,IAChD8c,EAAI,MAAYrI,KAAK4jB,IAAL13B,MAAA8T,KAAI4E,IAAQ8iE,IAC5BD,GAAmB,CAAEtoD,QAAO9W,OAAMy5D,WAE7B11E,GAILq7E,GAAqB,SAAA9lE,GAA4B,IAAzBwd,EAAyBxd,EAAzBwd,MAAO9W,EAAkB1G,EAAlB0G,KAAMy5D,EAAYngE,EAAZmgE,MACzC,OAAO12D,IAAWE,cAAcjD,GAC7BxX,KAAK,SAAA+Q,GAA6B,IAApB4K,EAAoB5K,EAA1B7W,KAEP,OAlDS,SAAAkW,GAAqC,IAAlCke,EAAkCle,EAAlCke,MAAO3S,EAA2BvL,EAA3BuL,cAAes1D,EAAY7gE,EAAZ6gE,MACtC3iD,EAAMkJ,SAAS,wBAAyB,CAAEx1B,OAAO,IACjDssB,EAAMkJ,SAAS,sBAAuB,CAAE7b,gBAAes1D,UA+CnDmF,CAAO,CAAE9nD,QAAO3S,gBAAes1D,UACxBt1D,GACN,kBAAM2S,EAAMkJ,SAAS,wBAAyB,CAAEx1B,OAAO,MAJrD,MAKE,kBAAMssB,EAAMkJ,SAAS,wBAAyB,CAAEx1B,OAAO,OAkBnD80E,GALc,CAC3BpB,kBACAY,cAZoB,SAAAvxD,GAA4B,IAAzB5O,EAAyB4O,EAAzB5O,YAAamY,EAAYvJ,EAAZuJ,MACpConD,GAAe,CAAEv/D,cAAamY,UAM9B,OADArtB,WAAW,kBAAMqtB,EAAMkJ,SAAS,2BAA2B,IAAQ,KAC5Dk/C,YALqB,kBAAMhB,GAAe,CAAEv/D,cAAamY,WAKxB,OC9DpConD,GAAiB,SAAAtlE,GAA4B,IAAzBke,EAAyBle,EAAzBke,MAAOnY,EAAkB/F,EAAlB+F,YAC/B,OAAOoE,IAAWyM,oBAAoB,CAAE7Q,gBACrCnW,KAAK,SAAC+2E,GACLzoD,EAAM8I,OAAO,oBAAqB2/C,GAClCzoD,EAAM8I,OAAO,cAAe2/C,IAC3B,cAJE,MAKE,eAaIC,GAJc,CAC3BV,cAPoB,SAAAjmE,GAA4B,IAAzB8F,EAAyB9F,EAAzB8F,YAAamY,EAAYje,EAAZie,MACpConD,GAAe,CAAEv/D,cAAamY,UAE9B,OAAOooD,YADqB,kBAAMhB,GAAe,CAAEv/D,cAAamY,WACxB,skBCT1C,IA6Be2oD,GA7BkB,SAAA9gE,GAAW,OAAA+gE,GAAA,CAC1CC,sBAD0C,SAAA/mE,GACuB,IAAxCuK,EAAwCvK,EAAxCuK,SAAU2T,EAA8Ble,EAA9Bke,MAA8B8oD,EAAAhnE,EAAvB6K,cAAuB,IAAAm8D,KAAPt4E,EAAOsR,EAAPtR,IACxD,OAAOu4E,GAAuBf,cAAc,CAAE37D,WAAU2T,QAAOnY,cAAa8E,SAAQnc,SAGtFw4E,2BAL0C,SAAAjnE,GAKH,IAATie,EAASje,EAATie,MAC5B,OAAOwoD,GAAqBR,cAAc,CAAEhoD,QAAOnY,iBAGrDohE,4BAT0C,SAAAzmE,GASF,IAATwd,EAASxd,EAATwd,MAC7B,OAAO0oD,GAAqBV,cAAc,CAAEhoD,QAAOnY,iBAGrDqhE,gBAb0C,SAAAzmE,GAad,IAEpBrN,EAFoBqN,EAATud,MACEE,UAAU7B,SAASC,OAAOnoB,QAAQ,OAAQ,MAC1CkT,YAAqB,CAAExB,cAAa0B,OAAQ,SAC/D,OAAOS,YAAY,CAAE5U,MAAKL,GAAI,WAG7BxI,OAAO6Y,QAAQ6G,KAAY/R,OAAO,SAACC,EAADsc,GAAsB,IAAAO,EAAA1R,IAAAmR,EAAA,GAAfziB,EAAegjB,EAAA,GAAVmyD,EAAUnyD,EAAA,GACzD,OAAA4xD,GAAA,GACKzuE,EADLulE,IAAA,GAEG1rE,EAAM,SAACkV,GAAD,OAAUigE,EAAKP,GAAA,CAAE/gE,eAAgBqB,QAEzC,IAxBuC,CA0B1CgD,kBAAmBD,IAAWC,yCC7B1Bk9D,GAAY,GAAA5uE,OAAMhG,OAAO60E,SAASplD,OAAtB,mBAELqlD,GAAiB,SAAAxnE,GAAkD,IAA/CynE,EAA+CznE,EAA/CynE,SAAUC,EAAqC1nE,EAArC0nE,aAAcnrD,EAAuBvc,EAAvBuc,SAAUyK,EAAahnB,EAAbgnB,OACjE,GAAIygD,GAAYC,EACd,OAAOr7E,QAAQC,QAAQ,CAAEm7E,WAAUC,iBAGrC,IAAMp0E,EAAG,GAAAoF,OAAM6jB,EAAN,gBACHrO,EAAO,IAAIxb,OAAOoe,SAMxB,OAJA5C,EAAK8C,OAAO,cAAZ,aAAAtY,OAAwChG,OAAOi1E,yBAA/C,KAAAjvE,QAA4E,IAAI1B,MAAQ4wE,gBACxF15D,EAAK8C,OAAO,gBAAiBs2D,IAC7Bp5D,EAAK8C,OAAO,SAAU,gCAEfte,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IAELte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAACi4E,GAAD,MAAU,CAAEJ,SAAUI,EAAIC,UAAWJ,aAAcG,EAAIE,iBAC5Dn4E,KAAK,SAACi4E,GAAD,OAAS7gD,EAAO,gBAAiB6gD,IAAQA,KA2DtCG,GAAiB,SAAArzD,GAA0C,IAAvC8yD,EAAuC9yD,EAAvC8yD,SAAUC,EAA6B/yD,EAA7B+yD,aAAcnrD,EAAe5H,EAAf4H,SACjDjpB,EAAG,GAAAoF,OAAM6jB,EAAN,gBACHrO,EAAO,IAAIxb,OAAOoe,SAOxB,OALA5C,EAAK8C,OAAO,YAAay2D,GACzBv5D,EAAK8C,OAAO,gBAAiB02D,GAC7Bx5D,EAAK8C,OAAO,aAAc,sBAC1B9C,EAAK8C,OAAO,eAAZ,GAAAtY,OAA+BhG,OAAO60E,SAASplD,OAA/C,oBAEOzvB,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UA0DVuhE,GAVD,CACZC,MArHY,SAAAjoE,GAA4B,IAAzBsc,EAAyBtc,EAAzBsc,SACTzyB,EAAO,CACXq+E,cAAe,OACfL,UAHsC7nE,EAAfwnE,SAIvBW,aAAcd,GACd9vB,MAAO,gCAGH6wB,EAAa1W,KAAO7nE,EAAM,SAACuO,EAAKqzB,EAAGxqB,GACvC,IAAMonE,EAAO,GAAA5vE,OAAMwI,EAAN,KAAAxI,OAAW8N,mBAAmBklB,IAC3C,OAAKrzB,EAGH,GAAAK,OAAUL,EAAV,KAAAK,OAAiB4vE,GAFVA,IAIR,GAGGh1E,EAAG,GAAAoF,OAAM6jB,EAAN,qBAAA7jB,OAAkC2vE,GAE3C31E,OAAO60E,SAAS/6E,KAAO8G,GAkGvBi1E,SA/Ee,SAAA5nE,GAAgD,IAA7C8mE,EAA6C9mE,EAA7C8mE,SAAUC,EAAmC/mE,EAAnC+mE,aAAcnrD,EAAqB5b,EAArB4b,SAAUhT,EAAW5I,EAAX4I,KAC9CjW,EAAG,GAAAoF,OAAM6jB,EAAN,gBACHrO,EAAO,IAAIxb,OAAOoe,SAQxB,OANA5C,EAAK8C,OAAO,YAAay2D,GACzBv5D,EAAK8C,OAAO,gBAAiB02D,GAC7Bx5D,EAAK8C,OAAO,aAAc,sBAC1B9C,EAAK8C,OAAO,OAAQzH,GACpB2E,EAAK8C,OAAO,eAAZ,GAAAtY,OAA+BhG,OAAO60E,SAASplD,OAA/C,oBAEOzvB,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IAELte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAkEvB8hE,wBAhG8B,SAAA9nE,GAA8D,IAA3D+mE,EAA2D/mE,EAA3D+mE,SAAUC,EAAiDhnE,EAAjDgnE,aAAcnrD,EAAmC7b,EAAnC6b,SAAUlZ,EAAyB3C,EAAzB2C,SAAUqS,EAAehV,EAAfgV,SACvEpiB,EAAG,GAAAoF,OAAM6jB,EAAN,gBACHrO,EAAO,IAAIxb,OAAOoe,SAQxB,OANA5C,EAAK8C,OAAO,YAAay2D,GACzBv5D,EAAK8C,OAAO,gBAAiB02D,GAC7Bx5D,EAAK8C,OAAO,aAAc,YAC1B9C,EAAK8C,OAAO,WAAY3N,GACxB6K,EAAK8C,OAAO,WAAY0E,GAEjBhjB,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAoFvB8gE,kBACAiB,cAnDoB,SAAAvzD,GAAuC,IAApC2yD,EAAoC3yD,EAApC2yD,IAAKtrD,EAA+BrH,EAA/BqH,SAAUmsD,EAAqBxzD,EAArBwzD,SAAUn/D,EAAW2L,EAAX3L,KAC1CjW,EAAG,GAAAoF,OAAM6jB,EAAN,wBACHrO,EAAO,IAAIxb,OAAOoe,SAQxB,OANA5C,EAAK8C,OAAO,YAAa62D,EAAIC,WAC7B55D,EAAK8C,OAAO,gBAAiB62D,EAAIE,eACjC75D,EAAK8C,OAAO,YAAa03D,GACzBx6D,EAAK8C,OAAO,OAAQzH,GACpB2E,EAAK8C,OAAO,iBAAkB,QAEvBte,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAuCvBiiE,mBApCyB,SAAAv0D,GAAuC,IAApCyzD,EAAoCzzD,EAApCyzD,IAAKtrD,EAA+BnI,EAA/BmI,SAAUmsD,EAAqBt0D,EAArBs0D,SAAUn/D,EAAW6K,EAAX7K,KAC/CjW,EAAG,GAAAoF,OAAM6jB,EAAN,wBACHrO,EAAO,IAAIxb,OAAOoe,SAQxB,OANA5C,EAAK8C,OAAO,YAAa62D,EAAIC,WAC7B55D,EAAK8C,OAAO,gBAAiB62D,EAAIE,eACjC75D,EAAK8C,OAAO,YAAa03D,GACzBx6D,EAAK8C,OAAO,OAAQzH,GACpB2E,EAAK8C,OAAO,iBAAkB,YAEvBte,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAwBvBkiE,YArBkB,SAAA76D,GAA8B,IAA3B85D,EAA2B95D,EAA3B85D,IAAKtrD,EAAsBxO,EAAtBwO,SAAUrnB,EAAY6Y,EAAZ7Y,MAC9B5B,EAAG,GAAAoF,OAAM6jB,EAAN,iBACHrO,EAAO,IAAIxb,OAAOoe,SAMxB,OAJA5C,EAAK8C,OAAO,YAAa62D,EAAIJ,UAC7Bv5D,EAAK8C,OAAO,gBAAiB62D,EAAIH,cACjCx5D,EAAK8C,OAAO,QAAS9b,GAEdxC,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,gCC9HzB,SAASmiE,KACP,MAAO,kBAAmB5qC,WAAa,gBAAiBvrC,OAG1D,SAASo2E,KACP,OAAOC,KAAQ50D,WAAR,MACE,SAAC5kB,GAAD,OAASiD,QAAQlC,MAAM,4CAA6Cf,KAsB/E,SAASy5E,GAA+B9zE,GACtC,OAAOxC,OAAOmT,MAAM,6BAA8B,CAChDI,OAAQ,SACRI,QAAS,CACPE,eAAgB,mBAChBM,cAAA,UAAAnO,OAA2BxD,MAE5BtF,KAAK,SAACuS,GACP,IAAKA,EAASwE,GAAI,MAAM,IAAInX,MAAM,gCAClC,OAAO2S,IAgCJ,SAAS8mE,GAA2BC,EAAWnN,EAAgB7mE,EAAOopB,GACvEuqD,MACFC,KACGl5E,KAAK,SAACu5E,GAAD,OA/DZ,SAAwBA,EAAcD,EAAWnN,GAC/C,IAAKmN,EAAW,OAAO78E,QAAQE,OAAO,IAAIiD,MAAM,mCAChD,IAAKusE,EAAgB,OAAO1vE,QAAQE,OAAO,IAAIiD,MAAM,kCAErD,IAvB8B45E,EAExBC,EAIAC,EAiBAC,EAAmB,CACvBC,iBAAiB,EACjBC,sBAzB4BL,EAyBgBrN,EAvBxCsN,GAAUD,EADA,IAAIM,QAAQ,EAAIN,EAAa9+E,OAAS,GAAK,IAExD+J,QAAQ,KAAM,KACdA,QAAQ,KAAM,KAEXi1E,EAAU52E,OAAOi3E,KAAKN,GACrBO,WAAWC,KAAKlmE,IAAI2lE,GAASr1E,IAAI,SAAC03C,GAAD,OAAUA,EAAKm+B,WAAW,QAoBlE,OAAOX,EAAaY,YAAYC,UAAUT,GAuDdU,CAAcd,EAAcD,EAAWnN,KAC9DnsE,KAAK,SAACs6E,GAAD,OAhCZ,SAAoCA,EAAch1E,EAAOopB,GACvD,OAAO5rB,OAAOmT,MAAM,6BAA8B,CAChDI,OAAQ,OACRI,QAAS,CACPE,eAAgB,mBAChBM,cAAA,UAAAnO,OAA2BxD,IAE7BgN,KAAMG,KAAKC,UAAU,CACnB4nE,eACApgF,KAAM,CACJqgF,OAAQ,CACNje,OAAQ5tC,EAAuBG,QAC/BniB,UAAWgiB,EAAuBC,MAClC6rD,QAAS9rD,EAAuBviB,SAChCzC,OAAQglB,EAAuBE,QAC/B6rD,KAAM/rD,EAAuBK,YAIlC/uB,KAAK,SAACuS,GACP,IAAKA,EAASwE,GAAI,MAAM,IAAInX,MAAM,gCAClC,OAAO2S,EAASuE,SACf9W,KAAK,SAAC06E,GACP,IAAKA,EAAar3E,GAAI,MAAM,IAAIzD,MAAM,6BACtC,OAAO86E,IAQmBC,CAA0BL,EAAch1E,EAAOopB,KAFzE,MAGS,SAACryB,GAAD,OAAOuG,QAAQmX,KAAR,2CAAAjR,OAAwDzM,EAAE0E,2kBC/EvE,IAkBD65E,GAAmB,SAAnBA,EAAoBC,EAAU5T,GAClC,GAAIyJ,IAAQmK,IAAanK,IAAQzJ,GAE/B,OADA4T,EAASngF,OAASusE,EAASvsE,OACpBogF,KAAUD,EAAU5T,EAAU2T,IAYnCz7D,GAAY,SAACmP,EAAOjrB,GACxB,OAAOirB,EAAME,UAAU0I,IAAIC,kBAAkBhY,UAAU,CAAE9b,OACtDrD,KAAK,SAACmF,GACLmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,IACxCmpB,EAAM8I,OAAO,aAAc/zB,GAC3BirB,EAAM8I,OAAO,eAAgB,CAAEzc,SAAU,UAAWM,OAAQ5X,IAC5DirB,EAAM8I,OAAO,eAAgB,CAAEzc,SAAU,SAAUM,OAAQ5X,IAC3DirB,EAAM8I,OAAO,eAAgB,CAAEzc,SAAU,oBAAqBM,OAAQ5X,OAItEic,GAAc,SAACgP,EAAOjrB,GAC1B,OAAOirB,EAAME,UAAU0I,IAAIC,kBAAkB7X,YAAY,CAAEjc,OACxDrD,KAAK,SAACmF,GAAD,OAAkBmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,OAG9Dqd,GAAW,SAAC8L,EAAOjrB,GACvB,IAAM03E,EAAwBzsD,EAAM5B,MAAMsuD,cAAc33E,IAAO,CAAEA,MAKjE,OAJA03E,EAAsBn0E,QAAS,EAC/B0nB,EAAM8I,OAAO,yBAA0B,CAAC2jD,IACxCzsD,EAAM8I,OAAO,YAAa/zB,GAEnBirB,EAAME,UAAU0I,IAAIC,kBAAkB3U,SAAS,CAAEnf,OACrDrD,KAAK,SAACmF,GACLmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,IACxCmpB,EAAM8I,OAAO,YAAa/zB,MAI1Bqf,GAAa,SAAC4L,EAAOjrB,GACzB,IAAM03E,EAAwBzsD,EAAM5B,MAAMsuD,cAAc33E,IAAO,CAAEA,MAIjE,OAHA03E,EAAsBn0E,QAAS,EAC/B0nB,EAAM8I,OAAO,yBAA0B,CAAC2jD,IAEjCzsD,EAAME,UAAU0I,IAAIC,kBAAkBzU,WAAW,CAAErf,OACvDrD,KAAK,SAACmF,GAAD,OAAkBmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,OAe9DslB,GAAa,SAAC6D,EAAO3D,GACzB,OAAO2D,EAAME,UAAU0I,IAAIC,kBAAkB1M,WAAW,CAAEE,WACvD3qB,KAAK,kBAAMsuB,EAAM8I,OAAO,gBAAiBzM,MAGxCC,GAAe,SAAC0D,EAAO3D,GAC3B,OAAO2D,EAAME,UAAU0I,IAAIC,kBAAkBvM,aAAa,CAAED,WACzD3qB,KAAK,kBAAMsuB,EAAM8I,OAAO,mBAAoBzM,MA0elCvN,GApUD,CACZsP,MAZ0B,CAC1BuuD,WAAW,EACXC,eAAe,EACf1gD,aAAa,EACbpd,MAAO,GACP+9D,YAAa,GACbC,eAAe,EACfC,aAAc,GACdL,cAAe,IAKf7gB,UArKuB,CACvB72C,QADuB,SACdoJ,EADctc,GACgB,IAAb/M,EAAa+M,EAArBpE,KAAQ3I,GAAMvE,EAAOsR,EAAPtR,IACxBkN,EAAO0gB,EAAMyuD,YAAY93E,GAEzBi4E,GADOtvE,EAAKpE,MAAQ,IACLkB,OAAO,CAAChK,IAC7Bq8B,cAAInvB,EAAM,OAAQsvE,IAEpB73D,UAPuB,SAOZiJ,EAPYrc,GAOkB,IAAbhN,EAAagN,EAArBrE,KAAQ3I,GAAMvE,EAAOuR,EAAPvR,IAC1BkN,EAAO0gB,EAAMyuD,YAAY93E,GAEzBi4E,GADOtvE,EAAKpE,MAAQ,IACL6P,OAAO,SAAAxV,GAAC,OAAIA,IAAMnD,IACvCq8B,cAAInvB,EAAM,OAAQsvE,IAEpBC,YAbuB,SAaV7uD,EAbU5b,GAa6B,IAAtBzN,EAAsByN,EAA9B9E,KAAQ3I,GAAM+Q,EAAgBtD,EAAhBsD,MAAOpS,EAAS8O,EAAT9O,MACnCgK,EAAO0gB,EAAMyuD,YAAY93E,GAC3Bm4E,EAAYxvE,EAAKnG,OACrB21E,EAAUpnE,GAASpS,EACnBm5B,cAAInvB,EAAM,SAAUwvE,IAEtBC,uBAnBuB,SAmBC/uD,EAnBD3b,GAmBuC,IAArB1N,EAAqB0N,EAA7B/E,KAAQ3I,GAAMwE,EAAekJ,EAAflJ,YACvCmE,EAAO0gB,EAAMyuD,YAAY93E,GAC/B83B,cAAInvB,EAAM,cAAenE,IAE3B6zE,eAvBuB,SAuBPhvD,EAAO1gB,GACrB0gB,EAAMwuD,cAAgBlvE,EAAKzI,YAC3BmpB,EAAM8N,YAAcsgD,KAAUpuD,EAAM8N,aAAe,GAAIxuB,EAAM4uE,KAE/De,iBA3BuB,SA2BLjvD,GAChBA,EAAM8N,aAAc,EACpB9N,EAAMwuD,eAAgB,GAExBU,WA/BuB,SA+BXlvD,GACVA,EAAMuuD,WAAY,GAEpBY,SAlCuB,SAkCbnvD,GACRA,EAAMuuD,WAAY,GAEpBa,cArCuB,SAqCRpvD,EArCQ3H,GAqCkB,IAAjB1hB,EAAiB0hB,EAAjB1hB,GAAImE,EAAaud,EAAbvd,UACpBwE,EAAO0gB,EAAMyuD,YAAY93E,GAC/B2I,EAAKxE,UAAYy+C,KAAKtoC,KAAO3R,EAAKxE,UAAWA,KAE/Cu0E,gBAzCuB,SAyCNrvD,EAzCMpH,GAyCsB,IAAnBjiB,EAAmBiiB,EAAnBjiB,GAAIoE,EAAe6d,EAAf7d,YACtBuE,EAAO0gB,EAAMyuD,YAAY93E,GAC/B2I,EAAKvE,YAAcw+C,KAAKtoC,KAAO3R,EAAKvE,YAAaA,KAInDu0E,aA/CuB,SA+CTtvD,EAAOzR,GACnB,IAAMjP,EAAO0gB,EAAMyuD,YAAYlgE,GAC3BjP,GACFmvB,cAAInvB,EAAM,YAAa,KAG3BiwE,eArDuB,SAqDPvvD,EAAOzR,GACrB,IAAMjP,EAAO0gB,EAAMyuD,YAAYlgE,GAC3BjP,GACFmvB,cAAInvB,EAAM,cAAe,KAG7BkwE,YA3DuB,SA2DVxvD,EAAOtP,GAClBuM,IAAKvM,EAAO,SAACpR,GACPA,EAAK7G,cACPg2B,cAAIzO,EAAMsuD,cAAehvE,EAAK7G,aAAa9B,GAAI2I,EAAK7G,cA3JlC,SAACyqE,EAAKC,EAAKxa,GACnC,IAAKA,EAAQ,OAAO,EACpB,IAAMya,EAAUD,EAAIxa,EAAKhyD,IACrBysE,EAEFgL,KAAUhL,EAASza,EAAMulB,KAIzBhL,EAAIh1E,KAAKy6D,GACTl6B,cAAI00C,EAAKxa,EAAKhyD,GAAIgyD,GACdA,EAAK9xD,cAAgB8xD,EAAK9xD,YAAYmD,SAAS,MACjDy0B,cAAI00C,EAAKxa,EAAK9xD,YAAYqpC,cAAeyoB,IAiJzCsa,CAAWjjD,EAAMtP,MAAOsP,EAAMyuD,YAAanvE,MAG/CmwE,uBAnEuB,SAmECzvD,EAAOsuD,GAC7BA,EAAc35D,QAAQ,SAAClc,GACrBg2B,cAAIzO,EAAMsuD,cAAe71E,EAAa9B,GAAI8B,MAG9Ci3E,aAxEuB,SAwET1vD,EAAO2vD,GACnB3vD,EAAM8N,YAAY6hD,SAAWA,GAE/BC,WA3EuB,SA2EX5vD,EAAO6vD,IACoC,IAAjD7vD,EAAM8N,YAAY6hD,SAAS/1B,QAAQi2B,IACrC7vD,EAAM8N,YAAY6hD,SAASzhF,KAAK2hF,IAGpCC,YAhFuB,SAgFV9vD,EAAO+vD,GAClB/vD,EAAM8N,YAAYiiD,QAAUA,GAE9BC,UAnFuB,SAmFZhwD,EAAOiwD,IACmC,IAA/CjwD,EAAM8N,YAAYiiD,QAAQn2B,QAAQq2B,IACpCjwD,EAAM8N,YAAYiiD,QAAQ7hF,KAAK+hF,IAGnCC,gBAxFuB,SAwFNlwD,EAAOmwD,GACtBnwD,EAAM8N,YAAYqiD,YAAcA,GAElCC,cA3FuB,SA2FRpwD,EAAO/B,IACmC,IAAnD+B,EAAM8N,YAAYqiD,YAAYv2B,QAAQ37B,IACxC+B,EAAM8N,YAAYqiD,YAAYjiF,KAAK+vB,IAGvCoyD,iBAhGuB,SAgGLrwD,EAAO/B,GACvB,IAAM4tB,EAAQ7rB,EAAM8N,YAAYqiD,YAAYv2B,QAAQ37B,IACrC,IAAX4tB,GACF7rB,EAAM8N,YAAYqiD,YAAYjhF,OAAO28C,EAAO,IAGhDykC,gBAtGuB,SAsGNtwD,EAAO1jB,GACtB,IAAMgD,EAAO0gB,EAAMyuD,YAAYnyE,EAAOgD,KAAK3I,IACrCk1C,EAAQvsC,EAAKtE,gBAAgB4+C,QAAQt9C,EAAO3F,IAC9C2F,EAAOuC,SAAqB,IAAXgtC,EACnBvsC,EAAKtE,gBAAgB9M,KAAKoO,EAAO3F,IACvB2F,EAAOuC,SAAqB,IAAXgtC,GAC3BvsC,EAAKtE,gBAAgB9L,OAAO28C,EAAO,IAGvC0kC,iBA/GuB,SA+GLvwD,EAAO1jB,GACvBA,EAAOgD,KAAO0gB,EAAMyuD,YAAYnyE,EAAOgD,KAAK3I,KAE9C65E,uBAlHuB,SAkHCxwD,EAAO1S,GACH,WAAtBA,EAAa5a,OACf4a,EAAalN,OAAOd,KAAO0gB,EAAMyuD,YAAYnhE,EAAalN,OAAOd,KAAK3I,KAExE2W,EAAajN,aAAe2f,EAAMyuD,YAAYnhE,EAAajN,aAAa1J,KAE1E85E,SAxHuB,SAwHbzwD,EAxHalI,GAwHyB,IAArBnhB,EAAqBmhB,EAA7BxY,KAAQ3I,GAAMwyC,EAAerxB,EAAfqxB,YACzB7pC,EAAO0gB,EAAMyuD,YAAY93E,GAC/B83B,cAAInvB,EAAM,YAAa6pC,IAEzBulC,cA5HuB,SA4HR1uD,GACbA,EAAM0uD,eAAgB,EACtB1uD,EAAM2uD,aAAe,IAEvB+B,cAhIuB,SAgIR1wD,GACbA,EAAM0uD,eAAgB,GAExBiC,cAnIuB,SAmIR3wD,EAAO1Z,GACpB0Z,EAAM0uD,eAAgB,EACtB1uD,EAAM2uD,aAAeroE,IAiCvB8mB,QA7BqB,CACrBC,SAAU,SAAArN,GAAK,OAAI,SAAAtC,GACjB,IAAM7uB,EAASmxB,EAAMyuD,YAAY/wD,GAEjC,OAAK7uB,GAA2B,iBAAV6uB,EAGf7uB,EAFEmxB,EAAMyuD,YAAY/wD,EAAMwiB,iBAInCznC,aAAc,SAAAunB,GAAK,OAAI,SAAArpB,GAErB,OADYA,GAAMqpB,EAAMsuD,cAAc33E,IACxB,CAAEA,KAAIo0C,SAAS,MAmB/B8iB,QAAS,CACP+iB,mBADO,SACahvD,EAAOjrB,GACpBirB,EAAMwL,QAAQC,SAAS12B,IAC1BirB,EAAMkJ,SAAS,YAAan0B,IAGhCoc,UANO,SAMI6O,EAAOjrB,GAChB,OAAOirB,EAAME,UAAU0I,IAAIC,kBAAkB1X,UAAU,CAAEpc,OACtDrD,KAAK,SAACgM,GAEL,OADAsiB,EAAM8I,OAAO,cAAe,CAACprB,IACtBA,KAGb2T,sBAbO,SAagB2O,EAAOjrB,GACxBirB,EAAM5B,MAAM8N,aACdlM,EAAME,UAAU0I,IAAIC,kBAAkBxX,sBAAsB,CAAEtc,OAC3DrD,KAAK,SAACg7E,GAAD,OAAmB1sD,EAAM8I,OAAO,yBAA0B4jD,MAGtEh4D,YAnBO,SAmBMsL,GACX,OAAOA,EAAME,UAAU0I,IAAIC,kBAAkBnU,cAC1ChjB,KAAK,SAACu9E,GAGL,OAFAjvD,EAAM8I,OAAO,eAAgBnb,KAAIshE,EAAQ,OACzCjvD,EAAM8I,OAAO,cAAemmD,GACrBA,KAGbp+D,UA3BO,SA2BImP,EAAOjrB,GAChB,OAAO8b,GAAUmP,EAAOjrB,IAE1Bic,YA9BO,SA8BMgP,EAAOjrB,GAClB,OAAOic,GAAYgP,EAAOjrB,IAE5Bm6E,WAjCO,SAiCKlvD,GAAiB,IAAV2gC,EAAUxhD,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GACvB,OAAOhR,QAAQ0E,IAAI8tD,EAAI5qD,IAAI,SAAAhB,GAAE,OAAI8b,GAAUmP,EAAOjrB,OAEpDo6E,aApCO,SAoCOnvD,GAAiB,IAAV2gC,EAAUxhD,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GACzB,OAAOhR,QAAQ0E,IAAI8tD,EAAI5qD,IAAI,SAAAhB,GAAE,OAAIic,GAAYgP,EAAOjrB,OAEtDif,WAvCO,SAuCKgM,GACV,OAAOA,EAAME,UAAU0I,IAAIC,kBAAkB7U,aAC1CtiB,KAAK,SAAC09E,GAGL,OAFApvD,EAAM8I,OAAO,cAAenb,KAAIyhE,EAAO,OACvCpvD,EAAM8I,OAAO,cAAesmD,GACrBA,KAGbl7D,SA/CO,SA+CG8L,EAAOjrB,GACf,OAAOmf,GAAS8L,EAAOjrB,IAEzBqf,WAlDO,SAkDK4L,EAAOjrB,GACjB,OAAOqf,GAAW4L,EAAOjrB,IAE3Bs6E,YArDO,SAqDMrvD,EAAOjrB,GAClB,OAnPc,SAACirB,EAAOrT,GAC1B,OAAOqT,EAAME,UAAU0I,IAAIC,kBAAkBjZ,WAAW,CAAE7a,GAAI4X,EAAQsD,SAAS,IAC5Eve,KAAK,SAACmF,GACLmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,MAgPjCw4E,CAAYrvD,EAAOjrB,IAE5Bu6E,YAxDO,SAwDMtvD,EAAOjrB,GAClB,OA/Oc,SAACirB,EAAOrT,GAC1B,OAAOqT,EAAME,UAAU0I,IAAIC,kBAAkBjZ,WAAW,CAAE7a,GAAI4X,EAAQsD,SAAS,IAC5Eve,KAAK,SAACmF,GAAD,OAAkBmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,MA6OvDy4E,CAAYtvD,EAAOjrB,IAE5Bw6E,UA3DO,SA2DIvvD,GAAiB,IAAV2gC,EAAUxhD,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GACtB,OAAOhR,QAAQ0E,IAAI8tD,EAAI5qD,IAAI,SAAAhB,GAAE,OAAImf,GAAS8L,EAAOjrB,OAEnDy6E,YA9DO,SA8DMxvD,GAAiB,IAAV2gC,EAAUxhD,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GACxB,OAAOhR,QAAQ0E,IAAI8tD,EAAI5qD,IAAI,SAAAhB,GAAE,OAAIqf,GAAW4L,EAAOjrB,OAErDknB,iBAjEO,SAiEW+D,GAChB,OAAOA,EAAME,UAAU0I,IAAIC,kBAAkB5M,mBAC1CvqB,KAAK,SAAC68E,GAEL,OADAvuD,EAAM8I,OAAO,kBAAmBylD,GACzBA,KAGbpyD,WAxEO,SAwEK6D,EAAO3D,GACjB,OAAOF,GAAW6D,EAAO3D,IAE3BC,aA3EO,SA2EO0D,EAAO3D,GACnB,OAAOC,GAAa0D,EAAO3D,IAE7BozD,YA9EO,SA8EMzvD,GAAqB,IAAdw/C,EAAcrgE,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GAC5B,OAAOhR,QAAQ0E,IAAI2sE,EAAQzpE,IAAI,SAAAsmB,GAAM,OAAIF,GAAW6D,EAAO3D,OAE7DqzD,cAjFO,SAiFQ1vD,GAAoB,IAAb3D,EAAald,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GAC7B,OAAOhR,QAAQ0E,IAAIwpB,EAAOtmB,IAAI,SAAAsmB,GAAM,OAAIC,GAAa0D,EAAO3D,OAE9DzT,aApFO,SAAAiH,EAoF8B9a,GAAI,IAAzBmrB,EAAyBrQ,EAAzBqQ,UAAW4I,EAAcjZ,EAAdiZ,OACnBprB,EAAOwiB,EAAUpR,MAAM+9D,YAAY93E,GACnCuK,EAAQ4P,IAAKxR,EAAKxE,WACxB,OAAOgnB,EAAU0I,IAAIC,kBAAkBjgB,aAAa,CAAE7T,KAAIuK,UACvD5N,KAAK,SAACyb,GAGL,OAFA2b,EAAO,cAAe3b,GACtB2b,EAAO,gBAAiB,CAAE/zB,KAAImE,UAAWyU,KAAIR,EAAS,QAC/CA,KAGbqC,eA9FO,SAAAW,EA8FgCpb,GAAI,IAAzBmrB,EAAyB/P,EAAzB+P,UAAW4I,EAAc3Y,EAAd2Y,OACrBprB,EAAOwiB,EAAUpR,MAAM+9D,YAAY93E,GACnCuK,EAAQ4P,IAAKxR,EAAKvE,aACxB,OAAO+mB,EAAU0I,IAAIC,kBAAkBrZ,eAAe,CAAEza,KAAIuK,UACzD5N,KAAK,SAACovE,GAGL,OAFAh4C,EAAO,cAAeg4C,GACtBh4C,EAAO,kBAAmB,CAAE/zB,KAAIoE,YAAawU,KAAImzD,EAAW,QACrDA,KAGb4M,aAxGO,SAAAp9D,EAwGmB3D,IACxBmc,EADgCxY,EAAlBwY,QACP,eAAgBnc,IAEzBghE,eA3GO,SAAAn9D,EA2GqB7D,IAC1Bmc,EADkCtY,EAAlBsY,QACT,iBAAkBnc,IAE3B2H,cA9GO,SAAA5D,EA8G+B3b,GAAI,IAAzBmrB,EAAyBxP,EAAzBwP,UAAW4I,EAAcpY,EAAdoY,OAC1B,OAAO5I,EAAU0I,IAAIC,kBAAkBvU,cAAc,CAAEvf,OACpDrD,KAAK,SAACmF,GAAD,OAAkBiyB,EAAO,yBAA0B,CAACjyB,OAE9D2d,gBAlHO,SAAA5D,EAkHiC7b,GAAI,IAAzBmrB,EAAyBtP,EAAzBsP,UAAW4I,EAAclY,EAAdkY,OAC5B,OAAO5I,EAAU0I,IAAIC,kBAAkBrU,gBAAgB,CAAEzf,OACtDrD,KAAK,SAACmF,GAAD,OAAkBiyB,EAAO,yBAA0B,CAACjyB,OAE9DoyB,uBAtHO,SAAAnY,EAAAG,GAsHkD,IAA/BiP,EAA+BpP,EAA/BoP,UAAW4I,EAAoBhY,EAApBgY,OAAYprB,EAAQuT,EAARvT,MACnCA,EAAKnE,YAAc2mB,EAAU0I,IAAIC,kBAAkBlT,aAAeuK,EAAU0I,IAAIC,kBAAkB9S,gBAC1G,CAAErY,SACHhM,KAAK,SAAAmnB,GAAA,IAAGtf,EAAHsf,EAAGtf,YAAH,OAAqBuvB,EAAO,yBAA0B,CAAEprB,OAAMnE,mBAExEwxE,0BA3HO,SA2HoB/qD,GACzB,IAAMhpB,EAAQgpB,EAAM5B,MAAM8N,YAAYrkB,YAChCg2D,EAAiB79C,EAAME,UAAU7B,SAASw/C,eAIhDkN,GAHkB/qD,EAAME,UAAUC,OAAOqrC,qBAGJqS,EAAgB7mE,EAFtBgpB,EAAME,UAAUC,OAAOC,yBAIxDuvD,4BAnIO,SAmIsB3vD,IDpT1B,SAAsChpB,GACvC2zE,MACFx8E,QAAQ0E,IAAI,CACVi4E,GAA8B9zE,GAC9B4zE,KACGl5E,KAAK,SAACu5E,GACL,OAhEV,SAA0BA,GACxB,OAAOA,EAAaY,YAAY+D,kBAC7Bl+E,KAAK,SAACm+E,GACL,GAAqB,OAAjBA,EACJ,OAAOA,EAAaC,gBA4DTC,CAAgB9E,GAAcv5E,KAAK,SAACzE,GAAD,MAAY,CAACg+E,EAAch+E,OAEtEyE,KAAK,SAAAoQ,GAAiC,IAAAC,EAAAuD,IAAAxD,EAAA,GAA/BmpE,EAA+BlpE,EAAA,GAIrC,OAJqCA,EAAA,IAEnCzN,QAAQmX,KAAK,0EAERw/D,EAAa+E,aAAat+E,KAAK,SAACzE,GAChCA,GACHqH,QAAQmX,KAAK,2BAZvB,MAgBS,SAAC1d,GAAD,OAAOuG,QAAQmX,KAAR,6CAAAjR,OAA0DzM,EAAE0E,YCqS1Ek9E,CAFc3vD,EAAM5B,MAAM8N,YAAYrkB,cAIxC+lE,YAxIO,SAAA50D,EAwIkBlK,IACvBga,EAD8B9P,EAAjB8P,QACN,cAAeha,IAExBizD,eA3IO,SA2IS/hD,EA3IT5O,GA2I8B,IAAZuK,EAAYvK,EAAZuK,SACjB7M,EAAQnB,KAAIgO,EAAU,QACtBs0D,EAAiBC,KAAQviE,KAAIgO,EAAU,0BAC7CqE,EAAM8I,OAAO,cAAeha,GAC5BkR,EAAM8I,OAAO,cAAemnD,GAE5B50D,IAAKM,EAAU,SAACjhB,GAEdslB,EAAM8I,OAAO,mBAAoBpuB,GAEjCslB,EAAM8I,OAAO,kBAAmBpuB,KAElC2gB,IAAK60D,KAAQviE,KAAIgO,EAAU,qBAAsB,SAACjhB,GAEhDslB,EAAM8I,OAAO,mBAAoBpuB,GAEjCslB,EAAM8I,OAAO,kBAAmBpuB,MAGpC4oE,oBA9JO,SA8JctjD,EA9Jd1O,GA8JwC,IAAjBjE,EAAiBiE,EAAjBjE,cACtByB,EAAQnB,KAAIN,EAAe,gBAC3B8iE,EAAcxiE,KAAIN,EAAe,UAAUlE,OAAO,SAAAC,GAAC,OAAIA,IACvDgnE,EAAkB/iE,EAActX,IAAI,SAAAqT,GAAC,OAAIA,EAAErU,KACjDirB,EAAM8I,OAAO,cAAeha,GAC5BkR,EAAM8I,OAAO,cAAeqnD,GAE5B,IAAME,EAAsBrwD,EAAME,UAAUvE,SAAStO,cAAc6zD,QAC7DoP,EAAwB/jF,OAAO6Y,QAAQirE,GAC1ClnE,OAAO,SAAAN,GAAA,IAAA+F,EAAAtJ,IAAAuD,EAAA,GAAE7F,EAAF4L,EAAA,GAAAA,EAAA,UAAcwhE,EAAgBh4E,SAAS4K,KAC9CjN,IAAI,SAAA0Z,GAAA,IAAAkJ,EAAArT,IAAAmK,EAAA,GAAAkJ,EAAA,UAAAA,EAAA,KAGP0C,IAAKi1D,EAAuB,SAAC5kE,GAC3BsU,EAAM8I,OAAO,yBAA0Bpd,MAG3CkQ,YA/KO,SAAA1N,EAAAG,GA+KwC,IAAhC6R,EAAgChS,EAAhCgS,UAAW4I,EAAqB5a,EAArB4a,OAAYhN,EAASzN,EAATyN,MACpC,OAAOoE,EAAU0I,IAAIC,kBAAkBjN,YAAY,CAAEE,UAClDpqB,KAAK,SAACod,GAEL,OADAga,EAAO,cAAeha,GACfA,KAGPyhE,OAtLC,SAsLOvwD,EAAOwwD,GAtLd,IAAAtwD,EAAAt0B,EAAA8Y,EAAA,OAAAqK,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,cAuLLygB,EAAM8I,OAAO,iBAET5I,EAAYF,EAAME,UAzLjBjR,EAAAvP,KAAA,EAAAuP,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MA4Lc+Q,EAAU0I,IAAIC,kBAAkB5S,SAC/C,CAAEjO,OAAQyoE,GAAA,GAAKD,MA7Ld,OA4LC5kF,EA5LDqjB,EAAAG,KA+LH4Q,EAAM8I,OAAO,iBACb9I,EAAM8I,OAAO,WAAYl9B,EAAK6d,cAC9BuW,EAAMkJ,SAAS,YAAat9B,EAAK6d,cAjM9BwF,EAAA1P,KAAA,uBAAA0P,EAAAvP,KAAA,GAAAuP,EAAAK,GAAAL,EAAA,SAmMCvK,EAASuK,EAAAK,GAAE7c,QACfutB,EAAM8I,OAAO,gBAAiBpkB,GApM3BuK,EAAAK,GAAA,yBAAAL,EAAAM,SAAA,qBAwMD+G,WAxMC,SAwMW0J,GAxMX,OAAAjR,EAAApN,EAAAqN,MAAA,SAAA+wD,GAAA,cAAAA,EAAArgE,KAAAqgE,EAAAxgE,MAAA,cAAAwgE,EAAAljB,OAAA,SAyME78B,EAAME,UAAU0I,IAAIC,kBAAkBvS,cAzMxC,wBAAAypD,EAAAxwD,WA4MPmhE,OA5MO,SA4MC1wD,GAAO,IAAA2wD,EACe3wD,EAAME,UAA1B6pD,EADK4G,EACL5G,MAAO1rD,EADFsyD,EACEtyD,SAETzyB,EAAO6kF,GAAA,GACR1G,EADK,CAERjhD,OAAQ9I,EAAM8I,OACdzK,SAAUA,EAASC,SAGrB,OAAOsyD,GAAStH,eAAe19E,GAC5B8F,KAAK,SAACi4E,GACL,IAAM3hE,EAAS,CACb2hE,MACAtrD,SAAUzyB,EAAKyyB,SACfrnB,MAAO+yE,EAAM8G,WAGf,OAAOD,GAASlG,YAAY1iE,KAE7BtW,KAAK,WACJsuB,EAAM8I,OAAO,oBACb9I,EAAMkJ,SAAS,wBACflJ,EAAM8I,OAAO,cACb9I,EAAMkJ,SAAS,uBAAwB,WACvClJ,EAAM8I,OAAO,uBAAwB6/C,GAAyB3oD,EAAMwL,QAAQ6+C,aAC5ErqD,EAAMkJ,SAAS,6BACflJ,EAAMkJ,SAAS,8BACflJ,EAAM8I,OAAO,sBACb9I,EAAM8I,OAAO,iBACb9I,EAAMkJ,SAAS,cACflJ,EAAMkJ,SAAS,kBAAmB,sBAGxC4nD,UA7OO,SA6OI9wD,EAAOtX,GAChB,OAAO,IAAIva,QAAQ,SAACC,EAASC,GAC3B,IAAMy6B,EAAS9I,EAAM8I,OACrBA,EAAO,cACP9I,EAAME,UAAU0I,IAAIC,kBAAkB3c,kBAAkBxD,GACrDhX,KAAK,SAAC9F,GACL,GAAKA,EAAKwG,MAsDH,CACL,IAAM6R,EAAWrY,EAAKwG,MAEtB02B,EAAO,YACiB,MAApB7kB,EAASvJ,OACXrM,EAAO,IAAIiD,MAAM,+BAEjBjD,EAAO,IAAIiD,MAAM,4CA7DJ,CACf,IAAMoM,EAAO9R,EAEb8R,EAAKmK,YAAca,EACnBhL,EAAKqwE,SAAW,GAChBrwE,EAAKywE,QAAU,GACfzwE,EAAK6wE,YAAc,GACnBzlD,EAAO,iBAAkBprB,GACzBorB,EAAO,cAAe,CAACprB,IAEvBsiB,EAAMkJ,SAAS,eAverBojC,EAAe93D,OAAO83D,aAEvBA,EAC2B,YAA5BA,EAAaC,WAAiCD,EAAaykB,oBACxD5iF,QAAQC,QAAQk+D,EAAaC,YAFVp+D,QAAQC,QAAQ,OAwe3BsD,KAAK,SAAA66D,GAAU,OAAIzjC,EAAO,4BAA6ByjC,KAG1DzjC,EAAO,uBAAwB6/C,GAAyBjgE,IAEpDhL,EAAK1G,QACPgpB,EAAMkJ,SAAS,aAAcxrB,EAAK1G,OAGlCgpB,EAAMkJ,SAAS,qBAGjB,IAAM8nD,EAAe,WAEnBhxD,EAAMkJ,SAAS,wBAAyB,CAAE7c,SAAU,YAGpD2T,EAAMkJ,SAAS,8BAGflJ,EAAMkJ,SAAS,uBAGblJ,EAAMwL,QAAQlK,aAAaoqC,gBAC7B1rC,EAAMkJ,SAAS,sBAAf,MAA2C,SAAC92B,GAC1CkC,QAAQlC,MAAM,gDAAiDA,GAC/D4+E,MACCt/E,KAAK,WACNsuB,EAAMkJ,SAAS,aAAc,CAAE+nD,QAAQ,IACvCt+E,WAAW,kBAAMqtB,EAAMkJ,SAAS,2BAA2B,IAAQ,OAGrE8nD,IAIFhxD,EAAMkJ,SAAS,cAGflJ,EAAME,UAAU0I,IAAIC,kBAAkBjgB,aAAa,CAAE7T,GAAI2I,EAAK3I,KAC3DrD,KAAK,SAACyb,GAAD,OAAa2b,EAAO,cAAe3b,KAnhBvB,IAC1Bm/C,EA6hBIxjC,EAAO,YACP16B,MAnEJ,MAqES,SAACgE,GACNkC,QAAQs8D,IAAIx+D,GACZ02B,EAAO,YACPz6B,EAAO,IAAIiD,MAAM,4DClkBhB4/E,GAA4B,SAAClxD,EAAOngB,GAC/C,GAAKA,EAAKE,cACNigB,EAAME,UAAU1D,MAAM20D,gBAAkBtxE,EAAK9K,IAAO1E,SAAS6yB,SAC7DlD,EAAME,UAAUpR,MAAMod,YAAYn3B,KAAO8K,EAAKE,YAAYpC,QAAQ5I,GAAtE,CAEA,IAAMq8E,EAAO,CACX5gF,IAAKqP,EAAKE,YAAYhL,GACtBiI,MAAO6C,EAAKlC,QAAQ1K,KACpBqvB,KAAMziB,EAAKlC,QAAQvH,kBACnB4N,KAAMnE,EAAKE,YAAYvE,SAGrBqE,EAAKE,YAAYM,YAAmD,UAArCR,EAAKE,YAAYM,WAAWvP,OAC7DsgF,EAAK7uD,MAAQ1iB,EAAKE,YAAYM,WAAWtG,aAG3C6nB,aAAwB5B,EAAME,UAAWkxD,eCwL5BxoD,GArMH,CACVxK,MAAO,CACLyK,kBAAmB8/C,KACnB0I,SAAU,GACV7mE,OAAQ,KACR8mE,gBAAiB,KACjBC,sBAAuB,KACvBC,eAAgB,IAElB3lB,UAAW,CACT4lB,qBADS,SACarzD,EAAOyK,GAC3BzK,EAAMyK,kBAAoBA,GAE5B6oD,WAJS,SAIGtzD,EAJHtc,GAIoC,IAAxB6vE,EAAwB7vE,EAAxB6vE,YAAaC,EAAW9vE,EAAX8vE,QAChCxzD,EAAMizD,SAASM,GAAeC,GAEhCC,cAPS,SAOMzzD,EAPNrc,GAOuC,IAAxB4vE,EAAwB5vE,EAAxB4vE,YAAaC,EAAW7vE,EAAX6vE,QACnCp9E,OAAOs9E,cAAcF,UACdxzD,EAAMizD,SAASM,IAExBI,WAXS,SAWG3zD,EAAOpnB,GACjBonB,EAAM4zD,QAAUh7E,GAElBi7E,UAdS,SAcE7zD,EAAO5T,GAChB4T,EAAM5T,OAASA,GAEjB0nE,kBAjBS,SAiBU9zD,EAAO1qB,GACxB0qB,EAAMozD,eAAiB99E,GAEzBy+E,yBApBS,SAoBiB/zD,EAAO1qB,GAC/B0qB,EAAMmzD,sBAAwB79E,IAGlCu4D,QAAS,CAEPmmB,mBAFO,SAEapyD,GAAO,IACjB5B,EAAoB4B,EAApB5B,MAAO8K,EAAalJ,EAAbkJ,SACf,IAAI9K,EAAMkzD,gBACV,OAAOpoD,EAAS,yBAElBmpD,oBAPO,SAOcryD,GAAO,IAClB5B,EAAoB4B,EAApB5B,MAAO8K,EAAalJ,EAAbkJ,SACf,GAAK9K,EAAMkzD,gBACX,OAAOpoD,EAAS,wBAIlBopD,qBAdO,SAcetyD,GACpB,OAAO,IAAI7xB,QAAQ,SAACC,EAASC,GAC3B,IAAI,IACM+vB,EAAuC4B,EAAvC5B,MAAO0K,EAAgC9I,EAAhC8I,OAAQI,EAAwBlJ,EAAxBkJ,SACjBu+C,EADyCznD,EAAdE,UACFvE,SAASylD,UAAUj0D,QAClDiR,EAAMkzD,gBAAkBlzD,EAAMyK,kBAAkBqgD,gBAAgB,CAAElpD,UAClE5B,EAAMkzD,gBAAgBxmE,iBACpB,UACA,SAAAtI,GAAyB,IAAd/P,EAAc+P,EAAtB0I,OACIzY,IACiB,iBAAlBA,EAAQxB,MACVi4B,EAAS,sBAAuB,CAC9B7b,cAAe,CAAC5a,EAAQiZ,cACxBi3D,OAAO,IAEkB,WAAlBlwE,EAAQxB,MACjBi4B,EAAS,iBAAkB,CACzBvN,SAAU,CAAClpB,EAAQiI,QACnBiS,QAAQ,EACR+6C,gBAAyD,IAAxC+f,EAAa/G,gBAAgBt0E,OAC9CigB,SAAU,YAEe,wBAAlB5Z,EAAQxB,QACjBi4B,EAAS,kBAAmB,CAC1B1hB,OAAQ/U,EAAQkZ,WAAW5W,GAC3Bg1D,SAAU,CAACt3D,EAAQkZ,WAAW5L,eAEhCmpB,EAAS,aAAc,CAAErpB,KAAMpN,EAAQkZ,aACvCulE,GAA0BlxD,EAAOvtB,EAAQkZ,gBAI/CyS,EAAMkzD,gBAAgBxmE,iBAAiB,OAAQ,WAC7Cge,EAAO,2BAA4Bld,IAAmBE,UAExDsS,EAAMkzD,gBAAgBxmE,iBAAiB,QAAS,SAAArI,GAAuB,IAAZrQ,EAAYqQ,EAApByI,OACjD5W,QAAQlC,MAAM,+BAAgCA,GAC9C02B,EAAO,2BAA4Bld,IAAmBI,OACtDkd,EAAS,sBAEX9K,EAAMkzD,gBAAgBxmE,iBAAiB,QAAS,SAAA2L,GAA4B,IAAjB87D,EAAiB97D,EAAzBvL,OAC3CsnE,EAAc,IAAI1oE,IAAI,CAC1B,IACA,OAEMuB,EAASknE,EAATlnE,KACJmnE,EAAYhnE,IAAIH,GAClB/W,QAAQ8W,MAAR,iDAAA5Q,OAA+D6Q,EAA/D,wBAEA/W,QAAQmX,KAAR,iEAAAjR,OAA8E6Q,IAC9E6d,EAAS,wBAAyB,CAAE7c,SAAU,YAC9C6c,EAAS,8BACTA,EAAS,sBACTA,EAAS,2BAEXJ,EAAO,2BAA4Bld,IAAmBG,QACtDmd,EAAS,sBAEX96B,IACA,MAAOL,GACPM,EAAON,OAIb0kF,uBA9EO,SAAAz7D,GA8E+B,IAAZkS,EAAYlS,EAAZkS,SAGxB,OAAOA,EAAS,wBAAwBx3B,KAAK,WAC3Cw3B,EAAS,uBAAwB,CAAE7c,SAAU,YAC7C6c,EAAS,6BACTA,EAAS,wBAGbwpD,oBAvFO,SAAAx8D,GAuFmC,IAAnBkI,EAAmBlI,EAAnBkI,MAAO8K,EAAYhT,EAAZgT,SAC5BA,EAAS,wBAAyB,CAAE7c,SAAU,YAC9C6c,EAAS,8BACTA,EAAS,sBACT9K,EAAMkzD,gBAAgBhmE,SAIxBu9D,sBA/FO,SA+FgB7oD,EA/FhBnQ,GAmGJ,IAAA8iE,EAAA9iE,EAHDxD,gBAGC,IAAAsmE,EAHU,UAGVA,EAAAC,EAAA/iE,EAFDrf,WAEC,IAAAoiF,KAAAC,EAAAhjE,EADDlD,cACC,IAAAkmE,KACD,IAAI7yD,EAAM5B,MAAMizD,SAAShlE,GAAzB,CAEA,IAAMulE,EAAU5xD,EAAM5B,MAAMyK,kBAAkBggD,sBAAsB,CAClEx8D,WAAU2T,QAAOrT,SAAQnc,QAE3BwvB,EAAM8I,OAAO,aAAc,CAAE6oD,YAAatlE,EAAUulE,cAEtDkB,qBA3GO,SA2Ge9yD,EAAO3T,GAC3B,IAAMulE,EAAU5xD,EAAM5B,MAAMizD,SAAShlE,GAChCulE,GACL5xD,EAAM8I,OAAO,gBAAiB,CAAE6oD,YAAatlE,EAAUulE,aAIzD5I,2BAlHO,SAkHqBhpD,GAC1B,IAAIA,EAAM5B,MAAMizD,SAAShkE,cAAzB,CACA,IAAMukE,EAAU5xD,EAAM5B,MAAMyK,kBAAkBmgD,2BAA2B,CAAEhpD,UAC3EA,EAAM8I,OAAO,aAAc,CAAE6oD,YAAa,gBAAiBC,cAE7DmB,0BAvHO,SAuHoB/yD,GACzB,IAAM4xD,EAAU5xD,EAAM5B,MAAMizD,SAAShkE,cAChCukE,GACL5xD,EAAM8I,OAAO,gBAAiB,CAAE6oD,YAAa,gBAAiBC,aAIhE3I,4BA9HO,SA8HsBjpD,GAC3B,IAAIA,EAAM5B,MAAMizD,SAAZ,eAAJ,CACA,IAAMO,EAAU5xD,EAAM5B,MAAMyK,kBAAkBogD,4BAA4B,CAAEjpD,UAE5EA,EAAM8I,OAAO,aAAc,CAAE6oD,YAAa,iBAAkBC,cAE9DoB,2BApIO,SAoIqBhzD,GAC1B,IAAM4xD,EAAU5xD,EAAM5B,MAAMizD,SAASG,eAChCI,GACL5xD,EAAM8I,OAAO,gBAAiB,CAAE6oD,YAAa,iBAAkBC,aAEjEqB,oBAzIO,SAyIcjzD,EAAO9uB,GAC1B,IAAIu3E,EAAWzoD,EAAM5B,MAAMozD,eAAeroE,OAAO,SAAC+/C,GAAD,OAAQA,IAAOh4D,IAChE8uB,EAAM8I,OAAO,oBAAqB2/C,IAIpCsJ,WA/IO,SA+IK/xD,EAAOhpB,GACjBgpB,EAAM8I,OAAO,aAAc9xB,IAE7Bk8E,iBAlJO,SAAA/iE,GAkJmD,IAAtC+Y,EAAsC/Y,EAAtC+Y,SAAUJ,EAA4B3Y,EAA5B2Y,OAAQ1K,EAAoBjO,EAApBiO,MAAO8B,EAAa/P,EAAb+P,UAErClpB,EAAQonB,EAAM4zD,QACpB,GAAI9xD,EAAU7B,SAASygD,oBAAkC,IAAV9nE,GAA0C,OAAjBonB,EAAM5T,OAAiB,CAC7F,IAAMA,EAAS,IAAI2oE,UAAO,UAAW,CAAEnrE,OAAQ,CAAEhR,WACjDwT,EAAO4oE,UAEPtqD,EAAO,YAAate,GACpB0e,EAAS,iBAAkB1e,KAG/B6oE,qBA7JO,SAAA/iE,GA6JkC,IAAjBwY,EAAiBxY,EAAjBwY,OAAQ1K,EAAS9N,EAAT8N,MAC9BA,EAAM5T,QAAU4T,EAAM5T,OAAO8oE,aAC7BxqD,EAAO,YAAa,SCrKXjpB,GAhCF,CACXue,MAAO,CACL2rC,SAAU,GACVwpB,QAAS,CAAEn1D,MAAO,KAEpBytC,UAAW,CACT2nB,WADS,SACGp1D,EAAOm1D,GACjBn1D,EAAMm1D,QAAUA,GAElBE,WAJS,SAIGr1D,EAAO3rB,GACjB2rB,EAAM2rC,SAASz9D,KAAKmG,GACpB2rB,EAAM2rC,SAAW3rC,EAAM2rC,SAASr1D,OAAO,GAAI,KAE7Cg/E,YARS,SAQIt1D,EAAO2rC,GAClB3rC,EAAM2rC,SAAWA,EAASr1D,OAAO,GAAI,MAGzCu3D,QAAS,CACP0nB,eADO,SACS3zD,EAAOxV,GACrB,IAAM+oE,EAAU/oE,EAAO+oE,QAAQ,eAC/BA,EAAQhtD,GAAG,UAAW,SAACqtD,GACrB5zD,EAAM8I,OAAO,aAAc8qD,KAE7BL,EAAQhtD,GAAG,WAAY,SAAAzkB,GAAkB,IAAfioD,EAAejoD,EAAfioD,SACxB/pC,EAAM8I,OAAO,cAAeihC,KAE9BwpB,EAAQ/tE,OACRwa,EAAM8I,OAAO,aAAcyqD,MCqBlBxJ,GA9CD,CACZ3rD,MAAO,CACLmrD,UAAU,EACVC,cAAc,EAKdqK,UAAU,EAIVhD,WAAW,GAEbhlB,UAAW,CACTioB,cADS,SACM11D,EADNtc,GACyC,IAA1BynE,EAA0BznE,EAA1BynE,SAAUC,EAAgB1nE,EAAhB0nE,aAChCprD,EAAMmrD,SAAWA,EACjBnrD,EAAMorD,aAAeA,GAEvBuK,YALS,SAKI31D,EAAOpnB,GAClBonB,EAAMy1D,SAAW78E,GAEnBg9E,SARS,SAQC51D,EAAOpnB,GACfonB,EAAMyyD,UAAY75E,GAEpBi9E,WAXS,SAWG71D,GACVA,EAAMyyD,WAAY,EAGlB7kB,iBAAI5tC,EAAO,WAGfoN,QAAS,CACP6+C,SAAU,SAAAjsD,GAAK,OAAI,WAGjB,OAAOA,EAAMyyD,WAAazyD,EAAMpnB,OAASonB,EAAMy1D,WAEjDK,aAAc,SAAA91D,GAAK,OAAI,WAGrB,OAAOA,EAAMyyD,WAAazyD,EAAMpnB,UC7BhCm9E,GAAa,SAAC/1D,GAClBA,EAAMg2D,SAAWh2D,EAAMi2D,aACvBj2D,EAAMhD,SAAW,IA6DJk5D,GAAA,CACbC,YAAY,EACZn2D,MAvEY,CACZhD,SAAU,GACVg5D,SAVwB,WAWxBC,aAXwB,YAgFxB7oD,QA5Dc,CACdpQ,SAAU,SAACgD,EAAOoN,GAChB,OAAOpN,EAAMhD,UAEfo5D,iBAAkB,SAACp2D,EAAOoN,EAAStL,GACjC,MAzBsB,aAyBf9B,EAAMg2D,UAEfK,cAAe,SAACr2D,EAAOoN,EAAStL,GAC9B,MA3BmB,UA2BZ9B,EAAMg2D,UAEfM,aAAc,SAACt2D,EAAOoN,EAAStL,GAC7B,MA3BkB,SA2BX9B,EAAMg2D,UAEfO,iBAAkB,SAACv2D,EAAOoN,EAAStL,GACjC,MA7BsB,aA6Bf9B,EAAMg2D,WA+CfvoB,UA1CgB,CAChB+oB,mBADgB,SACIx2D,EAAOg2D,GACrBA,IACFh2D,EAAMi2D,aAAeD,EACrBh2D,EAAMg2D,SAAWA,IAGrBS,gBAPgB,SAOCz2D,GACfA,EAAMg2D,SA/CgB,YAiDxBU,aAVgB,SAUF12D,GACZA,EAAMg2D,SAjDa,SAmDrBW,WAbgB,SAaJ32D,EAbItc,GAaiB,IAAZsZ,EAAYtZ,EAAZsZ,SACnBgD,EAAMhD,SAAWA,EACjBgD,EAAMg2D,SAlDY,QAoDpBY,gBAjBgB,SAiBC52D,GACfA,EAAMg2D,SApDgB,YAsDxBa,YApBgB,SAoBH72D,GACXA,EAAMg2D,SAxDY,QA0DpBc,SAvBgB,SAuBN92D,GACR+1D,GAAW/1D,KAmBb6tC,QAdc,CAER+d,MAFQ,SAAAjoE,EAAAS,GAAA,IAAA4b,EAAA8K,EAAAJ,EAAArf,EAAA,OAAAsF,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,cAEC6e,EAFDrc,EAECqc,MAAO8K,EAFRnnB,EAEQmnB,SAAUJ,EAFlB/mB,EAEkB+mB,OAAYrf,EAF9BjH,EAE8BiH,aAC1Cqf,EAAO,WAAYrf,EAAc,CAAE0rE,MAAM,IAH7BlmE,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAIN+Z,EAAS,YAAazf,EAAc,CAAE0rE,MAAM,KAJtC,OAKZhB,GAAW/1D,GALC,wBAAAnP,EAAAM,sBC9BD6lE,GApCK,CAClBh3D,MAAO,CACL7Q,MAAO,GACP8nE,aAAc,EACdC,WAAW,GAEbzpB,UAAW,CACTjd,SADS,SACCxwB,EAAO7Q,GACf6Q,EAAM7Q,MAAQA,GAEhBgoE,WAJS,SAIGn3D,EAAO6rB,GACjB7rB,EAAMk3D,WAAY,EAClBl3D,EAAMi3D,aAAeprC,GAEvB3+B,MARS,SAQF8S,GACLA,EAAMk3D,WAAY,IAGtBrpB,QAAS,CACPrd,SADO,SAAA9sC,EACehE,IAKpBgrB,EALiChnB,EAAvBgnB,QAKH,WAJOhrB,EAAYqL,OAAO,SAAA9I,GAC/B,IAAMvP,EAAO2xB,KAAgBD,SAASniB,EAAW1G,UACjD,MAAgB,UAAT7I,GAA6B,UAATA,GAA6B,UAATA,MAInDykF,WARO,SAAAxzE,EAQwByzE,IAE7B1sD,EAFsC/mB,EAA1B+mB,QAEL,aAF+B/mB,EAAlBqc,MACA7Q,MAAMyqC,QAAQw9B,IACJ,IAEhCC,iBAZO,SAAAjzE,IAaLsmB,EAD4BtmB,EAAVsmB,QACX,YCRE4sD,GAzBK,CAClBt3D,MAAO,CACLu3D,OAAQ,IAEV1pB,QAAS,CACP2pB,YADO,SAAA9zE,GAC6B,IAArBoe,EAAqBpe,EAArBoe,UAAW4I,EAAUhnB,EAAVgnB,OACxB5I,EAAU0I,IAAIC,kBAAkBjU,mBAAmBljB,KAAK,SAACikF,GACvD7sD,EAAO,aAAc6sD,MAGzBjL,YANO,SAAA3oE,EAMoChN,GAAI,IAAhCmrB,EAAgCne,EAAhCme,UAAW4I,EAAqB/mB,EAArB+mB,OAAQ1K,EAAarc,EAAbqc,MAChC8B,EAAU0I,IAAIC,kBAAkB/T,iBAAiB,CAAE/f,OAAMrD,KAAK,SAACuS,GACrC,MAApBA,EAASvJ,QACXouB,EAAO,aAAc1K,EAAMu3D,OAAOxsE,OAAO,SAAAnS,GAAK,OAAIA,EAAMjC,KAAOA,SAKvE82D,UAAW,CACTgqB,WADS,SACGz3D,EAAOu3D,GACjBv3D,EAAMu3D,OAASA,yBCSNG,GA3BC,CACd13D,MAAO,CACLzR,OAAQ,KACRgP,SAAU,GACVo6D,gBAAgB,GAElBlqB,UAAW,CACTmqB,uBADS,SACe53D,EADftc,GAC4C,IAApB6K,EAAoB7K,EAApB6K,OAAQgP,EAAY7Z,EAAZ6Z,SACvCyC,EAAMzR,OAASA,EACfyR,EAAMzC,SAAWA,EACjByC,EAAM23D,gBAAiB,GAEzBE,wBANS,SAMgB73D,GACvBA,EAAM23D,gBAAiB,IAG3B9pB,QAAS,CACP+pB,uBADO,SAAAj0E,EACwC4K,GAAQ,IAA7BuT,EAA6Bne,EAA7Bme,UAAW4I,EAAkB/mB,EAAlB+mB,OAC7BnN,EAAWxS,KAAO+W,EAAUvE,SAASmlB,YAAa,SAAApmC,GAAM,OAAIA,EAAOgD,KAAK3I,KAAO4X,IACrFmc,EAAO,yBAA0B,CAAEnc,SAAQgP,cAE7Cs6D,wBALO,SAAAzzE,IAMLsmB,EADmCtmB,EAAVsmB,QAClB,8BC6CEsgB,GAlED,CACZhrB,MAAO,CAEL83D,aAAc,GACd7sC,YAAa,IAEfwiB,UAAW,CACTsqB,eADS,SACO/3D,EAAOxhB,GACrB,IAAMw5E,EAAeh4D,EAAMirB,YAAYzsC,EAAK7H,IAE5C6H,EAAK6sC,QAAU3wC,KAAKs3C,MAAQt3C,KAAKiM,MAAMnI,EAAK4sC,YACxC4sC,EACFvpD,cAAIzO,EAAMirB,YAAazsC,EAAK7H,GAAI0sE,IAAM2U,EAAcx5E,IAEpDiwB,cAAIzO,EAAMirB,YAAazsC,EAAK7H,GAAI6H,IAGpCy5E,UAXS,SAWEj4D,EAAOxE,GAChB,IAAM08D,EAAel4D,EAAM83D,aAAat8D,GACpC08D,EACFzpD,cAAIzO,EAAM83D,aAAct8D,EAAQ08D,EAAe,GAE/CzpD,cAAIzO,EAAM83D,aAAct8D,EAAQ,IAGpC28D,YAnBS,SAmBIn4D,EAAOxE,GAClB,IAAM08D,EAAel4D,EAAM83D,aAAat8D,GACpC08D,EACFzpD,cAAIzO,EAAM83D,aAAct8D,EAAQ08D,EAAe,GAE/CzpD,cAAIzO,EAAM83D,aAAct8D,EAAQ,KAItCqyC,QAAS,CACPkqB,eADO,SAAAr0E,EACqBlF,IAC1BksB,EADgChnB,EAAhBgnB,QACT,iBAAkBlsB,IAE3B45E,kBAJO,SAAAz0E,EAI6C6X,GAAQ,IAAvCsG,EAAuCne,EAAvCme,UAAWgJ,EAA4BnnB,EAA5BmnB,SAAUJ,EAAkB/mB,EAAlB+mB,OACxC5I,EAAU0I,IAAIC,kBAAkB/O,UAAU,CAAEF,WAAUloB,KAAK,SAAAkL,GACzDjK,WAAW,WACLutB,EAAUkpB,MAAM8sC,aAAat8D,IAC/BsP,EAAS,oBAAqBtP,IAE/B,KACHkP,EAAO,iBAAkBlsB,MAG7By5E,UAdO,SAAA7zE,EAcqCoX,GAAQ,IAAvCsG,EAAuC1d,EAAvC0d,UAAW4I,EAA4BtmB,EAA5BsmB,OAAQI,EAAoB1mB,EAApB0mB,SACzBhJ,EAAUkpB,MAAM8sC,aAAat8D,IAChCjnB,WAAW,kBAAMu2B,EAAS,oBAAqBtP,IAAS,KAE1DkP,EAAO,YAAalP,IAEtB28D,YApBO,SAAA9zE,EAoBkBmX,IACvBkP,EAD+BrmB,EAAlBqmB,QACN,cAAelP,IAExB68D,SAvBO,SAAAhgE,EAAAO,GAuBmD,IAA9CkJ,EAA8CzJ,EAA9CyJ,UAAW4I,EAAmCrS,EAAnCqS,OAAgBlP,GAAmB5C,EAAvBjiB,GAAuBiiB,EAAnB4C,QAAQC,EAAW7C,EAAX6C,QAC7C,OAAOqG,EAAU0I,IAAIC,kBAAkBnP,KAAK,CAAEE,SAAQC,YAAWnoB,KAAK,SAAAkL,GAEpE,OADAksB,EAAO,iBAAkBlsB,GAClBA,OCvCAuV,GAxBI,CACjBiM,MAAO,CACLpW,OAAQ,KACR+tE,gBAAgB,GAElBlqB,UAAW,CACT6qB,oBADS,SACYt4D,EAAOpW,GAC1BoW,EAAMpW,OAASA,EACfoW,EAAM23D,gBAAiB,GAEzBY,qBALS,SAKav4D,GACpBA,EAAM23D,gBAAiB,IAG3B9pB,QAAS,CACPyqB,oBADO,SAAA50E,EAC0BkG,IAC/B8gB,EADuChnB,EAAlBgnB,QACd,sBAAuB9gB,IAEhC2uE,qBAJO,SAAA50E,IAKL+mB,EADgC/mB,EAAV+mB,QACf,8GCmIE8tD,GATK,CAClBz+C,IAxGU,SAAC0+C,EAAD/0E,GAAwC,IAAlBg1E,EAAkBh1E,EAA5BioD,SACtB,GAAK8sB,EACL,IAAK,IAAI3qF,EAAI,EAAGA,EAAI4qF,EAAY1qF,OAAQF,IAAK,CAC3C,IAAMuG,EAAUqkF,EAAY5qF,GAG5B,GAAIuG,EAAQ2N,UAAYy2E,EAAQrvE,OAAU,SAErCqvE,EAAQp3E,OAAShN,EAAQsC,GAAK8hF,EAAQp3E,SACzCo3E,EAAQp3E,MAAQhN,EAAQsC,MAGrB8hF,EAAQ92E,aAAetN,EAAQsC,GAAK8hF,EAAQ92E,YAAYhL,MAC3D8hF,EAAQ92E,YAActN,GAGnBokF,EAAQE,QAAQtkF,EAAQsC,MACvB8hF,EAAQG,kBAAoBvkF,EAAQoG,YACtCg+E,EAAQI,kBAEVJ,EAAQ9sB,SAASz9D,KAAKmG,GACtBokF,EAAQE,QAAQtkF,EAAQsC,IAAMtC,KAoFlCw0D,MA7IY,SAACz/C,GACb,MAAO,CACLuvE,QAAS,GACThtB,SAAU,GACVktB,gBAAiB,EACjBD,kBAAmB,EACnBxvE,OAAQA,EACR/H,WAAO/M,EACPqN,iBAAarN,IAsIfwkF,QAzEc,SAACL,GACf,IAAKA,EAAW,MAAO,GAEvB,IAIIM,EAJElqF,EAAS,GACT88D,EAAWqtB,KAASP,EAAQ9sB,SAAU,CAAC,KAAM,SAC7CstB,EAAettB,EAAS,GAC1ButB,EAAkBvtB,EAASA,EAAS39D,OAAS,GAGjD,GAAIirF,EAAc,CAChB,IAAMnnC,EAAO,IAAIp3C,KAAKu+E,EAAax+E,YACnCq3C,EAAKqnC,SAAS,EAAG,EAAG,EAAG,GACvBtqF,EAAOX,KAAK,CACVwE,KAAM,OACNo/C,OACAn7C,GAAIm7C,EAAKsnC,UAAUv2E,aAMvB,IAFA,IAAIw2E,GAAY,EAEPvrF,EAAI,EAAGA,EAAI69D,EAAS39D,OAAQF,IAAK,CACxC,IAAMuG,EAAUs3D,EAAS79D,GACnBwrF,EAAc3tB,EAAS79D,EAAI,GAE3BgkD,EAAO,IAAIp3C,KAAKrG,EAAQoG,YAC9Bq3C,EAAKqnC,SAAS,EAAG,EAAG,EAAG,GAGnBD,GAAmBA,EAAgBpnC,KAAOA,IAC5CjjD,EAAOX,KAAK,CACVwE,KAAM,OACNo/C,OACAn7C,GAAIm7C,EAAKsnC,UAAUv2E,aAGrBq2E,EAAe,QAAa,EAC5BH,OAAwBzkF,EACxB+kF,GAAY,GAGd,IAAMtjF,EAAS,CACbrD,KAAM,UACNlF,KAAM6G,EACNy9C,OACAn7C,GAAItC,EAAQsC,GACZ4iF,eAAgBR,IAIbO,GAAeA,EAAYz8D,cAAgBxoB,EAAQwoB,aACtD9mB,EAAM,QAAa,EACnBgjF,OAAwBzkF,KAIrB4kF,GAAmBA,EAAgB1rF,MAAQ0rF,EAAgB1rF,KAAKqvB,cAAgBxoB,EAAQwoB,YAAcw8D,KACzGN,EAAwBS,OACxBzjF,EAAM,QAAa,EACnBA,EAAM,eAAqBgjF,GAG7BlqF,EAAOX,KAAK6H,GACZmjF,EAAkBnjF,EAClBsjF,GAAY,EAGd,OAAOxqF,GAOP4qF,cA1HoB,SAAChB,EAASpvE,GAC9B,GAAKovE,IACLA,EAAQ9sB,SAAW8sB,EAAQ9sB,SAAS5gD,OAAO,SAAArW,GAAC,OAAIA,EAAEiC,KAAO0S,WAClDovE,EAAQE,QAAQtvE,GAEnBovE,EAAQ92E,aAAgB82E,EAAQ92E,YAAYhL,KAAO0S,IACrDovE,EAAQ92E,YAAc0iE,IAAQoU,EAAQ9sB,SAAU,OAG9C8sB,EAAQp3E,QAAUgI,GAAW,CAC/B,IAAM4vE,EAAe9U,IAAQsU,EAAQ9sB,SAAU,MAC/C8sB,EAAQp3E,MAAQ43E,EAAatiF,KAgH/B+iF,qBAlF2B,SAACjB,GACvBA,IACLA,EAAQI,gBAAkB,EAC1BJ,EAAQG,kBAAoB,IAAIl+E,OAgFhCo+C,MArIY,SAAC2/B,GACbA,EAAQE,QAAU,GAClBF,EAAQ9sB,SAASz8D,OAAO,EAAGupF,EAAQ9sB,SAAS39D,QAC5CyqF,EAAQI,gBAAkB,EAC1BJ,EAAQG,kBAAoB,EAC5BH,EAAQp3E,WAAQ/M,EAChBmkF,EAAQ92E,iBAAcrN,2kBCdxB,IAcMqlF,GAAc,SAAC35D,EAAOrpB,GAC1B,OAAO8rC,IAAKziB,EAAM45D,SAASpsF,KAAM,CAAEmJ,QAoNtBynB,GAzMD,CACZ4B,MAAO65D,GAAA,GAtBY,CACnBD,SAN2B,CAC3BpsF,KAAM,GACNs1E,QAAS,IAKTgX,gBAAiB,KACjBC,YAAa,GACbC,0BAA2B,GAC3BxG,aAASl/E,EACTy+E,cAAe,OAiBf3lD,QAAS,CACP6sD,YAAa,SAAAj6D,GAAK,OAAIA,EAAM+5D,YAAY/5D,EAAM+yD,gBAC9CmH,0BAA2B,SAAAl6D,GAAK,OAAIA,EAAMg6D,0BAA0Bh6D,EAAM+yD,gBAC1EoH,4BAA6B,SAAAn6D,GAAK,OAAI,SAAAo6D,GAAW,OAAI33C,IAAKziB,EAAM+5D,YAAa,SAAAplF,GAAC,OAAIA,EAAE4K,QAAQ5I,KAAOyjF,MACnGC,eAdmB,SAACr6D,GACtB,OAAOs6D,KAAQt6D,EAAM45D,SAASpsF,KAAM,CAAC,cAAe,CAAC,UAcnD+sF,gBAXoB,SAACv6D,GACvB,OAAOmxC,KAAMnxC,EAAM45D,SAASpsF,KAAM,YAYlCqgE,QAAS,CAEP2sB,mBAFO,SAAA92E,GAEmC,IAApBonB,EAAoBpnB,EAApBonB,SAAUJ,EAAUhnB,EAAVgnB,OACxB8oD,EAAU,WACd1oD,EAAS,aAAc,CAAE+nD,QAAQ,KAEnCW,IACA9oD,EAAO,qBAAsB,CAC3B8oD,QAAS,kBAAMxJ,YAAY,WAAQwJ,KAAa,SAGpDiH,kBAXO,SAAA92E,IAYL+mB,EAD6B/mB,EAAV+mB,QACZ,qBAAsB,CAAE8oD,aAASl/E,KAE1ComF,WAdO,SAAAt2E,GAcmD,IAA5C0mB,EAA4C1mB,EAA5C0mB,SAAUhJ,EAAkC1d,EAAlC0d,UAAkC1d,EAAvBsmB,OAAuB3pB,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,IAAAA,UAAA,GACxD,OAAO+gB,EAAU0I,IAAIC,kBAAkBrM,QACpC9qB,KAAK,SAAA+Q,GAAe,IAAZ+Z,EAAY/Z,EAAZ+Z,MAEP,OADA0M,EAAS,cAAe,CAAE1M,UACnBA,KAGbu8D,YArBO,SAqBM/4D,EArBNvJ,GAqBwB,IAAT+F,EAAS/F,EAAT+F,OAKpBsM,EAJ0C9I,EAAlC8I,QAID,cAAe,CAAEI,SAJkBlJ,EAA1BkJ,SAIkB1M,QAAO6E,YAJCrB,EAAhBqB,YAI4B23D,0BAHpB,SAACn5E,GACjCqxE,GAA0BlxD,EAAOngB,OAIrCo5E,WA5BO,SAAAjiE,EAAAd,IA6BL4S,EADgC9R,EAApB8R,QACL,aAAc,CAAEjpB,KADSqW,EAARrW,QAK1Bq5E,yBAjCO,SAAArpE,EAAAM,GAiCsDN,EAAjCiZ,QAC1BI,EAD2DrZ,EAAzBqZ,UACzB,wBAAyB,CAAE0oD,QADuBzhE,EAAXyhE,WAGlDuH,sBApCO,SAAA7oE,EAAAE,GAoCoDF,EAAlC4P,WACvB4I,EADyDxY,EAAvBwY,QAC3B,wBAAyB,CAAE8oD,QADuBphE,EAAXohE,WAGhDwH,cAvCO,SAAA1oE,EAAAE,GAuCmDF,EAAzCwP,UAAyC,IAA9B4I,EAA8BpY,EAA9BoY,OAAQI,EAAsBxY,EAAtBwY,SAAcrpB,EAAQ+Q,EAAR/Q,KAChDipB,EAAO,gBAAiB,CAAEI,WAAUrpB,KAAMD,aAAUC,KACpDqpB,EAAS,cAAe,CAACrpB,EAAKlC,WAEhC07E,gBA3CO,SAAAvoE,EA2CsBpd,GAAO,IAAjBo1B,EAAiBhY,EAAjBgY,OACjBA,EAAO,kBAADmvD,GAAA,CAAsBnvD,UAAWp1B,KAEzC4lF,yBA9CO,SAAAroE,EA8C+Bvd,IACpCo1B,EAD2C7X,EAAjB6X,QACnB,2BAA4Bp1B,IAErC6lF,iBAjDO,SAAA1gE,EAiD4CnlB,GAAOmlB,EAAtCqH,UAAsC,IAA3B4I,EAA2BjQ,EAA3BiQ,OAA2BjQ,EAAnBqQ,SACrCJ,EAAO,mBAAoB,CAAEthB,YAAQ9U,IACrCo2B,EAAO,wBAAyB,CAAE8oD,aAASl/E,KAE7C0qB,SArDO,SAAApE,EAAA5H,GAqDwD,IAAnD8O,EAAmDlH,EAAnDkH,UAAW4I,EAAwC9P,EAAxC8P,OAAQI,EAAgClQ,EAAhCkQ,SAAcn0B,EAAkBqc,EAAlBrc,GAAIuoB,EAAclM,EAAdkM,WAC/C4L,EAAS,4BACTJ,EAAO,WAAY,CAAE/zB,OACrBmrB,EAAU0I,IAAIC,kBAAkBzL,SAAS,CAAEroB,KAAIuoB,gBAEjDE,kBA1DO,SAAAlM,EA0DmC5d,GAAO,IAA5BwsB,EAA4B5O,EAA5B4O,UAAW4I,EAAiBxX,EAAjBwX,OAC9B5I,EAAU0I,IAAIC,kBAAkBrL,kBAAkB9pB,GAClDo1B,EAAO,oBAADmvD,GAAA,CAAwBnvD,UAAWp1B,KAE3C8lF,WA9DO,SAAA3wE,GA8D2B,IAApBigB,EAAoBjgB,EAApBigB,QACZI,EADgCrgB,EAAZqgB,UACX,oBACTJ,EAAO,aAAc,CAAEA,YAEzB2wD,iBAlEO,SAAA7qE,GAkEyDA,EAA5CsR,UAA4C,IAAjC4I,EAAiCla,EAAjCka,OAAiCla,EAAzBsa,SAAyBta,EAAfyS,YAC/CyH,EAAO,mBAAoB,CAAEA,aAGjC+iC,UAAW,CACT6tB,mBADS,SACWt7D,EADX3O,GACuCA,EAAnBqZ,OAAmB,IAAX8oD,EAAWniE,EAAXmiE,QAC7B+H,EAAcv7D,EAAM85D,gBACtByB,GACF7H,cAAc6H,GAEhBv7D,EAAM85D,gBAAkBtG,GAAWA,KAErCuH,sBARS,SAQc/6D,EARdzF,GAQkC,IAAXi5D,EAAWj5D,EAAXi5D,QACxB+H,EAAcv7D,EAAMwzD,QACtB+H,GACF7H,cAAc6H,GAEhBv7D,EAAMwzD,QAAUA,GAAWA,KAE7BwH,cAfS,SAeMh7D,EAfNlQ,GAekCA,EAAnB0rE,UAAmB,IAAR/5E,EAAQqO,EAARrO,KACjCue,EAAM+yD,cAAgBtxE,EAAK9K,GAC3B28D,IAAI7kC,IAAIzO,EAAM+5D,YAAat4E,EAAK9K,GAAI8K,GAE/Bue,EAAMg6D,0BAA0Bv4E,EAAK9K,KACxC28D,IAAI7kC,IAAIzO,EAAMg6D,0BAA2Bv4E,EAAK9K,GAAI8kF,GAAY5yB,MAAMpnD,EAAK9K,MAG7E+kF,iBAvBS,SAuBS17D,EAvBT/P,GAuB4B,IAAV7G,EAAU6G,EAAV7G,OACzB4W,EAAM+yD,cAAgB3pE,GAExBuxE,YA1BS,SA0BI36D,EA1BJ3P,GA0BiD,IAApC+N,EAAoC/N,EAApC+N,MAAOw8D,EAA6BvqE,EAA7BuqE,0BAC3Bx8D,EAAMzJ,QAAQ,SAACgnE,GACb,IAAMl6E,EAAOk4E,GAAY35D,EAAO27D,EAAYhlF,IAE5C,GAAI8K,EAAM,CACR,IAAMm6E,GAAgBn6E,EAAKE,aAAeF,EAAKE,YAAYhL,OAASglF,EAAYh6E,aAAeg6E,EAAYh6E,YAAYhL,IACvH8K,EAAKE,YAAcg6E,EAAYh6E,YAC/BF,EAAKC,OAASi6E,EAAYj6E,OACtBk6E,GAAgBn6E,EAAKC,QACvBk5E,EAA0Be,QAG5B37D,EAAM45D,SAASpsF,KAAKU,KAAKytF,GACzBroB,IAAI7kC,IAAIzO,EAAM45D,SAAS9W,QAAS6Y,EAAYhlF,GAAIglF,MAItDd,WA3CS,SA2CG76D,EA3CHnJ,GA2C0DA,EAA9C2kE,UAA8C,IAA7BG,EAA6B9kE,EAAnCpV,KACxBA,GAD2DoV,EAAhBglE,aACpClC,GAAY35D,EAAO27D,EAAYhlF,KACxC8K,IACFA,EAAKE,YAAcg6E,EAAYh6E,YAC/BF,EAAKC,OAASi6E,EAAYj6E,OAC1BD,EAAKK,WAAa65E,EAAY75E,YAE3BL,GAAQue,EAAM45D,SAASpsF,KAAKglD,QAAQmpC,GACzCroB,IAAI7kC,IAAIzO,EAAM45D,SAAS9W,QAAS6Y,EAAYhlF,GAAIglF,IAElDG,WArDS,SAqDG97D,EArDHhJ,GAqD2CA,EAA/BwkE,UAA+B,IAApB7kF,EAAoBqgB,EAApBrgB,GAAoBqgB,EAAhB6kE,aAClC77D,EAAM5B,MAAM5wB,KAAOwyB,EAAM5B,MAAM5wB,KAAKud,OAAO,SAAAgxE,GAAY,OACrDA,EAAaC,YAAYrlF,KAAOA,IAElCqpB,EAAM5B,MAAM0kD,QAAUQ,IAAOtjD,EAAM5B,MAAM0kD,QAAS,SAAAiZ,GAAY,OAAIA,EAAaC,YAAYrlF,KAAOA,KAEpGykF,WA3DS,SA2DGp7D,EA3DH5I,GA2DsB,IAAVsT,EAAUtT,EAAVsT,OAInB,IAAK,IAAMthB,KAHX4W,EAAM45D,SArKiB,CAC3BpsF,KAAM,GACNs1E,QAAS,IAoKL9iD,EAAM+yD,cAAgB,KACtBroD,EAAO,qBAAsB,CAAE8oD,aAASl/E,IACnB0rB,EAAM+5D,YACzB0B,GAAY3iC,MAAM94B,EAAMg6D,0BAA0B5wE,IAClDkqD,IAAG,OAAQtzC,EAAM+5D,YAAa3wE,GAC9BkqD,IAAG,OAAQtzC,EAAMg6D,0BAA2B5wE,IAGhD6yE,gBArES,SAqEQj8D,EArER1I,GAqE0B,IAAThiB,EAASgiB,EAAThiB,MACxB0qB,EAAM5B,MAAM2sB,QAAUz1C,GAExB2lF,gBAxES,SAwEQj7D,EAxERxI,GAwE6C,IAA5BkT,EAA4BlT,EAA5BkT,OAAQthB,EAAoBoO,EAApBpO,OAAQuiD,EAAYn0C,EAAZm0C,SAClCuwB,EAAqBl8D,EAAMg6D,0BAA0B5wE,GACvD8yE,IACFT,GAAY1hD,IAAImiD,EAAoB,CAAEvwB,SAAUA,EAASh0D,IAAIiK,QAC7D8oB,EAAO,qBAAsB,CAAEthB,aAGnC+yE,mBA/ES,SA+EWn8D,EA/EXpI,GA+E8B,IAAVxO,EAAUwO,EAAVxO,OACrB8yE,EAAqBl8D,EAAMg6D,0BAA0B5wE,GAC3D,GAAI8yE,EAAoB,CACtB,IAAMz6E,EAAOk4E,GAAY35D,EAAO5W,GAC5B3H,IACFA,EAAKE,YAAcu6E,EAAmBv6E,YAClCu6E,EAAmBv6E,cACrBF,EAAKK,WAAao6E,EAAmBv6E,YAAYlH,eAKzD2kB,kBA3FS,SA2FUY,EA3FV9I,GA2FgD,IAA7BwT,EAA6BxT,EAA7BwT,OAAQthB,EAAqB8N,EAArB9N,OAAQC,EAAa6N,EAAb7N,UACpC6yE,EAAqBl8D,EAAMg6D,0BAA0B5wE,GACvD8yE,IACFT,GAAYhC,cAAcyC,EAAoB7yE,GAC9CqhB,EAAO,qBAAsB,CAAEthB,aAGnC8xE,yBAlGS,SAkGiBl7D,EAAO8Q,GAC/B,IAAMorD,EAAqBl8D,EAAMg6D,0BAA0Bh6D,EAAM+yD,eACjE0I,GAAY/B,qBAAqBwC,IAGnCb,iBAvGS,SAuGSr7D,GAChB,IAAM+yD,EAAgB/yD,EAAM+yD,cAC5B,IAAK,IAAM3pE,KAAU4W,EAAM+5D,YACrBhH,IAAkB3pE,IACpBqyE,GAAY3iC,MAAM94B,EAAMg6D,0BAA0B5wE,IAClDkqD,IAAG,OAAQtzC,EAAM+5D,YAAa3wE,GAC9BkqD,IAAG,OAAQtzC,EAAMg6D,0BAA2B5wE,KAIlD4V,SAjHS,SAiHCgB,EAjHDhS,GAiHgB,IAANrX,EAAMqX,EAANrX,GACX8K,EAAOk4E,GAAY35D,EAAOrpB,GAC5B8K,IACFA,EAAKC,OAAS,4GC/NlB06E,IAAS,EAEPC,GAAiB,SAACr8D,EAAOs8D,GAAR,OACJ,IAAjBA,EAAMtuF,OAAegyB,EAAQs8D,EAAMxgF,OAAO,SAACygF,EAAU1vC,GAEnD,OADA2vC,KAAID,EAAU1vC,EAAMn1B,KAAIsI,EAAO6sB,IACxB0vC,GACN,KAGCE,GAAyB,CAC7B,0BACA,mBACA,iBACA,eACA,YACA,gBACA,WACA,cAGIC,WACGC,EAGM,SAASC,KAkBhB,IAAAl5E,EAAA3C,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GAAI87E,EAAAn5E,EAjBN9N,WAiBM,IAAAinF,EAjBA,UAiBAA,EAAAC,EAAAp5E,EAhBN44E,aAgBM,IAAAQ,EAhBE,GAgBFA,EAAAC,EAAAr5E,EAfNs5E,gBAeM,IAAAD,EAfK,SAACnnF,EAAK6iF,GAEf,OADYA,EAAQwE,QAAQrnF,IAcxBmnF,EAAAG,EAAAx5E,EAXNy5E,gBAWM,IAAAD,EAXK,SAACtnF,EAAKoqB,EAAOy4D,GACtB,OAAK2D,GAII3D,EAAQ2E,QAAQxnF,EAAKoqB,IAH5B9pB,QAAQs8D,IAAI,yCACLziE,QAAQC,YAQbktF,EAAAG,EAAA35E,EAHN45E,eAGM,IAAAD,EAHIhB,GAGJgB,EAAAE,EAAA75E,EAFN+0E,eAEM,IAAA8E,EAFIb,GAEJa,EAAAC,EAAA95E,EADN+5E,kBACM,IAAAD,EADO,SAAA57D,GAAK,OAAI,SAAAm8B,GAAO,OAAIn8B,EAAM8rD,UAAU3vB,KAC3Cy/B,EACN,OAAOR,EAASpnF,EAAK6iF,GAASnlF,KAAK,SAACoqF,GAClC,OAAO,SAAA97D,GACL,IACE,GAAmB,OAAf87D,GAA6C,WAAtB92E,KAAO82E,GAAyB,CAEzD,IAAMC,EAAaD,EAAWhtE,OAAS,GACvCitE,EAAWlP,YAAc,GACzB,IAAM/9D,EAAQitE,EAAWjtE,OAAS,GAClCuM,IAAKvM,EAAO,SAACpR,GAAWq+E,EAAWlP,YAAYnvE,EAAK3I,IAAM2I,IAC1Do+E,EAAWhtE,MAAQitE,EAEnB/7D,EAAMg8D,aACJC,KAAM,GAAIj8D,EAAM5B,MAAO09D,IAG3BtB,IAAS,EACT,MAAOzsF,GACPuG,QAAQs8D,IAAI,uBACZt8D,QAAQlC,MAAMrE,GACdysF,IAAS,EAEXqB,EAAW77D,EAAX67D,CAAkB,SAACK,EAAU99D,GAC3B,IACMy8D,GAAuBziF,SAAS8jF,EAASprF,OAC3CyqF,EAASvnF,EAAK0nF,EAAQt9D,EAAOs8D,GAAQ7D,GAClCnlF,KAAK,SAAA8qE,QACmB,IAAZA,IACa,cAAlB0f,EAASprF,MAA0C,mBAAlBorF,EAASprF,MAC5CkvB,EAAMkJ,SAAS,gBAAiB,CAAEszC,cAGrC,SAAApqE,GACqB,cAAlB8pF,EAASprF,MAA0C,mBAAlBorF,EAASprF,MAC5CkvB,EAAMkJ,SAAS,gBAAiB,CAAE92B,YAI1C,MAAOrE,GACPuG,QAAQs8D,IAAI,2BACZt8D,QAAQs8D,IAAI7iE,SCtFP,ICEXouF,GACAC,GDHWC,GAAA,SAACr8D,GACdA,EAAM8rD,UAAU,SAACoQ,EAAU99D,GACzB,IAAMy/C,EAAiBz/C,EAAMC,SAASw/C,eAChCye,EAAsBl+D,EAAM+B,OAAOqrC,qBACnCe,EAAwD,YAA3CnuC,EAAK,UAAW69C,uBAC7Bv+D,EAAO0gB,EAAMtP,MAAMod,YAEnBqwD,EAAmC,mBAAlBL,EAASprF,KAC1B0rF,EAAoC,sBAAlBN,EAASprF,MAA0D,mBAA1BorF,EAASj0E,QAAQhV,KAC5EwpF,EAAmC,8BAAlBP,EAASprF,MAA6D,YAArBorF,EAASj0E,QAC3Ey0E,EAAyC,cAAlBR,EAASprF,MAAkD,yBAA1BorF,EAASj0E,QAAQhV,KACzE0pF,EAAyC,cAAlBT,EAASprF,MAAkD,2BAA1BorF,EAASj0E,QAAQhV,KAE/E,GAAIspF,GAAkBC,GAAmBC,GAAkBC,GAAwBC,EAAsB,CACvG,GAAIj/E,GAAQmgE,GAAkBtR,GAAc+vB,EAC1C,OAAOt8D,EAAMkJ,SAAS,6BACjB,GAAIwzD,IAAyBJ,EAClC,OAAOt8D,EAAMkJ,SAAS,qHCbxB0zD,GAAY,IAAI9yE,IAAI,IAEpB+yE,GAAoB,SAACpgC,GACzB,IAAMqgC,EAAetoF,OAAOkwB,WAAar0B,SAAS0sF,gBAAgBC,YAClEC,qBAAiCxgC,EAAI,CACnCygC,qBAAqB,IAEvBN,GAAUzkD,IAAIskB,GACd9pD,WAAW,WACT,GAAIiqF,GAAUrtC,MAAQ,EAAG,CAEvB,QAAgC78C,IAA5BypF,GAAuC,CACzC,IAAMgB,EAAQ9sF,SAAS+sF,eAAe,OACtCjB,GAA0B3nF,OAAOoqD,iBAAiBu+B,GAAOE,iBAAiB,iBAC1EF,EAAMp2D,MAAMu2D,aAAenB,GAAuB,QAAA3hF,OAAW2hF,GAAX,OAAA3hF,OAAwCsiF,EAAxC,UAAAtiF,OAA+DsiF,EAA/D,MAGpD,QAAkCpqF,IAA9B0pF,GAAyC,CAC3C,IAAMmB,EAAiBltF,SAAS+sF,eAAe,kBAC/ChB,GAA4B5nF,OAAOoqD,iBAAiB2+B,GAAgBF,iBAAiB,SACrFE,EAAex2D,MAAMjhB,MAAQs2E,GAAyB,QAAA5hF,OAAW4hF,GAAX,OAAA5hF,OAA0CsiF,EAA1C,UAAAtiF,OAAiEsiF,EAAjE,MAExDzsF,SAAS2T,KAAKk0B,UAAUC,IAAI,qBAK5BqlD,GAAmB,SAAC/gC,GACxBmgC,GAAS,OAAQngC,GACjB9pD,WAAW,WACc,IAAnBiqF,GAAUrtC,YACoB78C,IAA5BypF,KACF9rF,SAAS+sF,eAAe,OAAOr2D,MAAMu2D,aAAenB,GAEpDA,QAA0BzpF,QAEMA,IAA9B0pF,KACF/rF,SAAS+sF,eAAe,kBAAkBr2D,MAAMjhB,MAAQs2E,GAExDA,QAA4B1pF,GAE9BrC,SAAS2T,KAAKk0B,UAAUU,OAAO,oBAGnCqkD,oBAAgCxgC,IAG5BghC,GAAY,CAChBC,SAAU,SAACjhC,EAAIkhC,GACTA,EAAQjqF,OACVmpF,GAAkBpgC,IAGtBmhC,iBAAkB,SAACnhC,EAAIkhC,GACjBA,EAAQpR,WAAaoR,EAAQjqF,QAI7BiqF,EAAQjqF,MACVmpF,GAAkBpgC,GAElB+gC,GAAiB/gC,KAGrBohC,OAAQ,SAACphC,GACP+gC,GAAiB/gC,6EClEf77B,GAAW,SAACjf,EAAGnB,GACnB,IAAMs9E,EAAiB,YAAXn8E,EAAE7Q,KAAqB6Q,EAAElF,iBAAiB1H,GAAK4M,EAAE5M,GACvDgpF,EAAiB,YAAXv9E,EAAE1P,KAAqB0P,EAAE/D,iBAAiB1H,GAAKyL,EAAEzL,GACvD8rB,EAAOC,OAAOg9D,GACd/8D,EAAOD,OAAOi9D,GACd/8D,GAAUF,OAAOG,MAAMJ,GACvBK,GAAUJ,OAAOG,MAAMF,GAC7B,OAAIC,GAAUE,EACLL,EAAOE,GAAQ,EAAI,EACjBC,IAAWE,GACZ,GACEF,GAAUE,EACb,EAEA48D,EAAMC,GAAO,EAAI,GAsJb5D,GAtIM,CACnBvuF,KADmB,WAEjB,MAAO,CACLghC,UAAW,KACXoxD,UAAU,IAGdhgE,MAAO,CACL,WACA,cACA,SACA,wBACA,YACA,iBAEFkI,QAfmB,WAgBbhiB,KAAK+5E,QACP/5E,KAAK+J,qBAGToa,SAAU,CACR3tB,OADQ,WAEN,OAAOwJ,KAAKia,OAAOC,MAAMzC,SAAS8oB,kBAAkBvgC,KAAK68B,WAE3Dm9C,iBAJQ,WAKN,OAAIh6E,KAAKxJ,OAAO+B,iBACPyH,KAAKxJ,OAAO+B,iBAAiB1H,GAE7BmP,KAAK68B,UAGhB+gC,eAXQ,WAYN,OAAO59D,KAAKi6E,kBAAkBj6E,KAAK68B,WAErCo5C,aAdQ,WAeN,IAAKj2E,KAAKxJ,OACR,MAAO,GAGT,IAAKwJ,KAAKk6E,WACR,MAAO,CAACl6E,KAAKxJ,QAGf,IAAMy/E,EAAekE,KAAMn6E,KAAKia,OAAOC,MAAMzC,SAASwlD,oBAAoBj9D,KAAK49D,iBACzEwc,EAAcha,IAAU6V,EAAc,CAAEplF,GAAImP,KAAKg6E,mBAKvD,OAJqB,IAAjBI,IACFnE,EAAamE,GAAep6E,KAAKxJ,QA1DP,SAACy/E,EAAc54C,GAS/C,OAPE44C,EADqB,YAAnB54C,EAAUzwC,KACGytF,KACbpE,EACA,SAACz/E,GAAD,MAA6B,YAAhBA,EAAO5J,MAAsB4J,EAAO3F,KAAOwsC,EAAU9kC,iBAAiB1H,KAGtEwpF,KAAOpE,EAAc,SAACz/E,GAAD,MAA4B,YAAhBA,EAAO5J,QAErCqY,OAAO,SAAAC,GAAC,OAAIA,IAAG4Y,KAAKpB,IAoD7B49D,CAA0BrE,EAAcj2E,KAAKxJ,SAEtD4tC,QA/BQ,WAgCN,IAAIp8C,EAAI,EAER,OAAOunE,KAAOvvD,KAAKi2E,aAAc,SAACltF,EAAD6U,GAA2C,IAAhC/M,EAAgC+M,EAAhC/M,GAEpC0pF,EAFoE38E,EAA5B1F,sBAY9C,OARIqiF,IACFxxF,EAAOwxF,GAAQxxF,EAAOwxF,IAAS,GAC/BxxF,EAAOwxF,GAAMnyF,KAAK,CAChB2G,KAAI,IAAAuH,OAAMtO,GACV6I,GAAIA,KAGR7I,IACOe,GACN,KAELmxF,WAjDQ,WAkDN,OAAOl6E,KAAK85E,UAAY95E,KAAK+5E,SAGjC1/D,WAAY,CACVyiB,mBAEFqF,MAAO,CACLtF,SADK,SACK29C,EAAQC,GAChB,IAAMC,EAAoB16E,KAAKi6E,kBAAkBO,GAC3CG,EAAoB36E,KAAKi6E,kBAAkBQ,GAC7CC,GAAqBC,GAAqBD,IAAsBC,EAClE36E,KAAK6nD,aAAa7nD,KAAKg6E,kBAEvBh6E,KAAK+J,qBAGT+vE,SAVK,SAUKtqF,GACJA,GACFwQ,KAAK+J,sBAIXwQ,QAAS,CACPxQ,kBADO,WACc,IAAAxJ,EAAAP,KACfA,KAAKxJ,OACPwJ,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkB5a,kBAAkB,CAAElZ,GAAImP,KAAK68B,WAClErvC,KAAK,SAAAqQ,GAAgC,IAA7BuM,EAA6BvM,EAA7BuM,UAAWC,EAAkBxM,EAAlBwM,YAClB9J,EAAK0Z,OAAO+K,SAAS,iBAAkB,CAAEvN,SAAUrN,IACnD7J,EAAK0Z,OAAO+K,SAAS,iBAAkB,CAAEvN,SAAUpN,IACnD9J,EAAKsnD,aAAatnD,EAAKy5E,oBAG3Bh6E,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkBra,YAAY,CAAEzZ,GAAImP,KAAK68B,WAC5DrvC,KAAK,SAACgJ,GACL+J,EAAK0Z,OAAO+K,SAAS,iBAAkB,CAAEvN,SAAU,CAACjhB,KACpD+J,EAAKwJ,uBAIb6wE,WAjBO,SAiBK/pF,GACV,OAAOmP,KAAKokC,QAAQvzC,IAAO,IAE7BmwC,QApBO,SAoBEnwC,GACP,OAAQmP,KAAKk6E,YAAerpF,IAAOmP,KAAK68B,UAE1CgrB,aAvBO,SAuBOh3D,GACPA,IACLmP,KAAK0oB,UAAY73B,EACjBmP,KAAKia,OAAO+K,SAAS,sBAAuBn0B,GAC5CmP,KAAKia,OAAO+K,SAAS,wBAAyBn0B,KAEhDgqF,aA7BO,WA8BL,OAAO76E,KAAKk6E,WAAal6E,KAAK0oB,UAAY,MAE5CsZ,eAhCO,WAiCLhiC,KAAK85E,UAAY95E,KAAK85E,UAExBG,kBAnCO,SAmCYp9C,GACjB,IAAMrmC,EAASwJ,KAAKia,OAAOC,MAAMzC,SAAS8oB,kBAAkB1D,GAC5D,OAAOjrB,KAAIpb,EAAQ,6CAA8Cob,KAAIpb,EAAQ,yCC1JnF,IAEAkkB,GAVA,SAAAC,GACEtxB,EAAQ,MAyBKyxF,GAVCzyF,OAAAwyB,GAAA,EAAAxyB,CACd0yF,GCjBQ,WAAgB,IAAA34D,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,eAAAC,MAAA,CAAkC4/D,YAAA54D,EAAA83D,WAAAtuD,MAAAxJ,EAAA83D,aAA0D,CAAA93D,EAAA,WAAAlH,EAAA,OAA6BC,YAAA,sCAAiD,CAAAD,EAAA,QAAaC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iCAAA3D,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,QAAAA,EAAA,KAA6GO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA4f,eAAA1e,MAAoC,CAAAlB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAQ,OAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAA,sBAAA5rB,GAA6H,OAAA0kB,EAAA,UAAoBprB,IAAA0G,EAAA3F,GAAAsqB,YAAA,+CAAAM,MAAA,CAAgFw/D,kBAAA74D,EAAA84D,aAAA94D,EAAA83D,WAAA78C,UAAA7mC,EAAAstC,YAAA1hB,EAAA83D,WAAAiB,cAAA/4D,EAAAg5D,uBAAAh5D,EAAAg5D,sBAAA5kF,EAAA3F,IAAAmwC,QAAA5e,EAAA4e,QAAAxqC,EAAA3F,IAAAwqF,kBAAAj5D,EAAA83D,WAAAxxD,UAAAtG,EAAAy4D,eAAAz2C,QAAAhiB,EAAAw4D,WAAApkF,EAAA3F,IAAAyqF,aAAAl5D,EAAAue,UAAA46C,kBAAAn5D,EAAAwe,eAAwXve,GAAA,CAAKm5D,KAAAp5D,EAAAylC,aAAA7lB,eAAA5f,EAAA4f,qBAA+D,IAC3qC,IDOA,EAaAtnB,GATA,KAEA,MAYgC,8OErBzB,IAyDQ+gE,GA9CM,CACnBphE,WAAY,CACVoE,oBAEF/2B,KAJmB,WAKjB,MAAO,CACLg0F,QAAQ,IAGZ15D,QATmB,WAUbhiB,KAAKgoB,aAAehoB,KAAKgoB,YAAYnzB,QACvCmL,KAAKia,OAAO+K,SAAS,+BArBlB,CACL/b,QAAW,eACXM,UAAa,gBACbL,IAAO,UACPyyE,kBAAmB,gBACnBC,2BAA4B,WAC5BC,eAAgB,OAiBI77E,KAAKqlB,OAAOt2B,OAC9BiR,KAAKia,OAAO+K,SAAS,kBAAmBhlB,KAAKqlB,OAAOt2B,OAGxDwrB,QAAS,CACPuhE,SADO,WACK,IAAAv7E,EAAAP,KAMVvR,WAAW,WACT8R,EAAKm7E,QAAS,GACb,KAELK,aAXO,WAYL,IAAMC,EAAQh8E,KAAKqlB,OAAOt2B,KAC1B,GAAc,iBAAVitF,EACF,MAAO,IAAMh8E,KAAKqlB,OAAOvhB,OAAOxX,IAElC,IAAM2vF,EA3CH,CACLhzE,QAAW,eACXM,UAAa,gBACbL,IAAO,UACPyyE,kBAAmB,gBACnBC,2BAA4B,WAC5BC,eAAgB,OAqCkB77E,KAAKqlB,OAAOt2B,MAC5C,OAAOktF,EAAUj8E,KAAK+lB,GAAGk2D,GAAWD,IAGxC73D,wWAAU+3D,CAAA,GACLx1D,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,aAClCm0D,YAAa,SAAAjiE,GAAK,OAAIA,EAAMC,SAAN,SACtBiiE,WAAY,SAAAliE,GAAK,OAAIA,EAAMC,SAASiiE,gBCjD1C,IAEIC,GAVJ,SAAoB1hE,GAClBtxB,EAAQ,MAyBKizF,GAVCj0F,OAAAwyB,GAAA,EAAAxyB,CACdk0F,GCjBQ,WAAgB,IAAAn6D,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,WAAqBC,YAAA,gBAAAC,MAAA,CAAmCqO,KAAArH,EAAAs5D,QAAqBjgE,MAAA,CAAQiD,QAAA,QAAAI,OAAA,CAA4BkB,MAAA,GAAApe,OAAA,KAAyBmlB,WAAA,CAAa5G,EAAA,aAAiBgd,gBAAA,8BAA8C9a,GAAA,CAAK6C,KAAA9C,EAAA05D,SAAA10E,MAAA,WAAyC,OAAAgb,EAAAs5D,QAAA,KAA+B,CAAAxgE,EAAA,OAAYC,YAAA,4CAAAM,MAAA,CAA+DoK,KAAA,WAAiBA,KAAA,WAAgB,CAAA3K,EAAA,MAAAkH,EAAA,YAAAlH,EAAA,MAAAA,EAAA,eAAwDO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,aAAoB,CAAAmsB,EAAA,KAAUC,YAAA,4BAAsCiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,MAAAA,EAAA,eAA8HO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,eAAqB,CAAAmsB,EAAA,KAAUC,YAAA,8BAAwCiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,MAAAA,EAAA,eAA+HO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,MAAA+U,OAAA,CAAuB7C,SAAAmhB,EAAA4F,YAAAj3B,gBAA4C,CAAAmqB,EAAA,KAAUC,YAAA,8BAAwCiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA4F,cAAA5F,EAAA+5D,YAAAjhE,EAAA,MAAAA,EAAA,eAA6IO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,qBAA4B,CAAAmsB,EAAA,KAAUC,YAAA,2BAAqCiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAAg6D,aAAAh6D,EAAA4F,aAAA5F,EAAA+5D,YAAwQ/5D,EAAAQ,KAAxQ1H,EAAA,MAAAA,EAAA,eAAuKO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,8BAAqC,CAAAmsB,EAAA,KAAUC,YAAA,2BAAqCiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA2FC,YAAA,4BAAAM,MAAA,CAA+CoK,KAAA,WAAiBA,KAAA,WAAgB,CAAA3K,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA25D,mBAAA35D,EAAAO,GAAA,KAAAzH,EAAA,KAAsEC,YAAA,wBAC/wD,IDOY,EAa7BkhE,GATiB,KAEU,MAYG,QE6JjBG,GApKE,CACf1iE,MAAO,CACL,WACA,eACA,QACA,SACA,MACA,WACA,QACA,kBACA,aAEFpyB,KAZe,WAab,MAAO,CACL+0F,QAAQ,EACRC,WAAW,EACXC,aAAa,IAGjBtiE,WAAY,CACVyiB,kBACA8/C,gBACAnB,iBAEFt3D,SAAU,CACR04D,cADQ,WAEN,OAAO78E,KAAKia,OAAOC,MAAMzC,SAASvpB,OAEpCqqE,UAJQ,WAKN,OAAOv4D,KAAKia,OAAOC,MAAMzC,SAAS8gD,WAEpCmE,eAPQ,WAQN,OAAO18D,KAAKmI,SAASu0D,gBAEvBogB,eAVQ,WAWN,OAAI98E,KAAK68E,gBAAiB78E,KAAKu4D,YACxBv4D,KAAKmI,SAASu0D,eAAiB,GAAmC,IAA9B18D,KAAKmI,SAAS00D,cAE3DkgB,iBAdQ,WAeN,OAAkC,IAA9B/8E,KAAKmI,SAAS00D,YACT78D,KAAK+lB,GAAG,mBAEf,GAAAzvB,OAAU0J,KAAK+lB,GAAG,qBAAlB,MAAAzvB,OAA2C0J,KAAK08D,eAAhD,MAGJl1C,QArBQ,WAsBN,MAAO,CACLypD,KAAM,CAAC,YAAY36E,OAAQ0J,KAAKg9E,SAAwC,GAA7B,CAAC,QAAS,kBACrD1qF,OAAQ,CAAC,oBAAoBgE,OAAQ0J,KAAKg9E,SAA+B,GAApB,CAAC,kBACtDl9E,KAAM,CAAC,iBAAiBxJ,OAAQ0J,KAAKg9E,SAA4B,GAAjB,CAAC,eACjDC,OAAQ,CAAC,mBAAmB3mF,OAAQ0J,KAAKg9E,SAA8B,GAAnB,CAAC,mBAIzDE,wBA9BQ,WA+BN,IAAMzgC,EApEiC,SAAChlC,EAAUviB,GACtD,IAAMunD,EAAM,GACZ,GAAIvnD,GAAmBA,EAAgBhN,OAAS,EAAG,KAAAkpD,GAAA,EAAAC,GAAA,EAAAC,OAAA9iD,EAAA,IACjD,QAAA+iD,EAAAC,EAAmB/5B,EAAnBnoB,OAAAmiD,cAAAL,GAAAG,EAAAC,EAAAn2C,QAAAq2C,MAAAN,GAAA,EAA6B,KAApB56C,EAAoB+6C,EAAA/hD,MAC3B,IAAK0F,EAAgBhB,SAASsC,EAAO3F,IACnC,MAEF4rD,EAAIr0D,KAAKoO,EAAO3F,KAL+B,MAAA1D,GAAAkkD,GAAA,EAAAC,EAAAnkD,EAAA,YAAAikD,GAAA,MAAAI,EAAA,QAAAA,EAAA,oBAAAH,EAAA,MAAAC,IAQnD,OAAOmL,EA0DS0gC,CAA8Bn9E,KAAKmI,SAASq0D,gBAAiBx8D,KAAK9K,iBAE9E,OAAOkoF,KAAM3gC,IAEf2+B,sBAnCQ,WAoCN,OAAOgC,KAAMp9E,KAAK9K,mBAGtB8sB,QA/De,WAgEb,IAAMlG,EAAQ9b,KAAKia,OACbtW,EAAcmY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAC5C6/C,EAA2D,IAAzCxjD,KAAKmI,SAASq0D,gBAAgBt0E,OAItD,GAFAoI,OAAOsW,iBAAiB,SAAU5G,KAAKq9E,YAEnCvhE,EAAM5B,MAAMwK,IAAIyoD,SAASntE,KAAK+7E,cAAiB,OAAO,EAE1DlY,GAAgBX,eAAe,CAC7BpnD,QACAnY,cACAwE,SAAUnI,KAAK+7E,aACfv4B,kBACA/6C,OAAQzI,KAAKyI,OACbnc,IAAK0T,KAAK1T,OAGdkoD,QAjFe,gBAkFkB,IAApBroD,SAAS6yB,SAClB7yB,SAASya,iBAAiB,mBAAoB5G,KAAKs9E,wBAAwB,GAC3Et9E,KAAK08E,UAAYvwF,SAAS6yB,QAE5B1uB,OAAOsW,iBAAiB,UAAW5G,KAAKu9E,iBAE1Ct7D,UAxFe,WAyFb3xB,OAAO4xB,oBAAoB,SAAUliB,KAAKq9E,YAC1C/sF,OAAO4xB,oBAAoB,UAAWliB,KAAKu9E,qBACZ,IAApBpxF,SAAS6yB,QAAwB7yB,SAAS+1B,oBAAoB,mBAAoBliB,KAAKs9E,wBAAwB,GAC1Ht9E,KAAKia,OAAO2K,OAAO,aAAc,CAAEzc,SAAUnI,KAAK+7E,aAAcvsF,OAAO,KAEzE+qB,QAAS,CACPgjE,eADO,SACS1zF,GAEV,CAAC,WAAY,SAASqK,SAASrK,EAAEoD,OAAOu3B,QAAQ4V,gBACtC,MAAVvwC,EAAEiG,KAAakQ,KAAKy/D,mBAE1BA,gBANO,WAO6B,IAA9Bz/D,KAAKmI,SAAS00D,aAChB78D,KAAKia,OAAO2K,OAAO,gBAAiB,CAAEzc,SAAUnI,KAAK+7E,aAAc/b,eAAe,IAClFhgE,KAAKia,OAAO2K,OAAO,aAAc,CAAEzc,SAAUnI,KAAK+7E,aAAclrF,GAAI,IACpEmP,KAAKw9E,uBAELx9E,KAAKia,OAAO2K,OAAO,kBAAmB,CAAEzc,SAAUnI,KAAK+7E,eACvD/7E,KAAKy8E,QAAS,IAGlBe,mBAAoBC,KAAS,WAAY,IAAAl9E,EAAAP,KACjC8b,EAAQ9b,KAAKia,OACbtW,EAAcmY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAClDmY,EAAM8I,OAAO,aAAc,CAAEzc,SAAUnI,KAAK+7E,aAAcvsF,OAAO,IACjEq0E,GAAgBX,eAAe,CAC7BpnD,QACAnY,cACAwE,SAAUnI,KAAK+7E,aACftd,OAAO,EACPjb,iBAAiB,EACjB/6C,OAAQzI,KAAKyI,OACbnc,IAAK0T,KAAK1T,MACTkB,KAAK,SAAAoQ,GAAkB,IAAf6Z,EAAe7Z,EAAf6Z,SACTqE,EAAM8I,OAAO,aAAc,CAAEzc,SAAU5H,EAAKw7E,aAAcvsF,OAAO,IAC7DioB,GAAgC,IAApBA,EAASvvB,SACvBqY,EAAKo8E,aAAc,MAGtB,SAAMnuF,GACT6uF,WAnCO,SAmCKxzF,GACV,IAAM6zF,EAAYvxF,SAAS2T,KAAK2f,wBAC1BL,EAASziB,KAAK4jB,IAAIm9D,EAAUt+D,QAAUs+D,EAAUt9D,IACxB,IAA1BpgB,KAAKmI,SAAS88B,SACdjlC,KAAKsf,IAAIyB,aAAe,GACvBzwB,OAAOqwB,YAAcrwB,OAAOqtF,aAAiBv+D,EAAS,KACzDpf,KAAKw9E,sBAGTF,uBA5CO,WA6CLt9E,KAAK08E,UAAYvwF,SAAS6yB,SAG9BmjB,MAAO,CACLu6B,eADK,SACW/9B,GACd,GAAK3+B,KAAKia,OAAOqN,QAAQlK,aAAa8pC,WAGlCvoB,EAAQ,EAAG,CAEb,IAAMi/C,EAAMzxF,SAAS0sF,mBACRvoF,OAAOqtF,aAAeC,EAAIziC,YAAcyiC,EAAIC,WAAa,GAC5D,KACL79E,KAAKy8E,QACJz8E,KAAK08E,WAAa18E,KAAKia,OAAOqN,QAAQlK,aAAagqC,iBAIvDpnD,KAAKy8E,QAAS,EAFdz8E,KAAKy/D,sBCtKf,IAEIqe,GAVJ,SAAoBnjE,GAClBtxB,EAAQ,MAyBK00F,GAVC11F,OAAAwyB,GAAA,EAAAxyB,CACd21F,GCjBQ,WAAgB,IAAA57D,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBE,MAAA,CAAAgH,EAAAoF,QAAAypD,KAAA,aAAqC,CAAA/1D,EAAA,OAAYE,MAAAgH,EAAAoF,QAAAl1B,QAAyB,CAAA8vB,EAAA46D,SAAA56D,EAAAQ,KAAA1H,EAAA,gBAAAkH,EAAAO,GAAA,KAAAP,EAAA,cAAAlH,EAAA,OAAwFC,YAAA,6BAAAkH,GAAA,CAA6CI,MAAA,SAAAa,GAAyBA,EAAA4H,oBAA2B,CAAA9I,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAA,UAAAlH,EAAA,OAAoGC,YAAA,6BAAAkH,GAAA,CAA6CI,MAAA,SAAAa,GAAyBA,EAAA4H,oBAA2B,CAAA9I,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAm2C,UAAA5uD,YAAA,YAAAyY,EAAA,eAAAlH,EAAA,UAAmGC,YAAA,kBAAAkH,GAAA,CAAkCI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAq9C,gBAAAn8C,MAAqC,CAAAlB,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA26D,kBAAA,YAAA7hE,EAAA,OAAuEC,YAAA,sBAAAkH,GAAA,CAAsCI,MAAA,SAAAa,GAAyBA,EAAA4H,oBAA2B,CAAA9I,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAgGE,MAAAgH,EAAAoF,QAAA1nB,MAAuB,CAAAob,EAAA,OAAYC,YAAA,YAAuB,CAAAiH,EAAAyY,GAAAzY,EAAA,yBAAAya,GAAkD,OAAAza,EAAAja,SAAAm0D,eAAAz/B,GAAA3hB,EAAA,gBAAmEprB,IAAA+sC,EAAA,UAAA1hB,YAAA,gBAAAM,MAAA,CAA4DyoB,YAAArH,EAAAq+C,aAAA,EAAA+C,2BAAA77D,EAAAg5D,sBAAAE,aAAAl5D,EAAAue,UAAA46C,kBAAAn5D,EAAA3Z,UAAsJ2Z,EAAAQ,QAAYR,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAAja,SAAA,yBAAA3R,GAAqE,OAAA4rB,EAAA86D,wBAAA1mF,EAAA3F,IAAwNuxB,EAAAQ,KAAxN1H,EAAA,gBAAqEprB,IAAA0G,EAAA3F,GAAAsqB,YAAA,gBAAAM,MAAA,CAAiDyoB,YAAA1tC,EAAA3F,GAAAqqF,aAAA,EAAAI,aAAAl5D,EAAAue,UAAA46C,kBAAAn5D,EAAA3Z,cAA8G,KAAA2Z,EAAAO,GAAA,KAAAzH,EAAA,OAA8BE,MAAAgH,EAAAoF,QAAAy1D,QAAyB,KAAA76D,EAAAuc,MAAAzjB,EAAA,OAA4BC,YAAA,0DAAqE,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAA,YAAAlH,EAAA,OAAmGC,YAAA,0DAAqE,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAja,SAAA88B,SAAA7iB,EAAAm2C,UAAmTn2C,EAAA,UAAAlH,EAAA,KAA4EO,MAAA,CAAOrxB,KAAA,MAAY,CAAA8wB,EAAA,OAAYC,YAAA,oDAA+D,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAm2C,UAAArqE,YAAAgtB,EAAA,OAAoDC,YAAA,oDAA+D,CAAAD,EAAA,KAAUC,YAAA,8BAA1lBD,EAAA,KAA8HO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAo7D,wBAAkC,CAAAtiE,EAAA,OAAYC,YAAA,oDAA+D,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kCACpyE,IDOY,EAa7B+3D,GATiB,KAEU,MAYG,QETjBI,GAhBQ,CACrB7jE,WAAY,CACVmiE,aAEFr4D,SAAU,CACRhc,SADQ,WACM,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAA3B,SAEvBl7C,QAPqB,WAQnBhiB,KAAKia,OAAO+K,SAAS,wBAAyB,CAAE7c,SAAU,YAE5D8Z,UAVqB,WAWnBjiB,KAAKia,OAAO+K,SAAS,uBAAwB,YCWlCm5D,GAVC91F,OAAAwyB,GAAA,EAAAxyB,CACd+1F,GCdQ,WAAgB,IAAarjE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,YAAsBU,MAAA,CAAO3iB,MAA5FkH,KAA4F+lB,GAAA,iBAAA5d,SAA5FnI,KAA4FmI,SAAAk2E,gBAAA,aACnG,IDIY,EAEb,KAEC,KAEU,MAYG,QEPjBC,GAfmB,CAChCjkE,WAAY,CACVmiE,aAEFr4D,SAAU,CACRhc,SADQ,WACM,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAAU9zD,oBAE5D4Y,QAPgC,WAQ9BhiB,KAAKia,OAAO+K,SAAS,wBAAyB,CAAE7c,SAAU,uBAE5D8Z,UAVgC,WAW9BjiB,KAAKia,OAAO+K,SAAS,uBAAwB,uBCWlCu5D,GAVCl2F,OAAAwyB,GAAA,EAAAxyB,CACdm2F,GCdQ,WAAgB,IAAazjE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,YAAsBU,MAAA,CAAO3iB,MAA5FkH,KAA4F+lB,GAAA,YAAA5d,SAA5FnI,KAA4FmI,SAAAk2E,gBAAA,wBACnG,IDIY,EAEb,KAEC,KAEU,MAYG,QEbjBI,GATS,CACtBpkE,WAAY,CACVmiE,aAEFr4D,SAAU,CACRhc,SADQ,WACM,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAAUj0D,WCiB/Cy1E,GAVCr2F,OAAAwyB,GAAA,EAAAxyB,CACds2F,GCdQ,WAAgB,IAAa5jE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,YAAsBU,MAAA,CAAO3iB,MAA5FkH,KAA4F+lB,GAAA,gBAAA5d,SAA5FnI,KAA4FmI,SAAAk2E,gBAAA,cACnG,IDIY,EAEb,KAEC,KAEU,MAYG,QEEjBO,GAvBK,CAClB58D,QADkB,WAEhBhiB,KAAKia,OAAO2K,OAAO,gBAAiB,CAAEzc,SAAU,QAChDnI,KAAKia,OAAO+K,SAAS,wBAAyB,CAAE7c,SAAU,MAAO7b,IAAK0T,KAAK1T,OAE7E+tB,WAAY,CACVmiE,aAEFr4D,SAAU,CACR73B,IADQ,WACC,OAAO0T,KAAKqlB,OAAOvhB,OAAOxX,KACnC6b,SAFQ,WAEM,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAAU5wE,MAE5D61C,MAAO,CACL71C,IADK,WAEH0T,KAAKia,OAAO2K,OAAO,gBAAiB,CAAEzc,SAAU,QAChDnI,KAAKia,OAAO+K,SAAS,wBAAyB,CAAE7c,SAAU,MAAO7b,IAAK0T,KAAK1T,QAG/E21B,UAlBkB,WAmBhBjiB,KAAKia,OAAO+K,SAAS,uBAAwB,SCElC65D,GAVCx2F,OAAAwyB,GAAA,EAAAxyB,CACdy2F,GCdQ,WAAgB,IAAa/jE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,YAAsBU,MAAA,CAAO3iB,MAA5FkH,KAA4F1T,IAAA6b,SAA5FnI,KAA4FmI,SAAAk2E,gBAAA,MAAA/xF,IAA5F0T,KAA4F1T,QACnG,IDIY,EAEb,KAEC,KAEU,MAYG,QEPjByyF,GAdG,CAChB56D,SAAU,CACRhc,SADQ,WAEN,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAAU3zD,YAGhD8Q,WAAY,CACVmiE,aAEFv6D,UATgB,WAUdjiB,KAAKia,OAAO2K,OAAO,gBAAiB,CAAEzc,SAAU,gBCWrC62E,GAVC32F,OAAAwyB,GAAA,EAAAxyB,CACd42F,GCdQ,WAAgB,IAAalkE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,YAAsBU,MAAA,CAAO3iB,MAA5FkH,KAA4F+lB,GAAA,iBAAA5d,SAA5FnI,KAA4FmI,SAAAk2E,gBAAA,gBACnG,IDIY,EAEb,KAEC,KAEU,MAYG,QEVjBa,GAXU,CACvB7kE,WAAY,CACVuiE,iBAEFz4D,SAAU,CACR0Y,SADQ,WAEN,OAAO78B,KAAKqlB,OAAOvhB,OAAOjT,MCejBsuF,GAVC92F,OAAAwyB,GAAA,EAAAxyB,CACd+2F,GCdQ,WAAgB,IAAarkE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,gBAA0BU,MAAA,CAAOy/D,aAAA,EAAAmE,UAAA,OAAAn7C,YAAhGlkC,KAAgG68B,aACvG,IDIY,EAEb,KAEC,KAEU,MAYG,2REbhC,IAiFeurB,GAjFM,CACnB1gE,KADmB,WAEjB,MAAO,CACLy3C,cAAc,EACd3jB,aAAcxb,KAAKia,OAAOC,MAAZ,UAA4BiN,eAAeC,UACzD8X,SAAS,IAGbplB,MAAO,CAAE,gBACTO,WAAY,CACV2kB,mBACAnlB,sBACAglB,cACAE,aACAjC,mBAEFviB,QAAS,CACP2nB,mBADO,WAELliC,KAAKm/B,cAAgBn/B,KAAKm/B,cAE5BY,wBAJO,SAIkBvmC,GACvB,OAAOigB,aAAoBjgB,EAAK3I,GAAI2I,EAAKzI,YAAaiP,KAAKia,OAAOC,MAAMC,SAAST,sBAEnF4lE,QAPO,SAOE93E,GACP,OAAOxH,KAAKia,OAAOC,MAAMtP,MAAM+9D,YAAYnhE,EAAajN,aAAa1J,KAEvEoxC,WAVO,WAWLjiC,KAAKk/B,SAAWl/B,KAAKk/B,SAEvBxqB,YAbO,WAcL1U,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkBjQ,YAAY,CAAE7jB,GAAImP,KAAKxG,KAAK3I,KACpEmP,KAAKia,OAAO+K,SAAS,sBAAuBhlB,KAAKxG,MACjDwG,KAAKia,OAAO+K,SAAS,+BAAgC,CAAEn0B,GAAImP,KAAKwH,aAAa3W,KAC7EmP,KAAKia,OAAO+K,SAAS,qBAAsB,CACzCn0B,GAAImP,KAAKwH,aAAa3W,GACtB2wE,QAAS,SAAAh6D,GACPA,EAAa5a,KAAO,aAI1BioB,SAxBO,WAwBK,IAAAtU,EAAAP,KACVA,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkB9P,SAAS,CAAEhkB,GAAImP,KAAKxG,KAAK3I,KAC9DrD,KAAK,WACJ+S,EAAK0Z,OAAO+K,SAAS,2BAA4B,CAAEn0B,GAAI0P,EAAKiH,aAAa3W,KACzE0P,EAAK0Z,OAAO+K,SAAS,sBAAuBzkB,EAAK/G,UAIzD2qB,wWAAUo7D,CAAA,CACR9/C,UADM,WAEJ,OAAOD,aAAex/B,KAAKwH,aAAajN,eAE1CslC,UAJM,WAKJ,IAAMnX,EAAY1oB,KAAKia,OAAOqN,QAAQlK,aAAasL,UAC7ClvB,EAAOwG,KAAKwH,aAAajN,aAC/B,OAAOqlC,aAAelX,EAAUlvB,EAAKzI,eAEvCyI,KATM,WAUJ,OAAOwG,KAAKia,OAAOqN,QAAQC,SAASvnB,KAAKwH,aAAajN,aAAa1J,KAErE64B,gBAZM,WAaJ,OAAO1pB,KAAK+/B,wBAAwB//B,KAAKxG,OAE3CgmF,WAfM,WAgBJ,OAAOx/E,KAAKia,OAAOqN,QAAQC,SAASvnB,KAAKwH,aAAava,OAAO4D,KAE/D4uF,sBAlBM,WAmBJ,OAAOz/E,KAAK+/B,wBAAwB//B,KAAKw/E,aAE3CE,SArBM,WAsBJ,OAAO1/E,KAAKia,OAAOqN,QAAQ30B,aAAaqN,KAAKxG,KAAK3I,IAAIuD,QAExDiG,qBAxBM,WAyBJ,OAAOA,YAAqB2F,KAAKwH,aAAa5a,QAE7C85B,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,iBC9ExC,IAEI23D,GAVJ,SAAoBhlE,GAClBtxB,EAAQ,MAyBKu2F,GAVCv3F,OAAAwyB,GAAA,EAAAxyB,CACdw3F,GCjBQ,WAAgB,IAAAz9D,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,kBAAAqH,EAAA5a,aAAA5a,KAAAsuB,EAAA,UAA0DO,MAAA,CAAOH,SAAA,EAAA+hB,UAAAjb,EAAA5a,aAAAhR,UAAoD0kB,EAAA,OAAAkH,EAAAs9D,WAAAt9D,EAAA8c,QAAAhkB,EAAA,OAAqDC,YAAA,iCAA4C,CAAAD,EAAA,SAAAA,EAAA,eAAgCO,MAAA,CAAOwK,GAAA7D,EAAAsH,kBAA0B,CAAAtH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA5a,aAAAjN,aAAAxJ,aAAA,kBAAAqxB,EAAAO,GAAA,KAAAzH,EAAA,KAA8GC,YAAA,SAAAM,MAAA,CAA4BrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA6f,WAAA3e,MAAgC,CAAApI,EAAA,KAAUC,YAAA,iCAAuCD,EAAA,OAAgBC,YAAA,cAAAC,MAAA,CAAAgH,EAAAqd,UAAA,CAAiD4D,YAAAjhB,EAAAyd,YAA6Bhd,MAAA,CAAAT,EAAAyd,YAA4B,CAAA3kB,EAAA,KAAUC,YAAA,mBAAAM,MAAA,CAAsCrxB,KAAAg4B,EAAA5a,aAAAjN,aAAAtJ,uBAA2DoxB,GAAA,CAAKohB,SAAA,SAAAngB,GAA2E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA8f,mBAAA5e,MAAwC,CAAApI,EAAA,cAAmBO,MAAA,CAAOH,SAAA,EAAAC,gBAAA6G,EAAA5G,aAAAhiB,KAAA4oB,EAAA5a,aAAAjN,iBAAsF,GAAA6nB,EAAAO,GAAA,KAAAzH,EAAA,OAA4BC,YAAA,sBAAiC,CAAAiH,EAAA,aAAAlH,EAAA,YAAoCO,MAAA,CAAOioB,UAAAthB,EAAAk9D,QAAAl9D,EAAA5a,cAAA3W,GAAA62B,SAAA,EAAAG,UAAA,KAA2EzF,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,QAAkCC,YAAA,wBAAmC,CAAAD,EAAA,OAAYC,YAAA,mBAA8B,CAAAiH,EAAA5a,aAAAjN,aAAAnJ,UAAA8pB,EAAA,OAAwDC,YAAA,WAAAM,MAAA,CAA8B3iB,MAAA,IAAAspB,EAAA5a,aAAAjN,aAAAxJ,aAAsDq5B,SAAA,CAAWC,UAAAjI,EAAA0D,GAAA1D,EAAA5a,aAAAjN,aAAAnJ,cAA6D8pB,EAAA,QAAaC,YAAA,WAAAM,MAAA,CAA8B3iB,MAAA,IAAAspB,EAAA5a,aAAAjN,aAAAxJ,cAAuD,CAAAqxB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5a,aAAAjN,aAAAxL,SAAAqzB,EAAAO,GAAA,cAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,QAAAA,EAAA,KAAyHC,YAAA,qBAA+BiH,EAAAO,GAAA,KAAAzH,EAAA,SAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,gBAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,QAAAA,EAAA,KAAiKC,YAAA,sBAAAM,MAAA,CAAyC3iB,MAAAspB,EAAA2D,GAAA,sBAAmC3D,EAAAO,GAAA,KAAAzH,EAAA,SAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,gBAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,QAAAA,EAAA,KAAgKC,YAAA,0BAAoCiH,EAAAO,GAAA,KAAAzH,EAAA,SAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,wBAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,QAAAA,EAAA,KAAwKC,YAAA,qBAA+BiH,EAAAO,GAAA,KAAAzH,EAAA,SAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,cAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,QAAAA,EAAA,KAAgKC,YAAA,6BAAuCiH,EAAAO,GAAA,KAAAzH,EAAA,SAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,gCAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,QAAAA,EAAA,SAAAA,EAAA,QAA8LO,MAAA,CAAOsrB,KAAA,+BAAqC,CAAA7rB,EAAA,QAAaC,YAAA,wBAAmC,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5a,aAAAtR,aAAA,KAAAksB,EAAAQ,OAAAR,EAAAO,GAAA,KAAAP,EAAA,qBAAAlH,EAAA,OAA+GC,YAAA,WAAsB,CAAAiH,EAAA5a,aAAA,OAAA0T,EAAA,eAA8CC,YAAA,aAAAM,MAAA,CAAgCwK,GAAA,CAAMl3B,KAAA,eAAA+U,OAAA,CAAgCjT,GAAAuxB,EAAA5a,aAAAhR,OAAA3F,OAAqC,CAAAqqB,EAAA,WAAgBO,MAAA,CAAOkoB,KAAAvhB,EAAA5a,aAAA7S,WAAAivC,cAAA,QAAsD,GAAAxhB,EAAAQ,MAAA,GAAA1H,EAAA,OAA6BC,YAAA,WAAsB,CAAAD,EAAA,QAAaC,YAAA,SAAoB,CAAAD,EAAA,WAAgBO,MAAA,CAAOkoB,KAAAvhB,EAAA5a,aAAA7S,WAAAivC,cAAA,QAAsD,KAAAxhB,EAAAO,GAAA,KAAAP,EAAA,SAAAlH,EAAA,KAA2CO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA6f,WAAA3e,MAAgC,CAAApI,EAAA,KAAUC,YAAA,+BAAuCiH,EAAAQ,OAAAR,EAAAO,GAAA,gBAAAP,EAAA5a,aAAA5a,MAAA,mBAAAw1B,EAAA5a,aAAA5a,KAAAsuB,EAAA,OAAwHC,YAAA,eAA0B,CAAAD,EAAA,eAAoBC,YAAA,cAAAM,MAAA,CAAiCwK,GAAA7D,EAAAsH,kBAA0B,CAAAtH,EAAAO,GAAA,gBAAAP,EAAA0D,GAAA1D,EAAA5a,aAAAjN,aAAAxJ,aAAA,gBAAAqxB,EAAAO,GAAA,wBAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,OAA8J8oB,YAAA,CAAa87C,cAAA,WAAwB,CAAA5kE,EAAA,KAAUC,YAAA,4CAAAM,MAAA,CAA+D3iB,MAAAspB,EAAA2D,GAAA,mCAAiD1D,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA1N,kBAA2B0N,EAAAO,GAAA,KAAAzH,EAAA,KAAsBC,YAAA,gDAAAM,MAAA,CAAmE3iB,MAAAspB,EAAA2D,GAAA,mCAAiD1D,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAvN,iBAAwBuN,EAAAQ,MAAA,YAAAR,EAAA5a,aAAA5a,KAAAsuB,EAAA,OAA8DC,YAAA,aAAwB,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA7D,EAAAq9D,wBAAgC,CAAAr9D,EAAAO,GAAA,gBAAAP,EAAA0D,GAAA1D,EAAA5a,aAAAva,OAAA8D,aAAA,qBAAAmqB,EAAA,kBAA+GC,YAAA,QAAAM,MAAA,CAA2BjlB,OAAA4rB,EAAA5a,aAAAlN,YAAkC,QACnrJ,IDOY,EAa7BqlF,GATiB,KAEU,MAYG,qOEjBhC,IAwGeI,GAtGO,CACpBjmE,MAAO,CAELgmB,UAAWnlC,QAGXqlF,YAAarlF,QAEbslF,WAAYn1D,OAEdpjC,KAVoB,WAWlB,MAAO,CACLi1F,aAAa,EAIbuD,mBAlBgC,KAqBpCl+D,QAnBoB,WAoBlB,IAAMlG,EAAQ9b,KAAKia,OACbtW,EAAcmY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAClD2gE,GAAqBpB,eAAe,CAAEpnD,QAAOnY,iBAE/CwgB,wWAAUg8D,CAAA,CACRC,UADM,WAEJ,OAAOpgF,KAAKggF,YAAc,GAAK,uBAEjC72E,cAJM,WAKJ,OAAO0S,YAAuB7b,KAAKia,SAErC/rB,MAPM,WAQJ,OAAO8R,KAAKia,OAAOC,MAAMzC,SAAStO,cAAcjb,OAElDmyF,oBAVM,WAWJ,OAAOriE,YAA6Bhe,KAAKia,SAE3CqmE,sBAbM,WAcJ,OAAO3iE,YAA+B3d,KAAKia,OAAQja,KAAKigF,aAE1DM,YAhBM,WAiBJ,OAAOvgF,KAAKqgF,oBAAoBn4F,QAElCs4F,iBAnBM,WAoBJ,OAAOxgF,KAAKugF,YAAevgF,KAAKy0E,iBAElCxvC,QAtBM,WAuBJ,OAAOjlC,KAAKia,OAAOC,MAAMzC,SAAStO,cAAc87B,SAElDw7C,uBAzBM,WA0BJ,OAAOzgF,KAAKsgF,sBAAsB9vF,MAAM,EAAGwP,KAAKugF,YAAcvgF,KAAKkgF,sBAElEt3D,YAAW,CAAC,qBAEjBvO,WAAY,CACV+tC,iBAEFjmB,MAAO,CACLq+C,iBADK,SACa7hD,GACZA,EAAQ,EACV3+B,KAAKia,OAAO+K,SAAS,eAArB,IAAA1uB,OAAyCqoC,EAAzC,MAEA3+B,KAAKia,OAAO+K,SAAS,eAAgB,MAI3CzK,QAAS,CACPmmE,WADO,WAEL1gF,KAAKia,OAAO+K,SAAS,2BACrBhlB,KAAKkgF,mBAvE2B,IAyElCS,wBALO,WAKoB,IAAApgF,EAAAP,KACzB,IAAIA,KAAKilC,QAAT,CAIA,IAAM27C,EAAY5gF,KAAKsgF,sBAAsBp4F,OAAS8X,KAAKugF,YAC3D,GAAIvgF,KAAKkgF,mBAAqBU,EAC5B5gF,KAAKkgF,mBAAqBvjF,KAAK2jB,IAAItgB,KAAKkgF,mBAAqB,GAAIU,OADnE,CAGW5gF,KAAKkgF,mBAAqBU,IACnC5gF,KAAKkgF,mBAAqBU,GAG5B,IAAM9kE,EAAQ9b,KAAKia,OACbtW,EAAcmY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAClDmY,EAAM8I,OAAO,0BAA2B,CAAEp1B,OAAO,IACjD80E,GAAqBpB,eAAe,CAClCpnD,QACAnY,cACA86D,OAAO,IACNjxE,KAAK,SAAAqzF,GACN/kE,EAAM8I,OAAO,0BAA2B,CAAEp1B,OAAO,IAC3B,IAAlBqxF,EAAO34F,SACTqY,EAAKo8E,aAAc,GAErBp8E,EAAK2/E,oBAAsBW,EAAO34F,cCnG1C,IAEI44F,GAVJ,SAAoBnmE,GAClBtxB,EAAQ,MAyBK03F,GAVC14F,OAAAwyB,GAAA,EAAAxyB,CACd24F,GCjBQ,WAAgB,IAAA5+D,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,gBAAAC,MAAA,CAAmC6lE,QAAA7+D,EAAA49D,cAA4B,CAAA9kE,EAAA,OAAYE,MAAAgH,EAAAg+D,WAAoB,CAAAh+D,EAAA0d,UAA+pB1d,EAAAQ,KAA/pB1H,EAAA,OAA6BC,YAAA,iBAA4B,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,8CAAA3D,EAAA,YAAAlH,EAAA,QAA+GC,YAAA,yCAAoD,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAm+D,gBAAAn+D,EAAAQ,OAAAR,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAAiFC,YAAA,6BAAAkH,GAAA,CAA6CI,MAAA,SAAAa,GAAyBA,EAAA4H,oBAA2B,CAAA9I,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,UAAkIC,YAAA,cAAAkH,GAAA,CAA8BI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAs+D,WAAAp9D,MAAgC,CAAAlB,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAQ,OAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAmHC,YAAA,cAAyBiH,EAAAyY,GAAAzY,EAAA,gCAAA5a,GAA4D,OAAA0T,EAAA,OAAiBprB,IAAA0X,EAAA3W,GAAAsqB,YAAA,eAAAC,MAAA,CAAsD8lE,QAAA9+D,EAAA49D,cAAAx4E,EAAArN,OAAkD,CAAA+gB,EAAA,OAAYC,YAAA,yBAAmCiH,EAAAO,GAAA,KAAAzH,EAAA,gBAAiCO,MAAA,CAAOjU,mBAA6B,KAAM,GAAA4a,EAAAO,GAAA,KAAAzH,EAAA,OAA2BC,YAAA,gBAA2B,CAAAiH,EAAA,YAAAlH,EAAA,OAA8BC,YAAA,0DAAqE,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sDAAA3D,EAAA6iB,QAA2S/pB,EAAA,OAAqJC,YAAA,oDAA+D,CAAAD,EAAA,KAAUC,YAAA,8BAAzgBD,EAAA,KAAiHO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAu+D,6BAAuC,CAAAzlE,EAAA,OAAYC,YAAA,oDAA+D,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA49D,YAAA59D,EAAA2D,GAAA,2BAAA3D,EAAA2D,GAAA,sDACptD,IDOY,EAa7B+6D,GATiB,KAEU,MAYG,QExB1BK,GAAc,CAClBxnF,SAAU,CAAC,WACXynF,gBAAiB,CAAC,SAAU,QAC5B/kE,QAAS,CAAC,UACVE,MAAO,CAAC,SAoBK8kE,GAjBM,CACnB35F,KADmB,WAEjB,MAAO,CACLy8E,mBAAoBnkE,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYh1B,qBACxDitF,WAAYkB,GAAW,WAG3B5mE,QAAS,CACP+mE,aADO,SACOxxF,GACZkQ,KAAKigF,WAAakB,GAAYrxF,KAGlCuqB,WAAY,CACV0lE,mBCCWwB,GAVCl5F,OAAAwyB,GAAA,EAAAxyB,CACdm5F,GCdQ,WAAgB,IAAAp/D,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,gBAAoGsH,IAAA,cAAA/G,MAAA,CAAyBgmE,YAAAr/D,EAAAk/D,eAA8B,CAAApmE,EAAA,QAAaprB,IAAA,WAAA2rB,MAAA,CAAsBkuC,MAAAvnC,EAAA2D,GAAA,mBAAgC3D,EAAAO,GAAA,KAAAzH,EAAA,QAAyBprB,IAAA,gBAAA2rB,MAAA,CAA2BkuC,MAAAvnC,EAAA2D,GAAA,gCAA6C3D,EAAAO,GAAA,KAAAzH,EAAA,QAAyBprB,IAAA,UAAA2rB,MAAA,CAAqBkuC,MAAAvnC,EAAA2D,GAAA,2BAAwC3D,EAAAO,GAAA,KAAAP,EAAA+hD,mBAA4G/hD,EAAAQ,KAA5G1H,EAAA,QAAmDprB,IAAA,QAAA2rB,MAAA,CAAmBkuC,MAAAvnC,EAAA2D,GAAA,2BAAsC3D,EAAAO,GAAA,KAAAzH,EAAA,iBAA6CsH,IAAA,gBAAA/G,MAAA,CAA2B6oB,cAAA,EAAAo9C,gBAAA,EAAAC,cAAAv/D,EAAA69D,eAAoE,IAC90B,IDIY,EAEb,KAEC,KAEU,MAYG,QEVjB2B,GAXH,CACVz9D,SAAU,CACRhc,SADQ,WAEN,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAAUh0D,MAGhDmR,WAAY,CACVmiE,cCcWqF,GAVCx5F,OAAAwyB,GAAA,EAAAxyB,CACdy5F,GCdQ,WAAgB,IAAa/mE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,YAAsBU,MAAA,CAAO3iB,MAA5FkH,KAA4F+lB,GAAA,WAAA5d,SAA5FnI,KAA4FmI,SAAAk2E,gBAAA,UACnG,IDIY,EAEb,KAEC,KAEU,MAYG,kBEnBjB7wB,OAAIC,UAAU,aAAc,CACzC1+D,KAAM,YACNsrB,WAAY,CACVR,uBAEFC,MAAO,CACL,OAAQ,cAEVqK,SAAU,CACRrrB,MADQ,WAEN,OAAOkH,KAAKxG,KAAOwG,KAAKxG,KAAKzI,YAAc,IAE7CgxF,UAJQ,WAKN,OAAO/hF,KAAKxG,KAAOwG,KAAKxG,KAAKpI,UAAY,KAG7CmpB,QAAS,CACPynE,mBADO,SACaxoF,GAClB,OAAOigB,aAAoBjgB,EAAK3I,GAAI2I,EAAKzI,iBCd/C,IAEIkxF,GAVJ,SAAoBtnE,GAClBtxB,EAAQ,MAyBK64F,GAVC75F,OAAAwyB,GAAA,EAAAxyB,CACd85F,GCjBQ,WAAgB,IAAA//D,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,aAAAM,MAAA,CAAgC3iB,MAAAspB,EAAAtpB,QAAmB,CAAAspB,EAAAggE,YAAAhgE,EAAA5oB,KAAA0hB,EAAA,eAAiDO,MAAA,CAAOwK,GAAA7D,EAAA4/D,mBAAA5/D,EAAA5oB,QAAuC,CAAA0hB,EAAA,cAAmBO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,KAAA2lB,MAAA,OAAAC,OAAA,WAAgD,GAAAgD,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,QAAsCC,YAAA,WAAAiP,SAAA,CAAiCC,UAAAjI,EAAA0D,GAAA1D,EAAA2/D,eAAmC,IAC7Z,IDOY,EAa7BE,GATiB,KAEU,MAYG,qOElBhC,IA0DeI,GA1DM,CACnBtzF,KAAM,eACN+qB,MAAO,CACL,QAEFO,WAAY,CACVR,sBACAilB,gBACAC,aACAujD,aACAtjD,oBAEF7a,wWAAUo+D,CAAA,GACL77D,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,eAF9B,CAINw6D,eAJM,WAKJ,GAAiD,IAA7CxiF,KAAKrE,KAAKE,YAAYjC,YAAY1R,OAAtC,CAEA,IAAM01B,EAAQ5d,KAAKrE,KAAKE,YAAYjC,YAAY/H,IAAI,SAAAohB,GAAI,OAAIqL,KAASA,SAASrL,EAAKxd,YACnF,OAAImoB,EAAM1pB,SAAS,SACV8L,KAAK+lB,GAAG,mBACNnI,EAAM1pB,SAAS,SACjB8L,KAAK+lB,GAAG,mBACNnI,EAAM1pB,SAAS,SACjB8L,KAAK+lB,GAAG,mBAER/lB,KAAK+lB,GAAG,oBAGnB08D,wBAlBM,WAmBJ,IAAMl0F,EAAUyR,KAAKrE,KAAKE,YACpB6mF,EAAQn0F,GAAWA,EAAQwoB,aAAe/W,KAAKgoB,YAAYn3B,GAC3DyG,EAAU/I,EAAWyR,KAAKwiF,gBAAkBj0F,EAAQ+I,QAAW,GAC/DqrF,EAAiBD,EAAK,MAAApsF,OAAS0J,KAAK+lB,GAAG,aAAjB,SAAAzvB,OAAqCgB,GAAYA,EAC7E,MAAO,CACLE,QAAS,GACTH,eAAgBsrF,EAChBprF,KAAMorF,EACN/oF,YAAa,OAInB2gB,QAAS,CACPgM,SADO,SACG3D,GACJ5iB,KAAKrE,KAAK9K,IACZmP,KAAKwmB,QAAQp+B,KAAK,CAChB2G,KAAM,OACN+U,OAAQ,CACN7C,SAAUjB,KAAKgoB,YAAYj3B,YAC3B01B,aAAczmB,KAAKrE,KAAKlC,QAAQ5I,SClD5C,IAEI+xF,GAVJ,SAAoBjoE,GAClBtxB,EAAQ,MAyBKw5F,GAVCx6F,OAAAwyB,GAAA,EAAAxyB,CACdy6F,GCjBQ,WAAgB,IAAA1gE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,iBAAAkH,GAAA,CAAiCohB,SAAA,SAAAngB,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAAmE,SAAAjD,MAA8B,CAAApI,EAAA,OAAYC,YAAA,uBAAkC,CAAAD,EAAA,cAAmBO,MAAA,CAAOjiB,KAAA4oB,EAAAzmB,KAAAlC,QAAA2lB,OAAA,OAAAD,MAAA,WAAwD,GAAAiD,EAAAO,GAAA,KAAAzH,EAAA,OAA4BC,YAAA,yBAAoC,CAAAD,EAAA,OAAYC,YAAA,WAAsB,CAAAiH,EAAAzmB,KAAA,QAAAuf,EAAA,QAAgCC,YAAA,yBAAoC,CAAAD,EAAA,aAAkBO,MAAA,CAAOjiB,KAAA4oB,EAAAzmB,KAAAlC,YAAyB,GAAA2oB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,QAAsCC,YAAA,oBAA4BiH,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,gBAA2B,CAAAD,EAAA,iBAAsBO,MAAA,CAAOjlB,OAAA4rB,EAAAqgE,wBAAAv3C,eAAA,KAAyD9oB,EAAAO,GAAA,KAAAP,EAAAzmB,KAAAC,OAAA,EAAAsf,EAAA,OAA8CC,YAAA,8CAAyD,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAAzmB,KAAAC,QAAA,cAAAwmB,EAAAQ,MAAA,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAiGC,YAAA,gBAA2B,CAAAD,EAAA,WAAgBO,MAAA,CAAOkoB,KAAAvhB,EAAAzmB,KAAAK,WAAA4nC,cAAA,OAA6C,MACphC,IDOY,EAa7Bg/C,GATiB,KAEU,MAYG,8OEtBhC,IAoEeG,GApEC,CACd1oE,WAAY,CACV+xB,mBACAvyB,uBAEFnyB,KALc,WAMZ,MAAO,CACLstB,YAAa,GACbguE,QAAS,GACT/9C,SAAS,EACTrtB,MAAO,KAGLoK,QAbQ,eAAApkB,EAAA2C,EAAAP,KAAA,OAAA6K,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,cAAA0P,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAcYjL,KAAK2kB,kBAAkBrM,SAdnC,OAAA1a,EAAAmN,EAAAG,KAAAtN,EAcJ0a,MACFzJ,QAAQ,SAAAlT,GAAI,OAAI4E,EAAKyU,YAAY5sB,KAAKuT,EAAKlC,WAfrC,wBAAAsR,EAAAM,SAAA,KAAArL,OAiBdmkB,wWAAU8+D,CAAA,CACRr4E,MADM,WACG,IAAAka,EAAA9kB,KACP,OAAOA,KAAKgjF,QAAQnxF,IAAI,SAAA4W,GAAM,OAAIqc,EAAKyC,SAAS9e,MAElDy6E,eAJM,WAKJ,OAA0B,IAAtBljF,KAAK4X,MAAM1vB,OACN8X,KAAK4K,MAEL5K,KAAKgV,cAGb0R,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,aAClCrD,kBAAmB,SAAAzK,GAAK,OAAIA,EAAMwK,IAAIC,qBAblC,GAeHiE,YAAW,CAAC,cAEjBrO,QAAS,CACP4oE,OADO,WAELnjF,KAAKuhB,MAAM,WAEb6hE,SAJO,SAIG5pF,GACRwG,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,OAAQ+U,OAAQ,CAAE2iB,aAAcjtB,EAAK3I,OAEjE0jE,QAPO,WAQLv0D,KAAKijE,OAAOjjE,KAAK4X,QAEnByrE,QAVO,SAUE7pF,GACPwG,KAAKsjF,gBAAgBl7F,KAAKoR,EAAK3I,IAC/BmP,KAAK4X,MAAQ,IAEf2rE,WAdO,SAcK96E,GACVzI,KAAKsjF,gBAAkBtjF,KAAKsjF,gBAAgBr+E,OAAO,SAAApU,GAAE,OAAIA,IAAO4X,KAElEw6D,OAjBO,SAiBCrrD,GAAO,IAAAuN,EAAAnlB,KACR4X,GAKL5X,KAAKilC,SAAU,EACfjlC,KAAKgjF,QAAU,GACfhjF,KAAKia,OAAO+K,SAAS,SAAU,CAAE1N,EAAGM,EAAO1tB,SAAS,EAAM0C,KAAM,aAC7DY,KAAK,SAAA9F,GACJy9B,EAAK8f,SAAU,EACf9f,EAAK69D,QAAUt7F,EAAK2uB,SAASxkB,IAAI,SAAA4L,GAAC,OAAIA,EAAE5M,QAT1CmP,KAAKilC,SAAU,KCjDvB,IAEIu+C,GAVJ,SAAoB7oE,GAClBtxB,EAAQ,MAyBKo6F,GAVCp7F,OAAAwyB,GAAA,EAAAxyB,CACdq7F,GCjBQ,WAAgB,IAAAthE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,+BAAAM,MAAA,CAAkD5qB,GAAA,QAAY,CAAAqqB,EAAA,OAAYsH,IAAA,SAAArH,YAAA,iBAAyC,CAAAD,EAAA,KAAUC,YAAA,iBAAAkH,GAAA,CAAiCI,MAAAL,EAAA+gE,SAAoB,CAAAjoE,EAAA,KAAUC,YAAA,mCAAyCiH,EAAAO,GAAA,KAAAzH,EAAA,OAA4BC,YAAA,cAAyB,CAAAiH,EAAA+H,GAAA,GAAA/H,EAAAO,GAAA,KAAAzH,EAAA,SAAoCqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,MAAAqI,WAAA,UAAoEjI,IAAA,SAAA/G,MAAA,CAAsBmf,YAAA,iBAA8BxQ,SAAA,CAAW56B,MAAA4yB,EAAA,OAAoBC,GAAA,CAAK3iB,MAAA,UAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAxK,MAAA0L,EAAAr2B,OAAAuC,QAA8B4yB,EAAAmyC,cAAenyC,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,eAA0BiH,EAAAyY,GAAAzY,EAAA,wBAAA5oB,GAA4C,OAAA0hB,EAAA,OAAiBprB,IAAA0J,EAAA3I,GAAAsqB,YAAA,UAAiC,CAAAD,EAAA,OAAYmH,GAAA,CAAIohB,SAAA,SAAAngB,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAAghE,SAAA5pF,MAA4B,CAAA0hB,EAAA,iBAAsBO,MAAA,CAAOjiB,WAAa,OAAQ,MAC78B,YAAiB,IAAauhB,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,gBAA2B,CAAAD,EAAA,KAAUC,YAAA,iCDO1H,EAa7BqoE,GATiB,KAEU,MAYG,8OErBhC,IA+BeG,GA/BE,CACftpE,WAAY,CACVgoE,gBACAuB,UACAC,YAEF1/D,wWAAU2/D,CAAA,GACLp9D,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,eAF9B,GAIHY,YAAW,CAAC,oBAEjBlhC,KAZe,WAab,MAAO,CACLq8F,OAAO,IAGX/hE,QAjBe,WAkBbhiB,KAAKia,OAAO+K,SAAS,aAAc,CAAE+nD,QAAQ,KAE/CxyD,QAAS,CACPypE,cADO,WAELhkF,KAAK+jF,OAAQ,EACb/jF,KAAKia,OAAO+K,SAAS,aAAc,CAAE+nD,QAAQ,KAE/CkX,QALO,WAMLjkF,KAAK+jF,OAAQ,KCvBnB,IAEIG,GAVJ,SAAoBvpE,GAClBtxB,EAAQ,MAyBK86F,GAVC97F,OAAAwyB,GAAA,EAAAxyB,CACd+7F,GCjBQ,WAAgB,IAAAhiE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,MAAAlH,EAAA,OAAAA,EAAA,WAA2CmH,GAAA,CAAIgiE,OAAAjiE,EAAA4hE,kBAA4B,GAAA9oE,EAAA,OAAgBC,YAAA,iCAA4C,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,QAAaC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAAuFmH,GAAA,CAAII,MAAAL,EAAA6hE,UAAqB,CAAA7hE,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAoFC,YAAA,cAAyB,CAAAiH,EAAAmyD,eAAArsF,OAAA,EAAAgzB,EAAA,OAA4CC,YAAA,YAAuB,CAAAD,EAAA,QAAaO,MAAA,CAAOknC,MAAAvgC,EAAAmyD,gBAA2B95C,YAAArY,EAAAsY,GAAA,EAAsB5qC,IAAA,OAAA6qC,GAAA,SAAAnY,GAC9oB,IAAAqgC,EAAArgC,EAAAqgC,KACA,OAAA3nC,EAAA,gBAA2BprB,IAAA+yD,EAAAhyD,GAAA4qB,MAAA,CAAmBH,SAAA,EAAA3f,KAAAknD,SAAiC,uBAAyB,GAAA3nC,EAAA,OAAgBC,YAAA,yBAAoC,CAAAD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gDACzI,IDKY,EAa7Bm+D,GATiB,KAEU,MAYG,qCEnBhCI,GAAA,CACAv1F,KAAA,UACA+qB,MAAA,SACAqK,SAAA,CACAogE,YADA,WAEA,IAAAC,EAAA,IAAA5vF,KAGA,OAFA4vF,EAAAnR,SAAA,SAEArzE,KAAAgsC,KAAAsnC,YAAAkR,EAAAlR,UACAtzE,KAAA+lB,GAAA,sBAEA/lB,KAAAgsC,KAAAy4C,mBAAA,MAAAC,IAAA,UAAAC,MAAA,YCMeC,GAVCv8F,OAAAwyB,GAAA,EAAAxyB,CACdi8F,GCfQ,WAAgB,IAAavpE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,QAA/D/a,KAA+D2iB,GAAA,OAA/D3iB,KAA+D8lB,GAA/D9lB,KAA+DukF,aAAA,SACtE,IDKY,EAEb,KAEC,KAEU,MAYG,qOEdhC,IAqFeM,GArFK,CAClB91F,KAAM,cACN+qB,MAAO,CACL,SACA,SACA,YACA,eACA,uBAEFO,WAAY,CACVoE,mBACAirB,gBACA1K,mBACAnlB,sBACA+vB,aACAC,iBACAi7C,oBAEF3gE,wWAAU4gE,CAAA,CAERC,UAFM,WAIJ,OADahlF,KAAKilF,aAAav9F,KAAKiN,WACxBuwF,mBAAmB,KAAM,CAAEC,KAAM,UAAWC,OAAQ,UAAWC,QAAQ,KAErFC,cANM,WAOJ,OAAOtlF,KAAKzR,QAAQwoB,aAAe/W,KAAKgoB,YAAYn3B,IAEtDtC,QATM,WAUJ,OAAOyR,KAAKilF,aAAav9F,MAE3BgiC,gBAZM,WAaJ,OAAOjQ,aAAoBzZ,KAAKulF,OAAO10F,GAAImP,KAAKulF,OAAOx0F,YAAaiP,KAAKia,OAAOC,MAAMC,SAAST,sBAEjG8rE,UAfM,WAgBJ,MAAkC,YAA3BxlF,KAAKilF,aAAar4F,MAE3B61F,wBAlBM,WAmBJ,MAAO,CACLjrF,QAAS,GACTH,eAAgB2I,KAAKzR,QAAQ+I,QAC7BC,KAAMyI,KAAKzR,QAAQ+I,QACnBsC,YAAaoG,KAAKzR,QAAQqL,cAG9B6rF,cA1BM,WA2BJ,OAAOzlF,KAAKzR,QAAQqL,YAAY1R,OAAS,IAExCw+B,YAAS,CACVlL,aAAc,SAAAtB,GAAK,OAAIA,EAAK,UAAWiN,eAAeC,WACtDY,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,aAClCtO,oBAAqB,SAAAQ,GAAK,OAAIA,EAAMC,SAAST,uBAhCzC,CAkCNgsE,mBAlCM,WAmCJ,OAAI1lF,KAAKslF,cACA,GAEA,CAAEtlE,KAAM,MAGhB4I,YAAW,CAAC,eAAgB,cAEjClhC,KA7DkB,WA8DhB,MAAO,CACLi+F,SAAS,EACTC,YAAY,IAGhBrrE,QAAS,CACPsrE,QADO,SACEC,GACP9lF,KAAKuhB,MAAM,QAAS,CAAEwkE,UAAWD,EAAMrS,eAAgBzzE,KAAKilF,aAAaxR,kBAErEE,cAJC,kBAAA9oE,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,WAKa/K,OAAOirC,QAAQv7B,KAAK+lB,GAAG,yBALpC,CAAAhb,EAAA1P,KAAA,eAAA0P,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAOGjL,KAAKia,OAAO+K,SAAS,oBAAqB,CAC9CzhB,UAAWvD,KAAKilF,aAAav9F,KAAKmJ,GAClCyS,OAAQtD,KAAKilF,aAAav9F,KAAKwU,WAT9B,OAYL8D,KAAK2lF,SAAU,EACf3lF,KAAK4lF,YAAa,EAbb,wBAAA76E,EAAAM,SAAA,KAAArL,SCrEX,IAEIgmF,GAVJ,SAAoBrrE,GAClBtxB,EAAQ,MAyBK48F,GAVC59F,OAAAwyB,GAAA,EAAAxyB,CACd69F,GCjBQ,WAAgB,IAAA9jE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,UAAAlH,EAAA,OAAiCC,YAAA,uBAAAC,MAAA,CAA0C+qE,wBAAA/jE,EAAAgkE,qBAAmD/jE,GAAA,CAAKgkE,UAAA,SAAA/iE,GAA6B,OAAAlB,EAAAyjE,SAAA,IAAyBtjE,WAAA,SAAAe,GAA+B,OAAAlB,EAAAyjE,SAAA,MAA4B,CAAA3qE,EAAA,OAAYC,YAAA,eAAAC,MAAA,EAAmCkrE,SAAAlkE,EAAAkjE,cAAAiB,UAAAnkE,EAAAkjE,iBAAkE,CAAAljE,EAAAkjE,cAA0OljE,EAAAQ,KAA1O1H,EAAA,OAAiCC,YAAA,kBAA6B,CAAAiH,EAAA6iE,aAAA,OAAA/pE,EAAA,eAA8CO,MAAA,CAAOwK,GAAA7D,EAAAsH,kBAA0B,CAAAxO,EAAA,cAAmBO,MAAA,CAAOH,SAAA,EAAAC,gBAAA6G,EAAA5G,aAAAhiB,KAAA4oB,EAAAmjE,WAAmE,GAAAnjE,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAkDC,YAAA,sBAAiC,CAAAD,EAAA,OAAYC,YAAA,cAAA0H,MAAA,CAAkCohB,YAAA7hB,EAAA7zB,QAAA4N,WAAA,WAAqD,CAAA+e,EAAA,OAAYC,YAAA,eAAAC,MAAA,CAAkCorE,sBAAApkE,EAAAqjE,eAA2CzhD,YAAA,CAAcpL,SAAA,YAAsBvW,GAAA,CAAKC,WAAA,SAAAgB,GAA8BlB,EAAAujE,SAAA,GAAmBpjE,WAAA,SAAAe,GAA+BlB,EAAAujE,SAAA,KAAsB,CAAAzqE,EAAA,OAAYC,YAAA,oBAAAC,MAAA,CAAuC8jC,QAAA98B,EAAAujE,SAAAvjE,EAAAwjE,aAA4C,CAAA1qE,EAAA,WAAgBO,MAAA,CAAOiD,QAAA,QAAAC,UAAA,MAAA8nE,oBAAArkE,EAAAkjE,cAAA,8BAAAv+D,WAAA,CAAwH5G,EAAA,aAAiBrB,OAAAsD,EAAAsjE,oBAAiCrjE,GAAA,CAAK6C,KAAA,SAAA5B,GAAwBlB,EAAAwjE,YAAA,GAAsBx+E,MAAA,SAAAkc,GAA0BlB,EAAAwjE,YAAA,KAAyB,CAAA1qE,EAAA,OAAYO,MAAA,CAAOoK,KAAA,WAAiBA,KAAA,WAAgB,CAAA3K,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,UAAeC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAAL,EAAAuxD,gBAA2B,CAAAz4D,EAAA,KAAUC,YAAA,gBAA0BiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAAmGO,MAAA,CAAOoK,KAAA,UAAA/sB,MAAAspB,EAAA2D,GAAA,eAA8CF,KAAA,WAAgB,CAAA3K,EAAA,KAAUC,YAAA,uBAA4B,GAAAiH,EAAAO,GAAA,KAAAzH,EAAA,iBAA0CO,MAAA,CAAOjlB,OAAA4rB,EAAAqgE,wBAAAiE,gBAAA,IAA0D,CAAAxrE,EAAA,QAAaC,YAAA,aAAAM,MAAA,CAAgCoK,KAAA,UAAgBA,KAAA,UAAe,CAAAzD,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA4iE,WAAA,kCAAA9pE,EAAA,OAA8FC,YAAA,+BAA0C,CAAAD,EAAA,mBAAwBO,MAAA,CAAOuwB,KAAA5pB,EAAA6iE,aAAAj5C,SAA8B,IAChuE,IDOY,EAa7Bg6C,GATiB,KAEU,MAYG,iBEzBnBW,GAAoB,SAACpuC,GAChC,MAAO,CACL4C,UAAW5C,EAAG4C,UACdI,aAAchD,EAAGgD,aACjBx6B,aAAcw3B,EAAGx3B,8kBCIrB,IAmUe6lE,GA/TF,CACXvsE,WAAY,CACVwqE,eACAvC,aACA1jD,qBAEFl3C,KANW,WAOT,MAAO,CACLm/F,2BAA2B,EAC3BC,2BAAuBt4F,EACvBu4F,mBAAoB,GACpBC,0BAA2B,OAC3BC,kBAAkB,IAGtBjlE,QAfW,WAgBThiB,KAAK8jE,gBACLxzE,OAAOsW,iBAAiB,SAAU5G,KAAKknF,qBAEzC1yC,QAnBW,WAmBA,IAAAj0C,EAAAP,KACT1P,OAAOsW,iBAAiB,SAAU5G,KAAKmnF,mBACR,IAApBh7F,SAAS6yB,QAClB7yB,SAASya,iBAAiB,mBAAoB5G,KAAKs9E,wBAAwB,GAG7Et9E,KAAKwhB,UAAU,WACbjhB,EAAK6mF,kCACL7mF,EAAK8mF,iBAEPrnF,KAAKsnF,iBAEPrlE,UA/BW,WAgCT3xB,OAAO4xB,oBAAoB,SAAUliB,KAAKmnF,cAC1C72F,OAAO4xB,oBAAoB,SAAUliB,KAAKknF,oBAC1ClnF,KAAKunF,uBAC0B,IAApBp7F,SAAS6yB,QAAwB7yB,SAAS+1B,oBAAoB,mBAAoBliB,KAAKs9E,wBAAwB,GAC1Ht9E,KAAKia,OAAO+K,SAAS,qBAEvBb,SAAUqjE,GAAA,CACRC,UADM,WAEJ,OAAOznF,KAAKm0E,aAAen0E,KAAKm0E,YAAY16E,SAE9C66E,YAJM,WAKJ,OAAOt0E,KAAKqlB,OAAOvhB,OAAO2iB,cAE5BihE,gBAPM,WAQJ,OAAI1nF,KAAKynF,UACAznF,KAAK+lB,GAAG,qBAAsB,CAAEpU,SAAU3R,KAAKynF,UAAU12F,cAEzD,IAGX42F,cAdM,WAeJ,OAAOhS,GAAY3C,QAAQhzE,KAAKo0E,4BAElCrB,gBAjBM,WAkBJ,OAAO/yE,KAAKo0E,2BAA6Bp0E,KAAKo0E,0BAA0BrB,iBAE1E6U,iBApBM,WAqBJ,OAAO5nF,KAAKod,aAAaoqC,iBAAmBxnD,KAAKqtE,wBAA0B3lE,IAAmBE,SAE7FghB,YAAW,CACZ,cACA,4BACA,8BACA,iBA3BI,GA6BHlC,YAAS,CACV/B,kBAAmB,SAAAzK,GAAK,OAAIA,EAAMwK,IAAIC,mBACtC0oD,sBAAuB,SAAAnzD,GAAK,OAAIA,EAAMwK,IAAI2oD,uBAC1Ct1B,aAAc,SAAA79B,GAAK,OAAIA,EAAK,UAAW69B,cACvCogB,aAAc,SAAAj+C,GAAK,OAAIA,EAAK,UAAWi+C,cACvCnwC,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,gBAGtCma,MAAO,CACLwlD,cADK,WACY,IAAA7iE,EAAA9kB,KAGT6nF,EAA0B7nF,KAAK28E,YAnFf,IAoFtB38E,KAAKwhB,UAAU,WACTqmE,GACF/iE,EAAKgjE,WAAW,CAAEC,WAAY57F,SAAS6yB,YAI7CqG,OAAU,WACRrlB,KAAK8jE,iBAEP3L,aAdK,WAeHn4D,KAAKqnF,aAAa,CAAEW,QAAQ,KAE9B3a,sBAjBK,SAiBkB5Y,GACjBA,IAAa/sD,IAAmBE,QAClC5H,KAAKioF,UAAU,CAAEC,cAAc,MAIrC3tE,QAAS,CAEP4tE,eAFO,SAAAvqF,GAEwC,IAA7BmoF,EAA6BnoF,EAA7BmoF,UAAWtS,EAAkB71E,EAAlB61E,eAC3BzzE,KAAK8mF,sBAAwBf,EAAYtS,OAAiBjlF,GAE5D45F,eALO,WAKW,IAAAjjE,EAAAnlB,KAChBA,KAAKwhB,UAAU,WACb2D,EAAKkiE,eACLliE,EAAKiiE,qCAGT9J,uBAXO,WAWmB,IAAA5hD,EAAA17B,KACxBA,KAAKwhB,UAAU,YACRr1B,SAAS6yB,QAAU0c,EAAKihD,YAnHT,KAoHlBjhD,EAAKosD,WAAW,CAAEC,WAAW,OAInCT,cAlBO,WAkBU,IAAA1rD,EAAA57B,KAQXyoC,EAAOt8C,SAASq6C,cAAc,QAC9BiC,GACFA,EAAKzU,UAAUC,IAAI,eAGrBj0B,KAAKwhB,UAAU,WACboa,EAAKwrD,qCAGTG,gBAnCO,WAoCL,IAAI9+C,EAAOt8C,SAASq6C,cAAc,QAC9BiC,GACFA,EAAKzU,UAAUU,OAAO,gBAG1BwyD,mBAzCO,WAyCe,IAAAjrD,EAAAj8B,KACpBA,KAAKwhB,UAAU,WACbya,EAAKmrD,kCACLnrD,EAAK6rD,gBAITV,gCAhDO,WAiDL,IAAM90F,EAAS0N,KAAK4f,MAAMttB,OACpB2qF,EAASj9E,KAAK4f,MAAMq9D,OACpBoL,EAAQroF,KAAK+3C,aAAeznD,OAAOnE,SAAS2T,KAAOE,KAAK4f,MAAMyoE,MACpEroF,KAAKgnF,0BD5I8B,SAACqB,EAAO/1F,EAAQ2qF,GACvD,OAAOoL,EAAMtnE,aAAezuB,EAAOs/D,aAAeqrB,EAAOrrB,aC2IpBo1B,CAA0BqB,EAAO/1F,EAAQ2qF,GAAU,MAGtFoK,aAvDO,WAuDkB,IAAAnrD,EAAAl8B,KAAXktE,EAAWjyE,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GAAIqtF,EACqBpb,EAApC8a,cADe,IAAAM,KAAAC,EACqBrb,EAApB3zB,aADD,IAAAgvC,KAIrB95F,WAAW,WACTytC,EAAKmrD,aAALG,GAAA,GAAuBta,EAAvB,CAA6B3zB,SAAS,MAhKhB,KAqK1Bv5C,KAAKwhB,UAAU,WACb0a,EAAKkrD,kCADc,IAAAoB,EAGkBtsD,EAAK6qD,mBAAlChmE,oBAHW,IAAAynE,OAGIh6F,EAHJg6F,EAInBtsD,EAAK6qD,mBAAqBJ,GAAkBzqD,EAAKtc,MAAM6oE,YAEvD,IAAMC,EAAOxsD,EAAK6qD,mBAAmBhmE,aAAeA,GAChD2nE,EAAO,IAAOxsD,EAAKygD,eAAiBqL,IACtC9rD,EAAK1a,UAAU,WACb0a,EAAKkrD,kCACLlrD,EAAKtc,MAAM6oE,WAAWE,SAAS,CAC7B1oE,IAAKic,EAAKtc,MAAM6oE,WAAWttC,UAAYutC,EACvC1oE,KAAM,SAMhB8nE,WAnFO,WAmFmB,IAAdnvF,EAAcsC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GAAI2tF,EACyBjwF,EAAzCyoC,gBADgB,IAAAwnD,EACL,OADKA,EAAAC,EACyBlwF,EAAtBovF,iBADH,IAAAc,KAElBJ,EAAazoF,KAAK4f,MAAM6oE,WACzBA,IACLzoF,KAAKwhB,UAAU,WACbinE,EAAWE,SAAS,CAAE1oE,IAAKwoE,EAAWltC,aAAcv7B,KAAM,EAAGohB,gBAE3D2mD,GAAa/nF,KAAK+yE,gBAAkB,IACtC/yE,KAAKkZ,aAGTA,SA9FO,WA+FL,GAAMlZ,KAAKo0E,2BAA6Bp0E,KAAKo0E,0BAA0Bv4E,cACnE1P,SAAS6yB,OAAb,CACA,IAAM5F,EAAapZ,KAAKo0E,0BAA0Bv4E,YAAYhL,GAC9DmP,KAAKia,OAAO+K,SAAS,WAAY,CAAEn0B,GAAImP,KAAKm0E,YAAYtjF,GAAIuoB,iBAE9DujE,YApGO,SAoGMplE,GACX,ODrMuB,SAACghC,GAAmB,IAAfhhC,EAAetc,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAN,EACzC,GAAKs9C,EAAL,CACA,IAAMgD,EAAehD,EAAG4C,UAAY5jC,EAEpC,OADoBghC,EAAGgD,aAAehD,EAAGx3B,cACnBw6B,GCiMXutC,CAAc9oF,KAAK4f,MAAM6oE,WAAYlxE,IAE9CwxE,WAvGO,WAwGL,IAAMN,EAAazoF,KAAK4f,MAAM6oE,WAC9B,OAAOA,GAAcA,EAAWttC,WAAa,GAE/CgsC,aAAc1J,KAAW,WAClBz9E,KAAKm0E,cAENn0E,KAAK+oF,aACP/oF,KAAKioF,UAAU,CAAE7sF,MAAO4E,KAAKo0E,0BAA0B74E,QAC9CyE,KAAK28E,YArN0B,MAsNxC38E,KAAK6mF,2BAA4B,EAC7B7mF,KAAK+yE,gBAAkB,GACzB/yE,KAAKkZ,YAGPlZ,KAAK6mF,2BAA4B,IAElC,KACHmC,eAzHO,SAyHSC,GACd,ID9N4BC,EAAkBC,EC8NxCC,EAAuBzC,GAAkB3mF,KAAK4f,MAAM6oE,YAC1DzoF,KAAK4f,MAAM6oE,WAAWE,SAAS,CAC7B1oE,KDhO0BipE,ECgOHD,EDhOqBE,ECgOEC,ED/N7CF,EAAiB/tC,WAAaguC,EAAY5tC,aAAe2tC,EAAiB3tC,eCgO3Ev7B,KAAM,KAGVioE,UAhIO,SAAApqF,GAgI0D,IAAAwrF,EAAArpF,KAAAspF,EAAAzrF,EAApDqqF,oBAAoD,IAAAoB,KAAAC,EAAA1rF,EAA9B2rF,mBAA8B,IAAAD,KAATnuF,EAASyC,EAATzC,MAChDg7E,EAAqBp2E,KAAKo0E,0BAChC,GAAKgC,KACDoT,IAAexpF,KAAK4nF,kBAAxB,CAEA,IAAMtkF,EAAS8yE,EAAmB9yE,OAC5BmmF,IAAuBruF,EACvBwJ,EAAU4kF,GAAepT,EAAmBv6E,aAAeu6E,EAAmBv6E,YAAYhL,GAEhGmP,KAAK2kB,kBAAkBhM,aAAa,CAAE9nB,GAAIyS,EAAQlI,QAAOwJ,YACtDpX,KAAK,SAACq4D,GAEDqiC,GACFvS,GAAY3iC,MAAMojC,GAGpB,IAAMsT,EAAuB/C,GAAkB0C,EAAKzpE,MAAM6oE,YAC1DY,EAAKpvE,OAAO+K,SAAS,kBAAmB,CAAE1hB,SAAQuiD,aAAYr4D,KAAK,WACjE67F,EAAK7nE,UAAU,WACTioE,GACFJ,EAAKL,eAAeU,GAGlBxB,GACFmB,EAAKjC,0CAMXtjB,cA9JC,eAAAnoE,EAAAguF,EAAA3pF,KAAA,OAAA6K,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,UA+JDM,EAAOqE,KAAKq0E,4BAA4Br0E,KAAKs0E,aA/J5C,CAAAvpE,EAAA1P,KAAA,gBAAA0P,EAAAvP,KAAA,EAAAuP,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAkKYjL,KAAK2kB,kBAAkBnM,gBAAgB,CAAEE,UAAW1Y,KAAKs0E,eAlKrE,OAkKD34E,EAlKCoP,EAAAG,KAAAH,EAAA1P,KAAA,gBAAA0P,EAAAvP,KAAA,EAAAuP,EAAAK,GAAAL,EAAA,SAoKD3a,QAAQlC,MAAM,mCAAd6c,EAAAK,IACApL,KAAKinF,kBAAmB,EArKvB,QAwKDtrF,IACFqE,KAAKwhB,UAAU,WACbmoE,EAAK7B,WAAW,CAAEC,WAAW,MAE/B/nF,KAAKia,OAAO+K,SAAS,gBAAiB,CAAErpB,SACxCqE,KAAK4pF,mBA7KF,yBAAA7+E,EAAAM,SAAA,KAAArL,KAAA,UAgLP4pF,gBAhLO,WAgLY,IAAAC,EAAA7pF,KACjBA,KAAKia,OAAO+K,SAAS,2BAA4B,CAC/C0oD,QAAS,kBAAMxJ,YAAY,kBAAM2lB,EAAK5B,UAAU,CAAEuB,aAAa,KAAS,QAE1ExpF,KAAKioF,UAAU,CAAEC,cAAc,KAEjC4B,YAtLO,SAAAxrF,GAsLyB,IAAAyrF,EAAA/pF,KAAjBxJ,EAAiB8H,EAAjB9H,OAAQ6S,EAAS/K,EAAT+K,MACfvF,EAAS,CACbjT,GAAImP,KAAKm0E,YAAYtjF,GACrByG,QAASd,GAOX,OAJI6S,EAAM,KACRvF,EAAOmV,QAAU5P,EAAM,GAAGxY,IAGrBmP,KAAK2kB,kBAAkB7L,gBAAgBhV,GAC3CtW,KAAK,SAAA9F,GAaJ,OAZAqiG,EAAK9vE,OAAO+K,SAAS,kBAAmB,CAAE1hB,OAAQymF,EAAK5V,YAAYtjF,GAAIg1D,SAAU,CAACn+D,KAAS8F,KAAK,WAC9Fu8F,EAAKvoE,UAAU,WACbuoE,EAAK1C,eAGL54F,WAAW,WACTs7F,EAAK3C,mCA5SW,KA8SlB2C,EAAKjC,WAAW,CAAEC,WAAW,QAI1BrgG,IAdJ,MAgBE,SAAAwG,GAEL,OADAkC,QAAQlC,MAAM,wBAAyBA,GAChC,CACLA,MAAO67F,EAAKhkE,GAAG,mCAIvBo9D,OAvNO,WAwNLnjF,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,QAAS+U,OAAQ,CAAE7C,SAAUjB,KAAKgoB,YAAYj3B,kBC/T9E,IAEIi5F,GAVJ,SAAoBrvE,GAClBtxB,EAAQ,MAyBK4gG,GAVC5hG,OAAAwyB,GAAA,EAAAxyB,CACd6hG,GCjBQ,WAAgB,IAAA9nE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,aAAwB,CAAAD,EAAA,OAAYC,YAAA,mBAA8B,CAAAD,EAAA,OAAYsH,IAAA,QAAArH,YAAA,qCAAAM,MAAA,CAAoE5qB,GAAA,QAAY,CAAAqqB,EAAA,OAAYsH,IAAA,SAAArH,YAAA,iDAAyE,CAAAD,EAAA,KAAUC,YAAA,iBAAAkH,GAAA,CAAiCI,MAAAL,EAAA+gE,SAAoB,CAAAjoE,EAAA,KAAUC,YAAA,iCAAyCiH,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,qBAAgC,CAAAD,EAAA,aAAkBO,MAAA,CAAOjiB,KAAA4oB,EAAAqlE,UAAA0C,eAAA,MAAyC,KAAA/nE,EAAAO,GAAA,MAAAzH,EAAA,OAA+BsH,IAAA,aAAArH,YAAA,0BAAA0H,MAAA,CAA+DzD,OAAAgD,EAAA4kE,2BAAwC3kE,GAAA,CAAM45B,OAAA75B,EAAA+kE,eAA2B,CAAA/kE,EAAA6kE,iBAA0S/rE,EAAA,OAAYC,YAAA,sBAAiC,CAAAD,EAAA,OAAYC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mDAA7X3D,EAAAyY,GAAAzY,EAAA,uBAAA6iE,GAA4E,OAAA/pE,EAAA,eAAyBprB,IAAAm1F,EAAAp0F,GAAA4qB,MAAA,CAA2B8pE,OAAAnjE,EAAAqlE,UAAA2C,iBAAAnF,EAAAkB,wBAAAlB,EAAAxR,iBAAArxD,EAAA0kE,uBAAuIzkE,GAAA,CAAKgoE,MAAAjoE,EAAA+lE,qBAAiH,GAAA/lE,EAAAO,GAAA,KAAAzH,EAAA,OAAuHsH,IAAA,SAAArH,YAAA,qBAA6C,CAAAD,EAAA,OAAYC,YAAA,wBAAAC,MAAA,CAA2C8jC,QAAA98B,EAAAykE,2BAA2CxkE,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA0lE,WAAA,CAAuB1mD,SAAA,cAAyB,CAAAlmB,EAAA,KAAUC,YAAA,kBAA6B,CAAAiH,EAAA,gBAAAlH,EAAA,OAAkCC,YAAA,mEAA8E,CAAAiH,EAAAO,GAAA,qBAAAP,EAAA0D,GAAA1D,EAAA2wD,iBAAA,sBAAA3wD,EAAAQ,SAAAR,EAAAO,GAAA,KAAAzH,EAAA,kBAA8HO,MAAA,CAAO6uE,mBAAA,EAAAC,0BAAA,EAAAC,kBAAA,EAAAC,wBAAA,EAAAC,iBAAA,EAAAC,gCAAA,EAAAC,iBAAAxoE,EAAA6kE,mBAAA7kE,EAAA+xD,YAAA0W,mBAAA,EAAAC,eAAA1oE,EAAA0nE,YAAAiB,mBAAA3oE,EAAA21B,aAAAizC,kBAAA5oE,EAAA21B,aAAAkzC,cAAA7oE,EAAA21B,aAAAnd,YAAAxY,EAAAslE,gBAAAwD,aAAA,EAAAC,aAAA,MAAAC,yBAAA,OAAyd/oE,GAAA,CAAKqyB,OAAAtyB,EAAAilE,iBAA2B,aACrsE,IDOY,EAa7B2C,GATiB,KAEU,MAYG,4BECjBqB,GAvBI,CACjBvxE,MAAO,CACL,OACA,gBAEFO,WAAY,CACV+xB,mBACAjjB,kBACAC,mBAEFjF,SAAU,CACRmnE,KADQ,WAEN,OAAOtrF,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYn3B,KAAOmP,KAAKxG,KAAK3I,IAE9Dy3B,SAJQ,WAKN,OAAOtoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAEjCr1B,aAPQ,WAQN,OAAOqN,KAAKia,OAAOqN,QAAQ30B,aAAaqN,KAAKxG,KAAK3I,OCdxD,IAEI06F,GAVJ,SAAoB5wE,GAClBtxB,EAAQ,MAyBKmiG,GAVCnjG,OAAAwyB,GAAA,EAAAxyB,CACdojG,GCjBQ,WAAgB,IAAArpE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,mBAA6BO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,OAAiB,CAAA0hB,EAAA,OAAYC,YAAA,iCAA4C,CAAAiH,EAAAkpE,OAAAlpE,EAAAspE,cAAAtpE,EAAAzvB,aAAA6B,YAAA0mB,EAAA,QAA+EC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAkpE,KAAAlpE,EAAA2D,GAAA,qBAAA3D,EAAA2D,GAAA,sCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAkG,SAAoRlG,EAAAkpE,KAAsLlpE,EAAAQ,KAAtL,CAAA1H,EAAA,gBAAgDC,YAAA,4BAAAM,MAAA,CAA+C9oB,aAAAyvB,EAAAzvB,aAAAg5F,kBAAAvpE,EAAA2D,GAAA,iCAAnX,CAAA3D,EAAAzvB,aAAA+B,UAAoR0tB,EAAAQ,KAApR1H,EAAA,OAA+LC,YAAA,6BAAwC,CAAAD,EAAA,gBAAqBO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,SAAiB,KAAsL,MAChuB,IDOY,EAa7B+xF,GATiB,KAEU,MAYG,4oBErBhC,IAwFeK,GAxFM,SAAAhuF,GAAA,IACnB6F,EADmB7F,EACnB6F,MACAooF,EAFmBjuF,EAEnBiuF,OACAC,EAHmBluF,EAGnBkuF,QAHmBC,EAAAnuF,EAInBouF,qBAJmB,IAAAD,EAIH,UAJGA,EAAAE,EAAAruF,EAKnBsuF,2BALmB,IAAAD,EAKG,GALHA,EAAA,OAMf,SAACE,GACL,IACMryE,EADgBzxB,OAAO+mB,KAAK4/C,aAAkBm9B,IACxBlnF,OAAO,SAAAqkB,GAAC,OAAIA,IAAM0iE,IAAe11F,OAAO41F,GAEpE,OAAO1+B,IAAIC,UAAU,eAAgB,CACnC3zC,QACApyB,KAFmC,WAGjC,MAAO,CACLu9C,SAAS,EACT03C,aAAa,EACbzuF,OAAO,IAGXi2B,SAAU,CACRjjB,QADQ,WAEN,OAAO2qF,EAAO7rF,KAAKosF,OAAQpsF,KAAKia,SAAW,KAG/C+H,QAdmC,WAejC1xB,OAAOsW,iBAAiB,SAAU5G,KAAKq9E,YACX,IAAxBr9E,KAAKkB,QAAQhZ,QACf8X,KAAKqsF,gBAGTpqE,UApBmC,WAqBjC3xB,OAAO4xB,oBAAoB,SAAUliB,KAAKq9E,YAC1CyO,GAAWA,EAAQ9rF,KAAKosF,OAAQpsF,KAAKia,SAEvCM,QAAS,CACP8xE,aADO,WACS,IAAA9rF,EAAAP,KACTA,KAAKilC,UACRjlC,KAAKilC,SAAU,EACfjlC,KAAK9R,OAAQ,EACbuV,EAAMzD,KAAKosF,OAAQpsF,KAAKia,QACrBzsB,KAAK,SAAC8+F,GACL/rF,EAAK0kC,SAAU,EACf1kC,EAAKo8E,YAAcn8B,KAAQ8rC,KAH/B,MAKS,WACL/rF,EAAK0kC,SAAU,EACf1kC,EAAKrS,OAAQ,MAIrBmvF,WAhBO,SAgBKxzF,GACV,IAAM6zF,EAAYvxF,SAAS2T,KAAK2f,wBAC1BL,EAASziB,KAAK4jB,IAAIm9D,EAAUt+D,QAAUs+D,EAAUt9D,IACjC,IAAjBpgB,KAAKilC,UACc,IAArBjlC,KAAK28E,aACL38E,KAAKsf,IAAIyB,aAAe,GACvBzwB,OAAOqwB,YAAcrwB,OAAOqtF,aAAiBv+D,EAAS,KAEvDpf,KAAKqsF,iBAIX59B,OApDmC,SAoD3BC,GACN,IAAM50C,EAAQ,CACZA,MAAOyyE,GAAA,GACFvsF,KAAKosF,OADL5wB,IAAA,GAEFwwB,EAAgBhsF,KAAKkB,UAExBmhB,GAAIriB,KAAKwsF,WACT/xD,YAAaz6B,KAAKysF,cAEd5sE,EAAWx3B,OAAO6Y,QAAQlB,KAAK8iD,QAAQjxD,IAAI,SAAAgM,GAAA,IAAAS,EAAA8C,IAAAvD,EAAA,GAAE/N,EAAFwO,EAAA,GAAO9O,EAAP8O,EAAA,UAAkBowD,EAAE,WAAY,CAAE7oC,KAAM/1B,GAAON,KAChG,OAAAk/D,EAAA,OAAAtzC,MACa,kBADb,CAAAszC,EAAAy9B,EAAAO,KAAA,IAE0B5yE,IAF1B,CAGO+F,IAHP6uC,EAAA,OAAAtzC,MAKe,yBALf,CAMOpb,KAAK9R,OAALwgE,EAAA,KAAArsC,GAAA,CAAAI,MAA0BziB,KAAKqsF,cAA/BjxE,MAAmD,eAAnD,CAAkEpb,KAAK+lB,GAAG,4BACzE/lB,KAAK9R,OAAS8R,KAAKilC,SAApBypB,EAAA,KAAAtzC,MAAwC,6BACvCpb,KAAK9R,QAAU8R,KAAKilC,UAAYjlC,KAAK28E,aAAtCjuB,EAAA,KAAArsC,GAAA,CAAAI,MAAiEziB,KAAKqsF,eAAtE,CAAqFrsF,KAAK+lB,GAAG,2BC5EpG4mE,GAAef,GAAa,CAChCnoF,MAAO,SAACqW,EAAOG,GAAR,OAAmBA,EAAO+K,SAAS,iBAAkBlL,EAAMrR,SAClEojF,OAAQ,SAAC/xE,EAAOG,GAAR,OAAmB7qB,KAAI6qB,EAAOqN,QAAQC,SAASzN,EAAMrR,QAAS,cAAe,IAAI5W,IAAI,SAAAhB,GAAE,OAAIopB,EAAOqN,QAAQC,SAAS12B,MAC3Hi7F,QAAS,SAAChyE,EAAOG,GAAR,OAAmBA,EAAO+K,SAAS,iBAAkBlL,EAAMrR,SACpEujF,cAAe,QACfE,oBAAqB,CAAC,WALHN,CAMlBhI,MAEGgJ,GAAahB,GAAa,CAC9BnoF,MAAO,SAACqW,EAAOG,GAAR,OAAmBA,EAAO+K,SAAS,eAAgBlL,EAAMrR,SAChEojF,OAAQ,SAAC/xE,EAAOG,GAAR,OAAmB7qB,KAAI6qB,EAAOqN,QAAQC,SAASzN,EAAMrR,QAAS,YAAa,IAAI5W,IAAI,SAAAhB,GAAE,OAAIopB,EAAOqN,QAAQC,SAAS12B,MACzHi7F,QAAS,SAAChyE,EAAOG,GAAR,OAAmBA,EAAO+K,SAAS,eAAgBlL,EAAMrR,SAClEujF,cAAe,QACfE,oBAAqB,CAAC,WALLN,CAMhBhI,MA2IYiJ,GAvIK,CAClBnlG,KADkB,WAEhB,MAAO,CACLwG,OAAO,EACPua,OAAQ,KACRooB,IAPgB,aAUpB7O,QARkB,WAShB,IAAM8qE,EAAc9sF,KAAKqlB,OAAOvhB,OAChC9D,KAAKikD,KAAK6oC,EAAY/9F,MAAQ+9F,EAAYj8F,IAC1CmP,KAAK6wB,IAAMzhC,KAAI4Q,KAAKqlB,OAAQ,YAbV,aAepBpD,UAbkB,WAchBjiB,KAAK+sF,gBAEP5oE,SAAU,CACRhc,SADQ,WAEN,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAAU1jE,MAE9C8P,UAJQ,WAKN,OAAOtJ,KAAKia,OAAOC,MAAMzC,SAASylD,UAAU5zD,WAE9CD,MAPQ,WAQN,OAAOrJ,KAAKia,OAAOC,MAAMzC,SAASylD,UAAU7zD,OAE9C2jF,KAVQ,WAWN,OAAOhtF,KAAKyI,QAAUzI,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYn3B,IACxDmP,KAAKyI,SAAWzI,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYn3B,IAExD2I,KAdQ,WAeN,OAAOwG,KAAKia,OAAOqN,QAAQC,SAASvnB,KAAKyI,SAE3C+Q,WAjBQ,WAkBN,MAA4B,0BAArBxZ,KAAKqlB,OAAOt2B,MAErBk+F,kBApBQ,WAqBN,OAAOjtF,KAAKgtF,OAAShtF,KAAKxG,KAAKvG,cAEjCi6F,oBAvBQ,WAwBN,OAAOltF,KAAKgtF,OAAShtF,KAAKxG,KAAKtG,iBAGnCqnB,QAAS,CACP0pC,KADO,SACDkpC,GAAc,IAAA5sF,EAAAP,KACZ2kE,EAAwB,SAACx8D,EAAUM,GAEnCA,IAAWlI,EAAK0Z,OAAOC,MAAMzC,SAASylD,UAAU/0D,GAAUM,QAC5DlI,EAAK0Z,OAAO2K,OAAO,gBAAiB,CAAEzc,aAExC5H,EAAK0Z,OAAO+K,SAAS,wBAAyB,CAAE7c,WAAUM,YAGtD2kF,EAAW,SAAC3kF,GAChBlI,EAAKkI,OAASA,EACdk8D,EAAsB,OAAQl8D,GAC9Bk8D,EAAsB,QAASl8D,GAC3BlI,EAAKysF,MACProB,EAAsB,YAAal8D,GAGrClI,EAAK0Z,OAAO+K,SAAS,sBAAuBvc,IAI9CzI,KAAKyI,OAAS,KACdzI,KAAK9R,OAAQ,EAGb,IAAMsL,EAAOwG,KAAKia,OAAOqN,QAAQC,SAAS4lE,GACtC3zF,EACF4zF,EAAS5zF,EAAK3I,IAEdmP,KAAKia,OAAO+K,SAAS,YAAamoE,GAC/B3/F,KAAK,SAAAoQ,GAAA,IAAG/M,EAAH+M,EAAG/M,GAAH,OAAYu8F,EAASv8F,KAD7B,MAES,SAACw8F,GACN,IAAMC,EAAel+F,KAAIi+F,EAAQ,eAE/B9sF,EAAKrS,MADc,8BAAjBo/F,EACW/sF,EAAKwlB,GAAG,uCACZunE,GAGI/sF,EAAKwlB,GAAG,yCAK/BgnE,aA5CO,WA6CL/sF,KAAKia,OAAO+K,SAAS,uBAAwB,QAC7ChlB,KAAKia,OAAO+K,SAAS,uBAAwB,aAC7ChlB,KAAKia,OAAO+K,SAAS,uBAAwB,UAE/CuoE,WAjDO,SAiDKJ,GACVntF,KAAK+sF,eACL/sF,KAAKikD,KAAKkpC,IAEZK,YArDO,SAqDM38D,GACX7wB,KAAK6wB,IAAMA,EACX7wB,KAAKwmB,QAAQv0B,QAAQ,CAAE2lB,MAAO,CAAEiZ,UAElCrH,YAzDO,SAAA3rB,GAyDkB,IAAV5Q,EAAU4Q,EAAV5Q,OACU,SAAnBA,EAAOu3B,UACTv3B,EAASA,EAAOI,YAEK,MAAnBJ,EAAOu3B,SACTl0B,OAAOm5B,KAAKx8B,EAAO7C,KAAM,YAI/B+3C,MAAO,CACLsrD,mBAAoB,SAAUjT,GACxBA,GACFx6E,KAAKutF,WAAW/S,IAGpBkT,qBAAsB,SAAUlT,GAC1BA,GACFx6E,KAAKutF,WAAW/S,IAGpBmT,eAAgB,SAAUnT,GACxBx6E,KAAK6wB,IAAM2pD,EAAO3pD,KA3HF,aA8HpBxW,WAAY,CACVwkB,cACA29C,YACAmQ,gBACAC,cACAvB,cACAuC,iBACAhR,kBCtJJ,IAEIiR,GAVJ,SAAoBlzE,GAClBtxB,EAAQ,MAyBKykG,GAVCzlG,OAAAwyB,GAAA,EAAAxyB,CACd0lG,GCjBQ,WAAgB,IAAA3rE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAAkH,EAAA,KAAAlH,EAAA,OAAsCC,YAAA,oCAA+C,CAAAD,EAAA,YAAiBO,MAAA,CAAOioB,UAAAthB,EAAA3Z,OAAA8gB,UAAA,EAAAwB,SAAA3I,EAAAja,SAAA6lF,QAAAC,wBAAA,EAAAvmE,QAAA,SAAkHtF,EAAAO,GAAA,KAAAP,EAAA5oB,KAAA5H,aAAAwwB,EAAA5oB,KAAA5H,YAAA1J,OAAA,EAAAgzB,EAAA,OAAkFC,YAAA,uBAAkCiH,EAAAyY,GAAAzY,EAAA5oB,KAAA,qBAAA1H,EAAAi0C,GAAqD,OAAA7qB,EAAA,MAAgBprB,IAAAi2C,EAAA5qB,YAAA,sBAA2C,CAAAD,EAAA,MAAWC,YAAA,0BAAAM,MAAA,CAA6C3iB,MAAAspB,EAAA5oB,KAAAzH,YAAAg0C,GAAAh3C,MAAyCszB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoH,YAAAlG,MAAiC,CAAAlB,EAAAO,GAAA,eAAAP,EAAA0D,GAAAh0B,EAAA/C,MAAA,gBAAAqzB,EAAAO,GAAA,KAAAzH,EAAA,MAAgFC,YAAA,2BAAAM,MAAA,CAA8C3iB,MAAAspB,EAAA5oB,KAAAzH,YAAAg0C,GAAAv2C,OAA0C46B,SAAA,CAAWC,UAAAjI,EAAA0D,GAAAh0B,EAAAtC,QAAgC6yB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoH,YAAAlG,WAAqC,GAAAlB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,gBAA6CO,MAAA,CAAOyyE,aAAA9rE,EAAAyO,IAAAs9D,uBAAA,EAAA1M,YAAAr/D,EAAAorE,cAA6E,CAAAtyE,EAAA,YAAiBprB,IAAA,WAAA2rB,MAAA,CAAsBkuC,MAAAvnC,EAAA2D,GAAA,sBAAA4Y,MAAAvc,EAAA5oB,KAAAzE,eAAAioF,UAAA,EAAAlkF,MAAAspB,EAAA2D,GAAA,+BAAA5d,SAAAia,EAAAja,SAAAk2E,gBAAA,OAAA36C,UAAAthB,EAAA3Z,OAAA2lF,oBAAAhsE,EAAA5oB,KAAAtE,gBAAAomF,cAAA,KAAuQl5D,EAAAO,GAAA,KAAAP,EAAA,kBAAAlH,EAAA,OAAgDprB,IAAA,YAAA2rB,MAAA,CAAuBkuC,MAAAvnC,EAAA2D,GAAA,uBAAA+gB,UAAA1kB,EAAA5oB,KAAAjH,gBAA0E,CAAA2oB,EAAA,cAAmBO,MAAA,CAAOioB,UAAAthB,EAAA3Z,QAAqBgyB,YAAArY,EAAAsY,GAAA,EAAsB5qC,IAAA,OAAA6qC,GAAA,SAAAnY,GACvoD,IAAAqgC,EAAArgC,EAAAqgC,KACA,OAAA3nC,EAAA,cAAyBO,MAAA,CAAOjiB,KAAAqpD,SAAiB,sBAAwB,GAAAzgC,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,oBAAAlH,EAAA,OAA+DprB,IAAA,YAAA2rB,MAAA,CAAuBkuC,MAAAvnC,EAAA2D,GAAA,uBAAA+gB,UAAA1kB,EAAA5oB,KAAA1E,kBAA4E,CAAAomB,EAAA,gBAAqBO,MAAA,CAAOioB,UAAAthB,EAAA3Z,QAAqBgyB,YAAArY,EAAAsY,GAAA,EAAsB5qC,IAAA,OAAA6qC,GAAA,SAAAnY,GAClT,IAAAqgC,EAAArgC,EAAAqgC,KACA,OAAA3nC,EAAA,cAAyBO,MAAA,CAAOjiB,KAAAqpD,EAAAwrC,iBAAAjsE,EAAA4qE,YAA2C,uBAAyB,GAAA5qE,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,YAA0CprB,IAAA,QAAA2rB,MAAA,CAAmBkuC,MAAAvnC,EAAA2D,GAAA,mBAAA+gB,UAAA1kB,EAAA/Y,MAAAmzD,gBAAAt0E,OAAA80F,UAAA,EAAAlkF,MAAAspB,EAAA2D,GAAA,mBAAAs4D,gBAAA,QAAAl2E,SAAAia,EAAA/Y,MAAAq6B,UAAAthB,EAAA3Z,OAAA6yE,cAAA,KAAsNl5D,EAAAO,GAAA,KAAAP,EAAA,KAAAlH,EAAA,YAAwCprB,IAAA,YAAA2rB,MAAA,CAAuBkuC,MAAAvnC,EAAA2D,GAAA,uBAAA+gB,UAAA1kB,EAAA9Y,UAAAkzD,gBAAAt0E,OAAA80F,UAAA,EAAAlkF,MAAAspB,EAAA2D,GAAA,uBAAAs4D,gBAAA,YAAAl2E,SAAAia,EAAA9Y,UAAAgyE,cAAA,KAAqNl5D,EAAAQ,MAAA,OAAA1H,EAAA,OAA6BC,YAAA,kCAA6C,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAmGC,YAAA,cAAyB,CAAAiH,EAAA,MAAAlH,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAl0B,UAAAgtB,EAAA,KAA6DC,YAAA,mCACn8B,IDGY,EAa7B0yE,GATiB,KAEU,MAYG,QEuEjBS,GA5FA,CACbj0E,WAAY,CACVgxE,cACAzO,gBACA9/C,mBAEFhjB,MAAO,CACL,SAEFpyB,KATa,WAUX,MAAO,CACL4uF,QAAQ,EACRrxC,SAAS,EACTspD,WAAYvuF,KAAK4X,OAAS,GAC1BorE,QAAS,GACTvrE,SAAU,GACV+2E,SAAU,GACVC,gBAAiB,aAGrBtqE,SAAU,CACRvZ,MADQ,WACC,IAAArK,EAAAP,KACP,OAAOA,KAAKgjF,QAAQnxF,IAAI,SAAA4W,GAAM,OAAIlI,EAAK0Z,OAAOqN,QAAQC,SAAS9e,MAEjE+zD,gBAJQ,WAKN,IAAMj8B,EAAoBvgC,KAAKia,OAAOC,MAAMzC,SAAS8oB,kBAErD,OAAOvgC,KAAKyX,SAASxS,OAAO,SAAAzO,GAAM,OAChC+pC,EAAkB/pC,EAAO3F,MAAQ0vC,EAAkB/pC,EAAO3F,IAAI6uC,YAIpE8U,QAhCa,WAiCXx0C,KAAKijE,OAAOjjE,KAAK4X,QAEnBuqB,MAAO,CACLvqB,MADK,SACE68C,GACLz0D,KAAKuuF,WAAa95B,EAClBz0D,KAAKijE,OAAOxO,KAGhBl6C,QAAS,CACPm0E,SADO,SACG92E,GACR5X,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,SAAU6oB,MAAO,CAAEA,WAC7C5X,KAAK4f,MAAM+uE,YAAYz7C,SAEzB+vB,OALO,SAKCrrD,GAAO,IAAAkN,EAAA9kB,KACR4X,GAKL5X,KAAKilC,SAAU,EACfjlC,KAAKgjF,QAAU,GACfhjF,KAAKyX,SAAW,GAChBzX,KAAKwuF,SAAW,GAChBxuF,KAAK4f,MAAM+uE,YAAY55D,OAEvB/0B,KAAKia,OAAO+K,SAAS,SAAU,CAAE1N,EAAGM,EAAO1tB,SAAS,IACjDsD,KAAK,SAAA9F,GACJo9B,EAAKmgB,SAAU,EACfngB,EAAKk+D,QAAUnxF,KAAInK,EAAK2uB,SAAU,MAClCyO,EAAKrN,SAAW/vB,EAAK+vB,SACrBqN,EAAK0pE,SAAW9mG,EAAK8mG,SACrB1pE,EAAK2pE,gBAAkB3pE,EAAK8pE,eAC5B9pE,EAAKwxD,QAAS,KAjBhBt2E,KAAKilC,SAAU,GAoBnB4pD,YA3BO,SA2BMC,GACX,IAAM5mG,EAAS8X,KAAK8uF,GAAS5mG,OAC7B,OAAkB,IAAXA,EAAe,GAAf,KAAAoO,OAAyBpO,EAAzB,MAET6mG,kBA/BO,SA+BYj/F,GACjBkQ,KAAKyuF,gBAAkB3+F,GAEzB8+F,aAlCO,WAmCL,OAAI5uF,KAAKw8D,gBAAgBt0E,OAAS,EACzB,WACE8X,KAAK4K,MAAM1iB,OAAS,EACtB,SACE8X,KAAKwuF,SAAStmG,OAAS,EACzB,WAGF,YAET8mG,kBA7CO,SA6CYC,GACjB,OAAOA,EAAQ1pE,SAAW0pE,EAAQ1pE,QAAQ,MCpFhD,IAEI2pE,GAVJ,SAAoBv0E,GAClBtxB,EAAQ,MAyBK8lG,GAVC9mG,OAAAwyB,GAAA,EAAAxyB,CACd+mG,GCjBQ,WAAgB,IAAAhtE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAqFC,YAAA,0BAAqC,CAAAD,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,WAAAqI,WAAA,eAA8EjI,IAAA,cAAArH,YAAA,eAAAM,MAAA,CAAsDmf,YAAAxY,EAAA2D,GAAA,eAAmCqE,SAAA,CAAW56B,MAAA4yB,EAAA,YAAyBC,GAAA,CAAKgtE,MAAA,SAAA/rE,GAAyB,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,KAAesyB,EAAAssE,SAAAtsE,EAAAmsE,aAAoC7uF,MAAA,SAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAmsE,WAAAjrE,EAAAr2B,OAAAuC,WAAqC4yB,EAAAO,GAAA,KAAAzH,EAAA,UAA2BC,YAAA,oBAAAkH,GAAA,CAAoCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAssE,SAAAtsE,EAAAmsE,eAAsC,CAAArzE,EAAA,KAAUC,YAAA,oBAA0BiH,EAAAO,GAAA,KAAAP,EAAA,QAAAlH,EAAA,OAA0CC,YAAA,4BAAuC,CAAAD,EAAA,KAAUC,YAAA,8BAAsCiH,EAAA,OAAAlH,EAAA,OAAAA,EAAA,OAAqCC,YAAA,sBAAiC,CAAAD,EAAA,gBAAqBsH,IAAA,cAAA/G,MAAA,CAAyBgmE,YAAAr/D,EAAA2sE,kBAAAb,aAAA9rE,EAAAqsE,kBAAoE,CAAAvzE,EAAA,QAAaprB,IAAA,WAAA2rB,MAAA,CAAsBkuC,MAAAvnC,EAAA2D,GAAA,sBAAA3D,EAAAysE,YAAA,sBAA2EzsE,EAAAO,GAAA,KAAAzH,EAAA,QAAyBprB,IAAA,SAAA2rB,MAAA,CAAoBkuC,MAAAvnC,EAAA2D,GAAA,iBAAA3D,EAAAysE,YAAA,YAA4DzsE,EAAAO,GAAA,KAAAzH,EAAA,QAAyBprB,IAAA,WAAA2rB,MAAA,CAAsBkuC,MAAAvnC,EAAA2D,GAAA,mBAAA3D,EAAAysE,YAAA,kBAAiE,KAAAzsE,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAyCC,YAAA,cAAyB,cAAAiH,EAAAqsE,gBAAAvzE,EAAA,WAAAkH,EAAAo6C,gBAAAt0E,SAAAk6B,EAAA6iB,SAAA7iB,EAAAk0D,OAAAp7D,EAAA,OAA4HC,YAAA,yBAAoC,CAAAD,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAA,yBAAA5rB,GAA8H,OAAA0kB,EAAA,UAAoBprB,IAAA0G,EAAA3F,GAAAsqB,YAAA,gBAAAM,MAAA,CAAiDy/D,aAAA,EAAAp3C,YAAA,EAAAxoB,SAAA,EAAA+hB,UAAA7mC,EAAA8tC,cAAA,QAAgG,cAAAliB,EAAAqsE,gBAAAvzE,EAAA,WAAAkH,EAAAxX,MAAA1iB,SAAAk6B,EAAA6iB,SAAA7iB,EAAAk0D,OAAAp7D,EAAA,OAAoHC,YAAA,yBAAoC,CAAAD,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAA,eAAA5oB,GAAkH,OAAA0hB,EAAA,cAAwBprB,IAAA0J,EAAA3I,GAAAsqB,YAAA,0BAAAM,MAAA,CAAyDjiB,aAAe,gBAAA4oB,EAAAqsE,gBAAAvzE,EAAA,WAAAkH,EAAAosE,SAAAtmG,SAAAk6B,EAAA6iB,SAAA7iB,EAAAk0D,OAAAp7D,EAAA,OAAyHC,YAAA,yBAAoC,CAAAD,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAA,kBAAA6sE,GAAwH,OAAA/zE,EAAA,OAAiBprB,IAAAm/F,EAAA/9F,IAAAiqB,YAAA,8BAAyD,CAAAD,EAAA,OAAYC,YAAA,WAAsB,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,eAAA+U,OAAA,CAAgCxX,IAAA2iG,EAAAlgG,SAAwB,CAAAqzB,EAAAO,GAAA,kBAAAP,EAAA0D,GAAAmpE,EAAAlgG,MAAA,kBAAAqzB,EAAAO,GAAA,KAAAP,EAAA4sE,kBAAAC,GAAA/zE,EAAA,UAAAkH,EAAA4sE,kBAAAC,GAAA54E,SAAA6E,EAAA,QAAAkH,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yBAAqP4Y,MAAAvc,EAAA4sE,kBAAAC,GAAA54E,YAAiD,oBAAA6E,EAAA,QAAAkH,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yBAAoG4Y,MAAAvc,EAAA4sE,kBAAAC,GAAA54E,YAAiD,sBAAA+L,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAP,EAAA4sE,kBAAAC,GAAA/zE,EAAA,OAA6FC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA4sE,kBAAAC,GAAAK,MAAA,gBAAAltE,EAAAQ,UAA+F,GAAAR,EAAAQ,OAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAuCC,YAAA,2DAC1kH,IDOY,EAa7B+zE,GATiB,KAEU,MAYG,0lBEtBhC,IA2EenoB,GA3EM,CACnBwoB,OAAQ,CAACC,oBACT9nG,KAAM,iBAAO,CACX8R,KAAM,CACJia,MAAO,GACPg8E,SAAU,GACVxuF,SAAU,GACVqS,SAAU,GACVioB,QAAS,IAEXm0D,QAAS,KAEXC,YAZmB,WAYJ,IAAApvF,EAAAP,KACb,MAAO,CACLxG,KAAM,CACJia,MAAO,CAAEk6C,SAAUiiC,sBAAW,kBAAMrvF,EAAKsvF,6BACzC5uF,SAAU,CAAE0sD,sBACZ8hC,SAAU,CAAE9hC,sBACZr6C,SAAU,CAAEq6C,sBACZpyB,QAAS,CACPoyB,qBACAmiC,eAAgBC,kBAAO,gBAK/B/tE,QA1BmB,aA2BXhiB,KAAK05D,mBAAqB15D,KAAKlN,OAAUkN,KAAKgwF,WAClDhwF,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,SAG5BiR,KAAKiwF,cAEP9rE,SAAU+rE,GAAA,CACRp9F,MADM,WACK,OAAOkN,KAAKqlB,OAAOvhB,OAAOhR,OACrCq9F,eAFM,WAGJ,OAAOnwF,KAAK+lB,GAAG,gCAAgC9zB,QAAQ,YAAa,SAEnEy0B,YAAS,CACVgzC,iBAAkB,SAACx/C,GAAD,OAAWA,EAAMC,SAASu/C,kBAC5Cs2B,SAAU,SAAC91E,GAAD,QAAaA,EAAMtP,MAAMod,aACnCooE,UAAW,SAACl2E,GAAD,OAAWA,EAAMtP,MAAMg+D,eAClCynB,uBAAwB,SAACn2E,GAAD,OAAWA,EAAMtP,MAAMi+D,cAC/CynB,eAAgB,SAACp2E,GAAD,OAAWA,EAAMC,SAAS8gD,KAC1C40B,0BAA2B,SAAC31E,GAAD,OAAWA,EAAMC,SAAS01E,8BAGzDt1E,QAAS21E,GAAA,GACJK,YAAW,CAAC,SAAU,eADpB,CAECvzC,OAFD,kBAAAnyC,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,UAGH2E,KAAKxG,KAAKmY,SAAW3R,KAAKxG,KAAKyH,SAC/BjB,KAAKxG,KAAK1G,MAAQkN,KAAKlN,MAEvBkN,KAAKxG,KAAKg3F,iBAAmBxwF,KAAK0vF,QAAQe,SAC1CzwF,KAAKxG,KAAKk3F,cAAgB1wF,KAAK0vF,QAAQ58F,MACvCkN,KAAKxG,KAAKm3F,oBAAsB3wF,KAAK0vF,QAAQkB,YAE7C5wF,KAAK6wF,GAAGC,SAEH9wF,KAAK6wF,GAAGE,SAZV,CAAAhmF,EAAA1P,KAAA,gBAAA0P,EAAAvP,KAAA,EAAAuP,EAAA1P,KAAA,GAAAwP,EAAApN,EAAAwN,MAcOjL,KAAKqsE,OAAOrsE,KAAKxG,OAdxB,QAeCwG,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,YAf3Bgc,EAAA1P,KAAA,iBAAA0P,EAAAvP,KAAA,GAAAuP,EAAAK,GAAAL,EAAA,SAiBC3a,QAAQmX,KAAK,wBAAbwD,EAAAK,IACApL,KAAKiwF,aAlBN,yBAAAllF,EAAAM,SAAA,KAAArL,KAAA,WAsBLiwF,WAtBK,WAsBS,IAAAnrE,EAAA9kB,KACZA,KAAKoS,aAAa5kB,KAAK,SAAAwjG,GAASlsE,EAAK4qE,QAAUsB,QClErD,IAEIC,GAVJ,SAAoBt2E,GAClBtxB,EAAQ,MAyBK6nG,GAVC7oG,OAAAwyB,GAAA,EAAAxyB,CACd8oG,GCjBQ,WAAgB,IAAA/uE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,gCAA2C,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA8FC,YAAA,cAAyB,CAAAD,EAAA,QAAaC,YAAA,oBAAAkH,GAAA,CAAoC26B,OAAA,SAAA15B,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAA46B,OAAA56B,EAAA5oB,SAA8B,CAAA0hB,EAAA,OAAYC,YAAA,aAAwB,CAAAD,EAAA,OAAYC,YAAA,eAA0B,CAAAD,EAAA,OAAYC,YAAA,aAAAC,MAAA,CAAgCg2E,oBAAAhvE,EAAAyuE,GAAAr3F,KAAAyH,SAAAowF,SAAoD,CAAAn2E,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,qBAA0B,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAqEqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,eAAAh7B,MAAA4yB,EAAAyuE,GAAAr3F,KAAAyH,SAAA,OAAAwpB,WAAA,0BAAA6mE,UAAA,CAAwHpoD,MAAA,KAAa/tB,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,mBAAAi2C,SAAA1kB,EAAAguE,UAAAx1D,YAAAxY,EAAA2D,GAAA,sCAA2GqE,SAAA,CAAW56B,MAAA4yB,EAAAyuE,GAAAr3F,KAAAyH,SAAA,QAAsCohB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAAyuE,GAAAr3F,KAAAyH,SAAA,SAAAqiB,EAAAr2B,OAAAuC,MAAA05C,SAAqEnU,KAAA,SAAAzR,GAAyB,OAAAlB,EAAAmvE,qBAA4BnvE,EAAAO,GAAA,KAAAP,EAAAyuE,GAAAr3F,KAAAyH,SAAA,OAAAia,EAAA,OAAwDC,YAAA,cAAyB,CAAAD,EAAA,MAAAkH,EAAAyuE,GAAAr3F,KAAAyH,SAAA0sD,SAAAvrC,EAAAQ,KAAA1H,EAAA,MAAAA,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAqLC,YAAA,aAAAC,MAAA,CAAgCg2E,oBAAAhvE,EAAAyuE,GAAAr3F,KAAAi2F,SAAA4B,SAAoD,CAAAn2E,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,qBAA0B,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAA4EqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,eAAAh7B,MAAA4yB,EAAAyuE,GAAAr3F,KAAAi2F,SAAA,OAAAhlE,WAAA,0BAAA6mE,UAAA,CAAwHpoD,MAAA,KAAa/tB,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,mBAAAi2C,SAAA1kB,EAAAguE,UAAAx1D,YAAAxY,EAAA2D,GAAA,sCAA2GqE,SAAA,CAAW56B,MAAA4yB,EAAAyuE,GAAAr3F,KAAAi2F,SAAA,QAAsCptE,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAAyuE,GAAAr3F,KAAAi2F,SAAA,SAAAnsE,EAAAr2B,OAAAuC,MAAA05C,SAAqEnU,KAAA,SAAAzR,GAAyB,OAAAlB,EAAAmvE,qBAA4BnvE,EAAAO,GAAA,KAAAP,EAAAyuE,GAAAr3F,KAAAi2F,SAAA,OAAAv0E,EAAA,OAAwDC,YAAA,cAAyB,CAAAD,EAAA,MAAAkH,EAAAyuE,GAAAr3F,KAAAi2F,SAAA9hC,SAAAvrC,EAAAQ,KAAA1H,EAAA,MAAAA,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAqLC,YAAA,aAAAC,MAAA,CAAgCg2E,oBAAAhvE,EAAAyuE,GAAAr3F,KAAAia,MAAA49E,SAAiD,CAAAn2E,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,UAAe,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAyEqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAAyuE,GAAAr3F,KAAAia,MAAA,OAAAgX,WAAA,yBAAkGtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,QAAAi2C,SAAA1kB,EAAAguE,UAAAxjG,KAAA,SAAqDw9B,SAAA,CAAW56B,MAAA4yB,EAAAyuE,GAAAr3F,KAAAia,MAAA,QAAmC4O,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAAyuE,GAAAr3F,KAAAia,MAAA,SAAA6P,EAAAr2B,OAAAuC,aAA6D4yB,EAAAO,GAAA,KAAAP,EAAAyuE,GAAAr3F,KAAAia,MAAA,OAAAyH,EAAA,OAAqDC,YAAA,cAAyB,CAAAD,EAAA,MAAAkH,EAAAyuE,GAAAr3F,KAAAia,MAAAk6C,SAAAvrC,EAAAQ,KAAA1H,EAAA,MAAAA,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA+KC,YAAA,cAAyB,CAAAD,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,QAAa,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0BAAA3D,EAAA0D,GAAA1D,EAAA2D,GAAA,4BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,YAAsHqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA5oB,KAAA,IAAAixB,WAAA,aAA0EtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,MAAAi2C,SAAA1kB,EAAAguE,UAAAx1D,YAAAxY,EAAA+tE,gBAAqE/lE,SAAA,CAAW56B,MAAA4yB,EAAA5oB,KAAA,KAAuB6oB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA5oB,KAAA,MAAA8pB,EAAAr2B,OAAAuC,aAAiD4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,aAAAC,MAAA,CAAgCg2E,oBAAAhvE,EAAAyuE,GAAAr3F,KAAA8Z,SAAA+9E,SAAoD,CAAAn2E,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,qBAA0B,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAqEqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA5oB,KAAA,SAAAixB,WAAA,kBAAoFtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,mBAAAi2C,SAAA1kB,EAAAguE,UAAAxjG,KAAA,YAAmEw9B,SAAA,CAAW56B,MAAA4yB,EAAA5oB,KAAA,UAA4B6oB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA5oB,KAAA,WAAA8pB,EAAAr2B,OAAAuC,aAAsD4yB,EAAAO,GAAA,KAAAP,EAAAyuE,GAAAr3F,KAAA8Z,SAAA,OAAA4H,EAAA,OAAwDC,YAAA,cAAyB,CAAAD,EAAA,MAAAkH,EAAAyuE,GAAAr3F,KAAA8Z,SAAAq6C,SAAAvrC,EAAAQ,KAAA1H,EAAA,MAAAA,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAqLC,YAAA,aAAAC,MAAA,CAAgCg2E,oBAAAhvE,EAAAyuE,GAAAr3F,KAAA+hC,QAAA81D,SAAmD,CAAAn2E,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,kCAAuC,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAoFqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA5oB,KAAA,QAAAixB,WAAA,iBAAkFtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,gCAAAi2C,SAAA1kB,EAAAguE,UAAAxjG,KAAA,YAAgFw9B,SAAA,CAAW56B,MAAA4yB,EAAA5oB,KAAA,SAA2B6oB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA5oB,KAAA,UAAA8pB,EAAAr2B,OAAAuC,aAAqD4yB,EAAAO,GAAA,KAAAP,EAAAyuE,GAAAr3F,KAAA+hC,QAAA,OAAArgB,EAAA,OAAuDC,YAAA,cAAyB,CAAAD,EAAA,MAAAkH,EAAAyuE,GAAAr3F,KAAA+hC,QAAAoyB,SAAAvrC,EAAAQ,KAAA1H,EAAA,MAAAA,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iEAAA3D,EAAAO,GAAA,KAAAP,EAAAyuE,GAAAr3F,KAAA+hC,QAAAu0D,eAAA1tE,EAAAQ,KAAA1H,EAAA,MAAAA,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kEAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,aAAAP,EAAAstE,QAAA9iG,KAAAsuB,EAAA,OAAgYC,YAAA,aAAAM,MAAA,CAAgC5qB,GAAA,kBAAsB,CAAAqqB,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,kBAAuB,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4BAAA3D,EAAAO,GAAA,4BAAAzuB,SAAAkuB,EAAAstE,QAAA9iG,MAAA,CAAAsuB,EAAA,OAA+HO,MAAA,CAAOvuB,IAAAk1B,EAAAstE,QAAAx+F,KAAsBmxB,GAAA,CAAKI,MAAAL,EAAA6tE,cAAwB7tE,EAAAO,GAAA,KAAAzH,EAAA,OAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAqGqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAAstE,QAAA,SAAAjlE,WAAA,qBAA0FtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,iBAAAi2C,SAAA1kB,EAAAguE,UAAAxjG,KAAA,OAAAmwD,aAAA,MAAAy0C,YAAA,MAAAC,eAAA,MAAAC,WAAA,SAAkJtnE,SAAA,CAAW56B,MAAA4yB,EAAAstE,QAAA,UAA+BrtE,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAAstE,QAAA,WAAApsE,EAAAr2B,OAAAuC,YAAyD4yB,EAAAQ,MAAA,GAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAA2DC,YAAA,cAAyB,CAAAD,EAAA,SAAcO,MAAA,CAAOkP,IAAA,UAAe,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAyEqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,MAAAqI,WAAA,UAAoEtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,QAAAi2C,SAAA,OAAAl6C,KAAA,QAA6Cw9B,SAAA,CAAW56B,MAAA4yB,EAAA,OAAoBC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAtvB,MAAAwwB,EAAAr2B,OAAAuC,aAAgC4yB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAmCC,YAAA,cAAyB,CAAAD,EAAA,UAAeC,YAAA,kBAAAM,MAAA,CAAqCqrB,SAAA1kB,EAAAguE,UAAAxjG,KAAA,WAA0C,CAAAw1B,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA2GC,YAAA,mBAAAiP,SAAA,CAAyCC,UAAAjI,EAAA0D,GAAA1D,EAAAkuE,qBAAwCluE,EAAAO,GAAA,KAAAP,EAAAiuE,uBAAA,OAAAn1E,EAAA,OAA8DC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,eAA0BiH,EAAAyY,GAAAzY,EAAA,gCAAAl0B,GAAqD,OAAAgtB,EAAA,QAAkBprB,IAAA5B,GAAU,CAAAk0B,EAAAO,GAAAP,EAAA0D,GAAA53B,QAA0B,KAAAk0B,EAAAQ,YACzoP,IDOY,EAa7BquE,GATiB,KAEU,MAYG,QETjBU,GAbO,SAAA/zF,GAAyB,IAAtBuc,EAAsBvc,EAAtBuc,SACjBrW,EAAS,CAAE2P,MAD4B7V,EAAZ6V,OAE3BmE,EAAQ23C,KAAOzrD,EAAQ,SAAC7N,EAAKqzB,EAAGxqB,GACpC,IAAMonE,EAAO,GAAA5vE,OAAMwI,EAAN,KAAAxI,OAAW8N,mBAAmBklB,IAC3C,SAAAhzB,OAAUL,EAAV,KAAAK,OAAiB4vE,IAChB,IACGh1E,EAAG,GAAAoF,OAAM6jB,GAAN7jB,OARsB,iBAQtB,KAAAA,OAAgDshB,GAEzD,OAAOtnB,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,uOCVZ,IA2De+tF,GA3DO,CACpBlqG,KAAM,iBAAO,CACX8R,KAAM,CACJia,MAAO,IAET28E,WAAW,EACX93B,SAAS,EACTu5B,WAAW,EACX3jG,MAAO,OAETi2B,wWAAU2tE,CAAA,GACLprE,YAAS,CACVspE,SAAU,SAAC91E,GAAD,QAAaA,EAAMtP,MAAMod,aACnC7N,SAAU,SAAAD,GAAK,OAAIA,EAAMC,YAHrB,CAKN43E,cALM,WAMJ,OAAO/xF,KAAKma,SAAS43E,iBAGzB/vE,QAnBoB,WAoBdhiB,KAAKgwF,UACPhwF,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,UAG9B+qB,MAAO,CACLk4E,uBAAwB,CACtBhvE,SAAS,EACTp2B,KAAM+N,UAGV4f,QAAS,CACP03E,aADO,WAELjyF,KAAK9R,MAAQ,MAEf8uD,OAJO,WAIG,IAAAz8C,EAAAP,KACRA,KAAKowF,WAAY,EACjB,IAAM38E,EAAQzT,KAAKxG,KAAKia,MAClB0G,EAAWna,KAAKma,SAASC,OAE/B83E,GAAiB,CAAE/3E,WAAU1G,UAASjmB,KAAK,SAAAoQ,GAAgB,IAAbpH,EAAaoH,EAAbpH,OAC5C+J,EAAK6vF,WAAY,EACjB7vF,EAAK/G,KAAKia,MAAQ,GAEH,MAAXjd,GACF+J,EAAK+3D,SAAU,EACf/3D,EAAKrS,MAAQ,MACO,MAAXsI,IACT+J,EAAKsxF,WAAY,EACjBtxF,EAAKrS,MAAQqS,EAAKwlB,GAAG,uCATzB,MAWS,WACPxlB,EAAK6vF,WAAY,EACjB7vF,EAAK/G,KAAKia,MAAQ,GAClBlT,EAAKrS,MAAQqS,EAAKwlB,GAAG,8BChD7B,IAEIosE,GAVJ,SAAoBx3E,GAClBtxB,EAAQ,MAyBK+oG,GAVC/pG,OAAAwyB,GAAA,EAAAxyB,CACdgqG,GCjBQ,WAAgB,IAAAjwE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,gCAA2C,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAkGC,YAAA,cAAyB,CAAAD,EAAA,QAAaC,YAAA,sBAAAkH,GAAA,CAAsC26B,OAAA,SAAA15B,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAA46B,OAAA15B,MAA4B,CAAApI,EAAA,OAAYC,YAAA,aAAwB,CAAAiH,EAAA2vE,cAAA3vE,EAAAk2C,SAAAl2C,EAAAyvE,UAAA32E,EAAA,OAAAkH,EAAA,QAAAlH,EAAA,KAAAkH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAkeC,YAAA,0BAAqC,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,UAAe,CAAAqzB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yDAAA7K,EAAA,OAAAkH,EAAA,uBAAAlH,EAAA,KAAkJC,YAAA,iCAA4C,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6DAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA+OC,YAAA,cAAyB,CAAAD,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA5oB,KAAA,MAAAixB,WAAA,eAA8EjI,IAAA,QAAArH,YAAA,eAAAM,MAAA,CAAgDqrB,SAAA1kB,EAAAguE,UAAAx1D,YAAAxY,EAAA2D,GAAA,8BAAAn5B,KAAA,SAA2Fw9B,SAAA,CAAW56B,MAAA4yB,EAAA5oB,KAAA,OAAyB6oB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA5oB,KAAA,QAAA8pB,EAAAr2B,OAAAuC,aAAmD4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,cAAyB,CAAAD,EAAA,UAAeC,YAAA,4BAAAM,MAAA,CAA+CqrB,SAAA1kB,EAAAguE,UAAAxjG,KAAA,WAA0C,CAAAw1B,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2CAAviD7K,EAAA,OAAAkH,EAAA,uBAAAlH,EAAA,KAAAkH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oFAAA7K,EAAA,KAAAkH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+DAAuiD3D,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,KAAqHC,YAAA,kCAA6C,CAAAD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAl0B,UAAAk0B,EAAAO,GAAA,KAAAzH,EAAA,KAA6DC,YAAA,sBAAAkH,GAAA,CAAsCI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA6vE,kBAA4B,CAAA/2E,EAAA,KAAUC,YAAA,oBAA0BiH,EAAAQ,cACv2E,IDOY,EAa7BuvE,GATiB,KAEU,MAYG,QEajBG,GApCW,CACxBx4E,MAAO,CAAC,QACRO,WAAY,CACV+xB,oBAEF7xB,QAAS,CACPg4E,gCADO,WAC4B,IAAAhyF,EAAAP,KAC3BwyF,EAAQ32E,YAAuB7b,KAAKia,QAAQ8f,KAChD,SAACy4D,GAAD,OAAWA,EAAMj4F,aAAa1J,KAAO0P,EAAK/G,KAAK3I,IAAqB,mBAAf2hG,EAAM5lG,OAE7D,OAAO4lG,GAASA,EAAM3hG,IAExB6jB,YAPO,WAQL1U,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkBjQ,YAAY,CAAE7jB,GAAImP,KAAKxG,KAAK3I,KACpEmP,KAAKia,OAAO+K,SAAS,sBAAuBhlB,KAAKxG,MAEjD,IAAMi5F,EAAUzyF,KAAKuyF,kCACrBvyF,KAAKia,OAAO+K,SAAS,+BAAgC,CAAEn0B,GAAI4hG,IAC3DzyF,KAAKia,OAAO+K,SAAS,qBAAsB,CACzCn0B,GAAI4hG,EACJjxB,QAAS,SAAAh6D,GACPA,EAAa5a,KAAO,aAI1BioB,SApBO,WAoBK,IAAAiQ,EAAA9kB,KACJyyF,EAAUzyF,KAAKuyF,kCACrBvyF,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkB9P,SAAS,CAAEhkB,GAAImP,KAAKxG,KAAK3I,KAC9DrD,KAAK,WACJs3B,EAAK7K,OAAO+K,SAAS,2BAA4B,CAAEn0B,GAAI4hG,IACvD3tE,EAAK7K,OAAO+K,SAAS,sBAAuBF,EAAKtrB,WCzB3D,IAEIk5F,GAVJ,SAAoB/3E,GAClBtxB,EAAQ,MCYKspG,GAXQ,CACrBt4E,WAAY,CACVi4E,kBDYYjqG,OAAAwyB,GAAA,EAAAxyB,CACduqG,GEjBQ,WAAgB,IAAAxwE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,mBAA6BO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,OAAiB,CAAA0hB,EAAA,OAAYC,YAAA,yCAAoD,CAAAD,EAAA,UAAeC,YAAA,kBAAAkH,GAAA,CAAkCI,MAAAL,EAAA1N,cAAyB,CAAA0N,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA6FC,YAAA,kBAAAkH,GAAA,CAAkCI,MAAAL,EAAAvN,WAAsB,CAAAuN,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAC1Z,IFOY,EAa7B2sE,GATiB,KAEU,MAYG,SCpB9BvuE,SAAU,CACRogD,SADQ,WAEN,OAAOvkE,KAAKia,OAAOC,MAAMwK,IAAI4oD,kBEepBulB,GAVCxqG,OAAAwyB,GAAA,EAAAxyB,CACdyqG,GCdQ,WAAgB,IAAa/3E,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,gCAA2C,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAnKnb,KAAmK2iB,GAAA,SAAnK3iB,KAAmK8lB,GAAnK9lB,KAAmK+lB,GAAA,kCAAnK/lB,KAAmK2iB,GAAA,KAAAzH,EAAA,OAAwFC,YAAA,cAA3Pnb,KAAoR66B,GAApR76B,KAAoR,kBAAAhT,GAAyC,OAAAkuB,EAAA,qBAA+BprB,IAAA9C,EAAA6D,GAAAsqB,YAAA,YAAAM,MAAA,CAA8CjiB,KAAAxM,OAAkB,MACna,IDIY,EAEb,KAEC,KAEU,MAYG,QEDjB+lG,GApBH,CACVj5E,MAAO,CAAC,QACR06B,QAFU,WAEC,IAAAj0C,EAAAP,KACT,GAAIA,KAAKmH,KAAM,KAAA6rF,EACsBhzF,KAAKia,OAAOC,MAAM2rD,MAA7CR,EADK2tB,EACL3tB,SAAUC,EADL0tB,EACK1tB,aAElBO,GAAMM,SAAS,CACbd,WACAC,eACAnrD,SAAUna,KAAKia,OAAOC,MAAMC,SAASC,OACrCjT,KAAMnH,KAAKmH,OACV3Z,KAAK,SAACzE,GACPwX,EAAK0Z,OAAO2K,OAAO,WAAY77B,EAAOwc,cACtChF,EAAK0Z,OAAO+K,SAAS,YAAaj8B,EAAOwc,cACzChF,EAAKimB,QAAQp+B,KAAK,CAAE2G,KAAM,iBCOnBkkG,GAVC5qG,OAAAwyB,GAAA,EAAAxyB,CACd6qG,GCdQ,WAAgB,IAAan4E,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,MAA/D/a,KAA+D2iB,GAAA,UACtE,IDIY,EAEb,KAEC,KAEU,MAYG,ukBEpBhC,IAiFewwE,GAjFG,CAChBzrG,KAAM,iBAAO,CACX8R,KAAM,GACNtL,OAAO,IAETi2B,SAAUivE,GAAA,CACRC,eADM,WACc,OAAOrzF,KAAKswE,kBAChCgjB,YAFM,WAEW,OAAOtzF,KAAKuwE,gBAC1B7pD,YAAS,CACVgzC,iBAAkB,SAAAx/C,GAAK,OAAIA,EAAMC,SAASu/C,kBAC1Cv/C,SAAU,SAAAD,GAAK,OAAIA,EAAMC,UACzBsuD,UAAW,SAAAvuD,GAAK,OAAIA,EAAMtP,MAAM69D,WAChC5C,MAAO,SAAA3rD,GAAK,OAAIA,EAAM2rD,SAPlB,GASHj9C,YACD,WAAY,CAAC,mBAAoB,gBAAiB,iBAGtDrO,QAAS64E,GAAA,GACJG,YAAa,WAAY,CAAC,eADxB,GAEFhD,YAAW,CAAEzqB,MAAO,mBAFlB,CAGL9oB,OAHK,WAIHh9C,KAAKszF,YAActzF,KAAKwzF,cAAgBxzF,KAAKyzF,kBAE/CD,YANK,WAMU,IAAAE,EACsB1zF,KAAK6lE,MAClCn+E,EAAO,CACX29E,SAHWquB,EACLruB,SAGNC,aAJWouB,EACKpuB,aAIhBnrD,SAAUna,KAAKma,SAASC,OACxBwK,OAAQ5kB,KAAKia,OAAO2K,QAGtB8nD,GAAStH,eAAe19E,GACrB8F,KAAK,SAACi4E,GAAUiH,GAAS5G,MAATstB,GAAA,GAAoB3tB,EAApB,GAA4B/9E,OAEjD+rG,eAlBK,WAkBa,IAAAlzF,EAAAP,KAEVtY,EAAO,CACX29E,SAFmBrlE,KAAK6lE,MAAlBR,SAGNQ,MAAO7lE,KAAK6lE,MACZ1rD,SAAUna,KAAKma,SAASC,OACxBwK,OAAQ5kB,KAAKia,OAAO2K,QAEtB5kB,KAAK9R,OAAQ,EAEbw+E,GAAStH,eAAe19E,GAAM8F,KAAK,SAACi4E,GAClCiH,GAAStG,wBAATgtB,GAAA,GAEO3tB,EAFP,CAGItrD,SAAUzyB,EAAKyyB,SACflZ,SAAUV,EAAK/G,KAAKyH,SACpBqS,SAAU/S,EAAK/G,KAAK8Z,YAEtB9lB,KAAK,SAACzE,GACFA,EAAOmF,MACY,iBAAjBnF,EAAOmF,MACTqS,EAAKswE,WAAW,CAAE35D,SAAUnuB,IACG,4BAAtBA,EAAO4qG,WAChBpzF,EAAKimB,QAAQp+B,KAAK,CAAE2G,KAAM,iBAAkB+U,OAAQ,CAAEkuF,wBAAwB,MAE9EzxF,EAAKrS,MAAQnF,EAAOmF,MACpBqS,EAAKqzF,wBAITrzF,EAAKulE,MAAM/8E,GAAQyE,KAAK,WACtB+S,EAAKimB,QAAQp+B,KAAK,CAAE2G,KAAM,mBAKlC8yC,WAtDK,WAsDW7hC,KAAK9R,OAAQ,GAC7B0lG,qBAvDK,WAwDH,IAAIC,EAAgB7zF,KAAK4f,MAAMi0E,cAC/BA,EAAc3gD,QACd2gD,EAAch/C,kBAAkB,EAAGg/C,EAAcrkG,MAAMtH,YCvE7D,IAEI4rG,GAVJ,SAAoBn5E,GAClBtxB,EAAQ,MAyBK0qG,GAVC1rG,OAAAwyB,GAAA,EAAAxyB,CACd2rG,GCjBQ,WAAgB,IAAA5xE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,6BAAwC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAgFC,YAAA,cAAyB,CAAAD,EAAA,QAAaC,YAAA,aAAAkH,GAAA,CAA6B26B,OAAA,SAAA15B,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAA46B,OAAA15B,MAA4B,CAAAlB,EAAA,gBAAAlH,EAAA,OAAkCC,YAAA,cAAyB,CAAAD,EAAA,SAAcO,MAAA,CAAOkP,IAAA,aAAkB,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAqEqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA5oB,KAAA,SAAAixB,WAAA,kBAAoFtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,WAAAi2C,SAAA1kB,EAAAqmD,UAAA7tC,YAAAxY,EAAA2D,GAAA,sBAAmFqE,SAAA,CAAW56B,MAAA4yB,EAAA5oB,KAAA,UAA4B6oB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA5oB,KAAA,WAAA8pB,EAAAr2B,OAAAuC,aAAsD4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,cAAyB,CAAAD,EAAA,SAAcO,MAAA,CAAOkP,IAAA,aAAkB,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAqEqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA5oB,KAAA,SAAAixB,WAAA,kBAAoFjI,IAAA,gBAAArH,YAAA,eAAAM,MAAA,CAAwD5qB,GAAA,WAAAi2C,SAAA1kB,EAAAqmD,UAAA77E,KAAA,YAA2Dw9B,SAAA,CAAW56B,MAAA4yB,EAAA5oB,KAAA,UAA4B6oB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA5oB,KAAA,WAAA8pB,EAAAr2B,OAAAuC,aAAsD4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,cAAyB,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,oBAAyB,CAAAqzB,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0DAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,OAAmJC,YAAA,cAAyB,CAAAD,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAyFC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,gBAA2B,CAAAD,EAAA,OAAAkH,EAAA,iBAAAlH,EAAA,eAAqDC,YAAA,WAAAM,MAAA,CAA8BwK,GAAA,CAAMl3B,KAAA,kBAAuB,CAAAqzB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uCAAA3D,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAzH,EAAA,UAAuHC,YAAA,kBAAAM,MAAA,CAAqCqrB,SAAA1kB,EAAAqmD,UAAA77E,KAAA,WAA0C,CAAAw1B,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4CAAA3D,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAAsHC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAl0B,OAAA,YAAAgtB,EAAA,KAA0DC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAAL,EAAAyf,kBAAwBzf,EAAAQ,QACr9E,IDOY,EAa7BkxE,GATiB,KAEU,MAYG,QEWjBG,GALH,CACV5tB,cAjCoB,SAAAzoE,GAA0D,IAAvDynE,EAAuDznE,EAAvDynE,SAAUC,EAA6C1nE,EAA7C0nE,aAAcnrD,EAA+Bvc,EAA/Buc,SAAUmsD,EAAqB1oE,EAArB0oE,SAAUn/D,EAAWvJ,EAAXuJ,KAC7DjW,EAAG,GAAAoF,OAAM6jB,EAAN,wBACHrO,EAAO,IAAIxb,OAAOoe,SAQxB,OANA5C,EAAK8C,OAAO,YAAay2D,GACzBv5D,EAAK8C,OAAO,gBAAiB02D,GAC7Bx5D,EAAK8C,OAAO,YAAa03D,GACzBx6D,EAAK8C,OAAO,OAAQzH,GACpB2E,EAAK8C,OAAO,iBAAkB,QAEvBte,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAqBvBiiE,mBAlByB,SAAA1oE,GAA0D,IAAvDwnE,EAAuDxnE,EAAvDwnE,SAAUC,EAA6CznE,EAA7CynE,aAAcnrD,EAA+Btc,EAA/Bsc,SAAUmsD,EAAqBzoE,EAArByoE,SAAUn/D,EAAWtJ,EAAXsJ,KAClEjW,EAAG,GAAAoF,OAAM6jB,EAAN,wBACHrO,EAAO,IAAIxb,OAAOoe,SAQxB,OANA5C,EAAK8C,OAAO,YAAay2D,GACzBv5D,EAAK8C,OAAO,gBAAiB02D,GAC7Bx5D,EAAK8C,OAAO,YAAa03D,GACzBx6D,EAAK8C,OAAO,OAAQzH,GACpB2E,EAAK8C,OAAO,iBAAkB,YAEvBte,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,0kBC1BV,IAAA4vF,GAAA,CACbxsG,KAAM,iBAAO,CACXyf,KAAM,KACNjZ,OAAO,IAETi2B,SAAUgwE,GAAA,GACLvrE,YAAW,CACZwrE,aAAc,sBAFV,GAIH1tE,YAAS,CACVvM,SAAU,WACV0rD,MAAO,WAGXtrD,QAAS45E,GAAA,GACJZ,YAAa,WAAY,CAAC,cAAe,aADvC,GAEFhD,YAAW,CAAEzqB,MAAO,mBAFlB,CAGLjkC,WAHK,WAGW7hC,KAAK9R,OAAQ,GAC7B8uD,OAJK,WAIK,IAAAz8C,EAAAP,KAAA0zF,EAC2B1zF,KAAK6lE,MAElCn+E,EAAO,CACX29E,SAJMquB,EACAruB,SAINC,aALMouB,EACUpuB,aAKhBnrD,SAAUna,KAAKma,SAASC,OACxBksD,SAAUtmE,KAAKo0F,aAAaC,UAC5BltF,KAAMnH,KAAKmH,MAGbmtF,GAAO/tB,mBAAmB7+E,GAAM8F,KAAK,SAACzE,GACpC,GAAIA,EAAOmF,MAGT,OAFAqS,EAAKrS,MAAQnF,EAAOmF,WACpBqS,EAAK4G,KAAO,MAId5G,EAAKulE,MAAM/8E,GAAQyE,KAAK,WACtB+S,EAAKimB,QAAQp+B,KAAK,CAAE2G,KAAM,oBCjBrBwlG,GAVClsG,OAAAwyB,GAAA,EAAAxyB,CACd6rG,GCdQ,WAAgB,IAAA9xE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,6BAAwC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA2FC,YAAA,cAAyB,CAAAD,EAAA,QAAaC,YAAA,aAAAkH,GAAA,CAA6B26B,OAAA,SAAA15B,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAA46B,OAAA15B,MAA4B,CAAApI,EAAA,OAAYC,YAAA,cAAyB,CAAAD,EAAA,SAAcO,MAAA,CAAOkP,IAAA,SAAc,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAA0EqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,KAAAqI,WAAA,SAAkEtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,QAAYu5B,SAAA,CAAW56B,MAAA4yB,EAAA,MAAmBC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAjb,KAAAmc,EAAAr2B,OAAAuC,aAA+B4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,gBAA2B,CAAAD,EAAA,OAAAA,EAAA,KAAoBO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA2uD,YAAAztD,MAAiC,CAAAlB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAAO,GAAA,KAAAzH,EAAA,KAAuIO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA4uD,SAAA1tD,MAA8B,CAAAlB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA4GC,YAAA,kBAAAM,MAAA,CAAqC7uB,KAAA,WAAiB,CAAAw1B,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6CAAA3D,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAAuHC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAl0B,OAAA,YAAAgtB,EAAA,KAA0DC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAAL,EAAAyf,kBAAwBzf,EAAAQ,QAC7rD,IDIY,EAEb,KAEC,KAEU,MAYG,ukBErBjB,IAAA4xE,GAAA,CACb9sG,KAAM,iBAAO,CACXyf,KAAM,KACNjZ,OAAO,IAETi2B,SAAUswE,GAAA,GACL7rE,YAAW,CACZwrE,aAAc,sBAFV,GAIH1tE,YAAS,CACVvM,SAAU,WACV0rD,MAAO,WAGXtrD,QAASk6E,GAAA,GACJlB,YAAa,WAAY,CAAC,kBAAmB,aAD3C,GAEFhD,YAAW,CAAEzqB,MAAO,mBAFlB,CAGLjkC,WAHK,WAGW7hC,KAAK9R,OAAQ,GAC7B8uD,OAJK,WAIK,IAAAz8C,EAAAP,KAAA0zF,EAC2B1zF,KAAK6lE,MAElCn+E,EAAO,CACX29E,SAJMquB,EACAruB,SAINC,aALMouB,EACUpuB,aAKhBnrD,SAAUna,KAAKma,SAASC,OACxBksD,SAAUtmE,KAAKo0F,aAAaC,UAC5BltF,KAAMnH,KAAKmH,MAGbmtF,GAAOjuB,cAAc3+E,GAAM8F,KAAK,SAACzE,GAC/B,GAAIA,EAAOmF,MAGT,OAFAqS,EAAKrS,MAAQnF,EAAOmF,WACpBqS,EAAK4G,KAAO,MAId5G,EAAKulE,MAAM/8E,GAAQyE,KAAK,WACtB+S,EAAKimB,QAAQp+B,KAAK,CAAE2G,KAAM,oBChBrB2lG,GAVCrsG,OAAAwyB,GAAA,EAAAxyB,CACdmsG,GCdQ,WAAgB,IAAApyE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,6BAAwC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAuFC,YAAA,cAAyB,CAAAD,EAAA,QAAaC,YAAA,aAAAkH,GAAA,CAA6B26B,OAAA,SAAA15B,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAA46B,OAAA15B,MAA4B,CAAApI,EAAA,OAAYC,YAAA,cAAyB,CAAAD,EAAA,SAAcO,MAAA,CAAOkP,IAAA,SAAc,CAAAvI,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,8CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAA4GqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,KAAAqI,WAAA,SAAkEtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,QAAYu5B,SAAA,CAAW56B,MAAA4yB,EAAA,MAAmBC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAjb,KAAAmc,EAAAr2B,OAAAuC,aAA+B4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,gBAA2B,CAAAD,EAAA,OAAAA,EAAA,KAAoBO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA0uD,gBAAAxtD,MAAqC,CAAAlB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAAO,GAAA,KAAAzH,EAAA,KAAqIO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA4uD,SAAA1tD,MAA8B,CAAAlB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA4GC,YAAA,kBAAAM,MAAA,CAAqC7uB,KAAA,WAAiB,CAAAw1B,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6CAAA3D,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAAuHC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAl0B,OAAA,YAAAgtB,EAAA,KAA0DC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAAL,EAAAyf,kBAAwBzf,EAAAQ,QAC7tD,IDIY,EAEb,KAEC,KAEU,MAYG,qOElBhC,IAoBe+xE,GApBE,CACf5lG,KAAM,WACN0/D,OAFe,SAEP9hE,GACN,OAAOA,EAAc,YAAa,CAAEioG,GAAI50F,KAAK60F,YAE/C1wE,wWAAU2wE,CAAA,CACRD,SADM,WAEJ,OAAI70F,KAAKwwE,aAAuB,cAC5BxwE,KAAKywE,iBAA2B,kBAC7B,cAEN7nD,YAAW,WAAY,CAAC,eAAgB,sBAE7CvO,WAAY,CACV06E,mBACAC,eACA7B,eCSW8B,GA5BG,CAChBn7E,MAAO,CAAE,YACTpyB,KAFgB,WAGd,MAAO,CACLwtG,eAAgB,GAChB7lB,QAAS,KACT8lB,WAAW,IAGfhxE,SAAU,CACR0hC,SADQ,WAEN,OAAO7lD,KAAKia,OAAOC,MAAMve,KAAKkqD,WAGlCtrC,QAAS,CACPyiC,OADO,SACCzuD,GACNyR,KAAKia,OAAOC,MAAMve,KAAK0zE,QAAQjnF,KAAK,UAAW,CAAEmP,KAAMhJ,GAAW,KAClEyR,KAAKk1F,eAAiB,IAExBE,YALO,WAMLp1F,KAAKm1F,WAAan1F,KAAKm1F,WAEzBzrE,gBARO,SAQUlwB,GACf,OAAOigB,aAAoBjgB,EAAK3I,GAAI2I,EAAKyH,SAAUjB,KAAKia,OAAOC,MAAMC,SAAST,wBCjBpF,IAEI27E,GAVJ,SAAoB16E,GAClBtxB,EAAQ,MAyBKisG,GAVCjtG,OAAAwyB,GAAA,EAAAxyB,CACdktG,GCjBQ,WAAgB,IAAAnzE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA+yE,WAAA/yE,EAAAozE,SAAmpDt6E,EAAA,OAAkBC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,mDAAAkH,GAAA,CAAmEI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAgzE,YAAA9xE,MAAiC,CAAApI,EAAA,OAAYC,YAAA,SAAoB,CAAAD,EAAA,KAAUC,YAAA,uBAAiCiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uCAAj/D7K,EAAA,OAAmDC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,iCAAAC,MAAA,CAAoDq6E,eAAArzE,EAAAozE,UAA+BnzE,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAgzE,YAAA9xE,MAAiC,CAAApI,EAAA,OAAYC,YAAA,SAAoB,CAAAD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAO,GAAA,KAAAP,EAAA,SAAAlH,EAAA,KAA2FC,YAAA,gBAA0BiH,EAAAQ,SAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAqCqP,WAAA,EAAax7B,KAAA,cAAAy7B,QAAA,kBAA2CrP,YAAA,eAA4BiH,EAAAyY,GAAAzY,EAAA,kBAAA7zB,GAAyC,OAAA2sB,EAAA,OAAiBprB,IAAAvB,EAAAsC,GAAAsqB,YAAA,gBAA0C,CAAAD,EAAA,QAAaC,YAAA,eAA0B,CAAAD,EAAA,OAAYO,MAAA,CAAOvuB,IAAAqB,EAAAg3F,OAAApzF,YAA6BiwB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,gBAA2B,CAAAD,EAAA,eAAoBC,YAAA,YAAAM,MAAA,CAA+BwK,GAAA7D,EAAAsH,gBAAAn7B,EAAAg3F,UAA0C,CAAAnjE,EAAAO,GAAA,iBAAAP,EAAA0D,GAAAv3B,EAAAg3F,OAAAtkF,UAAA,kBAAAmhB,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAAO,GAAA,KAAAzH,EAAA,QAAwHC,YAAA,aAAwB,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAAv3B,EAAAgJ,MAAA,0BAAuE,GAAA6qB,EAAAO,GAAA,KAAAzH,EAAA,OAA2BC,YAAA,cAAyB,CAAAD,EAAA,YAAiBqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,eAAAqI,WAAA,mBAAsFtP,YAAA,sBAAAM,MAAA,CAA2C2iC,KAAA,KAAWh0B,SAAA,CAAW56B,MAAA4yB,EAAA,gBAA6BC,GAAA,CAAKgtE,MAAA,SAAA/rE,GAAyB,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,KAAesyB,EAAA46B,OAAA56B,EAAA8yE,iBAAsCx1F,MAAA,SAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,YAAsCtI,EAAA8yE,eAAA5xE,EAAAr2B,OAAAuC,kBAChrD,IDOY,EAa7B6lG,GATiB,KAEU,MAYG,QEajBK,GApCK,CAClBr7E,WAAY,CACVgxE,eAEF3jG,KAJkB,WAKhB,MAAO,CACLkjB,MAAO,KAGX4pC,QATkB,WAUhBx0C,KAAK21F,kBAEPp7E,QAAS,CACPq7E,gBADO,SACUvxD,GAAO,IAAA9jC,EAAAP,KACtBqkC,EAAMx1B,QAAQ,SAAC7mB,EAAG+9C,GAChBxlC,EAAK0Z,OAAOC,MAAMwK,IAAIC,kBAAkB1X,UAAU,CAAEpc,GAAI7I,EAAEgJ,OACvDxD,KAAK,SAACqoG,GACAA,EAAa3nG,QAChBqS,EAAK0Z,OAAO2K,OAAO,cAAe,CAACixE,IACnCt1F,EAAKqK,MAAMxiB,KAAKytG,SAK1BF,eAZO,WAYW,IAAA7wE,EAAA9kB,KACV2D,EAAc3D,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYrkB,YACpDA,GACFoE,IAAWiN,YAAY,CAAErR,YAAaA,IACnCnW,KAAK,SAAC62C,GACLvf,EAAK8wE,gBAAgBvxD,QCxBjC,IAEIyxD,GAVJ,SAAoBn7E,GAClBtxB,EAAQ,MAyBK0sG,GAVC1tG,OAAAwyB,GAAA,EAAAxyB,CACd2tG,GCjBQ,WAAgB,IAAaj7E,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAA1Jnb,KAA0J2iB,GAAA,SAA1J3iB,KAA0J8lB,GAA1J9lB,KAA0J+lB,GAAA,0CAA1J/lB,KAA0J2iB,GAAA,KAAAzH,EAAA,OAAgGC,YAAA,cAA1Pnb,KAAmR66B,GAAnR76B,KAAmR,eAAAxG,GAAmC,OAAA0hB,EAAA,cAAwBprB,IAAA0J,EAAA3I,GAAAsqB,YAAA,YAAAM,MAAA,CAA2CjiB,YAAe,MAC/Y,IDOY,EAa7Bs8F,GATiB,KAEU,MAYG,QElBjBG,GARe,CAC5B9xE,SAAU,CACR62C,6BADQ,WAEN,OAAOh7D,KAAKia,OAAOC,MAAMC,SAAS6gD,gCCoBzBk7B,GAVC7tG,OAAAwyB,GAAA,EAAAxyB,CACd8tG,GCdQ,WAAgB,IAAap7E,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,2BAAsC,CAAAD,EAAA,OAAYC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,cAAyB,CAAAD,EAAA,OAAYkP,SAAA,CAAUC,UAA/NrqB,KAA+N8lB,GAA/N9lB,KAA+Ng7D,wCACtO,IDIY,EAEb,KAEC,KAEU,MAYG,QEXjBo7B,GAZO,CACpBjyE,SAAU,CACRxoB,KAAM,WAAc,OAAOqE,KAAKia,OAAOC,MAAMC,SAASygD,eACtDy7B,oBAAqB,WAAc,OAAOr2F,KAAKia,OAAOC,MAAMC,SAASwM,8BACrE2vE,OAAQ,WAAc,OAAOt2F,KAAKia,OAAOC,MAAMC,SAAS0gD,iBACxD07B,YAAa,WAAc,OAAOv2F,KAAKia,OAAOC,MAAMC,SAAS2gD,oBAC7D07B,WAAY,WAAc,OAAOx2F,KAAKia,OAAOC,MAAMC,SAASomC,qBAC5DpK,kBAAmB,WAAc,OAAOn2C,KAAKia,OAAOC,MAAMC,SAASg8B,mBACnES,UAAW,WAAc,OAAO52C,KAAKia,OAAOC,MAAMC,SAASy8B,aCA/D,IAEI6/C,GAVJ,SAAoB97E,GAClBtxB,EAAQ,MAyBKqtG,GAVCruG,OAAAwyB,GAAA,EAAAxyB,CACdsuG,GCjBQ,WAAgB,IAAAv0E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,kBAA6B,CAAAD,EAAA,OAAYC,YAAA,yCAAoD,CAAAD,EAAA,OAAYC,YAAA,2DAAsE,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAmGC,YAAA,6BAAwC,CAAAD,EAAA,MAAAkH,EAAA,KAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,oBAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,OAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,WAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAA0D,GAAA1D,EAAAw0B,uBACjb,IDOY,EAa7B6/C,GATiB,KAEU,MAYG,QElBjBG,GARa,CAC1BzyE,SAAU,CACR7sB,QADQ,WAEN,OAAO0I,KAAKia,OAAOC,MAAMC,SAAS8gD,OCKxC,IAEI47B,GAVJ,SAAoBl8E,GAClBtxB,EAAQ,MAyBKytG,GAVCzuG,OAAAwyB,GAAA,EAAAxyB,CACd0uG,GCjBQ,WAAgB,IAAah8E,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAAA,EAAA,OAA2BC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,cAAAiP,SAAA,CAAoCC,UAAjNrqB,KAAiN8lB,GAAjN9lB,KAAiN1I,mBACxN,IDOY,EAa7Bu/F,GATiB,KAEU,MAYG,QERjBG,GAfI,CACjBh1E,QADiB,WACN,IAAAzhB,EAAAP,KACSA,KAAKia,OAAOC,MAAMC,SAAS88E,cACnCpoF,QAAQ,SAAA8C,GAAQ,OAAIpR,EAAK0Z,OAAO+K,SAAS,qBAAsBrT,MAE3E0I,WAAY,CACV+xB,oBAEFjoB,SAAU,CACR8yE,cADQ,WACS,IAAAnyE,EAAA9kB,KACf,OAAOnO,KAAImO,KAAKia,OAAOC,MAAMC,SAAS88E,cAAe,SAAAtlF,GAAQ,OAAImT,EAAK7K,OAAOqN,QAAQC,SAAS5V,KAAW1M,OAAO,SAAAC,GAAC,OAAIA,OCL3H,IAEIgyF,GAVJ,SAAoBv8E,GAClBtxB,EAAQ,MAyBK8tG,GAVC9uG,OAAAwyB,GAAA,EAAAxyB,CACd+uG,GCjBQ,WAAgB,IAAar8E,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,eAA0B,CAAAD,EAAA,OAAYC,YAAA,yCAAoD,CAAAD,EAAA,OAAYC,YAAA,oDAA+D,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAArRnb,KAAqR2iB,GAAA,aAArR3iB,KAAqR8lB,GAArR9lB,KAAqR+lB,GAAA,gCAArR/lB,KAAqR2iB,GAAA,KAAAzH,EAAA,OAA0FC,YAAA,cAA/Wnb,KAAwY66B,GAAxY76B,KAAwY,uBAAAxG,GAA2C,OAAA0hB,EAAA,mBAA6BprB,IAAA0J,EAAAzI,YAAA0qB,MAAA,CAA4BjiB,YAAe,QAClgB,IDOY,EAa7B09F,GATiB,KAEU,MAYG,qOEvBhC,IA+BeG,GA/Bc,CAC3BlzE,wWAAUmzE,CAAA,GACL5wE,YAAS,CACV6wE,iBAAkB,SAAAr9E,GAAK,OAAItI,KAAIsI,EAAO,8BACtCs9E,YAAa,SAAAt9E,GAAK,OAAItI,KAAIsI,EAAO,yCAA0C,KAC3Eu9E,oBAAqB,SAAAv9E,GAAK,OAAItI,KAAIsI,EAAO,kDAAmD,KAC5Fw9E,gBAAiB,SAAAx9E,GAAK,OAAItI,KAAIsI,EAAO,8CAA+C,KACpFy9E,gBAAiB,SAAAz9E,GAAK,OAAItI,KAAIsI,EAAO,8CAA+C,KACpF09E,oBAAqB,SAAA19E,GAAK,OAAItI,KAAIsI,EAAO,kEAAmE,KAC5G29E,mBAAoB,SAAA39E,GAAK,OAAItI,KAAIsI,EAAO,kDAAmD,KAC3F49E,sBAAuB,SAAA59E,GAAK,OAAItI,KAAIsI,EAAO,qDAAsD,KACjG69E,mBAAoB,SAAA79E,GAAK,OAAItI,KAAIsI,EAAO,mEAAoE,KAC5G89E,eAAgB,SAAA99E,GAAK,OAAItI,KAAIsI,EAAO,+CAAgD,KACpF+9E,gBAAiB,SAAA/9E,GAAK,OAAItI,KAAIsI,EAAO,gDAAiD,OAZlF,CAcNg+E,4BAdM,WAeJ,OAAOl4F,KAAKy3F,oBAAoBvvG,QAC9B8X,KAAK03F,gBAAgBxvG,QACrB8X,KAAK23F,gBAAgBzvG,QACrB8X,KAAK43F,oBAAoB1vG,QACzB8X,KAAK63F,mBAAmB3vG,QACxB8X,KAAK83F,sBAAsB5vG,QAE/BiwG,mBAtBM,WAuBJ,OAAOn4F,KAAK+3F,mBAAmB7vG,QAC7B8X,KAAKg4F,eAAe9vG,QACpB8X,KAAKi4F,gBAAgB/vG,WCrB7B,IAEIkwG,GAVJ,SAAoBz9E,GAClBtxB,EAAQ,MCuBKgvG,GAlBD,CACZh+E,WAAY,CACV47E,yBACAG,iBACAQ,uBACAI,cACAK,qBDIYhvG,OAAAwyB,GAAA,EAAAxyB,CACdiwG,GEjBQ,WAAgB,IAAAl2E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,iBAAAlH,EAAA,OAAwCC,YAAA,0BAAqC,CAAAD,EAAA,OAAYC,YAAA,yCAAoD,CAAAD,EAAA,OAAYC,YAAA,oDAA+D,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAmGC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,eAA0B,CAAAD,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,8BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,qBAAAm2E,GAAwM,OAAAr9E,EAAA,MAAgBprB,IAAAyoG,EAAAnuE,SAAA,CAAqBouE,YAAAp2E,EAAA0D,GAAAyyE,QAAgC,GAAAn2E,EAAAO,GAAA,KAAAP,EAAA,4BAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAs1E,gBAAA,OAAAx8E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,yBAAAjI,GAA+Z,OAAAe,EAAA,MAAgBprB,IAAAqqB,EAAAiQ,SAAA,CAAuBouE,YAAAp2E,EAAA0D,GAAA3L,QAAkC,KAAAiI,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAu1E,gBAAA,OAAAz8E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,yBAAAjI,GAAiR,OAAAe,EAAA,MAAgBprB,IAAAqqB,EAAAiQ,SAAA,CAAuBouE,YAAAp2E,EAAA0D,GAAA3L,QAAkC,KAAAiI,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAq1E,oBAAA,OAAAv8E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,6BAAAjI,GAAiS,OAAAe,EAAA,MAAgBprB,IAAAqqB,EAAAiQ,SAAA,CAAuBouE,YAAAp2E,EAAA0D,GAAA3L,QAAkC,KAAAiI,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAw1E,oBAAA,OAAA18E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,6BAAAjI,GAAmS,OAAAe,EAAA,MAAgBprB,IAAAqqB,EAAAiQ,SAAA,CAAuBouE,YAAAp2E,EAAA0D,GAAA3L,QAAkC,KAAAiI,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAy1E,mBAAA,OAAA38E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,4BAAAjI,GAA+R,OAAAe,EAAA,MAAgBprB,IAAAqqB,EAAAiQ,SAAA,CAAuBouE,YAAAp2E,EAAA0D,GAAA3L,QAAkC,KAAAiI,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA01E,sBAAA,OAAA58E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,+BAAAjI,GAA2S,OAAAe,EAAA,MAAgBprB,IAAAqqB,EAAAiQ,SAAA,CAAuBouE,YAAAp2E,EAAA0D,GAAA3L,QAAkC,KAAAiI,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,mBAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA21E,mBAAA,OAAA78E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,4BAAAkuC,GAAiW,OAAAp1C,EAAA,MAAgBprB,IAAAwgE,EAAAlmC,SAAA,CAAsBouE,YAAAp2E,EAAA0D,GAAAwqC,QAAiC,KAAAluC,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA41E,eAAA,OAAA98E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,wBAAAkuC,GAAkM,OAAAp1C,EAAA,MAAgBprB,IAAAwgE,EAAAlmC,SAAA,CAAsBouE,YAAAp2E,EAAA0D,GAAAwqC,QAAiC,KAAAluC,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA61E,gBAAA,OAAA/8E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,yBAAAkuC,GAAqM,OAAAp1C,EAAA,MAAgBprB,IAAAwgE,GAAY,CAAAluC,EAAAO,GAAA,mBAAAP,EAAA0D,GAAAwqC,EAAAmoC,SAAA,mBAAAr2E,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAA0D,GAAAwqC,EAAAx1B,aAAA,sBAA6L,KAAA1Y,EAAAQ,aAAAR,EAAAQ,MAChjI,IFOY,EAa7Bw1E,GATiB,KAEU,MAYG,SCZ9Bj0E,SAAU,CACRk2C,kBADQ,WACe,OAAOr6D,KAAKia,OAAOC,MAAMC,SAASkgD,mBACzDC,0BAFQ,WAGN,OAAOt6D,KAAKia,OAAOC,MAAMC,SAASmgD,4BAC/Bt6D,KAAKia,OAAOqN,QAAQlK,aAAaypC,SAClC7mD,KAAKia,OAAOC,MAAMC,SAAS6gD,gCEXnC,IAEI09B,GAVJ,SAAoB/9E,GAClBtxB,EAAQ,MAyBKsvG,GAVCtwG,OAAAwyB,GAAA,EAAAxyB,CACduwG,GCjBQ,WAAgB,IAAAx2E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,WAAsB,CAAAiH,EAAA,0BAAAlH,EAAA,2BAAAkH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,eAAAkH,EAAAO,GAAA,KAAAzH,EAAA,0BAAAkH,EAAAO,GAAA,KAAAzH,EAAA,wBAAAkH,EAAAO,GAAA,KAAAP,EAAA,kBAAAlH,EAAA,kBAAAkH,EAAAQ,MAAA,IAC7G,IDOY,EAa7B81E,GATiB,KAEU,MAYG,QEIjBG,GA9BY,CACzBnxG,KAAM,iBAAO,CACXwG,OAAO,IAETsmD,QAJyB,WAKvBx0C,KAAK84F,YAEPv+E,QAAS,CACPu+E,SADO,WACK,IAAAv4F,EAAAP,KACJhP,EAAOgP,KAAKqlB,OAAOvhB,OAAO7C,SAAW,IAAMjB,KAAKqlB,OAAOvhB,OAAOi1F,SACpE/4F,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkB1X,UAAU,CAAEpc,GAAIG,IACrDxD,KAAK,SAACqoG,GACL,GAAIA,EAAa3nG,MACfqS,EAAKrS,OAAQ,MACR,CACLqS,EAAK0Z,OAAO2K,OAAO,cAAe,CAACixE,IACnC,IAAMhlG,EAAKglG,EAAahlG,GACxB0P,EAAKimB,QAAQv0B,QAAQ,CACnBlD,KAAM,wBACN+U,OAAQ,CAAEjT,WATlB,MAaS,WACL0P,EAAKrS,OAAQ,OChBvB,IAEI8qG,GAVJ,SAAoBr+E,GAClBtxB,EAAQ,MAyBK4vG,GAVC5wG,OAAAwyB,GAAA,EAAAxyB,CACd6wG,GCjBQ,WAAgB,IAAA92E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA8GC,YAAA,cAAyB,CAAAD,EAAA,KAAAkH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4CAAA3D,EAAA0D,GAAA1D,EAAAiD,OAAAvhB,OAAA7C,UAAA,IAAAmhB,EAAA0D,GAAA1D,EAAAiD,OAAAvhB,OAAAi1F,UAAA,YAAA32E,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,KAAAkH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2CAAA3D,EAAAQ,UACxS,IDOY,EAa7Bo2E,GATiB,KAEU,MAYG,QEHjBG,GAAA,SAACr9E,GACd,IAAMs9E,EAA6B,SAACnzE,EAAIwhD,EAAMpsE,GACxCygB,EAAM5B,MAAMtP,MAAMod,YACpB3sB,IAEAA,EAAKygB,EAAM5B,MAAMC,SAASigD,qBAAuB,cAIjDi/B,EAAS,CACX,CAAEtqG,KAAM,OACNg4C,KAAM,IACN+xD,SAAU,SAAAQ,GACR,OAAQx9E,EAAM5B,MAAMtP,MAAMod,YACtBlM,EAAM5B,MAAMC,SAASggD,kBACrBr+C,EAAM5B,MAAMC,SAASigD,sBAAwB,cAGrD,CAAErrE,KAAM,2BAA4Bg4C,KAAM,YAAa0mB,UAAW6wB,IAClE,CAAEvvF,KAAM,kBAAmBg4C,KAAM,eAAgB0mB,UAAWywB,IAC5D,CAAEnvF,KAAM,UAAWg4C,KAAM,gBAAiB0mB,UAAWgxB,GAAiB8a,YAAaH,GACnF,CAAErqG,KAAM,eAAgBg4C,KAAM,YAAa0mB,UAAWmxB,IACtD,CAAE7vF,KAAM,YAAag4C,KAAM,aAAc0mB,UAAW+rC,IACpD,CAAEzqG,KAAM,eAAgBg4C,KAAM,cAAe0mB,UAAWgsC,GAAkB9jG,KAAM,CAAE+jG,YAAY,IAC9F,CAAE3qG,KAAM,2BACNg4C,KAAM,wDACN0mB,UAAWorC,GACXU,YAAaH,GAEf,CAAErqG,KAAM,sBACNg4C,KAAM,oCACN0mB,UAAWorC,GACXU,YAAaH,GAEf,CAAErqG,KAAM,wBAAyBg4C,KAAM,aAAc0mB,UAAWo/B,IAChE,CAAE99F,KAAM,eAAgBg4C,KAAM,gCAAiC0mB,UAAW4zB,GAAckY,YAAaH,GACrG,CAAErqG,KAAM,MAAOg4C,KAAM,uBAAwB0mB,UAAWm0B,GAAK2X,YAAaH,GAC1E,CAAErqG,KAAM,eAAgBg4C,KAAM,gBAAiB0mB,UAAWksC,IAC1D,CAAE5qG,KAAM,iBAAkBg4C,KAAM,kBAAmB0mB,UAAWmsC,GAAe9/E,OAAO,GACpF,CAAE/qB,KAAM,qBAAsBg4C,KAAM,uBAAwB0mB,UAAWksC,IACvE,CAAE5qG,KAAM,kBAAmBg4C,KAAM,mBAAoB0mB,UAAWklC,GAAgB4G,YAAaH,GAC7F,CAAErqG,KAAM,gBAAiBg4C,KAAM,2BAA4B0mB,UAAWsyB,GAAewZ,YAAaH,GAClG,CAAErqG,KAAM,QAASg4C,KAAM,SAAU0mB,UAAWknC,IAC5C,CAAE5lG,KAAM,aAAcg4C,KAAM,cAAe0mB,UAAWosC,GAAW//E,MAAO,iBAAO,CAAE07E,UAAU,KAC3F,CAAEzmG,KAAM,iBAAkBg4C,KAAM,kBAAmB0mB,UAAWqsC,GAAehgF,MAAO,SAACkiE,GAAD,MAAY,CAAE70E,KAAM60E,EAAMpkE,MAAMzQ,QACpH,CAAEpY,KAAM,SAAUg4C,KAAM,UAAW0mB,UAAW6gC,GAAQx0E,MAAO,SAACkiE,GAAD,MAAY,CAAEpkE,MAAOokE,EAAMpkE,MAAMA,SAC9F,CAAE7oB,KAAM,gBAAiBg4C,KAAM,iBAAkB0mB,UAAWioC,GAAa6D,YAAaH,GACtF,CAAErqG,KAAM,QAASg4C,KAAM,SAAU0mB,UAAW4qC,IAC5C,CAAEtpG,KAAM,eAAgBg4C,KAAM,kBAAmB0mB,UAAWo/B,KAU9D,OAPI/wE,EAAM5B,MAAMC,SAASwM,+BACvB0yE,EAASA,EAAO/iG,OAAO,CACrB,CAAEvH,KAAM,OAAQg4C,KAAM,uCAAwC0mB,UAAWm5B,GAAMjxF,KAAM,CAAE+jG,YAAY,GAASH,YAAaH,GACzH,CAAErqG,KAAM,QAASg4C,KAAM,yBAA0B0mB,UAAWk2B,GAAUhuF,KAAM,CAAE+jG,YAAY,GAASH,YAAaH,MAI7GC,gOC5ET,IAYeU,GAZG,CAChB51E,wWAAU61E,CAAA,CACRhK,SADM,WACQ,OAAOhwF,KAAKxG,OACvBktB,YAAS,CAAEltB,KAAM,SAAA0gB,GAAK,OAAIA,EAAMtP,MAAMod,gBAE3C3N,WAAY,CACVs6E,YACA/1D,oBACAC,gBCLJ,IAEIo7D,GAVJ,SAAoBt/E,GAClBtxB,EAAQ,MAyBK6wG,GAVC7xG,OAAAwyB,GAAA,EAAAxyB,CACd8xG,GCjBQ,WAAgB,IAAap/E,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,cAAyB,CAAzGnb,KAAyG,SAAAkb,EAAA,OAA2BprB,IAAA,aAAAqrB,YAAA,iCAA6D,CAAAD,EAAA,YAAiBO,MAAA,CAAOioB,UAAzN1jC,KAAyNxG,KAAA3I,GAAAo5B,YAAA,EAAAvC,QAAA,SAAzN1nB,KAAgR2iB,GAAA,KAAAzH,EAAA,sBAAAA,EAAA,aAAuDprB,IAAA,gBAAiB,IAC/V,IDOY,EAa7BmqG,GATiB,KAEU,MAYG,qO5HR5Bx7E,kWAmCQ27E,CAAA,GACL1zE,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,aAClCm0D,YAAa,SAAAjiE,GAAK,OAAIA,EAAMC,SAAN,SACtBiiE,WAAY,SAAAliE,GAAK,OAAIA,EAAMC,SAASiiE,4O8HtD1C,IA2Beie,GA3BE,CACfr4E,QADe,WAEThiB,KAAKgoB,aAAehoB,KAAKgoB,YAAYnzB,QACvCmL,KAAKia,OAAO+K,SAAS,gCAGzBb,wWAAUm2E,CAAA,CACRC,gBADM,WAEJ,Q9HLG,CACLtxF,QAAW,eACXM,UAAa,gBACbL,IAAO,UACPyyE,kBAAmB,gBACnBC,2BAA4B,WAC5BC,eAAgB,O8HDW77E,KAAKqlB,OAAOt2B,OAEvCyrG,eAJM,WAKJ,OAAIx6F,KAAKia,OAAOC,MAAZ,UAA4Bk+C,aACvBp4D,KAAKia,OAAOC,MAAZ,UAA4Bk+C,aAE9Bp4D,KAAKgoB,YAAc,UAAY,oBAErCtB,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,aAClCyyE,mBAAoB,SAAAvgF,GAAK,OAAIA,EAAMwK,IAAI4oD,eAAeplF,QACtDi0F,YAAa,SAAAjiE,GAAK,OAAIA,EAAMC,SAAN,SACtBiiE,WAAY,SAAAliE,GAAK,OAAIA,EAAMC,SAASiiE,YACpCz1D,6BAA8B,SAAAzM,GAAK,OAAIA,EAAMC,SAASwM,gCAflD,GAiBHiC,YAAW,CAAC,sBClBnB,IAEI8xE,GAVJ,SAAoB//E,GAClBtxB,EAAQ,MAyBKsxG,GAVCtyG,OAAAwyB,GAAA,EAAAxyB,CACduyG,GCjBQ,WAAgB,IAAAx4E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,aAAwB,CAAAD,EAAA,OAAYC,YAAA,uBAAkC,CAAAD,EAAA,MAAAkH,EAAA4F,cAAA5F,EAAA+5D,YAAAjhE,EAAA,MAAAA,EAAA,eAA4EE,MAAAgH,EAAAm4E,iBAAA,qBAAA9+E,MAAA,CAAyDwK,GAAA,CAAMl3B,KAAAqzB,EAAAo4E,kBAA6B,CAAAt/E,EAAA,KAAUC,YAAA,4BAAsCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,MAAAA,EAAA,eAAmIO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,eAAA+U,OAAA,CAAgC7C,SAAAmhB,EAAA4F,YAAAj3B,gBAA4C,CAAAmqB,EAAA,KAAUC,YAAA,8BAAwCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA4F,aAAA5F,EAAAuE,6BAAAzL,EAAA,MAAAA,EAAA,eAA0KO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,QAAA+U,OAAA,CAAyB7C,SAAAmhB,EAAA4F,YAAAj3B,gBAA4C,CAAAqxB,EAAA,gBAAAlH,EAAA,OAAkCC,YAAA,8CAAyD,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAAqyD,iBAAA,kBAAAryD,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,KAAqGC,YAAA,0BAAoCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA4F,aAAA5F,EAAA4F,YAAAnzB,OAAAqmB,EAAA,MAAAA,EAAA,eAAyJO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,qBAA4B,CAAAmsB,EAAA,KAAUC,YAAA,+BAAyCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAq4E,mBAAA,EAAAv/E,EAAA,QAA2GC,YAAA,8BAAyC,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAAq4E,oBAAA,kBAAAr4E,EAAAQ,QAAA,GAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,MAAAA,EAAA,eAA0IO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,WAAkB,CAAAmsB,EAAA,KAAUC,YAAA,kCAA4CiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAC3sD,IDOY,EAa7B20E,GATiB,KAEU,MAYG,QEKjBG,GA/BG,CAChBnzG,KAAM,iBAAO,CACX6mG,gBAAY//F,EACZwwB,QAAQ,EACR9wB,OAAO,EACP+2C,SAAS,IAEX9C,MAAO,CACL9c,OAAU,SAAU22D,GACC,WAAfA,EAAMjtF,OACRiR,KAAKuuF,WAAavS,EAAMpkE,MAAMA,SAIpC2C,QAAS,CACPwf,KADO,SACDw0D,GACJvuF,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,SAAU6oB,MAAO,CAAEA,MAAO22E,KACpDvuF,KAAK4f,MAAM+uE,YAAYz7C,SAEzB4N,aALO,WAKS,IAAAvgD,EAAAP,KACdA,KAAKgf,QAAUhf,KAAKgf,OACpBhf,KAAKuhB,MAAM,UAAWvhB,KAAKgf,QAC3Bhf,KAAKwhB,UAAU,WACRjhB,EAAKye,QACRze,EAAKqf,MAAM+uE,YAAYz7C,aChBjC,IAEI4nD,GAVJ,SAAoBngF,GAClBtxB,EAAQ,MAyBK0xG,GAVC1yG,OAAAwyB,GAAA,EAAAxyB,CACd2yG,GCjBQ,WAAgB,IAAA54E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAAA,EAAA,OAA2BC,YAAA,wBAAmC,CAAAiH,EAAA,QAAAlH,EAAA,KAAwBC,YAAA,6CAAuDiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,OAAAlH,EAAA,KAA4CO,MAAA,CAAOrxB,KAAA,IAAA0O,MAAAspB,EAAA2D,GAAA,gBAAyC,CAAA7K,EAAA,KAAUC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAA,SAAAa,GAA0E,OAAjDA,EAAA4H,iBAAwB5H,EAAAE,kBAAyBpB,EAAA0+B,aAAAx9B,SAAkC,CAAApI,EAAA,SAAiBqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,WAAAqI,WAAA,eAA8EjI,IAAA,cAAArH,YAAA,mBAAAM,MAAA,CAA0D5qB,GAAA,mBAAA+pC,YAAAxY,EAAA2D,GAAA,cAAAn5B,KAAA,QAAyEw9B,SAAA,CAAW56B,MAAA4yB,EAAA,YAAyBC,GAAA,CAAKgtE,MAAA,SAAA/rE,GAAyB,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,KAAesyB,EAAA2X,KAAA3X,EAAAmsE,aAAgC7uF,MAAA,SAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAmsE,WAAAjrE,EAAAr2B,OAAAuC,WAAqC4yB,EAAAO,GAAA,KAAAzH,EAAA,UAA2BC,YAAA,oBAAAkH,GAAA,CAAoCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA2X,KAAA3X,EAAAmsE,eAAkC,CAAArzE,EAAA,KAAUC,YAAA,kBAA0BiH,EAAAO,GAAA,KAAAzH,EAAA,KAAwBC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAA,SAAAa,GAA0E,OAAjDA,EAAA4H,iBAAwB5H,EAAAE,kBAAyBpB,EAAA0+B,aAAAx9B,SAAkC,MACtzC,IDOY,EAa7Bw3E,GATiB,KAEU,MAYG,6BEDhC,SAASnF,GAAgB/pE,GACvB,IAAIjoB,EAAcioB,EAAM3R,OAAOC,MAAMtP,MAAMod,YAAYrkB,YACnDA,IACFioB,EAAMqvE,cAAcpsF,QAAQ,SAAAqsF,GAC1BA,EAASnsG,KAAO,eAElBgZ,IAAWiN,YAAY,CAAErR,YAAaA,IACnCnW,KAAK,SAAC62C,IA5Bb,SAA0BzY,EAAOyY,GAAO,IAAA9jC,EAAAP,KAChCm7F,EAAWC,KAAQ/2D,GAEzBzY,EAAMqvE,cAAcpsF,QAAQ,SAACqsF,EAAUn1D,GACrC,IAAIvsC,EAAO2hG,EAASp1D,GAChBga,EAAMvmD,EAAKrH,QAAUoO,EAAK0Z,OAAOC,MAAMC,SAASH,cAChDjrB,EAAOyK,EAAKxI,KAEhBkqG,EAASn7C,IAAMA,EACfm7C,EAASnsG,KAAOA,EAEhB68B,EAAM3R,OAAOC,MAAMwK,IAAIC,kBAAkB1X,UAAU,CAAEpc,GAAI9B,IACtDvB,KAAK,SAACqoG,GACAA,EAAa3nG,QAChB09B,EAAM3R,OAAO2K,OAAO,cAAe,CAACixE,IACpCqF,EAASrqG,GAAKglG,EAAahlG,QAc7B+kG,CAAgBhqE,EAAOyY,MAK/B,IAuCeg3D,GAvCU,CACvB3zG,KAAM,iBAAO,CACXuzG,cAAe,KAEjB92E,SAAU,CACR3qB,KAAM,WACJ,OAAOwG,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYj3B,aAE7C+pE,mBAJQ,WAKN,OAAO96D,KAAKia,OAAOC,MAAMC,SAAS2gD,qBAGtCvgD,QAAS,CACPmP,gBADO,SACU74B,EAAI9B,GACnB,OAAO0qB,aAAoB5oB,EAAI9B,EAAMiR,KAAKia,OAAOC,MAAMC,SAAST,uBAGpEyoB,MAAO,CACL3oC,KAAM,SAAUA,EAAM8hG,GAChBt7F,KAAK86D,oBACP66B,GAAe31F,QAIrBw0C,QACE,WAAY,IAAA1vB,EAAA9kB,KACVA,KAAKi7F,cAAgB,IAAInwE,MAAM,GAAGywE,OAAO1pG,IAAI,SAAAsuB,GAAC,MAC5C,CACE4/B,IAAKj7B,EAAK7K,OAAOC,MAAMC,SAASH,cAChCjrB,KAAM,GACN8B,GAAI,KAGJmP,KAAK86D,oBACP66B,GAAe31F,QChEvB,IAEIw7F,GAVJ,SAAoB7gF,GAClBtxB,EAAQ,MAyBKoyG,GAVCpzG,OAAAwyB,GAAA,EAAAxyB,CACdqzG,GCjBQ,WAAgB,IAAAt5E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,yCAAoD,CAAAD,EAAA,OAAYC,YAAA,2DAAsE,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA0GC,YAAA,iBAA4B,CAAAiH,EAAAyY,GAAAzY,EAAA,uBAAA5oB,GAA4C,OAAA0hB,EAAA,KAAeprB,IAAA0J,EAAA3I,GAAAsqB,YAAA,uBAA8C,CAAAD,EAAA,OAAYO,MAAA,CAAOvuB,IAAAsM,EAAAumD,OAAgB39B,EAAAO,GAAA,KAAAzH,EAAA,eAAgCO,MAAA,CAAOwK,GAAA7D,EAAAsH,gBAAAlwB,EAAA3I,GAAA2I,EAAAzK,QAA8C,CAAAqzB,EAAAO,GAAA,eAAAP,EAAA0D,GAAAtsB,EAAAzK,MAAA,gBAAAmsB,EAAA,YAAuEkH,EAAAO,GAAA,KAAAzH,EAAA,KAAsBC,YAAA,sBAAiC,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,mBAA0B,CAAAqzB,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oDAC30B,IDOY,EAa7By1E,GATiB,KAEU,MAYG,QEbhCG,GAAA,CACA7hF,MAAA,CACA4hE,OAAA,CACA9uF,KAAA+N,QACAqoB,SAAA,GAEA44E,aAAA,CACAhvG,KAAA+N,QACAqoB,SAAA,IAGAmB,SAAA,CACAqD,QADA,WAEA,OACAq0E,oBAAA77F,KAAA47F,aACAnyE,KAAAzpB,KAAA07E,WCnBA,IAEIogB,GAXJ,SAAoBnhF,GAClBtxB,EAAQ,MA0BK0yG,GAVC1zG,OAAAwyB,GAAA,EAAAxyB,CACdszG,GClBQ,WAAgB,IAAAv5E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAAkD,OAAxBoH,EAAAnH,MAAAC,IAAAH,GAAwB,OAAiBwP,WAAA,EAAax7B,KAAA,OAAAy7B,QAAA,SAAAh7B,MAAA4yB,EAAA,OAAAqI,WAAA,UAAoE,CAAE17B,KAAA,mBAAAy7B,QAAA,qBAAAh7B,MAAA4yB,EAAAs5D,SAAAt5D,EAAAw5E,aAAAnxE,WAAA,4BAAkItP,YAAA,aAAAC,MAAAgH,EAAAoF,QAAAnF,GAAA,CAAiDI,MAAA,SAAAa,GAAyB,OAAAA,EAAAr2B,SAAAq2B,EAAAC,cAA2C,KAAenB,EAAAb,MAAA,sBAAsC,CAAAa,EAAAM,GAAA,gBACtd,IDQY,EAa7Bo5E,GATiB,KAEU,MAYG,QEvBhC,IAMIE,GAVJ,SAAoBrhF,GAClBtxB,EAAQ,MCQV,IAEI4yG,GAXJ,SAAoBthF,GAClBtxB,EAAQ,mOC8BK6yG,ICUAC,GApCO,CACpB9hF,WAAY,CACV+hF,SACAC,qBDCJ,SAAsCC,EAAgB3jG,GACpD,IAAM4jG,EAAwB,kBAAM,iXAAAC,CAAA,CAClC/uC,UAAW6uC,KACR3jG,KAGC8jG,EAAUjvC,IAAIkvC,WAAW,CAAE7tG,EAAG0tG,MAEpC,MAAO,CACLI,YAAY,EACZluC,OAFK,SAEG9hE,EAFHiR,GAEsC,IAAlBlW,EAAkBkW,EAAlBlW,KAAMm4B,EAAYjiB,EAAZiiB,SAO7B,OALAn4B,EAAK26B,GAAK,GACV36B,EAAK26B,GAAGu6E,oBAAsB,WAC5BH,EAAQ5tG,EAAI0tG,KAGP5vG,EAAc8vG,EAAQ5tG,EAAGnH,EAAMm4B,KClBlBq8E,CACpB,kBAAMjyG,QAAA0E,IAAA,CAAAtF,EAAAQ,EAAA,GAAAR,EAAAQ,EAAA,KAAA2D,KAAAnE,EAAA0G,KAAA,YACN,CACEk1C,QHKQ58C,OAAAwyB,GAAA,EAAAxyB,CAZhB,KIJU,WAAgB,IAAa0yB,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,iBAA4B,CAAAD,EAAA,QAAaC,YAAA,gBAA2B,CAAAD,EAAA,KAAUC,YAAA,4BAA9Jnb,KAAoM2iB,GAAA,SAApM3iB,KAAoM8lB,GAApM9lB,KAAoM+lB,GAAA,iCAC3M,IJOY,EAa7Bi2E,GATiB,KAEU,MAYG,QGdxB9tG,MFKQ7F,OAAAwyB,GAAA,EAAAxyB,CIGhB,CACAkyB,QAAA,CACAsiF,MADA,WAEA78F,KAAAuhB,MAAA,0BCvBU,WAAgB,IAAAa,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,yBAAoC,CAAAD,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA4MC,YAAA,MAAAkH,GAAA,CAAsBI,MAAAL,EAAAy6E,QAAmB,CAAAz6E,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAChX,ILQY,EAa7Bk2E,GATiB,KAEU,MAYG,QEdxBa,MAAO,KAIbviF,QAAS,CACPwiF,WADO,WAEL/8F,KAAKia,OAAO+K,SAAS,uBAEvBg4E,UAJO,WAKLh9F,KAAKia,OAAO+K,SAAS,6BAGzBb,SAAU,CACR0zC,uBADQ,WAEN,OAAO73D,KAAKia,OAAOC,MAAZ,UAA4BhD,SAAS2gD,wBAE9Cga,eAJQ,WAKN,MAA0D,WAAnD7xE,KAAKia,OAAOC,MAAZ,UAA4Bk0C,oBAErC6uC,gBAPQ,WAQN,OAAOj9F,KAAKia,OAAOC,MAAZ,UAA4By9C,qBAErCulC,YAVQ,WAWN,MAA0D,cAAnDl9F,KAAKia,OAAOC,MAAZ,UAA4Bk0C,sBI5BzC,IAEI+uC,GAVJ,SAAoBxiF,GAClBtxB,EAAQ,MAyBK+zG,GAVC/0G,OAAAwyB,GAAA,EAAAxyB,CACdg1G,GCjBQ,WAAgB,IAAAj7E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,SAAmBC,YAAA,iBAAAC,MAAA,CAAoCkiF,KAAAl7E,EAAA86E,aAAwBzhF,MAAA,CAAQ8hF,UAAAn7E,EAAAyvD,eAAA2rB,gBAAAp7E,EAAA86E,cAA8D,CAAAhiF,EAAA,OAAYC,YAAA,8BAAyC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,QAAaC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,cAAqGO,MAAA,CAAO1sB,KAAA,SAAe,CAAAqzB,EAAA,wBAAAA,EAAAy1C,uBAAA,MAAA38C,EAAA,OAA6EC,YAAA,cAAAkH,GAAA,CAA8BI,MAAA,SAAAa,GAAyBA,EAAA4H,oBAA2B,CAAA9I,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAy1C,uBAAA3pE,MAA6Ok0B,EAAAQ,KAA7O1H,EAAA,OAAqJC,YAAA,oBAAAkH,GAAA,CAAoCI,MAAA,SAAAa,GAAyBA,EAAA4H,oBAA2B,CAAA9I,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAzH,EAAA,UAAiIC,YAAA,MAAAkH,GAAA,CAAsBI,MAAAL,EAAA46E,YAAuB,CAAA56E,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA4FC,YAAA,MAAAkH,GAAA,CAAsBI,MAAAL,EAAA26E,aAAwB,CAAA36E,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA8FC,YAAA,cAAyB,CAAAiH,EAAA,gBAAAlH,EAAA,wBAAAkH,EAAAQ,MAAA,QAC/wC,IDOY,EAa7Bu6E,GATiB,KAEU,MAYG,2BElB1BM,GAAkB,SAAA5zG,GAAC,MAAK,CAACA,EAAE6zG,QAAQ,GAAGC,QAAS9zG,EAAE6zG,QAAQ,GAAGE,UAE5DC,GAAe,SAAAv0E,GAAC,OAAI3sB,KAAKmhG,KAAKx0E,EAAE,GAAKA,EAAE,GAAKA,EAAE,GAAKA,EAAE,KAIrDy0E,GAAa,SAACC,EAAIC,GAAL,OAAYD,EAAG,GAAKC,EAAG,GAAKD,EAAG,GAAKC,EAAG,IAEpDC,GAAU,SAACF,EAAIC,GACnB,IAAME,EAAUJ,GAAWC,EAAIC,GAAMF,GAAWE,EAAIA,GACpD,MAAO,CAACE,EAASF,EAAG,GAAIE,EAASF,EAAG,KAuDvBG,GAVQ,CACrBC,eA/DqB,EAAE,EAAG,GAgE1BC,gBA/DsB,CAAC,EAAG,GAgE1BC,aA/DmB,CAAC,GAAI,GAgExBC,eA/DqB,CAAC,EAAG,GAgEzBC,aAzCmB,SAACC,EAAWC,GAC/B,MAAO,CACLD,YACAC,UACAC,UAJuF3jG,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAArC,GAKlD4jG,uBALuF5jG,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAR,EAM/E6jG,UAAW,CAAC,EAAG,GACfC,UAAU,IAmCZC,WA/BiB,SAACjyG,EAAOkyG,GACzBA,EAAQH,UAAYrB,GAAgB1wG,GACpCkyG,EAAQF,UAAW,GA8BnBG,YA3BkB,SAACnyG,EAAOkyG,GAC1B,GAAKA,EAAQF,SAAb,CAEA,IAxCkBI,EAAUC,EAwCtBC,GAxCYF,EAwCOF,EAAQH,UAxCQ,EAAbM,EAwCgB3B,GAAgB1wG,IAxCT,GAAKoyG,EAAS,GAAIC,EAAS,GAAKD,EAAS,KAyC5F,KAAItB,GAAawB,GAASJ,EAAQL,WAE9Bb,GAAWsB,EAAOJ,EAAQP,WAAa,GAA3C,CAEA,IAvCoBp1E,EAuCdg2E,EAAapB,GAAQmB,EAAOJ,EAAQP,WACpCa,EAxCmB,EAALj2E,EAwCmB21E,EAAQP,WAxCnB,IAAKp1E,EAAE,IAyC7Bk2E,EAAuBtB,GAAQmB,EAAOE,GAE1C1B,GAAayB,GAAcL,EAAQJ,uBACnChB,GAAa2B,KAGfP,EAAQN,UACRM,EAAQF,UAAW,OCqCNU,GA3FI,CACjBplF,WAAY,CACVC,gBACA4lC,qBACAk8C,UAEFj4E,SAAU,CACRu7E,QADQ,WAEN,OAAO1/F,KAAKia,OAAOC,MAAMg3D,YAAYE,WAEvC/nE,MAJQ,WAKN,OAAOrJ,KAAKia,OAAOC,MAAMg3D,YAAY7nE,OAEvC8nE,aAPQ,WAQN,OAAOnxE,KAAKia,OAAOC,MAAMg3D,YAAYC,cAEvCwuB,aAVQ,WAWN,OAAO3/F,KAAKqJ,MAAMrJ,KAAKmxE,eAEzByuB,YAbQ,WAcN,OAAO5/F,KAAKqJ,MAAMnhB,OAAS,GAE7B0E,KAhBQ,WAiBN,OAAOoT,KAAK2/F,aAAephF,KAAgBD,SAASte,KAAK2/F,aAAalqG,UAAY,OAGtFusB,QA1BiB,WA2BfhiB,KAAK6/F,uBAAyBzB,GAAeK,aAC3CL,GAAeE,gBACft+F,KAAK8/F,OACL,IAEF9/F,KAAK+/F,sBAAwB3B,GAAeK,aAC1CL,GAAeC,eACfr+F,KAAKggG,OACL,KAGJzlF,QAAS,CACP0lF,gBADO,SACUp2G,GACfu0G,GAAeY,WAAWn1G,EAAGmW,KAAK6/F,wBAClCzB,GAAeY,WAAWn1G,EAAGmW,KAAK+/F,wBAEpCG,eALO,SAKSr2G,GACdu0G,GAAec,YAAYr1G,EAAGmW,KAAK6/F,wBACnCzB,GAAec,YAAYr1G,EAAGmW,KAAK+/F,wBAErCxpC,KATO,WAULv2D,KAAKia,OAAO+K,SAAS,qBAEvB86E,OAZO,WAaL,GAAI9/F,KAAK4/F,YAAa,CACpB,IAAMO,EAAkC,IAAtBngG,KAAKmxE,aAAqBnxE,KAAKqJ,MAAMnhB,OAAS,EAAK8X,KAAKmxE,aAAe,EACzFnxE,KAAKia,OAAO+K,SAAS,aAAchlB,KAAKqJ,MAAM82F,MAGlDH,OAlBO,WAmBL,GAAIhgG,KAAK4/F,YAAa,CACpB,IAAMQ,EAAYpgG,KAAKmxE,eAAiBnxE,KAAKqJ,MAAMnhB,OAAS,EAAI,EAAK8X,KAAKmxE,aAAe,EACzFnxE,KAAKia,OAAO+K,SAAS,aAAchlB,KAAKqJ,MAAM+2F,MAGlDC,iBAxBO,SAwBWx2G,GACZmW,KAAK0/F,SAAyB,KAAd71G,EAAEmqD,SACpBh0C,KAAKu2D,QAGT+pC,mBA7BO,SA6Baz2G,GACbmW,KAAK0/F,UAIQ,KAAd71G,EAAEmqD,QACJh0C,KAAKggG,SACkB,KAAdn2G,EAAEmqD,SACXh0C,KAAK8/F,YAIXtrD,QA/EiB,WAgFflkD,OAAOsW,iBAAiB,WAAY5G,KAAKu2D,MACzCpqE,SAASya,iBAAiB,QAAS5G,KAAKqgG,kBACxCl0G,SAASya,iBAAiB,UAAW5G,KAAKsgG,qBAE5Cr+E,UApFiB,WAqFf3xB,OAAO4xB,oBAAoB,WAAYliB,KAAKu2D,MAC5CpqE,SAAS+1B,oBAAoB,QAASliB,KAAKqgG,kBAC3Cl0G,SAAS+1B,oBAAoB,UAAWliB,KAAKsgG,sBCrFjD,IAEIC,GAVJ,SAAoB5lF,GAClBtxB,EAAQ,MAyBKm3G,GAVCn4G,OAAAwyB,GAAA,EAAAxyB,CACdo4G,GCjBQ,WAAgB,IAAAr+E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,QAAAlH,EAAA,SAAiCC,YAAA,mBAAAkH,GAAA,CAAmCq+E,gBAAAt+E,EAAAm0C,OAA4B,WAAAn0C,EAAAx1B,KAAAsuB,EAAA,OAAmCC,YAAA,cAAAM,MAAA,CAAiCvuB,IAAAk1B,EAAAu9E,aAAAzuG,IAAAwqB,IAAA0G,EAAAu9E,aAAAnuG,YAAAsH,MAAAspB,EAAAu9E,aAAAnuG,aAAmG6wB,GAAA,CAAKm9B,WAAA,SAAAl8B,GAAuD,OAAzBA,EAAAE,kBAAyBpB,EAAA69E,gBAAA38E,IAAmCq9E,UAAA,SAAAr9E,GAAuD,OAAzBA,EAAAE,kBAAyBpB,EAAA89E,eAAA58E,IAAkCb,MAAAL,EAAAm0C,QAAmBn0C,EAAAQ,KAAAR,EAAAO,GAAA,eAAAP,EAAAx1B,KAAAsuB,EAAA,mBAAoEC,YAAA,cAAAM,MAAA,CAAiCtf,WAAAimB,EAAAu9E,aAAAn+C,UAAA,KAA+Cp/B,EAAAQ,KAAAR,EAAAO,GAAA,eAAAP,EAAAx1B,KAAAsuB,EAAA,SAA0DC,YAAA,cAAAM,MAAA,CAAiCvuB,IAAAk1B,EAAAu9E,aAAAzuG,IAAAwqB,IAAA0G,EAAAu9E,aAAAnuG,YAAAsH,MAAAspB,EAAAu9E,aAAAnuG,YAAAgwD,SAAA,MAAkHp/B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,UAAsDC,YAAA,wDAAAM,MAAA,CAA2E3iB,MAAAspB,EAAA2D,GAAA,yBAAuC1D,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA09E,OAAAx8E,MAA4B,CAAApI,EAAA,KAAUC,YAAA,gCAAwCiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,UAAwDC,YAAA,wDAAAM,MAAA,CAA2E3iB,MAAAspB,EAAA2D,GAAA,qBAAmC1D,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA49E,OAAA18E,MAA4B,CAAApI,EAAA,KAAUC,YAAA,iCAAyCiH,EAAAQ,MAAA,GAAAR,EAAAQ,MAClgD,IDOY,EAa7B29E,GATiB,KAEU,MAYG,qOErBhC,IA6EeK,GA7EI,CACjB9mF,MAAO,CAAE,UACTpyB,KAAM,iBAAO,CACXm5G,QAAQ,EACRC,kBAActyG,IAEhBwzB,QANiB,WAOfhiB,KAAK8gG,aAAe1C,GAAeK,aAAaL,GAAeC,eAAgBr+F,KAAK+gG,cAEhF/gG,KAAKgoB,aAAehoB,KAAKgoB,YAAYnzB,QACvCmL,KAAKia,OAAO+K,SAAS,gCAGzB3K,WAAY,CAAEwkB,eACd1a,wWAAU68E,CAAA,CACRh5E,YADM,WAEJ,OAAOhoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAEjCrsB,KAJM,WAII,MAAgD,WAAzCqE,KAAKia,OAAOC,MAAMve,KAAK0zE,QAAQn1D,OAChDmmE,oBALM,WAMJ,OAAOriE,YAA6Bhe,KAAKia,SAE3CgnF,yBARM,WASJ,OAAOjhG,KAAKqgF,oBAAoBn4F,QAElC4yE,mBAXM,WAYJ,OAAO96D,KAAKia,OAAOC,MAAMC,SAAS2gD,oBAEpCd,KAdM,WAeJ,OAAOh6D,KAAKia,OAAOC,MAAMC,SAAS6/C,MAEpCF,aAjBM,WAkBJ,OAAO95D,KAAKia,OAAOC,MAAMC,SAAS2/C,cAEpConC,SApBM,WAqBJ,OAAOlhG,KAAKia,OAAOC,MAAMC,SAASprB,MAEpC0rG,mBAvBM,WAwBJ,OAAOz6F,KAAKia,OAAOC,MAAMwK,IAAI4oD,eAAeplF,QAE9Ci0F,YA1BM,WA2BJ,OAAOn8E,KAAKia,OAAOC,MAAMC,SAAlB,SAETiiE,WA7BM,WA8BJ,OAAOp8E,KAAKia,OAAOC,MAAMC,SAASiiE,YAEpCoe,eAhCM,WAiCJ,OAAIx6F,KAAKia,OAAOC,MAAZ,UAA4Bk+C,aACvBp4D,KAAKia,OAAOC,MAAZ,UAA4Bk+C,aAE9Bp4D,KAAKgoB,YAAc,UAAY,oBAErCtB,YAAS,CACVC,6BAA8B,SAAAzM,GAAK,OAAIA,EAAMC,SAASwM,gCAvClD,GAyCHiC,YAAW,CAAC,qBAEjBrO,QAAS,CACPwmF,aADO,WAEL/gG,KAAK6gG,QAAU7gG,KAAK6gG,QAEtBM,SAJO,WAKLnhG,KAAKwsE,SACLxsE,KAAK+gG,gBAEPK,WARO,SAQKv3G,GACVu0G,GAAeY,WAAWn1G,EAAGmW,KAAK8gG,eAEpCO,UAXO,SAWIx3G,GACTu0G,GAAec,YAAYr1G,EAAGmW,KAAK8gG,eAErCloC,kBAdO,WAeL54D,KAAKia,OAAO+K,SAAS,wBCrE3B,IAEIs8E,GAVJ,SAAoB3mF,GAClBtxB,EAAQ,MAyBKk4G,GAVCl5G,OAAAwyB,GAAA,EAAAxyB,CACdm5G,GCjBQ,WAAgB,IAAAp/E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,wBAAAC,MAAA,CAA2CqmF,+BAAAr/E,EAAAy+E,OAAAa,8BAAAt/E,EAAAy+E,SAAyF,CAAA3lF,EAAA,OAAYC,YAAA,qBAAAC,MAAA,CAAwCumF,4BAAAv/E,EAAAy+E,UAA0Cz+E,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,cAAAC,MAAA,CAAiCwmF,qBAAAx/E,EAAAy+E,QAAiCx+E,GAAA,CAAKm9B,WAAAp9B,EAAAg/E,WAAAT,UAAAv+E,EAAAi/E,YAAuD,CAAAnmF,EAAA,OAAYC,YAAA,sBAAAkH,GAAA,CAAsCI,MAAAL,EAAA2+E,eAA0B,CAAA3+E,EAAA,YAAAlH,EAAA,YAAmCO,MAAA,CAAOioB,UAAAthB,EAAA4F,YAAAn3B,GAAAo5B,YAAA,KAA8C/O,EAAA,OAAYC,YAAA,4BAAuC,CAAAD,EAAA,OAAYO,MAAA,CAAOvuB,IAAAk1B,EAAA43C,QAAgB53C,EAAAO,GAAA,KAAAP,EAAA03C,aAAA13C,EAAAQ,KAAA1H,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA8+E,gBAAA,GAAA9+E,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAA4F,YAA4Q5F,EAAAQ,KAA5Q1H,EAAA,MAA4ImH,GAAA,CAAII,MAAAL,EAAA2+E,eAA0B,CAAA7lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,WAAkB,CAAAmsB,EAAA,KAAUC,YAAA,2BAAqCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAP,EAAA4F,cAAA5F,EAAA+5D,YAAAjhE,EAAA,MAAmImH,GAAA,CAAII,MAAAL,EAAA2+E,eAA0B,CAAA7lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAAqzB,EAAAo4E,kBAA6B,CAAAt/E,EAAA,KAAUC,YAAA,4BAAsCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA4F,aAAA5F,EAAAuE,6BAAAzL,EAAA,MAAqJmH,GAAA,CAAII,MAAAL,EAAA2+E,eAA0B,CAAA7lF,EAAA,eAAoB8oB,YAAA,CAAapL,SAAA,YAAsBnd,MAAA,CAAQwK,GAAA,CAAMl3B,KAAA,QAAA+U,OAAA,CAAyB7C,SAAAmhB,EAAA4F,YAAAj3B,gBAA4C,CAAAmqB,EAAA,KAAUC,YAAA,0BAAoCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,8BAAA3D,EAAA,gBAAAlH,EAAA,QAA0FC,YAAA,8CAAyD,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAAqyD,iBAAA,kBAAAryD,EAAAQ,QAAA,GAAAR,EAAAQ,OAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,MAAAA,EAAA,MAAkJmH,GAAA,CAAII,MAAAL,EAAA2+E,eAA0B,CAAA7lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,eAAA+U,OAAA,CAAgC7C,SAAAmhB,EAAA4F,YAAAj3B,gBAA4C,CAAAmqB,EAAA,KAAUC,YAAA,8BAAwCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAP,EAAA4F,YAAA,OAAA9M,EAAA,MAAkHmH,GAAA,CAAII,MAAAL,EAAA2+E,eAA0B,CAAA7lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,qBAAyB,CAAA/K,EAAA,KAAUC,YAAA,+BAAyCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAq4E,mBAAA,EAAAv/E,EAAA,QAA2GC,YAAA,8BAAyC,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAAq4E,oBAAA,kBAAAr4E,EAAAQ,QAAA,GAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,KAAAlH,EAAA,MAAmImH,GAAA,CAAII,MAAAL,EAAA2+E,eAA0B,CAAA7lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,UAAiB,CAAAmsB,EAAA,KAAUC,YAAA,0BAAoCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iCAAA3D,EAAAQ,OAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAA4F,cAAA5F,EAAA+5D,YAAAjhE,EAAA,MAAoJmH,GAAA,CAAII,MAAAL,EAAA2+E,eAA0B,CAAA7lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,YAAmB,CAAAmsB,EAAA,KAAUC,YAAA,4BAAsCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA4F,aAAA5F,EAAA04C,mBAAA5/C,EAAA,MAAwImH,GAAA,CAAII,MAAAL,EAAA2+E,eAA0B,CAAA7lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,mBAA0B,CAAAmsB,EAAA,KAAUC,YAAA,+BAAyCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,MAAmGmH,GAAA,CAAII,MAAAL,EAAA2+E,eAA0B,CAAA7lF,EAAA,KAAUO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAAL,EAAAw2C,oBAA+B,CAAA19C,EAAA,KAAUC,YAAA,yBAAmCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,MAAwFmH,GAAA,CAAII,MAAAL,EAAA2+E,eAA0B,CAAA7lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,WAAiB,CAAAmsB,EAAA,KAAUC,YAAA,kCAA4CiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kCAAA3D,EAAAO,GAAA,KAAAP,EAAA4F,aAAA,UAAA5F,EAAA4F,YAAAt0B,KAAAwnB,EAAA,MAAwImH,GAAA,CAAII,MAAAL,EAAA2+E,eAA0B,CAAA7lF,EAAA,KAAUO,MAAA,CAAOrxB,KAAA,iCAAA6C,OAAA,WAA2D,CAAAiuB,EAAA,KAAUC,YAAA,2BAAqCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,MAAoHmH,GAAA,CAAII,MAAAL,EAAA2+E,eAA0B,CAAA7lF,EAAA,KAAUO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAAL,EAAA++E,WAAsB,CAAAjmF,EAAA,KAAUC,YAAA,4BAAsCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAQ,SAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAiGC,YAAA,4BAAAC,MAAA,CAA+CymF,mCAAAz/E,EAAAy+E,QAA+Cx+E,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA2+E,aAAAz9E,UAC39I,IDOY,EAa7Bg+E,GATiB,KAEU,MAYG,4BExB1BQ,GAAmB,IAAIl8F,IAAI,CAC/B,QACA,SA+Fam8F,GA5FgB,CAC7Br6G,KAD6B,WAE3B,MAAO,CACLs3B,QAAQ,EACRgjF,eAAe,EACfC,aAAa,EACbC,aAAc,EACdC,eAAgB,IAGpBngF,QAV6B,WAWvBhiB,KAAKmnD,4BACPnnD,KAAKoiG,qCAEP9xG,OAAOsW,iBAAiB,SAAU5G,KAAKqiG,YAEzCpgF,UAhB6B,WAiBvBjiB,KAAKmnD,4BACPnnD,KAAKsiG,uCAEPhyG,OAAO4xB,oBAAoB,SAAUliB,KAAKqiG,YAE5Cl+E,SAAU,CACRo+E,WADQ,WAEN,QAASviG,KAAKia,OAAOC,MAAMtP,MAAMod,aAEnCw6E,SAJQ,WAKN,QAAIV,GAAiBx6F,IAAItH,KAAKqlB,OAAOt2B,OAE9BiR,KAAKmnD,6BAA+BnnD,KAAKgf,QAAUhf,KAAKiiG,cAEjE96C,2BATQ,WAUN,QAASnnD,KAAKia,OAAOqN,QAAQlK,aAAa+pC,6BAG9ChlB,MAAO,CACLglB,2BAA4B,SAAU2f,GAChCA,EACF9mE,KAAKoiG,qCAELpiG,KAAKsiG,yCAIX/nF,QAAS,CACP6nF,mCADO,WAEL9xG,OAAOsW,iBAAiB,SAAU5G,KAAKyiG,mBACvCnyG,OAAOsW,iBAAiB,SAAU5G,KAAK0iG,kBAEzCJ,qCALO,WAMLhyG,OAAO4xB,oBAAoB,SAAUliB,KAAKyiG,mBAC1CnyG,OAAO4xB,oBAAoB,SAAUliB,KAAK0iG,kBAE5CC,aATO,WAUL3iG,KAAKia,OAAO+K,SAAS,wBAEvBq9E,UAZO,WAqBL,IAAMO,EAAatyG,OAAOkwB,WAAa,IACjCqiF,EAAmBD,GAActyG,OAAOqwB,YAAc,IAGtDmiF,GADeF,GAActyG,OAAOkwB,WAAa,KACdlwB,OAAOqwB,YAAc,IAE5D3gB,KAAKiiG,eADHY,IAAoBC,IAM1BL,kBAAmBvpD,KAAS,WACtB5oD,OAAO4qD,QAAUl7C,KAAKkiG,aACxBliG,KAAKgf,QAAS,EAEdhf,KAAKgf,QAAS,EAEhBhf,KAAKkiG,aAAe5xG,OAAO4qD,SAC1B,IAAK,CAAE6nD,SAAS,EAAMC,UAAU,IAEnCN,gBAAiBxpD,KAAS,WACxBl5C,KAAKgf,QAAS,EACdhf,KAAKkiG,aAAe5xG,OAAO4qD,SAC1B,IAAK,CAAE6nD,SAAS,EAAOC,UAAU,MCvFxC,IAEIC,GAVJ,SAAoBtoF,GAClBtxB,EAAQ,MAyBK65G,GAVC76G,OAAAwyB,GAAA,EAAAxyB,CACd86G,GCjBQ,WAAgB,IAAapoF,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAA/D/a,KAA+D,WAAAkb,EAAA,OAAAA,EAAA,UAA+CC,YAAA,oBAAAC,MAAA,CAAuC4D,OAArJhf,KAAqJwiG,UAAyBngF,GAAA,CAAKI,MAAnLziB,KAAmL2iG,eAA0B,CAAAznF,EAAA,KAAUC,YAAA,kBAAvNnb,KAA+O4iB,MACtP,IDOY,EAa7BqgF,GATiB,KAEU,MAYG,qOEpBhC,IA+EeG,GA/EG,CAChB/oF,WAAY,CACVumF,cACA7gB,kBAEFr4F,KAAM,iBAAO,CACX27G,+BAA2B70G,EAC3B80G,mBAAmB,IAErBthF,QATgB,WAUdhiB,KAAKqjG,0BAA4BjF,GAAeK,aAC9CL,GAAeE,gBACft+F,KAAKujG,yBACL,KAGJp/E,wWAAUq/E,CAAA,CACRx7E,YADM,WAEJ,OAAOhoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAEjCq4D,oBAJM,WAKJ,OAAOriE,YAA6Bhe,KAAKia,SAE3CgnF,yBAPM,WAQJ,OAAOjhG,KAAKqgF,oBAAoBn4F,QAElC4xE,aAVM,WAUY,OAAO95D,KAAKia,OAAOC,MAAMC,SAAS2/C,cACpDonC,SAXM,WAWQ,OAAOlhG,KAAKia,OAAOC,MAAMC,SAASprB,MAChD00G,OAZM,WAaJ,MAA4B,SAArBzjG,KAAKqlB,OAAOt2B,OAElB65B,YAAW,CAAC,qBAEjBrO,QAAS,CACPmpF,oBADO,WAEL1jG,KAAK4f,MAAM+jF,WAAW5C,gBAExB6C,wBAJO,WAKL5jG,KAAKsjG,mBAAoB,GAE3BC,yBAPO,WAQDvjG,KAAKsjG,oBAGPtjG,KAAKsjG,mBAAoB,EACzBtjG,KAAKkV,4BAGT2uF,wBAfO,SAekBh6G,GACvBu0G,GAAeY,WAAWn1G,EAAGmW,KAAKqjG,4BAEpCS,uBAlBO,SAkBiBj6G,GACtBu0G,GAAec,YAAYr1G,EAAGmW,KAAKqjG,4BAErCU,YArBO,WAsBLzzG,OAAOq4F,SAAS,EAAG,IAErBnc,OAxBO,WAyBLxsE,KAAKwmB,QAAQv0B,QAAQ,gBACrB+N,KAAKia,OAAO+K,SAAS,WAEvB9P,wBA5BO,WA6BLlV,KAAK4f,MAAMzW,cAAcu3E,cAE3BrvB,SA/BO,SAAAzzD,GA+B0D,IAAAomG,EAAApmG,EAArD3Q,OAAqD+2G,EAA3C7oD,UAA2C6oD,EAAhCpyC,cAAgCoyC,EAAlBzoD,cAE3Cv7C,KAAK4f,MAAMzW,cAAcw3E,4BAI/Bx+C,MAAO,CACL9c,OADK,WAIHrlB,KAAKujG,8BCxEX,IAEIU,GAVJ,SAAoBtpF,GAClBtxB,EAAQ,MAyBK66G,GAVC77G,OAAAwyB,GAAA,EAAAxyB,CACd87G,GCjBQ,WAAgB,IAAA/hF,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAAA,EAAA,OAA2BC,YAAA,oBAAAC,MAAA,CAAuCgpF,gBAAAhiF,EAAAqhF,QAA8BhoF,MAAA,CAAQ5qB,GAAA,QAAY,CAAAqqB,EAAA,OAAYC,YAAA,mBAAAkH,GAAA,CAAmCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA2hF,iBAA2B,CAAA7oF,EAAA,OAAYC,YAAA,QAAmB,CAAAD,EAAA,KAAUC,YAAA,oBAAAM,MAAA,CAAuCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAshF,yBAAmC,CAAAxoF,EAAA,KAAUC,YAAA,0BAAoCiH,EAAAO,GAAA,KAAAP,EAAA,gBAAAlH,EAAA,OAA8CC,YAAA,cAAwBiH,EAAAQ,OAAAR,EAAAO,GAAA,KAAAP,EAAA03C,aAA2I13C,EAAAQ,KAA3I1H,EAAA,eAA+DC,YAAA,YAAAM,MAAA,CAA+BwK,GAAA,CAAMl3B,KAAA,QAAes1G,eAAA,SAAwB,CAAAjiF,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA8+E,UAAA,oBAAA9+E,EAAAO,GAAA,KAAAzH,EAAA,OAAgGC,YAAA,cAAyB,CAAAiH,EAAA,YAAAlH,EAAA,KAA4BC,YAAA,oBAAAM,MAAA,CAAuCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAwhF,6BAAuC,CAAA1oF,EAAA,KAAUC,YAAA,8BAAwCiH,EAAAO,GAAA,KAAAP,EAAA,yBAAAlH,EAAA,OAAuDC,YAAA,cAAwBiH,EAAAQ,OAAAR,EAAAQ,WAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,OAAoEC,YAAA,8BAAAC,MAAA,CAAiDylF,QAAAz+E,EAAAkhF,mBAAmCjhF,GAAA,CAAKm9B,WAAA,SAAAl8B,GAAuD,OAAzBA,EAAAE,kBAAyBpB,EAAAyhF,wBAAAvgF,IAA2Cq9E,UAAA,SAAAr9E,GAAuD,OAAzBA,EAAAE,kBAAyBpB,EAAA0hF,uBAAAxgF,MAA4C,CAAApI,EAAA,OAAYC,YAAA,+BAA0C,CAAAD,EAAA,QAAaC,YAAA,SAAoB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAA8EC,YAAA,oBAAAkH,GAAA,CAAoCI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAmhF,8BAAwC,CAAAroF,EAAA,KAAUC,YAAA,gCAAsCiH,EAAAO,GAAA,KAAAzH,EAAA,OAA4BC,YAAA,uBAAAkH,GAAA,CAAuC45B,OAAA75B,EAAAivC,WAAuB,CAAAn2C,EAAA,iBAAsBsH,IAAA,gBAAA/G,MAAA,CAA2B6oB,cAAA,MAAmB,KAAAliB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,cAA8CsH,IAAA,aAAA/G,MAAA,CAAwB+wD,OAAApqD,EAAAoqD,WAAqB,IAC7mE,IDOY,EAa7By3B,GATiB,KAEU,MAYG,8OEpBhC,IAqGeK,GArGY,CACzBjqF,WAAY,CACVyiB,kBACA8mD,UACArvC,cACA6nD,UAEF10G,KAPyB,WAQvB,MAAO,CACLmvB,QAAS,GACTC,SAAS,EACTytF,kBAAmB,GACnBC,YAAY,EACZt2G,OAAO,IAGXi2B,SAAU,CACRo+E,WADQ,WAEN,QAASviG,KAAKia,OAAOC,MAAMtP,MAAMod,aAEnC0zD,OAJQ,WAKN,OAAO17E,KAAKuiG,YAAcviG,KAAKia,OAAOC,MAAM03D,QAAQC,gBAEtDppE,OAPQ,WAQN,OAAOzI,KAAKia,OAAOC,MAAM03D,QAAQnpE,QAEnCjP,KAVQ,WAWN,OAAOwG,KAAKia,OAAOqN,QAAQC,SAASvnB,KAAKyI,SAE3Cg8F,eAbQ,WAcN,OAAQzkG,KAAKxG,KAAKvF,UAAY+L,KAAKxG,KAAKzI,YAAYm8D,OAAOltD,KAAKxG,KAAKzI,YAAY+iD,QAAQ,KAAO,IAElGr8B,SAhBQ,WAiBN,OAAOzX,KAAKia,OAAOC,MAAM03D,QAAQn6D,WAGrC0qB,MAAO,CACL15B,OAAQ,cAEV8R,QAAS,CACP01D,WADO,WAGLjwE,KAAK6W,QAAU,GACf7W,KAAK8W,SAAU,EACf9W,KAAKukG,kBAAoB,GACzBvkG,KAAKwkG,YAAa,EAClBxkG,KAAK9R,OAAQ,GAEf6uG,WATO,WAUL/8F,KAAKia,OAAO+K,SAAS,4BAEvBtO,WAZO,WAYO,IAAAnW,EAAAP,KACZA,KAAKwkG,YAAa,EAClBxkG,KAAK9R,OAAQ,EACb,IAAM4V,EAAS,CACb2E,OAAQzI,KAAKyI,OACboO,QAAS7W,KAAK6W,QACdC,QAAS9W,KAAK8W,QACdF,UAAW5W,KAAKukG,mBAElBvkG,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkBjO,0WAAxCguF,CAAA,GAAwD5gG,IACrDtW,KAAK,WACJ+S,EAAKikG,YAAa,EAClBjkG,EAAK0vE,aACL1vE,EAAKw8F,eAJT,MAMS,WACLx8F,EAAKikG,YAAa,EAClBjkG,EAAKrS,OAAQ,KAGnB2zC,WAhCO,WAiCL7hC,KAAK9R,OAAQ,GAEfy2G,UAnCO,SAmCI9nE,GACT,OAAqD,IAA9C78B,KAAKukG,kBAAkBzwD,QAAQjX,IAExC+nE,aAtCO,SAsCOn+D,EAAS5J,GACjB4J,IAAYzmC,KAAK2kG,UAAU9nE,KAI3B4J,EACFzmC,KAAKukG,kBAAkBn8G,KAAKy0C,GAE5B78B,KAAKukG,kBAAkBn7G,OAAO4W,KAAKukG,kBAAkBzwD,QAAQjX,GAAW,KAG5E6X,OAjDO,SAiDC7qD,GACN,IAAMoD,EAASpD,EAAEoD,QAAUpD,EACrBoD,aAAkBqD,OAAOgqD,UAE/BrtD,EAAO41B,MAAMzD,OAAS,OACtBnyB,EAAO41B,MAAMzD,OAAb,GAAA9oB,OAAyBrJ,EAAOsuD,aAAhC,MACqB,KAAjBtuD,EAAOuC,QACTvC,EAAO41B,MAAMzD,OAAS,UC7F9B,IAEIylF,GAVJ,SAAoBlqF,GAClBtxB,EAAQ,MAyBKy7G,GAVCz8G,OAAAwyB,GAAA,EAAAxyB,CACd08G,GCjBQ,WAAgB,IAAA3iF,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,OAAAlH,EAAA,SAAgCmH,GAAA,CAAIq+E,gBAAAt+E,EAAA26E,aAAkC,CAAA7hF,EAAA,OAAYC,YAAA,8BAAyC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wBAAA3D,EAAA5oB,KAAAzI,eAAA,gBAAAqxB,EAAAO,GAAA,KAAAzH,EAAA,OAA2HC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,6BAAwC,CAAAD,EAAA,OAAAA,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,8CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,YAAkHqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,QAAAqI,WAAA,YAAwEtP,YAAA,eAAAM,MAAA,CAAoCmf,YAAAxY,EAAA2D,GAAA,sCAAAq4B,KAAA,KAAsEh0B,SAAA,CAAW56B,MAAA4yB,EAAA,SAAsBC,GAAA,CAAK3iB,MAAA,UAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAvL,QAAAyM,EAAAr2B,OAAAuC,QAAgC4yB,EAAAsyB,aAActyB,EAAAO,GAAA,KAAAP,EAAA5oB,KAAAvF,SAA4OmuB,EAAAQ,KAA5O1H,EAAA,OAAAA,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,YAAiJuiC,MAAA,CAAOjuD,MAAA4yB,EAAA,QAAAs7B,SAAA,SAAAC,GAA6Cv7B,EAAAtL,QAAA6mC,GAAgBlzB,WAAA,YAAuB,CAAArI,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6BAAA3D,EAAAqiF,kBAAA,sBAAAriF,EAAAO,GAAA,KAAAzH,EAAA,OAAAA,EAAA,UAA8JC,YAAA,kBAAAM,MAAA,CAAqCqrB,SAAA1kB,EAAAoiF,YAA0BniF,GAAA,CAAKI,MAAAL,EAAA1L,aAAwB,CAAA0L,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4CAAA3D,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAAsHC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mDAAA3D,EAAAQ,SAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA8HC,YAAA,8BAAyC,CAAAD,EAAA,QAAaO,MAAA,CAAOknC,MAAAvgC,EAAA3K,UAAqBgjB,YAAArY,EAAAsY,GAAA,EAAsB5qC,IAAA,OAAA6qC,GAAA,SAAAnY,GACrwD,IAAAqgC,EAAArgC,EAAAqgC,KACA,OAAA3nC,EAAA,OAAkBC,YAAA,4CAAuD,CAAAD,EAAA,UAAeO,MAAA,CAAO4/D,mBAAA,EAAAr6C,SAAA,EAAA3D,UAAAwlB,KAA0DzgC,EAAAO,GAAA,KAAAzH,EAAA,YAA6BO,MAAA,CAAOgrB,QAAArkB,EAAAuiF,UAAA9hD,EAAAhyD,KAAiCwxB,GAAA,CAAKuI,OAAA,SAAA6b,GAA6B,OAAArkB,EAAAwiF,aAAAn+D,EAAAoc,EAAAhyD,SAA+C,OAAQ,uBAAyB,SAAAuxB,EAAAQ,MAC7T,IDKY,EAa7BiiF,GATiB,KAEU,MAYG,QEwBjBG,GA9CS,CACtB3qF,WAAY,CACVukB,oBACAw9D,UAEF10G,KALsB,WAMpB,MAAO,CACLu9G,eAAe,IAGnB9gF,SAAU,CACRo+E,WADQ,WAEN,QAASviG,KAAKia,OAAOC,MAAMtP,MAAMod,aAEnC6pD,eAJQ,WAKN,OAAO7xE,KAAKia,OAAOC,MAAMjM,WAAW4jE,gBAEtCqzB,cAPQ,WAQN,OAAOllG,KAAKuiG,aAAeviG,KAAKilG,eAAiBjlG,KAAK6xE,gBAExD/tE,OAVQ,WAWN,OAAO9D,KAAKia,OAAOC,MAAMjM,WAAWnK,QAAU,KAGlDq+B,MAAO,CACLr+B,OADK,SACG02E,EAAQC,GAAQ,IAAAl6E,EAAAP,KAClB5Q,KAAIorF,EAAQ,oBAAsBprF,KAAIqrF,EAAQ,oBAChDz6E,KAAKilG,eAAgB,EACrBjlG,KAAKwhB,UAAU,WACbjhB,EAAK0kG,eAAgB,MAI3BC,cATK,SASUxoG,GAAK,IAAAooB,EAAA9kB,KACdtD,GACFsD,KAAKwhB,UAAU,kBAAMsD,EAAKxF,KAAOwF,EAAKxF,IAAIknB,cAAc,YAAY0M,YAI1E34B,QAAS,CACPwiF,WADO,WAEL/8F,KAAKia,OAAO+K,SAAS,2BCrC3B,IAEImgF,GAVJ,SAAoBxqF,GAClBtxB,EAAQ,MAyBK+7G,GAVC/8G,OAAAwyB,GAAA,EAAAxyB,CACdg9G,GCjBQ,WAAgB,IAAAjjF,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAAmgF,aAAAngF,EAAA6iF,cAAA/pF,EAAA,SAA0DC,YAAA,uBAAAM,MAAA,CAA0C8hF,UAAAn7E,EAAAyvD,gBAA6BxvD,GAAA,CAAKq+E,gBAAAt+E,EAAA26E,aAAkC,CAAA7hF,EAAA,OAAYC,YAAA,+BAA0C,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,iBAAAkH,EAAAkjF,GAAA,CAAiHnqF,YAAA,aAAAkH,GAAA,CAA6B2iB,OAAA5iB,EAAA26E,aAAyB,iBAAA36E,EAAAte,QAAA,UAAAse,EAAAQ,MACnf,IDOY,EAa7BuiF,GATiB,KAEU,MAYG,QEZjBI,GAbU,CACvBphF,SAAU,CACRqhF,QADQ,WAEN,OAAOxlG,KAAKia,OAAOC,MAAZ,UAA4Bg+C,gBAGvC39C,QAAS,CACPkrF,YADO,SACMhrG,GACXuF,KAAKia,OAAO+K,SAAS,qBAAsBvqB,MCDjD,IAEIirG,GAVJ,SAAoB/qF,GAClBtxB,EAAQ,MAyBKs8G,GAVCt9G,OAAAwyB,GAAA,EAAAxyB,CACdu9G,GCjBQ,WAAgB,IAAAxjF,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,sBAAiCiH,EAAAyY,GAAAzY,EAAA,iBAAA3nB,EAAAsrC,GAC3I,IAAAqb,EACA,OAAAlmC,EAAA,OAAiBprB,IAAAi2C,EAAA5qB,YAAA,sBAAAC,OAAAgmC,EAAA,GAA6DA,EAAA,UAAA3mD,EAAAquC,QAAA,EAAAsY,IAAgD,CAAAlmC,EAAA,OAAYC,YAAA,kBAA6B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAAtrB,EAAA4+D,WAAA5+D,EAAA8+D,cAAA,YAAAn3C,EAAAO,GAAA,KAAAzH,EAAA,KAA0GC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqjF,YAAAhrG,WAAqC,IACtW,IDKY,EAa7BirG,GATiB,KAEU,MAYG,QEzBnBG,GAAc,kBACzBv1G,OAAOkwB,YACPr0B,SAAS0sF,gBAAgBC,aACzB3sF,SAAS2T,KAAKg5E,aCcDgtB,GAAA,CACb/2G,KAAM,MACNsrB,WAAY,CACV0/E,aACAM,YACAta,iBACA8a,aACA5E,yBACAG,iBACAiF,oBACAxB,aACA4F,cACAmB,cACAmB,0BACAqB,aACAjH,iBACAmI,sBACAU,mBACAO,qBAEF79G,KAAM,iBAAO,CACXq+G,kBAAmB,WACnBC,iBAAiB,EACjBC,aAAc31G,OAAO0nE,KAAO1nE,OAAO0nE,IAAIC,WACrC3nE,OAAO0nE,IAAIC,SAAS,YAAa,YAC/B3nE,OAAO0nE,IAAIC,SAAS,oBAAqB,YACzC3nE,OAAO0nE,IAAIC,SAAS,iBAAkB,YACtC3nE,OAAO0nE,IAAIC,SAAS,gBAAiB,YACrC3nE,OAAO0nE,IAAIC,SAAS,eAAgB,cAG1Cj2C,QA/Ba,WAiCX,IAAMtlB,EAAMsD,KAAKia,OAAOqN,QAAQlK,aAAamqC,kBAC7CvnD,KAAKia,OAAO+K,SAAS,YAAa,CAAEj2B,KAAM,oBAAqBS,MAAOkN,IACtEpM,OAAOsW,iBAAiB,SAAU5G,KAAKkmG,oBAEzCjkF,UArCa,WAsCX3xB,OAAO4xB,oBAAoB,SAAUliB,KAAKkmG,oBAE5C/hF,SAAU,CACR6D,YADQ,WACS,OAAOhoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAChDpV,WAFQ,WAGN,OAAO5S,KAAKgoB,YAAYp1B,kBAAoBoN,KAAKia,OAAOC,MAAMC,SAASvH,YAEzEuzF,WALQ,WAKQ,OAAOnmG,KAAKimG,cAAgBjmG,KAAKia,OAAOC,MAAMC,SAAS+/C,UACvEksC,UANQ,WAON,MAAO,CACL9sG,WAAc0G,KAAKmmG,WAAa,SAAW,YAG/CE,cAXQ,WAYN,OAAOrmG,KAAKmmG,WAAa,CACvBG,aAAA,OAAAhwG,OAAqB0J,KAAKia,OAAOC,MAAMC,SAAS6/C,KAAhD,MACE,CACFusC,mBAAoBvmG,KAAKmmG,WAAa,GAAK,gBAG/CK,YAlBQ,WAmBN,OAAOn+G,OAAOgX,OAAO,CACnByf,OAAA,GAAAxoB,OAAa0J,KAAKia,OAAOC,MAAMC,SAAS8/C,WAAxC,MACAx7D,QAASuB,KAAKgmG,gBAAkB,EAAI,GACnChmG,KAAKmmG,WAAa,GAAK,CACxBI,mBAAoBvmG,KAAKmmG,WAAa,GAAK,iBAG/CnsC,KA1BQ,WA0BE,OAAOh6D,KAAKia,OAAOC,MAAMC,SAAS6/C,MAC5CysC,QA3BQ,WA4BN,MAAO,CACLC,mBAAA,OAAApwG,OAA2B0J,KAAK4S,WAAhC,OAGJ+zF,WAhCQ,WAiCN,MAAO,CACLC,0BAAA,OAAAtwG,OAAkC0J,KAAK4S,WAAvC,OAGJsuF,SArCQ,WAqCM,OAAOlhG,KAAKia,OAAOC,MAAMC,SAASprB,MAChD4M,KAtCQ,WAsCE,MAAgD,WAAzCqE,KAAKia,OAAOC,MAAMve,KAAK0zE,QAAQn1D,OAChD4/C,aAvCQ,WAuCU,OAAO95D,KAAKia,OAAOC,MAAMC,SAAS2/C,cACpDgB,mBAxCQ,WAwCgB,OAAO96D,KAAKia,OAAOC,MAAMC,SAAS2gD,oBAC1DR,0BAzCQ,WA0CN,OAAOt6D,KAAKia,OAAOC,MAAMC,SAASmgD,4BAC/Bt6D,KAAKia,OAAOqN,QAAQlK,aAAaypC,SAClC7mD,KAAKia,OAAOC,MAAMC,SAAS6gD,8BAE/BX,kBA9CQ,WA8Ce,OAAOr6D,KAAKia,OAAOC,MAAMC,SAASkgD,mBACzDwsC,eA/CQ,WA+CY,OAAO7mG,KAAKia,OAAOC,MAAZ,UAA4B69B,cACvDokC,YAhDQ,WAgDS,OAAOn8E,KAAKia,OAAOC,MAAMC,SAAlB,SACxB2sF,aAjDQ,WAkDN,MAAO,CACLC,MAAS/mG,KAAKia,OAAOC,MAAMC,SAASogD,aAAe,GAAK,KAI9DhgD,QAAS,CACPwpF,YADO,WAELzzG,OAAOq4F,SAAS,EAAG,IAErBnc,OAJO,WAKLxsE,KAAKwmB,QAAQv0B,QAAQ,gBACrB+N,KAAKia,OAAO+K,SAAS,WAEvBgiF,mBARO,SAQahoF,GAClBhf,KAAKgmG,gBAAkBhnF,GAEzB45C,kBAXO,WAYL54D,KAAKia,OAAO+K,SAAS,sBAEvBkhF,kBAdO,WAeL,IAAMnuD,EAAe8tD,MAAiB,IAChC1tC,ED1HV7nE,OAAOqwB,aACPx0B,SAAS0sF,gBAAgBjnB,cACzBzlE,SAAS2T,KAAK8xD,aCyHM7Z,IAAiB/3C,KAAK6mG,gBAEpC7mG,KAAKia,OAAO+K,SAAS,kBAAmB+yB,GAE1C/3C,KAAKia,OAAO+K,SAAS,kBAAmBmzC,MC9H9C,IAEI8uC,GAVJ,SAAoBtsF,GAClBtxB,EAAQ,MAyBK69G,GAVC7+G,OAAAwyB,GAAA,EAAAxyB,CACdy9G,GCjBQ,WAAgB,IAAA1jF,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiB2H,MAAAT,EAAA,WAAA3G,MAAA,CAA8B5qB,GAAA,QAAY,CAAAqqB,EAAA,OAAYC,YAAA,iBAAA0H,MAAAT,EAAA,QAAA3G,MAAA,CAAwD5qB,GAAA,oBAAuBuxB,EAAAO,GAAA,KAAAP,EAAA,eAAAlH,EAAA,aAAAA,EAAA,OAA6DC,YAAA,oBAAAM,MAAA,CAAuC5qB,GAAA,OAAWwxB,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA2hF,iBAA2B,CAAA7oF,EAAA,OAAYC,YAAA,aAAwB,CAAAD,EAAA,OAAYC,YAAA,OAAA0H,MAAAT,EAAA,aAA2C,CAAAlH,EAAA,OAAYC,YAAA,OAAA0H,MAAAT,EAAA,gBAA6CA,EAAAO,GAAA,KAAAzH,EAAA,OAAwB2H,MAAAT,EAAA,UAAA3G,MAAA,CAA6BvuB,IAAAk1B,EAAA43C,UAAgB53C,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,QAAmB,CAAAiH,EAAA03C,aAAoH13C,EAAAQ,KAApH1H,EAAA,eAAwCC,YAAA,YAAAM,MAAA,CAA+BwK,GAAA,CAAMl3B,KAAA,QAAes1G,eAAA,SAAwB,CAAAjiF,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA8+E,UAAA,oBAAA9+E,EAAAO,GAAA,KAAAzH,EAAA,OAAgGC,YAAA,cAAyB,CAAAiH,EAAA4F,cAAA5F,EAAA+5D,YAAAjhE,EAAA,cAAyDC,YAAA,yBAAAkH,GAAA,CAAyC6B,QAAA9B,EAAA4kF,oBAAiCxjE,SAAA,CAAW/gB,MAAA,SAAAa,GAAyBA,EAAAE,sBAA4BpB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,KAA+BC,YAAA,gBAAAM,MAAA,CAAmCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAkD,OAAzBA,EAAAE,kBAAyBpB,EAAAw2C,kBAAAt1C,MAAuC,CAAApI,EAAA,KAAUC,YAAA,gCAAAM,MAAA,CAAmD3iB,MAAAspB,EAAA2D,GAAA,wBAAmC3D,EAAAO,GAAA,KAAAP,EAAA4F,aAAA,UAAA5F,EAAA4F,YAAAt0B,KAAAwnB,EAAA,KAA8EC,YAAA,gBAAAM,MAAA,CAAmCrxB,KAAA,iCAAA6C,OAAA,WAA2D,CAAAiuB,EAAA,KAAUC,YAAA,kCAAAM,MAAA,CAAqD3iB,MAAAspB,EAAA2D,GAAA,2BAAsC3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,KAAmDC,YAAA,gBAAAM,MAAA,CAAmCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoqD,OAAAlpD,MAA4B,CAAApI,EAAA,KAAUC,YAAA,mCAAAM,MAAA,CAAsD3iB,MAAAspB,EAAA2D,GAAA,qBAAgC3D,EAAAQ,MAAA,OAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA2CC,YAAA,yCAAmDiH,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,qBAAAM,MAAA,CAAwC5qB,GAAA,YAAgB,CAAAqqB,EAAA,OAAYC,YAAA,+BAAA0H,MAAAT,EAAA,cAAoE,CAAAlH,EAAA,OAAYC,YAAA,kBAA6B,CAAAD,EAAA,OAAYC,YAAA,oBAA+B,CAAAD,EAAA,OAAYC,YAAA,WAAsB,CAAAD,EAAA,cAAAkH,EAAAO,GAAA,KAAAP,EAAAykF,eAAAzkF,EAAAQ,KAAA1H,EAAA,OAAAA,EAAA,aAAAkH,EAAAO,GAAA,KAAAP,EAAA,0BAAAlH,EAAA,2BAAAkH,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAA4F,aAAA5F,EAAAi4C,kBAAAn/C,EAAA,kBAAAkH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA4F,aAAA5F,EAAA04C,mBAAA5/C,EAAA,uBAAAkH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,iBAAAkH,EAAAQ,MAAA,aAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA2bC,YAAA,QAAmB,CAAAiH,EAAA4F,YAAwJ5F,EAAAQ,KAAxJ1H,EAAA,OAA+BC,YAAA,kCAA6C,CAAAD,EAAA,eAAoBC,YAAA,aAAAM,MAAA,CAAgCwK,GAAA,CAAMl3B,KAAA,WAAkB,CAAAqzB,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,mBAAAkH,EAAAO,GAAA,KAAAzH,EAAA,mBAAAkH,EAAAO,GAAA,KAAAP,EAAA4F,aAAA5F,EAAAzmB,KAAAuf,EAAA,cAAiNC,YAAA,8BAAAM,MAAA,CAAiD+5E,UAAA,KAAiBpzE,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,0BAAAkH,EAAAO,GAAA,KAAAzH,EAAA,sBAAAkH,EAAAO,GAAA,KAAAzH,EAAA,mBAAAkH,EAAAO,GAAA,KAAAzH,EAAA,iBAAAkH,EAAAO,GAAA,KAAAzH,EAAA,iBAA2LO,MAAA,CAAO1sB,KAAA,WAAgBqzB,EAAAO,GAAA,KAAAzH,EAAA,yBACxyG,IDOY,EAa7B+rF,GATiB,KAEU,MAYG,ukBEhBhC,IAAIE,GAAuB,KAYrBC,GAAmB,SAAC1/G,GACxB,IAAMw/E,EAAUK,KAAK7/E,GACf8kD,EAAQg7B,WAAWC,KAAKlmE,IAAI2lE,GAASr1E,IAAI,SAAC03C,GAAD,OAAUA,EAAKm+B,WAAW,MAEzE,OADa,IAAI2/B,aAAcC,OAAO96D,IAIlC+6D,GAAe,SAAOv6G,GAAP,IAAAtF,EAAA8/G,EAAAC,EAAA,OAAA58F,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,WACb3T,EAjBDyE,SAAS+sF,eAAe,oBAGxBiuB,KACHA,GAAuBlnG,KAAKY,MAAM1U,SAAS+sF,eAAe,mBAAmBsf,cAExE2O,IALE,OAiBKz/G,EAAKsF,GAFA,CAAA+d,EAAA1P,KAAA,eAAA0P,EAAA4tC,OAAA,SAGVroD,OAAOmT,MAAMzW,IAHH,cAKbw6G,EAAUJ,GAAiB1/G,EAAKsF,IAChCy6G,EAAcxnG,KAAKY,MAAM2mG,GANZz8F,EAAA4tC,OAAA,SAOZ,CACLp0C,IAAI,EACJD,KAAM,kBAAMmjG,GACZlwG,KAAM,kBAAMkwG,KAVK,wBAAA18F,EAAAM,WAcfq8F,GAAoB,SAAA9pG,GAAA,IAAAke,EAAA4/C,EAAAh0E,EAAAkvD,EAAA+iB,EAAA,OAAA9uD,EAAApN,EAAAqN,MAAA,SAAA+wD,GAAA,cAAAA,EAAArgE,KAAAqgE,EAAAxgE,MAAA,cAASygB,EAATle,EAASke,MAAT+/C,EAAArgE,KAAA,EAAAqgE,EAAAxgE,KAAA,EAAAwP,EAAApN,EAAAwN,MAEJs8F,GAAa,qBAFT,YAEhB7rC,EAFgBG,EAAA3wD,MAGd3G,GAHc,CAAAs3D,EAAAxgE,KAAA,gBAAAwgE,EAAAxgE,KAAA,EAAAwP,EAAApN,EAAAwN,MAIDywD,EAAIp3D,QAJH,OAId5c,EAJcm0E,EAAA3wD,KAKd0rC,EAAYlvD,EAAKigH,eACjBhuC,EAAiBjyE,EAAKgL,QAAQk1G,iBAEpC9rF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,YAAaS,MAAOonD,IAE5D+iB,GACF79C,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,iBAAkBS,MAAOmqE,IAXnDkC,EAAAxgE,KAAA,uBAcbqgE,EAda,QAAAG,EAAAxgE,KAAA,iBAAAwgE,EAAArgE,KAAA,GAAAqgE,EAAAzwD,GAAAywD,EAAA,SAiBtBzrE,QAAQlC,MAAM,qDACdkC,QAAQlC,MAAR2tE,EAAAzwD,IAlBsB,yBAAAywD,EAAAxwD,SAAA,qBAsBpBw8F,GAA2B,SAAAhqG,GAAA,IAAA69D,EAAAh0E,EAAA,OAAAmjB,EAAApN,EAAAqN,MAAA,SAAAsxD,GAAA,cAAAA,EAAA5gE,KAAA4gE,EAAA/gE,MAAA,cAAAwC,EAASie,MAATsgD,EAAA5gE,KAAA,EAAA4gE,EAAA/gE,KAAA,EAAAwP,EAAApN,EAAAwN,MAEX3a,OAAOmT,MAAM,yCAFF,YAEvBi4D,EAFuBU,EAAAlxD,MAGrB3G,GAHqB,CAAA63D,EAAA/gE,KAAA,gBAAA+gE,EAAA/gE,KAAA,EAAAwP,EAAApN,EAAAwN,MAIRywD,EAAIp3D,QAJI,cAIrB5c,EAJqB00E,EAAAlxD,KAAAkxD,EAAAzjB,OAAA,SAKpBjxD,EAAKogH,YALe,cAOpBpsC,EAPoB,QAAAU,EAAA/gE,KAAA,iBAAA+gE,EAAA5gE,KAAA,GAAA4gE,EAAAhxD,GAAAgxD,EAAA,SAU7BhsE,QAAQlC,MAAM,sEACdkC,QAAQlC,MAARkuE,EAAAhxD,IAX6B,yBAAAgxD,EAAA/wD,SAAA,qBAe3B08F,GAAkB,eAAArsC,EAAA,OAAA7wD,EAAApN,EAAAqN,MAAA,SAAAk9F,GAAA,cAAAA,EAAAxsG,KAAAwsG,EAAA3sG,MAAA,cAAA2sG,EAAAxsG,KAAA,EAAAwsG,EAAA3sG,KAAA,EAAAwP,EAAApN,EAAAwN,MAEF3a,OAAOmT,MAAM,wBAFX,YAEdi4D,EAFcssC,EAAA98F,MAGZ3G,GAHY,CAAAyjG,EAAA3sG,KAAA,eAAA2sG,EAAArvD,OAAA,SAIX+iB,EAAIp3D,QAJO,aAMXo3D,EANW,OAAAssC,EAAA3sG,KAAA,wBAAA2sG,EAAAxsG,KAAA,GAAAwsG,EAAA58F,GAAA48F,EAAA,SASpB53G,QAAQmX,KAAK,6DACbnX,QAAQmX,KAARygG,EAAA58F,IAVoB48F,EAAArvD,OAAA,SAWb,IAXa,yBAAAqvD,EAAA38F,SAAA,qBAelB48F,GAAc,SAAA3pG,GAAA,IAAA4pG,EAAAC,EAAArsF,EAAAssF,EAAAC,EAAApsF,EAAAqsF,EAAA,OAAAz9F,EAAApN,EAAAqN,MAAA,SAAAy9F,GAAA,cAAAA,EAAA/sG,KAAA+sG,EAAAltG,MAAA,cAAS6sG,EAAT5pG,EAAS4pG,UAAWC,EAApB7pG,EAAoB6pG,aAAcrsF,EAAlCxd,EAAkCwd,MAC9CssF,EAAY93G,OAAOk4G,4BAA8B,GACjDH,EAAM/3G,OAAOm4G,kBAAkBC,SAGjCzsF,EAAS,GACTmsF,EAAUO,wBAAkC,gBAARN,GACtCj4G,QAAQmX,KAAK,4CACb0U,EAAS5zB,OAAOgX,OAAO,GAAI6oG,EAAWC,IAEtClsF,EAAS5zB,OAAOgX,OAAO,GAAI8oG,EAAcD,IAGrCI,EAAqB,SAACv5G,GAC1B+sB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,OAAMS,MAAOysB,EAAOltB,OAGzC,mBACnBu5G,EAAmB,cACnBA,EAAmB,iBACnBA,EAAmB,iBACnBA,EAAmB,wBACnBA,EAAmB,QAEnBxsF,EAAMkJ,SAAS,oBAAqB,CAClCj2B,KAAM,WACNS,WAAkC,IAApBysB,EAAOi+C,UAEjBj+C,EAAOi+C,WAGbp+C,EAAMkJ,SAAS,oBAAqB,CAClCj2B,KAAM,aACNS,WAAoC,IAAtBysB,EAAOg+C,WACjB,EACAh+C,EAAOg+C,aAEbn+C,EAAM8I,OAAO,8BAA+B3I,EAAO89C,aAEnDuuC,EAAmB,uBACnBA,EAAmB,qBACnBA,EAAmB,6BACnBA,EAAmB,qBACnBA,EAAmB,kBACnBA,EAAmB,8BACnBA,EAAmB,aACnBA,EAAmB,uBACnBA,EAAmB,mBACnBA,EAAmB,0BACnBA,EAAmB,qBACnBA,EAAmB,gBACnBA,EAAmB,gBAnDDC,EAAA5vD,OAAA,SAqDX78B,EAAMkJ,SAAS,WAAY/I,EAAM,QArDtB,yBAAAssF,EAAAl9F,WAwDdu9F,GAAS,SAAArqG,GAAA,IAAAud,EAAA4/C,EAAAjzB,EAAA,OAAA59B,EAAApN,EAAAqN,MAAA,SAAA+9F,GAAA,cAAAA,EAAArtG,KAAAqtG,EAAAxtG,MAAA,cAASygB,EAATvd,EAASud,MAAT+sF,EAAArtG,KAAA,EAAAqtG,EAAAxtG,KAAA,EAAAwP,EAAApN,EAAAwN,MAEO3a,OAAOmT,MAAM,kCAFpB,YAELi4D,EAFKmtC,EAAA39F,MAGH3G,GAHG,CAAAskG,EAAAxtG,KAAA,gBAAAwtG,EAAAxtG,KAAA,EAAAwP,EAAApN,EAAAwN,MAIUywD,EAAInkE,QAJd,OAIHkxC,EAJGogE,EAAA39F,KAKT4Q,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,MAAOS,MAAOi5C,IALjDogE,EAAAxtG,KAAA,uBAOFqgE,EAPE,QAAAmtC,EAAAxtG,KAAA,iBAAAwtG,EAAArtG,KAAA,GAAAqtG,EAAAz9F,GAAAy9F,EAAA,SAUXz4G,QAAQmX,KAAK,kBACbnX,QAAQmX,KAARshG,EAAAz9F,IAXW,yBAAAy9F,EAAAx9F,SAAA,qBAeTy9F,GAAmB,SAAAv2F,GAAA,IAAAuJ,EAAA4/C,EAAAjzB,EAAA,OAAA59B,EAAApN,EAAAqN,MAAA,SAAAi+F,GAAA,cAAAA,EAAAvtG,KAAAutG,EAAA1tG,MAAA,cAASygB,EAATvJ,EAASuJ,MAATitF,EAAAvtG,KAAA,EAAAutG,EAAA1tG,KAAA,EAAAwP,EAAApN,EAAAwN,MAEHs8F,GAAa,yBAFV,YAEf7rC,EAFeqtC,EAAA79F,MAGb3G,GAHa,CAAAwkG,EAAA1tG,KAAA,gBAAA0tG,EAAA1tG,KAAA,EAAAwP,EAAApN,EAAAwN,MAIAywD,EAAInkE,QAJJ,OAIbkxC,EAJasgE,EAAA79F,KAKnB4Q,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,+BAAgCS,MAAOi5C,IALhEsgE,EAAA1tG,KAAA,uBAOZqgE,EAPY,QAAAqtC,EAAA1tG,KAAA,iBAAA0tG,EAAAvtG,KAAA,GAAAutG,EAAA39F,GAAA29F,EAAA,SAUrB34G,QAAQmX,KAAK,6BACbnX,QAAQmX,KAARwhG,EAAA39F,IAXqB,yBAAA29F,EAAA19F,SAAA,qBAenB29F,GAAc,SAAAl2F,GAAA,IAAAgJ,EAAA4/C,EAAAC,EAAAlJ,EAAA,OAAA5nD,EAAApN,EAAAqN,MAAA,SAAAm+F,GAAA,cAAAA,EAAAztG,KAAAytG,EAAA5tG,MAAA,cAASygB,EAAThJ,EAASgJ,MAATmtF,EAAAztG,KAAA,EAAAytG,EAAA5tG,KAAA,EAAAwP,EAAApN,EAAAwN,MAEE3a,OAAOmT,MAAM,0BAFf,YAEVi4D,EAFUutC,EAAA/9F,MAGR3G,GAHQ,CAAA0kG,EAAA5tG,KAAA,gBAAA4tG,EAAA5tG,KAAA,EAAAwP,EAAApN,EAAAwN,MAIOywD,EAAIp3D,QAJX,cAIRq3D,EAJQstC,EAAA/9F,KAAA+9F,EAAA5tG,KAAA,GAAAwP,EAAApN,EAAAwN,MAKUhhB,QAAQ0E,IAC9BtG,OAAO6Y,QAAQy6D,GAAQ9pE,IAAI,SAAAmgB,GAAA,IAAArG,EAAA5c,EAAAg4C,EAAAmiE,EAAAvzG,EAAA,OAAAkV,EAAApN,EAAAqN,MAAA,SAAAq+F,GAAA,cAAAA,EAAA3tG,KAAA2tG,EAAA9tG,MAAA,cAAAsQ,EAAAvK,IAAA4Q,EAAA,GAAQjjB,EAAR4c,EAAA,GAAco7B,EAAdp7B,EAAA,GAAAw9F,EAAA9tG,KAAA,EAAAwP,EAAApN,EAAAwN,MACH3a,OAAOmT,MAAMsjC,EAAO,cADjB,UACnBmiE,EADmBC,EAAAj+F,KAErBvV,EAAO,IACPuzG,EAAQ3kG,GAHa,CAAA4kG,EAAA9tG,KAAA,eAAA8tG,EAAA9tG,KAAA,EAAAwP,EAAApN,EAAAwN,MAIVi+F,EAAQ5kG,QAJE,OAIvB3O,EAJuBwzG,EAAAj+F,KAAA,cAAAi+F,EAAAxwD,OAAA,SAMlB,CACLywD,KAAMr6G,EACNg4C,OACApxC,SATuB,yBAAAwzG,EAAA99F,cANf,QAAA49F,EAAA79F,GAkBN,SAAC3N,EAAGnB,GACV,OAAOmB,EAAE9H,KAAKmD,MAAMuwG,cAAc/sG,EAAE3G,KAAKmD,QAdrC25D,EALQw2C,EAAA/9F,KAkBX4S,KAlBWmrF,EAAA79F,IAqBd0Q,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,WAAYS,MAAOijE,IArBjDw2C,EAAA5tG,KAAA,uBAuBPqgE,EAvBO,QAAAutC,EAAA5tG,KAAA,iBAAA4tG,EAAAztG,KAAA,GAAAytG,EAAAK,GAAAL,EAAA,SA0BhB74G,QAAQmX,KAAK,uBACbnX,QAAQmX,KAAR0hG,EAAAK,IA3BgB,yBAAAL,EAAA59F,SAAA,qBA+Bdk+F,GAAe,SAAAt9F,GAAA,IAAA6P,EAAA5B,EAAA0K,EAAAihD,EAAA1rD,EAAA,OAAAtP,EAAApN,EAAAqN,MAAA,SAAA0+F,GAAA,cAAAA,EAAAhuG,KAAAguG,EAAAnuG,MAAA,cAASygB,EAAT7P,EAAS6P,MACpB5B,EAAkB4B,EAAlB5B,MAAO0K,EAAW9I,EAAX8I,OACPihD,EAAoB3rD,EAApB2rD,MAAO1rD,EAAaD,EAAbC,SAFIqvF,EAAA7wD,OAAA,SAGZysB,GAAeqkC,GAAA,GAAK5jC,EAAN,CAAa1rD,SAAUA,EAASC,OAAQwK,YAC1Dp3B,KAAK,SAACi4E,GAAD,OAASG,GAAe6jC,GAAA,GAAKhkC,EAAN,CAAWtrD,SAAUA,EAASC,YAC1D5sB,KAAK,SAACsF,GACL8xB,EAAO,cAAe9xB,EAAMyS,cAC5Bqf,EAAO,uBAAwB6/C,GAAyB3oD,EAAMwL,QAAQ6+C,gBAPvD,wBAAAqjC,EAAAn+F,WAWfq+F,GAAuB,SAAAt9F,GAAyB,IAAtB0P,EAAsB1P,EAAtB0P,MACxB9K,EAD8C5E,EAAfiK,SACVxkB,IAAI,SAAAoH,GAAG,OAAIA,EAAIiE,MAAM,KAAKosC,QACrDxtB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,gBAAiBS,MAAOwhB,KAGhE24F,GAAc,SAAAr9F,GAAA,IAAAwP,EAAA4/C,EAAAh0E,EAAAkiH,EAAAC,EAAAC,EAAA90F,EAAA+0F,EAAAC,EAAA7uC,EAAA8uC,EAAApa,EAAAx5E,EAAA,OAAAxL,EAAApN,EAAAqN,MAAA,SAAAo/F,GAAA,cAAAA,EAAA1uG,KAAA0uG,EAAA7uG,MAAA,cAASygB,EAATxP,EAASwP,MAATouF,EAAA1uG,KAAA,EAAA0uG,EAAA7uG,KAAA,EAAAwP,EAAApN,EAAAwN,MAEEs8F,GAAa,uBAFf,YAEV7rC,EAFUwuC,EAAAh/F,MAGR3G,GAHQ,CAAA2lG,EAAA7uG,KAAA,gBAAA6uG,EAAA7uG,KAAA,EAAAwP,EAAApN,EAAAwN,MAIKywD,EAAIp3D,QAJT,OAIR5c,EAJQwiH,EAAAh/F,KAKR0+F,EAAWliH,EAAKkiH,SAChBC,EAAWD,EAASC,SAC1B/tF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,OAAQS,MAAOo6G,EAASO,WACpEruF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,mBAAoBS,MAAO9H,EAAK0iH,oBAC5EtuF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,sBAAuBS,MAAOq6G,EAAS31G,SAAS,iBAC5F4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,SAAUS,MAAOq6G,EAAS31G,SAAS,sBAC/E4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,gBAAiBS,MAAOq6G,EAAS31G,SAAS,UACtF4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,+BAAgCS,MAAOq6G,EAAS31G,SAAS,2BACrG4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,kBAAmBS,MAAOq6G,EAAS31G,SAAS,YACxF4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,iBAAkBS,MAAOq6G,EAAS31G,SAAS,WACvF4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,aAAcS,MAAOo6G,EAASz3D,aAC1Er2B,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,gBAAiBS,MAAOo6G,EAAS7X,gBAEvE+X,EAAeF,EAASE,aAC9BhuF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,cAAeS,MAAOqL,SAASivG,EAAaO,WACxFvuF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,cAAeS,MAAOqL,SAASivG,EAAa33G,UACxF2pB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,kBAAmBS,MAAOqL,SAASivG,EAAal3F,cAC5FkJ,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,cAAeS,MAAOqL,SAASivG,EAAap3F,UACxFoJ,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,eAAgBS,MAAOo6G,EAASU,eAE5ExuF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,sBAAuBS,MAAOo6G,EAASlwF,sBACnFoC,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,cAAeS,MAAOo6G,EAAS1yD,cAErEliC,EAAc40F,EAAS50F,YAC7B8G,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,qBAAsBS,MAAOwlB,EAAYu1F,UACrFzuF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,iBAAkBS,MAAOwlB,EAAYw1F,MAE3ET,EAAWriH,EAAKqiH,SACtBjuF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,iBAAkBS,MAAOu6G,EAASU,UAC9E3uF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,iBAAkBS,MAAyB,YAAlBu6G,EAASh7G,OAExEi7G,EAAOJ,EAAQ,QACrB9tF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,UAAWS,MAAOw6G,IAExD7uC,EAAkB7qE,OAAOi1E,yBAC/BzpD,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,kBAAmBS,MAAO2rE,IAEhE8uC,EAAaL,EAASK,WAE5BnuF,EAAMkJ,SAAS,oBAAqB,CAClCj2B,KAAM,qBACNS,WAA0C,IAA5By6G,EAAWS,cAErBd,EAASK,WAAWS,aAAax2G,SAAS,eAGhD4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,mBAAoBS,MAAOy6G,IACvEnuF,EAAMkJ,SAAS,oBAAqB,CAClCj2B,KAAM,aACNS,WAAqC,IAAvBy6G,EAAWM,SAErBN,EAAWM,UAGX1a,EAA4B+Z,EAAS/Z,0BAC3C/zE,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,4BAA6BS,MAAOqgG,IAE1Ex5E,EAAWuzF,EAAS3S,cAC1ByS,GAAqB,CAAE5tF,QAAOzF,aA/DhB6zF,EAAA7uG,KAAA,uBAiEPqgE,EAjEO,QAAAwuC,EAAA7uG,KAAA,iBAAA6uG,EAAA1uG,KAAA,GAAA0uG,EAAA9+F,GAAA8+F,EAAA,SAoEhB95G,QAAQmX,KAAK,2BACbnX,QAAQmX,KAAR2iG,EAAA9+F,IArEgB,yBAAA8+F,EAAA7+F,SAAA,qBAyEds/F,GAAY,SAAAn+F,GAAA,IAAAsP,EAAA8uF,EAAA1C,EAAAC,EAAA,OAAAt9F,EAAApN,EAAAqN,MAAA,SAAA+/F,GAAA,cAAAA,EAAArvG,KAAAqvG,EAAAxvG,MAAA,cAASygB,EAATtP,EAASsP,MAAT+uF,EAAAxvG,KAAA,EAAAwP,EAAApN,EAAAwN,MAEUhhB,QAAQ0E,IAAI,CAACk5G,GAAyB,CAAE/rF,UAAUisF,QAF5D,cAEV6C,EAFUC,EAAA3/F,KAGVg9F,EAAY0C,EAAY,GACxBzC,EAAeyC,EAAY,GAJjBC,EAAAxvG,KAAA,EAAAwP,EAAApN,EAAAwN,MAMVg9F,GAAY,CAAEnsF,QAAOosF,YAAWC,iBAAgB36G,KAAK+7G,GAAa,CAAEztF,YAN1D,wBAAA+uF,EAAAx/F,WASZy/F,GAAkB,SAAAp+F,GAAA,IAAAoP,EAAA,OAAAjR,EAAApN,EAAAqN,MAAA,SAAAigG,GAAA,cAAAA,EAAAvvG,KAAAuvG,EAAA1vG,MAAA,cAASygB,EAATpP,EAASoP,MAATivF,EAAApyD,OAAA,SACf,IAAI1uD,QAAQ,SAAOC,EAASC,GAAhB,OAAA0gB,EAAApN,EAAAqN,MAAA,SAAAkgG,GAAA,cAAAA,EAAAxvG,KAAAwvG,EAAA3vG,MAAA,WACbygB,EAAMwL,QAAQ0oD,eADD,CAAAg7B,EAAA3vG,KAAA,eAAA2vG,EAAAxvG,KAAA,EAAAwvG,EAAA3vG,KAAA,EAAAwP,EAAApN,EAAAwN,MAGP6Q,EAAMkJ,SAAS,YAAalJ,EAAMwL,QAAQ0oD,iBAHnC,OAAAg7B,EAAA3vG,KAAA,eAAA2vG,EAAAxvG,KAAA,EAAAwvG,EAAA5/F,GAAA4/F,EAAA,SAKb56G,QAAQlC,MAAR88G,EAAA5/F,IALa,OAQjBlhB,IARiB,yBAAA8gH,EAAA3/F,SAAA,sBADG,wBAAA0/F,EAAA1/F,WA0ET4/F,GA7DS,SAAAr+F,GAAA,IAAAkP,EAAA2B,EAAA0B,EAAAipF,EAAAhuF,EAAA8wF,EAAAvkD,EAAAC,EAAA/wB,EAAAs1E,EAAA,OAAAtgG,EAAApN,EAAAqN,MAAA,SAAAsgG,GAAA,cAAAA,EAAA5vG,KAAA4vG,EAAA/vG,MAAA,cAASygB,EAATlP,EAASkP,MAAO2B,EAAhB7Q,EAAgB6Q,KAChC0B,EAAQ0mF,KACd/pF,EAAMkJ,SAAS,kBAAmB7F,GAAS,KAErCipF,EAAY93G,OAAOk4G,4BAA8B,GACjDpuF,OAAsC,IAArBguF,EAAUn7G,OAA0Bm7G,EAAUn7G,OAASqD,OAAO60E,SAASplD,OAC9FjE,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,SAAUS,MAAO4qB,IANvCgxF,EAAA/vG,KAAA,EAAAwP,EAAApN,EAAAwN,MAQhB0/F,GAAU,CAAE7uF,WARI,cAAAovF,EAUqBpvF,EAAM5B,MAAM+B,OAA/C0qC,EAVcukD,EAUdvkD,YAAaC,EAVCskD,EAUDtkD,kBACb/wB,EAAU/Z,EAAM5B,MAAMC,SAAtB0b,MACmB+wB,GAAqBD,EAG1CC,GAAqBA,EAAkBvxB,qBAAuBiX,IAChEzY,YAAW+yB,GAEX/yB,YAAW8yB,GAEJ9wB,GAGTzlC,QAAQlC,MAAM,6BAvBMk9G,EAAA/vG,KAAA,GAAAwP,EAAApN,EAAAwN,MA4BhBhhB,QAAQ0E,IAAI,CAChBm8G,GAAgB,CAAEhvF,UAClBgtF,GAAiB,CAAEhtF,UACnB6tF,GAAY,CAAE7tF,UACd4rF,GAAkB,CAAE5rF,aAhCA,eAoCtBA,EAAMkJ,SAAS,cACf4jF,GAAO,CAAE9sF,UACTktF,GAAY,CAAEltF,UAERqvF,EAAS,IAAIE,IAAU,CAC3B37G,KAAM,UACN2pG,OAAQA,GAAOv9E,GACfwvF,eAAgB,SAACrlF,EAAIslF,EAAOC,GAC1B,OAAIvlF,EAAGwlF,QAAQ38F,KAAK,SAAAlgB,GAAC,OAAIA,EAAE+G,KAAK+jG,eAGzB8R,GAAiB,CAAErrF,EAAG,EAAGC,EAAG,OA/CjBgrF,EAAAzyD,OAAA,SAoDf,IAAI6U,IAAI,CACb29C,SACArvF,QACA2B,OACA86B,GAAI,OACJkW,OAAQ,SAAAC,GAAC,OAAIA,EAAEo3C,QAzDK,yBAAAsF,EAAA//F,WC9RlBqgG,IAAiBp7G,OAAOurC,UAAUqqB,UAAY,MAAMhpD,MAAM,KAAK,GAErEswD,IAAIm+C,IAAIC,KACRp+C,IAAIm+C,IAAIN,KACR79C,IAAIm+C,IAAIE,MACRr+C,IAAIm+C,IAAIG,MACRt+C,IAAIm+C,IAAII,MACRv+C,IAAIm+C,IAAIK,MACRx+C,IAAIm+C,IlL4BW,SAACn+C,GACdA,EAAI+rB,UAAU,mBAAoBA,MkL3BpC,IAAM97D,GAAO,IAAIouF,KAAQ,CAEvB35F,OAAQ,KACR+5F,eAAgB,KAChBpmD,SAAUA,KAAQ,UAGpBA,KAASI,YAAYxoC,GAAMiuF,IAE3B,IAQCQ,GAAAC,GAAAC,GAAAtwF,GARKuwF,GAAwB,CAC5B71B,MAAO,CACL,SACA,sBACA,UAIH3rE,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,cACK6wG,IAAe,EACbC,GAAU,CAACG,IAFlBvhG,EAAAvP,KAAA,EAAAuP,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAIgC6rE,GAAqBu1B,KAJrD,OAISD,GAJTrhG,EAAAG,KAKGihG,GAAQ/jH,KAAKgkH,IALhBrhG,EAAA1P,KAAA,gBAAA0P,EAAAvP,KAAA,EAAAuP,EAAAK,GAAAL,EAAA,SAOG3a,QAAQlC,MAAR6c,EAAAK,IACA8gG,IAAe,EARlB,QAUOpwF,GAAQ,IAAI8vF,IAAKW,MAAM,CAC3B9jH,QAAS,CACPg1B,KAAM,CACJ6J,QAAS,CACP7J,KAAM,kBAAMA,MAGhB6Y,UAAWk2E,EACXryF,SAAUsyF,EACVh1F,SAAUi1F,GACV9hG,MAAO+hG,GACPjoF,IAAKkoF,GACL3wF,OAAQ4wF,IACRlxG,KAAMmxG,GACNjnC,MAAOknC,GACPC,SAAUC,GACV/7B,YAAag8B,GACb17B,YAAa27B,GACbv7B,QAASw7B,GACTloE,MAAOmoE,GACPp/F,WAAYq/F,GACZh1F,MAAOi1F,IAETpB,WACAqB,QAAQ,IAGNtB,IACFpwF,GAAMkJ,SAAS,mBAAoB,CAAEq0C,WAAY,6BAA8BvwB,MAAO,UAExFmiE,GAAgB,CAAEnvF,SAAO2B,UAxC1B,yBAAA1S,EAAAM,SAAA,mBA6CD/a,OAAOm4G,kBAAoBgF,gCAC3Bn9G,OAAOi1E,yBAA2BmoC,aAClCp9G,OAAOk4G,gCAA6BmF","file":"static/js/app.55d173dc5e39519aa518.js","sourcesContent":[" \t// install a JSONP callback for chunk loading\n \tfunction webpackJsonpCallback(data) {\n \t\tvar chunkIds = data[0];\n \t\tvar moreModules = data[1];\n \t\tvar executeModules = data[2];\n\n \t\t// add \"moreModules\" to the modules object,\n \t\t// then flag all \"chunkIds\" as loaded and fire callback\n \t\tvar moduleId, chunkId, i = 0, resolves = [];\n \t\tfor(;i < chunkIds.length; i++) {\n \t\t\tchunkId = chunkIds[i];\n \t\t\tif(installedChunks[chunkId]) {\n \t\t\t\tresolves.push(installedChunks[chunkId][0]);\n \t\t\t}\n \t\t\tinstalledChunks[chunkId] = 0;\n \t\t}\n \t\tfor(moduleId in moreModules) {\n \t\t\tif(Object.prototype.hasOwnProperty.call(moreModules, moduleId)) {\n \t\t\t\tmodules[moduleId] = moreModules[moduleId];\n \t\t\t}\n \t\t}\n \t\tif(parentJsonpFunction) parentJsonpFunction(data);\n\n \t\twhile(resolves.length) {\n \t\t\tresolves.shift()();\n \t\t}\n\n \t\t// add entry modules from loaded chunk to deferred list\n \t\tdeferredModules.push.apply(deferredModules, executeModules || []);\n\n \t\t// run deferred modules when all chunks ready\n \t\treturn checkDeferredModules();\n \t};\n \tfunction checkDeferredModules() {\n \t\tvar result;\n \t\tfor(var i = 0; i < deferredModules.length; i++) {\n \t\t\tvar deferredModule = deferredModules[i];\n \t\t\tvar fulfilled = true;\n \t\t\tfor(var j = 1; j < deferredModule.length; j++) {\n \t\t\t\tvar depId = deferredModule[j];\n \t\t\t\tif(installedChunks[depId] !== 0) fulfilled = false;\n \t\t\t}\n \t\t\tif(fulfilled) {\n \t\t\t\tdeferredModules.splice(i--, 1);\n \t\t\t\tresult = __webpack_require__(__webpack_require__.s = deferredModule[0]);\n \t\t\t}\n \t\t}\n\n \t\treturn result;\n \t}\n\n \t// The module cache\n \tvar installedModules = {};\n\n \t// object to store loaded CSS chunks\n \tvar installedCssChunks = {\n \t\t0: 0\n \t}\n\n \t// object to store loaded and loading chunks\n \t// undefined = chunk not loaded, null = chunk preloaded/prefetched\n \t// Promise = chunk loading, 0 = chunk loaded\n \tvar installedChunks = {\n \t\t0: 0\n \t};\n\n \tvar deferredModules = [];\n\n \t// script path function\n \tfunction jsonpScriptSrc(chunkId) {\n \t\treturn __webpack_require__.p + \"static/js/\" + ({}[chunkId]||chunkId) + \".\" + {\"2\":\"c92f4803ff24726cea58\",\"3\":\"7d21accf4e5bd07e3ebf\",\"4\":\"5719922a4e807145346d\",\"5\":\"cf05c5ddbdbac890ae35\",\"6\":\"ecfd3302a692de148391\",\"7\":\"dd44c3d58fb9dced093d\",\"8\":\"636322a87bb10a1754f8\",\"9\":\"6010dbcce7b4d7c05a18\",\"10\":\"46fbbdfaf0d4800f349b\",\"11\":\"708cc2513c53879a92cc\",\"12\":\"b3bf0bc313861d6ec36b\",\"13\":\"adb8a942514d735722c4\",\"14\":\"d015d9b2ea16407e389c\",\"15\":\"19866e6a366ccf982284\",\"16\":\"38a984effd54736f6a2c\",\"17\":\"9c25507194320db2e85b\",\"18\":\"94946caca48930c224c7\",\"19\":\"233c81ac2c28d55e9f13\",\"20\":\"818c38d27369c3a4d677\",\"21\":\"ce4cda179d888ca6bc2a\",\"22\":\"2ea93c6cc569ef0256ab\",\"23\":\"a57a7845cc20fafd06d1\",\"24\":\"35eb55a657b5485f8491\",\"25\":\"5a9efe20e3ae1352e6d2\",\"26\":\"cf13231d524e5ca3b3e6\",\"27\":\"fca8d4f6e444bd14f376\",\"28\":\"e0f9f164e0bfd890dc61\",\"29\":\"0b69359f0fe5c0785746\",\"30\":\"fce58be0b52ca3e32fa4\"}[chunkId] + \".js\"\n \t}\n\n \t// The require function\n \tfunction __webpack_require__(moduleId) {\n\n \t\t// Check if module is in cache\n \t\tif(installedModules[moduleId]) {\n \t\t\treturn installedModules[moduleId].exports;\n \t\t}\n \t\t// Create a new module (and put it into the cache)\n \t\tvar module = installedModules[moduleId] = {\n \t\t\ti: moduleId,\n \t\t\tl: false,\n \t\t\texports: {}\n \t\t};\n\n \t\t// Execute the module function\n \t\tmodules[moduleId].call(module.exports, module, module.exports, __webpack_require__);\n\n \t\t// Flag the module as loaded\n \t\tmodule.l = true;\n\n \t\t// Return the exports of the module\n \t\treturn module.exports;\n \t}\n\n \t// This file contains only the entry chunk.\n \t// The chunk loading function for additional chunks\n \t__webpack_require__.e = function requireEnsure(chunkId) {\n \t\tvar promises = [];\n\n\n \t\t// mini-css-extract-plugin CSS loading\n \t\tvar cssChunks = {\"2\":1,\"3\":1};\n \t\tif(installedCssChunks[chunkId]) promises.push(installedCssChunks[chunkId]);\n \t\telse if(installedCssChunks[chunkId] !== 0 && cssChunks[chunkId]) {\n \t\t\tpromises.push(installedCssChunks[chunkId] = new Promise(function(resolve, reject) {\n \t\t\t\tvar href = \"static/css/\" + ({}[chunkId]||chunkId) + \".\" + {\"2\":\"0778a6a864a1307a6c41\",\"3\":\"b2603a50868c68a1c192\",\"4\":\"31d6cfe0d16ae931b73c\",\"5\":\"31d6cfe0d16ae931b73c\",\"6\":\"31d6cfe0d16ae931b73c\",\"7\":\"31d6cfe0d16ae931b73c\",\"8\":\"31d6cfe0d16ae931b73c\",\"9\":\"31d6cfe0d16ae931b73c\",\"10\":\"31d6cfe0d16ae931b73c\",\"11\":\"31d6cfe0d16ae931b73c\",\"12\":\"31d6cfe0d16ae931b73c\",\"13\":\"31d6cfe0d16ae931b73c\",\"14\":\"31d6cfe0d16ae931b73c\",\"15\":\"31d6cfe0d16ae931b73c\",\"16\":\"31d6cfe0d16ae931b73c\",\"17\":\"31d6cfe0d16ae931b73c\",\"18\":\"31d6cfe0d16ae931b73c\",\"19\":\"31d6cfe0d16ae931b73c\",\"20\":\"31d6cfe0d16ae931b73c\",\"21\":\"31d6cfe0d16ae931b73c\",\"22\":\"31d6cfe0d16ae931b73c\",\"23\":\"31d6cfe0d16ae931b73c\",\"24\":\"31d6cfe0d16ae931b73c\",\"25\":\"31d6cfe0d16ae931b73c\",\"26\":\"31d6cfe0d16ae931b73c\",\"27\":\"31d6cfe0d16ae931b73c\",\"28\":\"31d6cfe0d16ae931b73c\",\"29\":\"31d6cfe0d16ae931b73c\",\"30\":\"31d6cfe0d16ae931b73c\"}[chunkId] + \".css\";\n \t\t\t\tvar fullhref = __webpack_require__.p + href;\n \t\t\t\tvar existingLinkTags = document.getElementsByTagName(\"link\");\n \t\t\t\tfor(var i = 0; i < existingLinkTags.length; i++) {\n \t\t\t\t\tvar tag = existingLinkTags[i];\n \t\t\t\t\tvar dataHref = tag.getAttribute(\"data-href\") || tag.getAttribute(\"href\");\n \t\t\t\t\tif(tag.rel === \"stylesheet\" && (dataHref === href || dataHref === fullhref)) return resolve();\n \t\t\t\t}\n \t\t\t\tvar existingStyleTags = document.getElementsByTagName(\"style\");\n \t\t\t\tfor(var i = 0; i < existingStyleTags.length; i++) {\n \t\t\t\t\tvar tag = existingStyleTags[i];\n \t\t\t\t\tvar dataHref = tag.getAttribute(\"data-href\");\n \t\t\t\t\tif(dataHref === href || dataHref === fullhref) return resolve();\n \t\t\t\t}\n \t\t\t\tvar linkTag = document.createElement(\"link\");\n \t\t\t\tlinkTag.rel = \"stylesheet\";\n \t\t\t\tlinkTag.type = \"text/css\";\n \t\t\t\tlinkTag.onload = resolve;\n \t\t\t\tlinkTag.onerror = function(event) {\n \t\t\t\t\tvar request = event && event.target && event.target.src || fullhref;\n \t\t\t\t\tvar err = new Error(\"Loading CSS chunk \" + chunkId + \" failed.\\n(\" + request + \")\");\n \t\t\t\t\terr.request = request;\n \t\t\t\t\tdelete installedCssChunks[chunkId]\n \t\t\t\t\tlinkTag.parentNode.removeChild(linkTag)\n \t\t\t\t\treject(err);\n \t\t\t\t};\n \t\t\t\tlinkTag.href = fullhref;\n\n \t\t\t\tvar head = document.getElementsByTagName(\"head\")[0];\n \t\t\t\thead.appendChild(linkTag);\n \t\t\t}).then(function() {\n \t\t\t\tinstalledCssChunks[chunkId] = 0;\n \t\t\t}));\n \t\t}\n\n \t\t// JSONP chunk loading for javascript\n\n \t\tvar installedChunkData = installedChunks[chunkId];\n \t\tif(installedChunkData !== 0) { // 0 means \"already installed\".\n\n \t\t\t// a Promise means \"currently loading\".\n \t\t\tif(installedChunkData) {\n \t\t\t\tpromises.push(installedChunkData[2]);\n \t\t\t} else {\n \t\t\t\t// setup Promise in chunk cache\n \t\t\t\tvar promise = new Promise(function(resolve, reject) {\n \t\t\t\t\tinstalledChunkData = installedChunks[chunkId] = [resolve, reject];\n \t\t\t\t});\n \t\t\t\tpromises.push(installedChunkData[2] = promise);\n\n \t\t\t\t// start chunk loading\n \t\t\t\tvar script = document.createElement('script');\n \t\t\t\tvar onScriptComplete;\n\n \t\t\t\tscript.charset = 'utf-8';\n \t\t\t\tscript.timeout = 120;\n \t\t\t\tif (__webpack_require__.nc) {\n \t\t\t\t\tscript.setAttribute(\"nonce\", __webpack_require__.nc);\n \t\t\t\t}\n \t\t\t\tscript.src = jsonpScriptSrc(chunkId);\n\n \t\t\t\t// create error before stack unwound to get useful stacktrace later\n \t\t\t\tvar error = new Error();\n \t\t\t\tonScriptComplete = function (event) {\n \t\t\t\t\t// avoid mem leaks in IE.\n \t\t\t\t\tscript.onerror = script.onload = null;\n \t\t\t\t\tclearTimeout(timeout);\n \t\t\t\t\tvar chunk = installedChunks[chunkId];\n \t\t\t\t\tif(chunk !== 0) {\n \t\t\t\t\t\tif(chunk) {\n \t\t\t\t\t\t\tvar errorType = event && (event.type === 'load' ? 'missing' : event.type);\n \t\t\t\t\t\t\tvar realSrc = event && event.target && event.target.src;\n \t\t\t\t\t\t\terror.message = 'Loading chunk ' + chunkId + ' failed.\\n(' + errorType + ': ' + realSrc + ')';\n \t\t\t\t\t\t\terror.type = errorType;\n \t\t\t\t\t\t\terror.request = realSrc;\n \t\t\t\t\t\t\tchunk[1](error);\n \t\t\t\t\t\t}\n \t\t\t\t\t\tinstalledChunks[chunkId] = undefined;\n \t\t\t\t\t}\n \t\t\t\t};\n \t\t\t\tvar timeout = setTimeout(function(){\n \t\t\t\t\tonScriptComplete({ type: 'timeout', target: script });\n \t\t\t\t}, 120000);\n \t\t\t\tscript.onerror = script.onload = onScriptComplete;\n \t\t\t\tdocument.head.appendChild(script);\n \t\t\t}\n \t\t}\n \t\treturn Promise.all(promises);\n \t};\n\n \t// expose the modules object (__webpack_modules__)\n \t__webpack_require__.m = modules;\n\n \t// expose the module cache\n \t__webpack_require__.c = installedModules;\n\n \t// define getter function for harmony exports\n \t__webpack_require__.d = function(exports, name, getter) {\n \t\tif(!__webpack_require__.o(exports, name)) {\n \t\t\tObject.defineProperty(exports, name, { enumerable: true, get: getter });\n \t\t}\n \t};\n\n \t// define __esModule on exports\n \t__webpack_require__.r = function(exports) {\n \t\tif(typeof Symbol !== 'undefined' && Symbol.toStringTag) {\n \t\t\tObject.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });\n \t\t}\n \t\tObject.defineProperty(exports, '__esModule', { value: true });\n \t};\n\n \t// create a fake namespace object\n \t// mode & 1: value is a module id, require it\n \t// mode & 2: merge all properties of value into the ns\n \t// mode & 4: return value when already ns object\n \t// mode & 8|1: behave like require\n \t__webpack_require__.t = function(value, mode) {\n \t\tif(mode & 1) value = __webpack_require__(value);\n \t\tif(mode & 8) return value;\n \t\tif((mode & 4) && typeof value === 'object' && value && value.__esModule) return value;\n \t\tvar ns = Object.create(null);\n \t\t__webpack_require__.r(ns);\n \t\tObject.defineProperty(ns, 'default', { enumerable: true, value: value });\n \t\tif(mode & 2 && typeof value != 'string') for(var key in value) __webpack_require__.d(ns, key, function(key) { return value[key]; }.bind(null, key));\n \t\treturn ns;\n \t};\n\n \t// getDefaultExport function for compatibility with non-harmony modules\n \t__webpack_require__.n = function(module) {\n \t\tvar getter = module && module.__esModule ?\n \t\t\tfunction getDefault() { return module['default']; } :\n \t\t\tfunction getModuleExports() { return module; };\n \t\t__webpack_require__.d(getter, 'a', getter);\n \t\treturn getter;\n \t};\n\n \t// Object.prototype.hasOwnProperty.call\n \t__webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); };\n\n \t// __webpack_public_path__\n \t__webpack_require__.p = \"/\";\n\n \t// on error function for async loading\n \t__webpack_require__.oe = function(err) { console.error(err); throw err; };\n\n \tvar jsonpArray = window[\"webpackJsonp\"] = window[\"webpackJsonp\"] || [];\n \tvar oldJsonpFunction = jsonpArray.push.bind(jsonpArray);\n \tjsonpArray.push = webpackJsonpCallback;\n \tjsonpArray = jsonpArray.slice();\n \tfor(var i = 0; i < jsonpArray.length; i++) webpackJsonpCallback(jsonpArray[i]);\n \tvar parentJsonpFunction = oldJsonpFunction;\n\n\n \t// add entry module to deferred list\n \tdeferredModules.push([562,1]);\n \t// run deferred modules when ready\n \treturn checkDeferredModules();\n","import escape from 'escape-html'\nimport parseLinkHeader from 'parse-link-header'\nimport { isStatusNotification } from '../notification_utils/notification_utils.js'\n\nconst qvitterStatusType = (status) => {\n if (status.is_post_verb) {\n return 'status'\n }\n\n if (status.retweeted_status) {\n return 'retweet'\n }\n\n if ((typeof status.uri === 'string' && status.uri.match(/(fave|objectType=Favourite)/)) ||\n (typeof status.text === 'string' && status.text.match(/favorited/))) {\n return 'favorite'\n }\n\n if (status.text.match(/deleted notice {{tag/) || status.qvitter_delete_notice) {\n return 'deletion'\n }\n\n if (status.text.match(/started following/) || status.activity_type === 'follow') {\n return 'follow'\n }\n\n return 'unknown'\n}\n\nexport const parseUser = (data) => {\n const output = {}\n const masto = data.hasOwnProperty('acct')\n // case for users in \"mentions\" property for statuses in MastoAPI\n const mastoShort = masto && !data.hasOwnProperty('avatar')\n\n output.id = String(data.id)\n\n if (masto) {\n output.screen_name = data.acct\n output.statusnet_profile_url = data.url\n\n // There's nothing else to get\n if (mastoShort) {\n return output\n }\n\n output.name = data.display_name\n output.name_html = addEmojis(escape(data.display_name), data.emojis)\n\n output.description = data.note\n output.description_html = addEmojis(data.note, data.emojis)\n\n output.fields = data.fields\n output.fields_html = data.fields.map(field => {\n return {\n name: addEmojis(field.name, data.emojis),\n value: addEmojis(field.value, data.emojis)\n }\n })\n output.fields_text = data.fields.map(field => {\n return {\n name: unescape(field.name.replace(/<[^>]*>/g, '')),\n value: unescape(field.value.replace(/<[^>]*>/g, ''))\n }\n })\n\n // Utilize avatar_static for gif avatars?\n output.profile_image_url = data.avatar\n output.profile_image_url_original = data.avatar\n\n // Same, utilize header_static?\n output.cover_photo = data.header\n\n output.friends_count = data.following_count\n\n output.bot = data.bot\n\n if (data.pleroma) {\n const relationship = data.pleroma.relationship\n\n output.background_image = data.pleroma.background_image\n output.favicon = data.pleroma.favicon\n output.token = data.pleroma.chat_token\n\n if (relationship) {\n output.relationship = relationship\n }\n\n output.allow_following_move = data.pleroma.allow_following_move\n\n output.hide_follows = data.pleroma.hide_follows\n output.hide_followers = data.pleroma.hide_followers\n output.hide_follows_count = data.pleroma.hide_follows_count\n output.hide_followers_count = data.pleroma.hide_followers_count\n\n output.rights = {\n moderator: data.pleroma.is_moderator,\n admin: data.pleroma.is_admin\n }\n // TODO: Clean up in UI? This is duplication from what BE does for qvitterapi\n if (output.rights.admin) {\n output.role = 'admin'\n } else if (output.rights.moderator) {\n output.role = 'moderator'\n } else {\n output.role = 'member'\n }\n }\n\n if (data.source) {\n output.description = data.source.note\n output.default_scope = data.source.privacy\n output.fields = data.source.fields\n if (data.source.pleroma) {\n output.no_rich_text = data.source.pleroma.no_rich_text\n output.show_role = data.source.pleroma.show_role\n output.discoverable = data.source.pleroma.discoverable\n }\n }\n\n // TODO: handle is_local\n output.is_local = !output.screen_name.includes('@')\n } else {\n output.screen_name = data.screen_name\n\n output.name = data.name\n output.name_html = data.name_html\n\n output.description = data.description\n output.description_html = data.description_html\n\n output.profile_image_url = data.profile_image_url\n output.profile_image_url_original = data.profile_image_url_original\n\n output.cover_photo = data.cover_photo\n\n output.friends_count = data.friends_count\n\n // output.bot = ??? missing\n\n output.statusnet_profile_url = data.statusnet_profile_url\n\n output.is_local = data.is_local\n output.role = data.role\n output.show_role = data.show_role\n\n if (data.rights) {\n output.rights = {\n moderator: data.rights.delete_others_notice,\n admin: data.rights.admin\n }\n }\n output.no_rich_text = data.no_rich_text\n output.default_scope = data.default_scope\n output.hide_follows = data.hide_follows\n output.hide_followers = data.hide_followers\n output.hide_follows_count = data.hide_follows_count\n output.hide_followers_count = data.hide_followers_count\n output.background_image = data.background_image\n // Websocket token\n output.token = data.token\n\n // Convert relationsip data to expected format\n output.relationship = {\n muting: data.muted,\n blocking: data.statusnet_blocking,\n followed_by: data.follows_you,\n following: data.following\n }\n }\n\n output.created_at = new Date(data.created_at)\n output.locked = data.locked\n output.followers_count = data.followers_count\n output.statuses_count = data.statuses_count\n output.friendIds = []\n output.followerIds = []\n output.pinnedStatusIds = []\n\n if (data.pleroma) {\n output.follow_request_count = data.pleroma.follow_request_count\n\n output.tags = data.pleroma.tags\n output.deactivated = data.pleroma.deactivated\n\n output.notification_settings = data.pleroma.notification_settings\n output.unread_chat_count = data.pleroma.unread_chat_count\n }\n\n output.tags = output.tags || []\n output.rights = output.rights || {}\n output.notification_settings = output.notification_settings || {}\n\n return output\n}\n\nexport const parseAttachment = (data) => {\n const output = {}\n const masto = !data.hasOwnProperty('oembed')\n\n if (masto) {\n // Not exactly same...\n output.mimetype = data.pleroma ? data.pleroma.mime_type : data.type\n output.meta = data.meta // not present in BE yet\n output.id = data.id\n } else {\n output.mimetype = data.mimetype\n // output.meta = ??? missing\n }\n\n output.url = data.url\n output.large_thumb_url = data.preview_url\n output.description = data.description\n\n return output\n}\nexport const addEmojis = (string, emojis) => {\n const matchOperatorsRegex = /[|\\\\{}()[\\]^$+*?.-]/g\n return emojis.reduce((acc, emoji) => {\n const regexSafeShortCode = emoji.shortcode.replace(matchOperatorsRegex, '\\\\$&')\n return acc.replace(\n new RegExp(`:${regexSafeShortCode}:`, 'g'),\n `<img src='${emoji.url}' alt=':${emoji.shortcode}:' title=':${emoji.shortcode}:' class='emoji' />`\n )\n }, string)\n}\n\nexport const parseStatus = (data) => {\n const output = {}\n const masto = data.hasOwnProperty('account')\n\n if (masto) {\n output.favorited = data.favourited\n output.fave_num = data.favourites_count\n\n output.repeated = data.reblogged\n output.repeat_num = data.reblogs_count\n\n output.bookmarked = data.bookmarked\n\n output.type = data.reblog ? 'retweet' : 'status'\n output.nsfw = data.sensitive\n\n output.statusnet_html = addEmojis(data.content, data.emojis)\n\n output.tags = data.tags\n\n if (data.pleroma) {\n const { pleroma } = data\n output.text = pleroma.content ? data.pleroma.content['text/plain'] : data.content\n output.summary = pleroma.spoiler_text ? data.pleroma.spoiler_text['text/plain'] : data.spoiler_text\n output.statusnet_conversation_id = data.pleroma.conversation_id\n output.is_local = pleroma.local\n output.in_reply_to_screen_name = data.pleroma.in_reply_to_account_acct\n output.thread_muted = pleroma.thread_muted\n output.emoji_reactions = pleroma.emoji_reactions\n output.parent_visible = pleroma.parent_visible === undefined ? true : pleroma.parent_visible\n } else {\n output.text = data.content\n output.summary = data.spoiler_text\n }\n\n output.in_reply_to_status_id = data.in_reply_to_id\n output.in_reply_to_user_id = data.in_reply_to_account_id\n output.replies_count = data.replies_count\n\n if (output.type === 'retweet') {\n output.retweeted_status = parseStatus(data.reblog)\n }\n\n output.summary_html = addEmojis(escape(data.spoiler_text), data.emojis)\n output.external_url = data.url\n output.poll = data.poll\n if (output.poll) {\n output.poll.options = (output.poll.options || []).map(field => ({\n ...field,\n title_html: addEmojis(field.title, data.emojis)\n }))\n }\n output.pinned = data.pinned\n output.muted = data.muted\n } else {\n output.favorited = data.favorited\n output.fave_num = data.fave_num\n\n output.repeated = data.repeated\n output.repeat_num = data.repeat_num\n\n // catchall, temporary\n // Object.assign(output, data)\n\n output.type = qvitterStatusType(data)\n\n if (data.nsfw === undefined) {\n output.nsfw = isNsfw(data)\n if (data.retweeted_status) {\n output.nsfw = data.retweeted_status.nsfw\n }\n } else {\n output.nsfw = data.nsfw\n }\n\n output.statusnet_html = data.statusnet_html\n output.text = data.text\n\n output.in_reply_to_status_id = data.in_reply_to_status_id\n output.in_reply_to_user_id = data.in_reply_to_user_id\n output.in_reply_to_screen_name = data.in_reply_to_screen_name\n output.statusnet_conversation_id = data.statusnet_conversation_id\n\n if (output.type === 'retweet') {\n output.retweeted_status = parseStatus(data.retweeted_status)\n }\n\n output.summary = data.summary\n output.summary_html = data.summary_html\n output.external_url = data.external_url\n output.is_local = data.is_local\n }\n\n output.id = String(data.id)\n output.visibility = data.visibility\n output.card = data.card\n output.created_at = new Date(data.created_at)\n\n // Converting to string, the right way.\n output.in_reply_to_status_id = output.in_reply_to_status_id\n ? String(output.in_reply_to_status_id)\n : null\n output.in_reply_to_user_id = output.in_reply_to_user_id\n ? String(output.in_reply_to_user_id)\n : null\n\n output.user = parseUser(masto ? data.account : data.user)\n\n output.attentions = ((masto ? data.mentions : data.attentions) || []).map(parseUser)\n\n output.attachments = ((masto ? data.media_attachments : data.attachments) || [])\n .map(parseAttachment)\n\n const retweetedStatus = masto ? data.reblog : data.retweeted_status\n if (retweetedStatus) {\n output.retweeted_status = parseStatus(retweetedStatus)\n }\n\n output.favoritedBy = []\n output.rebloggedBy = []\n\n return output\n}\n\nexport const parseNotification = (data) => {\n const mastoDict = {\n 'favourite': 'like',\n 'reblog': 'repeat'\n }\n const masto = !data.hasOwnProperty('ntype')\n const output = {}\n\n if (masto) {\n output.type = mastoDict[data.type] || data.type\n output.seen = data.pleroma.is_seen\n output.status = isStatusNotification(output.type) ? parseStatus(data.status) : null\n output.action = output.status // TODO: Refactor, this is unneeded\n output.target = output.type !== 'move'\n ? null\n : parseUser(data.target)\n output.from_profile = parseUser(data.account)\n output.emoji = data.emoji\n } else {\n const parsedNotice = parseStatus(data.notice)\n output.type = data.ntype\n output.seen = Boolean(data.is_seen)\n output.status = output.type === 'like'\n ? parseStatus(data.notice.favorited_status)\n : parsedNotice\n output.action = parsedNotice\n output.from_profile = output.type === 'pleroma:chat_mention' ? parseUser(data.account) : parseUser(data.from_profile)\n }\n\n output.created_at = new Date(data.created_at)\n output.id = parseInt(data.id)\n\n return output\n}\n\nconst isNsfw = (status) => {\n const nsfwRegex = /#nsfw/i\n return (status.tags || []).includes('nsfw') || !!(status.text || '').match(nsfwRegex)\n}\n\nexport const parseLinkHeaderPagination = (linkHeader, opts = {}) => {\n const flakeId = opts.flakeId\n const parsedLinkHeader = parseLinkHeader(linkHeader)\n if (!parsedLinkHeader) return\n const maxId = parsedLinkHeader.next.max_id\n const minId = parsedLinkHeader.prev.min_id\n\n return {\n maxId: flakeId ? maxId : parseInt(maxId, 10),\n minId: flakeId ? minId : parseInt(minId, 10)\n }\n}\n\nexport const parseChat = (chat) => {\n const output = {}\n output.id = chat.id\n output.account = parseUser(chat.account)\n output.unread = chat.unread\n output.lastMessage = parseChatMessage(chat.last_message)\n output.updated_at = new Date(chat.updated_at)\n return output\n}\n\nexport const parseChatMessage = (message) => {\n if (!message) { return }\n if (message.isNormalized) { return message }\n const output = message\n output.id = message.id\n output.created_at = new Date(message.created_at)\n output.chat_id = message.chat_id\n if (message.content) {\n output.content = addEmojis(message.content, message.emojis)\n } else {\n output.content = ''\n }\n if (message.attachment) {\n output.attachments = [parseAttachment(message.attachment)]\n } else {\n output.attachments = []\n }\n output.isNormalized = true\n return output\n}\n","import { invertLightness, contrastRatio } from 'chromatism'\n\n// useful for visualizing color when debugging\nexport const consoleColor = (color) => console.log('%c##########', 'background: ' + color + '; color: ' + color)\n\n/**\n * Convert r, g, b values into hex notation. All components are [0-255]\n *\n * @param {Number|String|Object} r - Either red component, {r,g,b} object, or hex string\n * @param {Number} [g] - Green component\n * @param {Number} [b] - Blue component\n */\nexport const rgb2hex = (r, g, b) => {\n if (r === null || typeof r === 'undefined') {\n return undefined\n }\n // TODO: clean up this mess\n if (r[0] === '#' || r === 'transparent') {\n return r\n }\n if (typeof r === 'object') {\n ({ r, g, b } = r)\n }\n [r, g, b] = [r, g, b].map(val => {\n val = Math.ceil(val)\n val = val < 0 ? 0 : val\n val = val > 255 ? 255 : val\n return val\n })\n return `#${((1 << 24) + (r << 16) + (g << 8) + b).toString(16).slice(1)}`\n}\n\n/**\n * Converts 8-bit RGB component into linear component\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/#relativeluminancedef\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/relative-luminance.xml\n * https://en.wikipedia.org/wiki/SRGB#The_reverse_transformation\n *\n * @param {Number} bit - color component [0..255]\n * @returns {Number} linear component [0..1]\n */\nconst c2linear = (bit) => {\n // W3C gives 0.03928 while wikipedia states 0.04045\n // what those magical numbers mean - I don't know.\n // something about gamma-correction, i suppose.\n // Sticking with W3C example.\n const c = bit / 255\n if (c < 0.03928) {\n return c / 12.92\n } else {\n return Math.pow((c + 0.055) / 1.055, 2.4)\n }\n}\n\n/**\n * Converts sRGB into linear RGB\n * @param {Object} srgb - sRGB color\n * @returns {Object} linear rgb color\n */\nconst srgbToLinear = (srgb) => {\n return 'rgb'.split('').reduce((acc, c) => { acc[c] = c2linear(srgb[c]); return acc }, {})\n}\n\n/**\n * Calculates relative luminance for given color\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/#relativeluminancedef\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/relative-luminance.xml\n *\n * @param {Object} srgb - sRGB color\n * @returns {Number} relative luminance\n */\nexport const relativeLuminance = (srgb) => {\n const { r, g, b } = srgbToLinear(srgb)\n return 0.2126 * r + 0.7152 * g + 0.0722 * b\n}\n\n/**\n * Generates color ratio between two colors. Order is unimporant\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/#contrast-ratiodef\n *\n * @param {Object} a - sRGB color\n * @param {Object} b - sRGB color\n * @returns {Number} color ratio\n */\nexport const getContrastRatio = (a, b) => {\n const la = relativeLuminance(a)\n const lb = relativeLuminance(b)\n const [l1, l2] = la > lb ? [la, lb] : [lb, la]\n\n return (l1 + 0.05) / (l2 + 0.05)\n}\n\n/**\n * Same as `getContrastRatio` but for multiple layers in-between\n *\n * @param {Object} text - text color (topmost layer)\n * @param {[Object, Number]} layers[] - layers between text and bedrock\n * @param {Object} bedrock - layer at the very bottom\n */\nexport const getContrastRatioLayers = (text, layers, bedrock) => {\n return getContrastRatio(alphaBlendLayers(bedrock, layers), text)\n}\n\n/**\n * This performs alpha blending between solid background and semi-transparent foreground\n *\n * @param {Object} fg - top layer color\n * @param {Number} fga - top layer's alpha\n * @param {Object} bg - bottom layer color\n * @returns {Object} sRGB of resulting color\n */\nexport const alphaBlend = (fg, fga, bg) => {\n if (fga === 1 || typeof fga === 'undefined') return fg\n return 'rgb'.split('').reduce((acc, c) => {\n // Simplified https://en.wikipedia.org/wiki/Alpha_compositing#Alpha_blending\n // for opaque bg and transparent fg\n acc[c] = (fg[c] * fga + bg[c] * (1 - fga))\n return acc\n }, {})\n}\n\n/**\n * Same as `alphaBlend` but for multiple layers in-between\n *\n * @param {Object} bedrock - layer at the very bottom\n * @param {[Object, Number]} layers[] - layers between text and bedrock\n */\nexport const alphaBlendLayers = (bedrock, layers) => layers.reduce((acc, [color, opacity]) => {\n return alphaBlend(color, opacity, acc)\n}, bedrock)\n\nexport const invert = (rgb) => {\n return 'rgb'.split('').reduce((acc, c) => {\n acc[c] = 255 - rgb[c]\n return acc\n }, {})\n}\n\n/**\n * Converts #rrggbb hex notation into an {r, g, b} object\n *\n * @param {String} hex - #rrggbb string\n * @returns {Object} rgb representation of the color, values are 0-255\n */\nexport const hex2rgb = (hex) => {\n const result = /^#?([a-f\\d]{2})([a-f\\d]{2})([a-f\\d]{2})$/i.exec(hex)\n return result ? {\n r: parseInt(result[1], 16),\n g: parseInt(result[2], 16),\n b: parseInt(result[3], 16)\n } : null\n}\n\n/**\n * Old somewhat weird function for mixing two colors together\n *\n * @param {Object} a - one color (rgb)\n * @param {Object} b - other color (rgb)\n * @returns {Object} result\n */\nexport const mixrgb = (a, b) => {\n return 'rgb'.split('').reduce((acc, k) => {\n acc[k] = (a[k] + b[k]) / 2\n return acc\n }, {})\n}\n/**\n * Converts rgb object into a CSS rgba() color\n *\n * @param {Object} color - rgb\n * @returns {String} CSS rgba() color\n */\nexport const rgba2css = function (rgba) {\n return `rgba(${Math.floor(rgba.r)}, ${Math.floor(rgba.g)}, ${Math.floor(rgba.b)}, ${rgba.a})`\n}\n\n/**\n * Get text color for given background color and intended text color\n * This checks if text and background don't have enough color and inverts\n * text color's lightness if needed. If text color is still not enough it\n * will fall back to black or white\n *\n * @param {Object} bg - background color\n * @param {Object} text - intended text color\n * @param {Boolean} preserve - try to preserve intended text color's hue/saturation (i.e. no BW)\n */\nexport const getTextColor = function (bg, text, preserve) {\n const contrast = getContrastRatio(bg, text)\n\n if (contrast < 4.5) {\n const base = typeof text.a !== 'undefined' ? { a: text.a } : {}\n const result = Object.assign(base, invertLightness(text).rgb)\n if (!preserve && getContrastRatio(bg, result) < 4.5) {\n // B&W\n return contrastRatio(bg, text).rgb\n }\n // Inverted color\n return result\n }\n return text\n}\n\n/**\n * Converts color to CSS Color value\n *\n * @param {Object|String} input - color\n * @param {Number} [a] - alpha value\n * @returns {String} a CSS Color value\n */\nexport const getCssColor = (input, a) => {\n let rgb = {}\n if (typeof input === 'object') {\n rgb = input\n } else if (typeof input === 'string') {\n if (input.startsWith('#')) {\n rgb = hex2rgb(input)\n } else {\n return input\n }\n }\n return rgba2css({ ...rgb, a })\n}\n","import { humanizeErrors } from '../../modules/errors'\n\nexport function StatusCodeError (statusCode, body, options, response) {\n this.name = 'StatusCodeError'\n this.statusCode = statusCode\n this.message = statusCode + ' - ' + (JSON && JSON.stringify ? JSON.stringify(body) : body)\n this.error = body // legacy attribute\n this.options = options\n this.response = response\n\n if (Error.captureStackTrace) { // required for non-V8 environments\n Error.captureStackTrace(this)\n }\n}\nStatusCodeError.prototype = Object.create(Error.prototype)\nStatusCodeError.prototype.constructor = StatusCodeError\n\nexport class RegistrationError extends Error {\n constructor (error) {\n super()\n if (Error.captureStackTrace) {\n Error.captureStackTrace(this)\n }\n\n try {\n // the error is probably a JSON object with a single key, \"errors\", whose value is another JSON object containing the real errors\n if (typeof error === 'string') {\n error = JSON.parse(error)\n if (error.hasOwnProperty('error')) {\n error = JSON.parse(error.error)\n }\n }\n\n if (typeof error === 'object') {\n const errorContents = JSON.parse(error.error)\n // keys will have the property that has the error, for example 'ap_id',\n // 'email' or 'captcha', the value will be an array of its error\n // like \"ap_id\": [\"has been taken\"] or \"captcha\": [\"Invalid CAPTCHA\"]\n\n // replace ap_id with username\n if (errorContents.ap_id) {\n errorContents.username = errorContents.ap_id\n delete errorContents.ap_id\n }\n\n this.message = humanizeErrors(errorContents)\n } else {\n this.message = error\n }\n } catch (e) {\n // can't parse it, so just treat it like a string\n this.message = error\n }\n }\n}\n","import { capitalize } from 'lodash'\n\nexport function humanizeErrors (errors) {\n return Object.entries(errors).reduce((errs, [k, val]) => {\n let message = val.reduce((acc, message) => {\n let key = capitalize(k.replace(/_/g, ' '))\n return acc + [key, message].join(' ') + '. '\n }, '')\n return [...errs, message]\n }, [])\n}\n","import { each, map, concat, last, get } from 'lodash'\nimport { parseStatus, parseUser, parseNotification, parseAttachment, parseChat, parseLinkHeaderPagination } from '../entity_normalizer/entity_normalizer.service.js'\nimport { RegistrationError, StatusCodeError } from '../errors/errors'\n\n/* eslint-env browser */\nconst BLOCKS_IMPORT_URL = '/api/pleroma/blocks_import'\nconst FOLLOW_IMPORT_URL = '/api/pleroma/follow_import'\nconst DELETE_ACCOUNT_URL = '/api/pleroma/delete_account'\nconst CHANGE_EMAIL_URL = '/api/pleroma/change_email'\nconst CHANGE_PASSWORD_URL = '/api/pleroma/change_password'\nconst TAG_USER_URL = '/api/pleroma/admin/users/tag'\nconst PERMISSION_GROUP_URL = (screenName, right) => `/api/pleroma/admin/users/${screenName}/permission_group/${right}`\nconst ACTIVATE_USER_URL = '/api/pleroma/admin/users/activate'\nconst DEACTIVATE_USER_URL = '/api/pleroma/admin/users/deactivate'\nconst ADMIN_USERS_URL = '/api/pleroma/admin/users'\nconst SUGGESTIONS_URL = '/api/v1/suggestions'\nconst NOTIFICATION_SETTINGS_URL = '/api/pleroma/notification_settings'\nconst NOTIFICATION_READ_URL = '/api/v1/pleroma/notifications/read'\n\nconst MFA_SETTINGS_URL = '/api/pleroma/accounts/mfa'\nconst MFA_BACKUP_CODES_URL = '/api/pleroma/accounts/mfa/backup_codes'\n\nconst MFA_SETUP_OTP_URL = '/api/pleroma/accounts/mfa/setup/totp'\nconst MFA_CONFIRM_OTP_URL = '/api/pleroma/accounts/mfa/confirm/totp'\nconst MFA_DISABLE_OTP_URL = '/api/pleroma/accounts/mfa/totp'\n\nconst MASTODON_LOGIN_URL = '/api/v1/accounts/verify_credentials'\nconst MASTODON_REGISTRATION_URL = '/api/v1/accounts'\nconst MASTODON_USER_FAVORITES_TIMELINE_URL = '/api/v1/favourites'\nconst MASTODON_USER_NOTIFICATIONS_URL = '/api/v1/notifications'\nconst MASTODON_DISMISS_NOTIFICATION_URL = id => `/api/v1/notifications/${id}/dismiss`\nconst MASTODON_FAVORITE_URL = id => `/api/v1/statuses/${id}/favourite`\nconst MASTODON_UNFAVORITE_URL = id => `/api/v1/statuses/${id}/unfavourite`\nconst MASTODON_RETWEET_URL = id => `/api/v1/statuses/${id}/reblog`\nconst MASTODON_UNRETWEET_URL = id => `/api/v1/statuses/${id}/unreblog`\nconst MASTODON_DELETE_URL = id => `/api/v1/statuses/${id}`\nconst MASTODON_FOLLOW_URL = id => `/api/v1/accounts/${id}/follow`\nconst MASTODON_UNFOLLOW_URL = id => `/api/v1/accounts/${id}/unfollow`\nconst MASTODON_FOLLOWING_URL = id => `/api/v1/accounts/${id}/following`\nconst MASTODON_FOLLOWERS_URL = id => `/api/v1/accounts/${id}/followers`\nconst MASTODON_FOLLOW_REQUESTS_URL = '/api/v1/follow_requests'\nconst MASTODON_APPROVE_USER_URL = id => `/api/v1/follow_requests/${id}/authorize`\nconst MASTODON_DENY_USER_URL = id => `/api/v1/follow_requests/${id}/reject`\nconst MASTODON_DIRECT_MESSAGES_TIMELINE_URL = '/api/v1/timelines/direct'\nconst MASTODON_PUBLIC_TIMELINE = '/api/v1/timelines/public'\nconst MASTODON_USER_HOME_TIMELINE_URL = '/api/v1/timelines/home'\nconst MASTODON_STATUS_URL = id => `/api/v1/statuses/${id}`\nconst MASTODON_STATUS_CONTEXT_URL = id => `/api/v1/statuses/${id}/context`\nconst MASTODON_USER_URL = '/api/v1/accounts'\nconst MASTODON_USER_RELATIONSHIPS_URL = '/api/v1/accounts/relationships'\nconst MASTODON_USER_TIMELINE_URL = id => `/api/v1/accounts/${id}/statuses`\nconst MASTODON_TAG_TIMELINE_URL = tag => `/api/v1/timelines/tag/${tag}`\nconst MASTODON_BOOKMARK_TIMELINE_URL = '/api/v1/bookmarks'\nconst MASTODON_USER_BLOCKS_URL = '/api/v1/blocks/'\nconst MASTODON_USER_MUTES_URL = '/api/v1/mutes/'\nconst MASTODON_BLOCK_USER_URL = id => `/api/v1/accounts/${id}/block`\nconst MASTODON_UNBLOCK_USER_URL = id => `/api/v1/accounts/${id}/unblock`\nconst MASTODON_MUTE_USER_URL = id => `/api/v1/accounts/${id}/mute`\nconst MASTODON_UNMUTE_USER_URL = id => `/api/v1/accounts/${id}/unmute`\nconst MASTODON_SUBSCRIBE_USER = id => `/api/v1/pleroma/accounts/${id}/subscribe`\nconst MASTODON_UNSUBSCRIBE_USER = id => `/api/v1/pleroma/accounts/${id}/unsubscribe`\nconst MASTODON_BOOKMARK_STATUS_URL = id => `/api/v1/statuses/${id}/bookmark`\nconst MASTODON_UNBOOKMARK_STATUS_URL = id => `/api/v1/statuses/${id}/unbookmark`\nconst MASTODON_POST_STATUS_URL = '/api/v1/statuses'\nconst MASTODON_MEDIA_UPLOAD_URL = '/api/v1/media'\nconst MASTODON_VOTE_URL = id => `/api/v1/polls/${id}/votes`\nconst MASTODON_POLL_URL = id => `/api/v1/polls/${id}`\nconst MASTODON_STATUS_FAVORITEDBY_URL = id => `/api/v1/statuses/${id}/favourited_by`\nconst MASTODON_STATUS_REBLOGGEDBY_URL = id => `/api/v1/statuses/${id}/reblogged_by`\nconst MASTODON_PROFILE_UPDATE_URL = '/api/v1/accounts/update_credentials'\nconst MASTODON_REPORT_USER_URL = '/api/v1/reports'\nconst MASTODON_PIN_OWN_STATUS = id => `/api/v1/statuses/${id}/pin`\nconst MASTODON_UNPIN_OWN_STATUS = id => `/api/v1/statuses/${id}/unpin`\nconst MASTODON_MUTE_CONVERSATION = id => `/api/v1/statuses/${id}/mute`\nconst MASTODON_UNMUTE_CONVERSATION = id => `/api/v1/statuses/${id}/unmute`\nconst MASTODON_SEARCH_2 = `/api/v2/search`\nconst MASTODON_USER_SEARCH_URL = '/api/v1/accounts/search'\nconst MASTODON_DOMAIN_BLOCKS_URL = '/api/v1/domain_blocks'\nconst MASTODON_STREAMING = '/api/v1/streaming'\nconst MASTODON_KNOWN_DOMAIN_LIST_URL = '/api/v1/instance/peers'\nconst PLEROMA_EMOJI_REACTIONS_URL = id => `/api/v1/pleroma/statuses/${id}/reactions`\nconst PLEROMA_EMOJI_REACT_URL = (id, emoji) => `/api/v1/pleroma/statuses/${id}/reactions/${emoji}`\nconst PLEROMA_EMOJI_UNREACT_URL = (id, emoji) => `/api/v1/pleroma/statuses/${id}/reactions/${emoji}`\nconst PLEROMA_CHATS_URL = `/api/v1/pleroma/chats`\nconst PLEROMA_CHAT_URL = id => `/api/v1/pleroma/chats/by-account-id/${id}`\nconst PLEROMA_CHAT_MESSAGES_URL = id => `/api/v1/pleroma/chats/${id}/messages`\nconst PLEROMA_CHAT_READ_URL = id => `/api/v1/pleroma/chats/${id}/read`\nconst PLEROMA_DELETE_CHAT_MESSAGE_URL = (chatId, messageId) => `/api/v1/pleroma/chats/${chatId}/messages/${messageId}`\n\nconst oldfetch = window.fetch\n\nlet fetch = (url, options) => {\n options = options || {}\n const baseUrl = ''\n const fullUrl = baseUrl + url\n options.credentials = 'same-origin'\n return oldfetch(fullUrl, options)\n}\n\nconst promisedRequest = ({ method, url, params, payload, credentials, headers = {} }) => {\n const options = {\n method,\n headers: {\n 'Accept': 'application/json',\n 'Content-Type': 'application/json',\n ...headers\n }\n }\n if (params) {\n url += '?' + Object.entries(params)\n .map(([key, value]) => encodeURIComponent(key) + '=' + encodeURIComponent(value))\n .join('&')\n }\n if (payload) {\n options.body = JSON.stringify(payload)\n }\n if (credentials) {\n options.headers = {\n ...options.headers,\n ...authHeaders(credentials)\n }\n }\n return fetch(url, options)\n .then((response) => {\n return new Promise((resolve, reject) => response.json()\n .then((json) => {\n if (!response.ok) {\n return reject(new StatusCodeError(response.status, json, { url, options }, response))\n }\n return resolve(json)\n }))\n })\n}\n\nconst updateNotificationSettings = ({ credentials, settings }) => {\n const form = new FormData()\n\n each(settings, (value, key) => {\n form.append(key, value)\n })\n\n return fetch(NOTIFICATION_SETTINGS_URL, {\n headers: authHeaders(credentials),\n method: 'PUT',\n body: form\n }).then((data) => data.json())\n}\n\nconst updateProfileImages = ({ credentials, avatar = null, banner = null, background = null }) => {\n const form = new FormData()\n if (avatar !== null) form.append('avatar', avatar)\n if (banner !== null) form.append('header', banner)\n if (background !== null) form.append('pleroma_background_image', background)\n return fetch(MASTODON_PROFILE_UPDATE_URL, {\n headers: authHeaders(credentials),\n method: 'PATCH',\n body: form\n })\n .then((data) => data.json())\n .then((data) => parseUser(data))\n}\n\nconst updateProfile = ({ credentials, params }) => {\n return promisedRequest({\n url: MASTODON_PROFILE_UPDATE_URL,\n method: 'PATCH',\n payload: params,\n credentials\n }).then((data) => parseUser(data))\n}\n\n// Params needed:\n// nickname\n// email\n// fullname\n// password\n// password_confirm\n//\n// Optional\n// bio\n// homepage\n// location\n// token\nconst register = ({ params, credentials }) => {\n const { nickname, ...rest } = params\n return fetch(MASTODON_REGISTRATION_URL, {\n method: 'POST',\n headers: {\n ...authHeaders(credentials),\n 'Content-Type': 'application/json'\n },\n body: JSON.stringify({\n nickname,\n locale: 'en_US',\n agreement: true,\n ...rest\n })\n })\n .then((response) => {\n if (response.ok) {\n return response.json()\n } else {\n return response.json().then((error) => { throw new RegistrationError(error) })\n }\n })\n}\n\nconst getCaptcha = () => fetch('/api/pleroma/captcha').then(resp => resp.json())\n\nconst authHeaders = (accessToken) => {\n if (accessToken) {\n return { 'Authorization': `Bearer ${accessToken}` }\n } else {\n return { }\n }\n}\n\nconst followUser = ({ id, credentials, ...options }) => {\n let url = MASTODON_FOLLOW_URL(id)\n const form = {}\n if (options.reblogs !== undefined) { form['reblogs'] = options.reblogs }\n return fetch(url, {\n body: JSON.stringify(form),\n headers: {\n ...authHeaders(credentials),\n 'Content-Type': 'application/json'\n },\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst unfollowUser = ({ id, credentials }) => {\n let url = MASTODON_UNFOLLOW_URL(id)\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst pinOwnStatus = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_PIN_OWN_STATUS(id), credentials, method: 'POST' })\n .then((data) => parseStatus(data))\n}\n\nconst unpinOwnStatus = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_UNPIN_OWN_STATUS(id), credentials, method: 'POST' })\n .then((data) => parseStatus(data))\n}\n\nconst muteConversation = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_MUTE_CONVERSATION(id), credentials, method: 'POST' })\n .then((data) => parseStatus(data))\n}\n\nconst unmuteConversation = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_UNMUTE_CONVERSATION(id), credentials, method: 'POST' })\n .then((data) => parseStatus(data))\n}\n\nconst blockUser = ({ id, credentials }) => {\n return fetch(MASTODON_BLOCK_USER_URL(id), {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst unblockUser = ({ id, credentials }) => {\n return fetch(MASTODON_UNBLOCK_USER_URL(id), {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst approveUser = ({ id, credentials }) => {\n let url = MASTODON_APPROVE_USER_URL(id)\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst denyUser = ({ id, credentials }) => {\n let url = MASTODON_DENY_USER_URL(id)\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst fetchUser = ({ id, credentials }) => {\n let url = `${MASTODON_USER_URL}/${id}`\n return promisedRequest({ url, credentials })\n .then((data) => parseUser(data))\n}\n\nconst fetchUserRelationship = ({ id, credentials }) => {\n let url = `${MASTODON_USER_RELATIONSHIPS_URL}/?id=${id}`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((response) => {\n return new Promise((resolve, reject) => response.json()\n .then((json) => {\n if (!response.ok) {\n return reject(new StatusCodeError(response.status, json, { url }, response))\n }\n return resolve(json)\n }))\n })\n}\n\nconst fetchFriends = ({ id, maxId, sinceId, limit = 20, credentials }) => {\n let url = MASTODON_FOLLOWING_URL(id)\n const args = [\n maxId && `max_id=${maxId}`,\n sinceId && `since_id=${sinceId}`,\n limit && `limit=${limit}`,\n `with_relationships=true`\n ].filter(_ => _).join('&')\n\n url = url + (args ? '?' + args : '')\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n .then((data) => data.map(parseUser))\n}\n\nconst exportFriends = ({ id, credentials }) => {\n return new Promise(async (resolve, reject) => {\n try {\n let friends = []\n let more = true\n while (more) {\n const maxId = friends.length > 0 ? last(friends).id : undefined\n const users = await fetchFriends({ id, maxId, credentials })\n friends = concat(friends, users)\n if (users.length === 0) {\n more = false\n }\n }\n resolve(friends)\n } catch (err) {\n reject(err)\n }\n })\n}\n\nconst fetchFollowers = ({ id, maxId, sinceId, limit = 20, credentials }) => {\n let url = MASTODON_FOLLOWERS_URL(id)\n const args = [\n maxId && `max_id=${maxId}`,\n sinceId && `since_id=${sinceId}`,\n limit && `limit=${limit}`,\n `with_relationships=true`\n ].filter(_ => _).join('&')\n\n url += args ? '?' + args : ''\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n .then((data) => data.map(parseUser))\n}\n\nconst fetchFollowRequests = ({ credentials }) => {\n const url = MASTODON_FOLLOW_REQUESTS_URL\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n .then((data) => data.map(parseUser))\n}\n\nconst fetchConversation = ({ id, credentials }) => {\n let urlContext = MASTODON_STATUS_CONTEXT_URL(id)\n return fetch(urlContext, { headers: authHeaders(credentials) })\n .then((data) => {\n if (data.ok) {\n return data\n }\n throw new Error('Error fetching timeline', data)\n })\n .then((data) => data.json())\n .then(({ ancestors, descendants }) => ({\n ancestors: ancestors.map(parseStatus),\n descendants: descendants.map(parseStatus)\n }))\n}\n\nconst fetchStatus = ({ id, credentials }) => {\n let url = MASTODON_STATUS_URL(id)\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => {\n if (data.ok) {\n return data\n }\n throw new Error('Error fetching timeline', data)\n })\n .then((data) => data.json())\n .then((data) => parseStatus(data))\n}\n\nconst tagUser = ({ tag, credentials, user }) => {\n const screenName = user.screen_name\n const form = {\n nicknames: [screenName],\n tags: [tag]\n }\n\n const headers = authHeaders(credentials)\n headers['Content-Type'] = 'application/json'\n\n return fetch(TAG_USER_URL, {\n method: 'PUT',\n headers: headers,\n body: JSON.stringify(form)\n })\n}\n\nconst untagUser = ({ tag, credentials, user }) => {\n const screenName = user.screen_name\n const body = {\n nicknames: [screenName],\n tags: [tag]\n }\n\n const headers = authHeaders(credentials)\n headers['Content-Type'] = 'application/json'\n\n return fetch(TAG_USER_URL, {\n method: 'DELETE',\n headers: headers,\n body: JSON.stringify(body)\n })\n}\n\nconst addRight = ({ right, credentials, user }) => {\n const screenName = user.screen_name\n\n return fetch(PERMISSION_GROUP_URL(screenName, right), {\n method: 'POST',\n headers: authHeaders(credentials),\n body: {}\n })\n}\n\nconst deleteRight = ({ right, credentials, user }) => {\n const screenName = user.screen_name\n\n return fetch(PERMISSION_GROUP_URL(screenName, right), {\n method: 'DELETE',\n headers: authHeaders(credentials),\n body: {}\n })\n}\n\nconst activateUser = ({ credentials, user: { screen_name: nickname } }) => {\n return promisedRequest({\n url: ACTIVATE_USER_URL,\n method: 'PATCH',\n credentials,\n payload: {\n nicknames: [nickname]\n }\n }).then(response => get(response, 'users.0'))\n}\n\nconst deactivateUser = ({ credentials, user: { screen_name: nickname } }) => {\n return promisedRequest({\n url: DEACTIVATE_USER_URL,\n method: 'PATCH',\n credentials,\n payload: {\n nicknames: [nickname]\n }\n }).then(response => get(response, 'users.0'))\n}\n\nconst deleteUser = ({ credentials, user }) => {\n const screenName = user.screen_name\n const headers = authHeaders(credentials)\n\n return fetch(`${ADMIN_USERS_URL}?nickname=${screenName}`, {\n method: 'DELETE',\n headers: headers\n })\n}\n\nconst fetchTimeline = ({\n timeline,\n credentials,\n since = false,\n until = false,\n userId = false,\n tag = false,\n withMuted = false,\n replyVisibility = 'all'\n}) => {\n const timelineUrls = {\n public: MASTODON_PUBLIC_TIMELINE,\n friends: MASTODON_USER_HOME_TIMELINE_URL,\n dms: MASTODON_DIRECT_MESSAGES_TIMELINE_URL,\n notifications: MASTODON_USER_NOTIFICATIONS_URL,\n 'publicAndExternal': MASTODON_PUBLIC_TIMELINE,\n user: MASTODON_USER_TIMELINE_URL,\n media: MASTODON_USER_TIMELINE_URL,\n favorites: MASTODON_USER_FAVORITES_TIMELINE_URL,\n tag: MASTODON_TAG_TIMELINE_URL,\n bookmarks: MASTODON_BOOKMARK_TIMELINE_URL\n }\n const isNotifications = timeline === 'notifications'\n const params = []\n\n let url = timelineUrls[timeline]\n\n if (timeline === 'user' || timeline === 'media') {\n url = url(userId)\n }\n\n if (since) {\n params.push(['since_id', since])\n }\n if (until) {\n params.push(['max_id', until])\n }\n if (tag) {\n url = url(tag)\n }\n if (timeline === 'media') {\n params.push(['only_media', 1])\n }\n if (timeline === 'public') {\n params.push(['local', true])\n }\n if (timeline === 'public' || timeline === 'publicAndExternal') {\n params.push(['only_media', false])\n }\n if (timeline !== 'favorites' && timeline !== 'bookmarks') {\n params.push(['with_muted', withMuted])\n }\n if (replyVisibility !== 'all') {\n params.push(['reply_visibility', replyVisibility])\n }\n\n params.push(['limit', 20])\n\n const queryString = map(params, (param) => `${param[0]}=${param[1]}`).join('&')\n url += `?${queryString}`\n let status = ''\n let statusText = ''\n let pagination = {}\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => {\n status = data.status\n statusText = data.statusText\n pagination = parseLinkHeaderPagination(data.headers.get('Link'), {\n flakeId: timeline !== 'bookmarks' && timeline !== 'notifications'\n })\n return data\n })\n .then((data) => data.json())\n .then((data) => {\n if (!data.error) {\n return { data: data.map(isNotifications ? parseNotification : parseStatus), pagination }\n } else {\n data.status = status\n data.statusText = statusText\n return data\n }\n })\n}\n\nconst fetchPinnedStatuses = ({ id, credentials }) => {\n const url = MASTODON_USER_TIMELINE_URL(id) + '?pinned=true'\n return promisedRequest({ url, credentials })\n .then((data) => data.map(parseStatus))\n}\n\nconst verifyCredentials = (user) => {\n return fetch(MASTODON_LOGIN_URL, {\n headers: authHeaders(user)\n })\n .then((response) => {\n if (response.ok) {\n return response.json()\n } else {\n return {\n error: response\n }\n }\n })\n .then((data) => data.error ? data : parseUser(data))\n}\n\nconst favorite = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_FAVORITE_URL(id), method: 'POST', credentials })\n .then((data) => parseStatus(data))\n}\n\nconst unfavorite = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_UNFAVORITE_URL(id), method: 'POST', credentials })\n .then((data) => parseStatus(data))\n}\n\nconst retweet = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_RETWEET_URL(id), method: 'POST', credentials })\n .then((data) => parseStatus(data))\n}\n\nconst unretweet = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_UNRETWEET_URL(id), method: 'POST', credentials })\n .then((data) => parseStatus(data))\n}\n\nconst bookmarkStatus = ({ id, credentials }) => {\n return promisedRequest({\n url: MASTODON_BOOKMARK_STATUS_URL(id),\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst unbookmarkStatus = ({ id, credentials }) => {\n return promisedRequest({\n url: MASTODON_UNBOOKMARK_STATUS_URL(id),\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst postStatus = ({\n credentials,\n status,\n spoilerText,\n visibility,\n sensitive,\n poll,\n mediaIds = [],\n inReplyToStatusId,\n contentType,\n preview,\n idempotencyKey\n}) => {\n const form = new FormData()\n const pollOptions = poll.options || []\n\n form.append('status', status)\n form.append('source', 'Pleroma FE')\n if (spoilerText) form.append('spoiler_text', spoilerText)\n if (visibility) form.append('visibility', visibility)\n if (sensitive) form.append('sensitive', sensitive)\n if (contentType) form.append('content_type', contentType)\n mediaIds.forEach(val => {\n form.append('media_ids[]', val)\n })\n if (pollOptions.some(option => option !== '')) {\n const normalizedPoll = {\n expires_in: poll.expiresIn,\n multiple: poll.multiple\n }\n Object.keys(normalizedPoll).forEach(key => {\n form.append(`poll[${key}]`, normalizedPoll[key])\n })\n\n pollOptions.forEach(option => {\n form.append('poll[options][]', option)\n })\n }\n if (inReplyToStatusId) {\n form.append('in_reply_to_id', inReplyToStatusId)\n }\n if (preview) {\n form.append('preview', 'true')\n }\n\n let postHeaders = authHeaders(credentials)\n if (idempotencyKey) {\n postHeaders['idempotency-key'] = idempotencyKey\n }\n\n return fetch(MASTODON_POST_STATUS_URL, {\n body: form,\n method: 'POST',\n headers: postHeaders\n })\n .then((response) => {\n return response.json()\n })\n .then((data) => data.error ? data : parseStatus(data))\n}\n\nconst deleteStatus = ({ id, credentials }) => {\n return fetch(MASTODON_DELETE_URL(id), {\n headers: authHeaders(credentials),\n method: 'DELETE'\n })\n}\n\nconst uploadMedia = ({ formData, credentials }) => {\n return fetch(MASTODON_MEDIA_UPLOAD_URL, {\n body: formData,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((data) => data.json())\n .then((data) => parseAttachment(data))\n}\n\nconst setMediaDescription = ({ id, description, credentials }) => {\n return promisedRequest({\n url: `${MASTODON_MEDIA_UPLOAD_URL}/${id}`,\n method: 'PUT',\n headers: authHeaders(credentials),\n payload: {\n description\n }\n }).then((data) => parseAttachment(data))\n}\n\nconst importBlocks = ({ file, credentials }) => {\n const formData = new FormData()\n formData.append('list', file)\n return fetch(BLOCKS_IMPORT_URL, {\n body: formData,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.ok)\n}\n\nconst importFollows = ({ file, credentials }) => {\n const formData = new FormData()\n formData.append('list', file)\n return fetch(FOLLOW_IMPORT_URL, {\n body: formData,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.ok)\n}\n\nconst deleteAccount = ({ credentials, password }) => {\n const form = new FormData()\n\n form.append('password', password)\n\n return fetch(DELETE_ACCOUNT_URL, {\n body: form,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.json())\n}\n\nconst changeEmail = ({ credentials, email, password }) => {\n const form = new FormData()\n\n form.append('email', email)\n form.append('password', password)\n\n return fetch(CHANGE_EMAIL_URL, {\n body: form,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.json())\n}\n\nconst changePassword = ({ credentials, password, newPassword, newPasswordConfirmation }) => {\n const form = new FormData()\n\n form.append('password', password)\n form.append('new_password', newPassword)\n form.append('new_password_confirmation', newPasswordConfirmation)\n\n return fetch(CHANGE_PASSWORD_URL, {\n body: form,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.json())\n}\n\nconst settingsMFA = ({ credentials }) => {\n return fetch(MFA_SETTINGS_URL, {\n headers: authHeaders(credentials),\n method: 'GET'\n }).then((data) => data.json())\n}\n\nconst mfaDisableOTP = ({ credentials, password }) => {\n const form = new FormData()\n\n form.append('password', password)\n\n return fetch(MFA_DISABLE_OTP_URL, {\n body: form,\n method: 'DELETE',\n headers: authHeaders(credentials)\n })\n .then((response) => response.json())\n}\n\nconst mfaConfirmOTP = ({ credentials, password, token }) => {\n const form = new FormData()\n\n form.append('password', password)\n form.append('code', token)\n\n return fetch(MFA_CONFIRM_OTP_URL, {\n body: form,\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\nconst mfaSetupOTP = ({ credentials }) => {\n return fetch(MFA_SETUP_OTP_URL, {\n headers: authHeaders(credentials),\n method: 'GET'\n }).then((data) => data.json())\n}\nconst generateMfaBackupCodes = ({ credentials }) => {\n return fetch(MFA_BACKUP_CODES_URL, {\n headers: authHeaders(credentials),\n method: 'GET'\n }).then((data) => data.json())\n}\n\nconst fetchMutes = ({ credentials }) => {\n return promisedRequest({ url: MASTODON_USER_MUTES_URL, credentials })\n .then((users) => users.map(parseUser))\n}\n\nconst muteUser = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_MUTE_USER_URL(id), credentials, method: 'POST' })\n}\n\nconst unmuteUser = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_UNMUTE_USER_URL(id), credentials, method: 'POST' })\n}\n\nconst subscribeUser = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_SUBSCRIBE_USER(id), credentials, method: 'POST' })\n}\n\nconst unsubscribeUser = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_UNSUBSCRIBE_USER(id), credentials, method: 'POST' })\n}\n\nconst fetchBlocks = ({ credentials }) => {\n return promisedRequest({ url: MASTODON_USER_BLOCKS_URL, credentials })\n .then((users) => users.map(parseUser))\n}\n\nconst fetchOAuthTokens = ({ credentials }) => {\n const url = '/api/oauth_tokens.json'\n\n return fetch(url, {\n headers: authHeaders(credentials)\n }).then((data) => {\n if (data.ok) {\n return data.json()\n }\n throw new Error('Error fetching auth tokens', data)\n })\n}\n\nconst revokeOAuthToken = ({ id, credentials }) => {\n const url = `/api/oauth_tokens/${id}`\n\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'DELETE'\n })\n}\n\nconst suggestions = ({ credentials }) => {\n return fetch(SUGGESTIONS_URL, {\n headers: authHeaders(credentials)\n }).then((data) => data.json())\n}\n\nconst markNotificationsAsSeen = ({ id, credentials, single = false }) => {\n const body = new FormData()\n\n if (single) {\n body.append('id', id)\n } else {\n body.append('max_id', id)\n }\n\n return fetch(NOTIFICATION_READ_URL, {\n body,\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst vote = ({ pollId, choices, credentials }) => {\n const form = new FormData()\n form.append('choices', choices)\n\n return promisedRequest({\n url: MASTODON_VOTE_URL(encodeURIComponent(pollId)),\n method: 'POST',\n credentials,\n payload: {\n choices: choices\n }\n })\n}\n\nconst fetchPoll = ({ pollId, credentials }) => {\n return promisedRequest(\n {\n url: MASTODON_POLL_URL(encodeURIComponent(pollId)),\n method: 'GET',\n credentials\n }\n )\n}\n\nconst fetchFavoritedByUsers = ({ id, credentials }) => {\n return promisedRequest({\n url: MASTODON_STATUS_FAVORITEDBY_URL(id),\n method: 'GET',\n credentials\n }).then((users) => users.map(parseUser))\n}\n\nconst fetchRebloggedByUsers = ({ id, credentials }) => {\n return promisedRequest({\n url: MASTODON_STATUS_REBLOGGEDBY_URL(id),\n method: 'GET',\n credentials\n }).then((users) => users.map(parseUser))\n}\n\nconst fetchEmojiReactions = ({ id, credentials }) => {\n return promisedRequest({ url: PLEROMA_EMOJI_REACTIONS_URL(id), credentials })\n .then((reactions) => reactions.map(r => {\n r.accounts = r.accounts.map(parseUser)\n return r\n }))\n}\n\nconst reactWithEmoji = ({ id, emoji, credentials }) => {\n return promisedRequest({\n url: PLEROMA_EMOJI_REACT_URL(id, emoji),\n method: 'PUT',\n credentials\n }).then(parseStatus)\n}\n\nconst unreactWithEmoji = ({ id, emoji, credentials }) => {\n return promisedRequest({\n url: PLEROMA_EMOJI_UNREACT_URL(id, emoji),\n method: 'DELETE',\n credentials\n }).then(parseStatus)\n}\n\nconst reportUser = ({ credentials, userId, statusIds, comment, forward }) => {\n return promisedRequest({\n url: MASTODON_REPORT_USER_URL,\n method: 'POST',\n payload: {\n 'account_id': userId,\n 'status_ids': statusIds,\n comment,\n forward\n },\n credentials\n })\n}\n\nconst searchUsers = ({ credentials, query }) => {\n return promisedRequest({\n url: MASTODON_USER_SEARCH_URL,\n params: {\n q: query,\n resolve: true\n },\n credentials\n })\n .then((data) => data.map(parseUser))\n}\n\nconst search2 = ({ credentials, q, resolve, limit, offset, following }) => {\n let url = MASTODON_SEARCH_2\n let params = []\n\n if (q) {\n params.push(['q', encodeURIComponent(q)])\n }\n\n if (resolve) {\n params.push(['resolve', resolve])\n }\n\n if (limit) {\n params.push(['limit', limit])\n }\n\n if (offset) {\n params.push(['offset', offset])\n }\n\n if (following) {\n params.push(['following', true])\n }\n\n params.push(['with_relationships', true])\n\n let queryString = map(params, (param) => `${param[0]}=${param[1]}`).join('&')\n url += `?${queryString}`\n\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => {\n if (data.ok) {\n return data\n }\n throw new Error('Error fetching search result', data)\n })\n .then((data) => { return data.json() })\n .then((data) => {\n data.accounts = data.accounts.slice(0, limit).map(u => parseUser(u))\n data.statuses = data.statuses.slice(0, limit).map(s => parseStatus(s))\n return data\n })\n}\n\nconst fetchKnownDomains = ({ credentials }) => {\n return promisedRequest({ url: MASTODON_KNOWN_DOMAIN_LIST_URL, credentials })\n}\n\nconst fetchDomainMutes = ({ credentials }) => {\n return promisedRequest({ url: MASTODON_DOMAIN_BLOCKS_URL, credentials })\n}\n\nconst muteDomain = ({ domain, credentials }) => {\n return promisedRequest({\n url: MASTODON_DOMAIN_BLOCKS_URL,\n method: 'POST',\n payload: { domain },\n credentials\n })\n}\n\nconst unmuteDomain = ({ domain, credentials }) => {\n return promisedRequest({\n url: MASTODON_DOMAIN_BLOCKS_URL,\n method: 'DELETE',\n payload: { domain },\n credentials\n })\n}\n\nconst dismissNotification = ({ credentials, id }) => {\n return promisedRequest({\n url: MASTODON_DISMISS_NOTIFICATION_URL(id),\n method: 'POST',\n payload: { id },\n credentials\n })\n}\n\nexport const getMastodonSocketURI = ({ credentials, stream, args = {} }) => {\n return Object.entries({\n ...(credentials\n ? { access_token: credentials }\n : {}\n ),\n stream,\n ...args\n }).reduce((acc, [key, val]) => {\n return acc + `${key}=${val}&`\n }, MASTODON_STREAMING + '?')\n}\n\nconst MASTODON_STREAMING_EVENTS = new Set([\n 'update',\n 'notification',\n 'delete',\n 'filters_changed'\n])\n\nconst PLEROMA_STREAMING_EVENTS = new Set([\n 'pleroma:chat_update'\n])\n\n// A thin wrapper around WebSocket API that allows adding a pre-processor to it\n// Uses EventTarget and a CustomEvent to proxy events\nexport const ProcessedWS = ({\n url,\n preprocessor = handleMastoWS,\n id = 'Unknown'\n}) => {\n const eventTarget = new EventTarget()\n const socket = new WebSocket(url)\n if (!socket) throw new Error(`Failed to create socket ${id}`)\n const proxy = (original, eventName, processor = a => a) => {\n original.addEventListener(eventName, (eventData) => {\n eventTarget.dispatchEvent(new CustomEvent(\n eventName,\n { detail: processor(eventData) }\n ))\n })\n }\n socket.addEventListener('open', (wsEvent) => {\n console.debug(`[WS][${id}] Socket connected`, wsEvent)\n })\n socket.addEventListener('error', (wsEvent) => {\n console.debug(`[WS][${id}] Socket errored`, wsEvent)\n })\n socket.addEventListener('close', (wsEvent) => {\n console.debug(\n `[WS][${id}] Socket disconnected with code ${wsEvent.code}`,\n wsEvent\n )\n })\n // Commented code reason: very spammy, uncomment to enable message debug logging\n /*\n socket.addEventListener('message', (wsEvent) => {\n console.debug(\n `[WS][${id}] Message received`,\n wsEvent\n )\n })\n /**/\n\n proxy(socket, 'open')\n proxy(socket, 'close')\n proxy(socket, 'message', preprocessor)\n proxy(socket, 'error')\n\n // 1000 = Normal Closure\n eventTarget.close = () => { socket.close(1000, 'Shutting down socket') }\n\n return eventTarget\n}\n\nexport const handleMastoWS = (wsEvent) => {\n const { data } = wsEvent\n if (!data) return\n const parsedEvent = JSON.parse(data)\n const { event, payload } = parsedEvent\n if (MASTODON_STREAMING_EVENTS.has(event) || PLEROMA_STREAMING_EVENTS.has(event)) {\n // MastoBE and PleromaBE both send payload for delete as a PLAIN string\n if (event === 'delete') {\n return { event, id: payload }\n }\n const data = payload ? JSON.parse(payload) : null\n if (event === 'update') {\n return { event, status: parseStatus(data) }\n } else if (event === 'notification') {\n return { event, notification: parseNotification(data) }\n } else if (event === 'pleroma:chat_update') {\n return { event, chatUpdate: parseChat(data) }\n }\n } else {\n console.warn('Unknown event', wsEvent)\n return null\n }\n}\n\nexport const WSConnectionStatus = Object.freeze({\n 'JOINED': 1,\n 'CLOSED': 2,\n 'ERROR': 3\n})\n\nconst chats = ({ credentials }) => {\n return fetch(PLEROMA_CHATS_URL, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n .then((data) => {\n return { chats: data.map(parseChat).filter(c => c) }\n })\n}\n\nconst getOrCreateChat = ({ accountId, credentials }) => {\n return promisedRequest({\n url: PLEROMA_CHAT_URL(accountId),\n method: 'POST',\n credentials\n })\n}\n\nconst chatMessages = ({ id, credentials, maxId, sinceId, limit = 20 }) => {\n let url = PLEROMA_CHAT_MESSAGES_URL(id)\n const args = [\n maxId && `max_id=${maxId}`,\n sinceId && `since_id=${sinceId}`,\n limit && `limit=${limit}`\n ].filter(_ => _).join('&')\n\n url = url + (args ? '?' + args : '')\n\n return promisedRequest({\n url,\n method: 'GET',\n credentials\n })\n}\n\nconst sendChatMessage = ({ id, content, mediaId = null, credentials }) => {\n const payload = {\n 'content': content\n }\n\n if (mediaId) {\n payload['media_id'] = mediaId\n }\n\n return promisedRequest({\n url: PLEROMA_CHAT_MESSAGES_URL(id),\n method: 'POST',\n payload: payload,\n credentials\n })\n}\n\nconst readChat = ({ id, lastReadId, credentials }) => {\n return promisedRequest({\n url: PLEROMA_CHAT_READ_URL(id),\n method: 'POST',\n payload: {\n 'last_read_id': lastReadId\n },\n credentials\n })\n}\n\nconst deleteChatMessage = ({ chatId, messageId, credentials }) => {\n return promisedRequest({\n url: PLEROMA_DELETE_CHAT_MESSAGE_URL(chatId, messageId),\n method: 'DELETE',\n credentials\n })\n}\n\nconst apiService = {\n verifyCredentials,\n fetchTimeline,\n fetchPinnedStatuses,\n fetchConversation,\n fetchStatus,\n fetchFriends,\n exportFriends,\n fetchFollowers,\n followUser,\n unfollowUser,\n pinOwnStatus,\n unpinOwnStatus,\n muteConversation,\n unmuteConversation,\n blockUser,\n unblockUser,\n fetchUser,\n fetchUserRelationship,\n favorite,\n unfavorite,\n retweet,\n unretweet,\n bookmarkStatus,\n unbookmarkStatus,\n postStatus,\n deleteStatus,\n uploadMedia,\n setMediaDescription,\n fetchMutes,\n muteUser,\n unmuteUser,\n subscribeUser,\n unsubscribeUser,\n fetchBlocks,\n fetchOAuthTokens,\n revokeOAuthToken,\n tagUser,\n untagUser,\n deleteUser,\n addRight,\n deleteRight,\n activateUser,\n deactivateUser,\n register,\n getCaptcha,\n updateProfileImages,\n updateProfile,\n importBlocks,\n importFollows,\n deleteAccount,\n changeEmail,\n changePassword,\n settingsMFA,\n mfaDisableOTP,\n generateMfaBackupCodes,\n mfaSetupOTP,\n mfaConfirmOTP,\n fetchFollowRequests,\n approveUser,\n denyUser,\n suggestions,\n markNotificationsAsSeen,\n dismissNotification,\n vote,\n fetchPoll,\n fetchFavoritedByUsers,\n fetchRebloggedByUsers,\n fetchEmojiReactions,\n reactWithEmoji,\n unreactWithEmoji,\n reportUser,\n updateNotificationSettings,\n search2,\n searchUsers,\n fetchKnownDomains,\n fetchDomainMutes,\n muteDomain,\n unmuteDomain,\n chats,\n getOrCreateChat,\n chatMessages,\n sendChatMessage,\n readChat,\n deleteChatMessage\n}\n\nexport default apiService\n","import { includes } from 'lodash'\n\nconst generateProfileLink = (id, screenName, restrictedNicknames) => {\n const complicated = !screenName || (isExternal(screenName) || includes(restrictedNicknames, screenName))\n return {\n name: (complicated ? 'external-user-profile' : 'user-profile'),\n params: (complicated ? { id } : { name: screenName })\n }\n}\n\nconst isExternal = screenName => screenName && screenName.includes('@')\n\nexport default generateProfileLink\n","import StillImage from '../still-image/still-image.vue'\n\nconst UserAvatar = {\n props: [\n 'user',\n 'betterShadow',\n 'compact'\n ],\n data () {\n return {\n showPlaceholder: false,\n defaultAvatar: `${this.$store.state.instance.server + this.$store.state.instance.defaultAvatar}`\n }\n },\n components: {\n StillImage\n },\n methods: {\n imgSrc (src) {\n return (!src || this.showPlaceholder) ? this.defaultAvatar : src\n },\n imageLoadError () {\n this.showPlaceholder = true\n }\n }\n}\n\nexport default UserAvatar\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_avatar.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./user_avatar.js\"\nimport __vue_script__ from \"!!babel-loader!./user_avatar.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-619ad024\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_avatar.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('StillImage',{staticClass:\"Avatar\",class:{ 'avatar-compact': _vm.compact, 'better-shadow': _vm.betterShadow },attrs:{\"alt\":_vm.user.screen_name,\"title\":_vm.user.screen_name,\"src\":_vm.imgSrc(_vm.user.profile_image_url_original),\"image-load-error\":_vm.imageLoadError}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { filter, sortBy, includes } from 'lodash'\nimport { muteWordHits } from '../status_parser/status_parser.js'\nimport { showDesktopNotification } from '../desktop_notification_utils/desktop_notification_utils.js'\n\nexport const notificationsFromStore = store => store.state.statuses.notifications.data\n\nexport const visibleTypes = store => {\n const rootState = store.rootState || store.state\n\n return ([\n rootState.config.notificationVisibility.likes && 'like',\n rootState.config.notificationVisibility.mentions && 'mention',\n rootState.config.notificationVisibility.repeats && 'repeat',\n rootState.config.notificationVisibility.follows && 'follow',\n rootState.config.notificationVisibility.followRequest && 'follow_request',\n rootState.config.notificationVisibility.moves && 'move',\n rootState.config.notificationVisibility.emojiReactions && 'pleroma:emoji_reaction'\n ].filter(_ => _))\n}\n\nconst statusNotifications = ['like', 'mention', 'repeat', 'pleroma:emoji_reaction']\n\nexport const isStatusNotification = (type) => includes(statusNotifications, type)\n\nconst sortById = (a, b) => {\n const seqA = Number(a.id)\n const seqB = Number(b.id)\n const isSeqA = !Number.isNaN(seqA)\n const isSeqB = !Number.isNaN(seqB)\n if (isSeqA && isSeqB) {\n return seqA > seqB ? -1 : 1\n } else if (isSeqA && !isSeqB) {\n return 1\n } else if (!isSeqA && isSeqB) {\n return -1\n } else {\n return a.id > b.id ? -1 : 1\n }\n}\n\nconst isMutedNotification = (store, notification) => {\n if (!notification.status) return\n return notification.status.muted || muteWordHits(notification.status, store.rootGetters.mergedConfig.muteWords).length > 0\n}\n\nexport const maybeShowNotification = (store, notification) => {\n const rootState = store.rootState || store.state\n\n if (notification.seen) return\n if (!visibleTypes(store).includes(notification.type)) return\n if (notification.type === 'mention' && isMutedNotification(store, notification)) return\n\n const notificationObject = prepareNotificationObject(notification, store.rootGetters.i18n)\n showDesktopNotification(rootState, notificationObject)\n}\n\nexport const filteredNotificationsFromStore = (store, types) => {\n // map is just to clone the array since sort mutates it and it causes some issues\n let sortedNotifications = notificationsFromStore(store).map(_ => _).sort(sortById)\n sortedNotifications = sortBy(sortedNotifications, 'seen')\n return sortedNotifications.filter(\n (notification) => (types || visibleTypes(store)).includes(notification.type)\n )\n}\n\nexport const unseenNotificationsFromStore = store =>\n filter(filteredNotificationsFromStore(store), ({ seen }) => !seen)\n\nexport const prepareNotificationObject = (notification, i18n) => {\n const notifObj = {\n tag: notification.id\n }\n const status = notification.status\n const title = notification.from_profile.name\n notifObj.title = title\n notifObj.icon = notification.from_profile.profile_image_url\n let i18nString\n switch (notification.type) {\n case 'like':\n i18nString = 'favorited_you'\n break\n case 'repeat':\n i18nString = 'repeated_you'\n break\n case 'follow':\n i18nString = 'followed_you'\n break\n case 'move':\n i18nString = 'migrated_to'\n break\n case 'follow_request':\n i18nString = 'follow_request'\n break\n }\n\n if (notification.type === 'pleroma:emoji_reaction') {\n notifObj.body = i18n.t('notifications.reacted_with', [notification.emoji])\n } else if (i18nString) {\n notifObj.body = i18n.t('notifications.' + i18nString)\n } else if (isStatusNotification(notification.type)) {\n notifObj.body = notification.status.text\n }\n\n // Shows first attached non-nsfw image, if any. Should add configuration for this somehow...\n if (status && status.attachments && status.attachments.length > 0 && !status.nsfw &&\n status.attachments[0].mimetype.startsWith('image/')) {\n notifObj.image = status.attachments[0].url\n }\n\n return notifObj\n}\n","// TODO this func might as well take the entire file and use its mimetype\n// or the entire service could be just mimetype service that only operates\n// on mimetypes and not files. Currently the naming is confusing.\nconst fileType = mimetype => {\n if (mimetype.match(/text\\/html/)) {\n return 'html'\n }\n\n if (mimetype.match(/image/)) {\n return 'image'\n }\n\n if (mimetype.match(/video/)) {\n return 'video'\n }\n\n if (mimetype.match(/audio/)) {\n return 'audio'\n }\n\n return 'unknown'\n}\n\nconst fileMatchesSomeType = (types, file) =>\n types.some(type => fileType(file.mimetype) === type)\n\nconst fileTypeService = {\n fileType,\n fileMatchesSomeType\n}\n\nexport default fileTypeService\n","const Popover = {\n name: 'Popover',\n props: {\n // Action to trigger popover: either 'hover' or 'click'\n trigger: String,\n // Either 'top' or 'bottom'\n placement: String,\n // Takes object with properties 'x' and 'y', values of these can be\n // 'container' for using offsetParent as boundaries for either axis\n // or 'viewport'\n boundTo: Object,\n // Takes a selector to use as a replacement for the parent container\n // for getting boundaries for x an y axis\n boundToSelector: String,\n // Takes a top/bottom/left/right object, how much space to leave\n // between boundary and popover element\n margin: Object,\n // Takes a x/y object and tells how many pixels to offset from\n // anchor point on either axis\n offset: Object,\n // Replaces the classes you may want for the popover container.\n // Use 'popover-default' in addition to get the default popover\n // styles with your custom class.\n popoverClass: String\n },\n data () {\n return {\n hidden: true,\n styles: { opacity: 0 },\n oldSize: { width: 0, height: 0 }\n }\n },\n methods: {\n containerBoundingClientRect () {\n const container = this.boundToSelector ? this.$el.closest(this.boundToSelector) : this.$el.offsetParent\n return container.getBoundingClientRect()\n },\n updateStyles () {\n if (this.hidden) {\n this.styles = {\n opacity: 0\n }\n return\n }\n\n // Popover will be anchored around this element, trigger ref is the container, so\n // its children are what are inside the slot. Expect only one slot=\"trigger\".\n const anchorEl = (this.$refs.trigger && this.$refs.trigger.children[0]) || this.$el\n const screenBox = anchorEl.getBoundingClientRect()\n // Screen position of the origin point for popover\n const origin = { x: screenBox.left + screenBox.width * 0.5, y: screenBox.top }\n const content = this.$refs.content\n // Minor optimization, don't call a slow reflow call if we don't have to\n const parentBounds = this.boundTo &&\n (this.boundTo.x === 'container' || this.boundTo.y === 'container') &&\n this.containerBoundingClientRect()\n\n const margin = this.margin || {}\n\n // What are the screen bounds for the popover? Viewport vs container\n // when using viewport, using default margin values to dodge the navbar\n const xBounds = this.boundTo && this.boundTo.x === 'container' ? {\n min: parentBounds.left + (margin.left || 0),\n max: parentBounds.right - (margin.right || 0)\n } : {\n min: 0 + (margin.left || 10),\n max: window.innerWidth - (margin.right || 10)\n }\n\n const yBounds = this.boundTo && this.boundTo.y === 'container' ? {\n min: parentBounds.top + (margin.top || 0),\n max: parentBounds.bottom - (margin.bottom || 0)\n } : {\n min: 0 + (margin.top || 50),\n max: window.innerHeight - (margin.bottom || 5)\n }\n\n let horizOffset = 0\n\n // If overflowing from left, move it so that it doesn't\n if ((origin.x - content.offsetWidth * 0.5) < xBounds.min) {\n horizOffset += -(origin.x - content.offsetWidth * 0.5) + xBounds.min\n }\n\n // If overflowing from right, move it so that it doesn't\n if ((origin.x + horizOffset + content.offsetWidth * 0.5) > xBounds.max) {\n horizOffset -= (origin.x + horizOffset + content.offsetWidth * 0.5) - xBounds.max\n }\n\n // Default to whatever user wished with placement prop\n let usingTop = this.placement !== 'bottom'\n\n // Handle special cases, first force to displaying on top if there's not space on bottom,\n // regardless of what placement value was. Then check if there's not space on top, and\n // force to bottom, again regardless of what placement value was.\n if (origin.y + content.offsetHeight > yBounds.max) usingTop = true\n if (origin.y - content.offsetHeight < yBounds.min) usingTop = false\n\n const yOffset = (this.offset && this.offset.y) || 0\n const translateY = usingTop\n ? -anchorEl.offsetHeight - yOffset - content.offsetHeight\n : yOffset\n\n const xOffset = (this.offset && this.offset.x) || 0\n const translateX = (anchorEl.offsetWidth * 0.5) - content.offsetWidth * 0.5 + horizOffset + xOffset\n\n // Note, separate translateX and translateY avoids blurry text on chromium,\n // single translate or translate3d resulted in blurry text.\n this.styles = {\n opacity: 1,\n transform: `translateX(${Math.round(translateX)}px) translateY(${Math.round(translateY)}px)`\n }\n },\n showPopover () {\n if (this.hidden) this.$emit('show')\n this.hidden = false\n this.$nextTick(this.updateStyles)\n },\n hidePopover () {\n if (!this.hidden) this.$emit('close')\n this.hidden = true\n this.styles = { opacity: 0 }\n },\n onMouseenter (e) {\n if (this.trigger === 'hover') this.showPopover()\n },\n onMouseleave (e) {\n if (this.trigger === 'hover') this.hidePopover()\n },\n onClick (e) {\n if (this.trigger === 'click') {\n if (this.hidden) {\n this.showPopover()\n } else {\n this.hidePopover()\n }\n }\n },\n onClickOutside (e) {\n if (this.hidden) return\n if (this.$el.contains(e.target)) return\n this.hidePopover()\n }\n },\n updated () {\n // Monitor changes to content size, update styles only when content sizes have changed,\n // that should be the only time we need to move the popover box if we don't care about scroll\n // or resize\n const content = this.$refs.content\n if (!content) return\n if (this.oldSize.width !== content.offsetWidth || this.oldSize.height !== content.offsetHeight) {\n this.updateStyles()\n this.oldSize = { width: content.offsetWidth, height: content.offsetHeight }\n }\n },\n created () {\n document.addEventListener('click', this.onClickOutside)\n },\n destroyed () {\n document.removeEventListener('click', this.onClickOutside)\n this.hidePopover()\n }\n}\n\nexport default Popover\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./popover.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./popover.js\"\nimport __vue_script__ from \"!!babel-loader!./popover.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-fbc07fb6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./popover.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{on:{\"mouseenter\":_vm.onMouseenter,\"mouseleave\":_vm.onMouseleave}},[_c('div',{ref:\"trigger\",on:{\"click\":_vm.onClick}},[_vm._t(\"trigger\")],2),_vm._v(\" \"),(!_vm.hidden)?_c('div',{ref:\"content\",staticClass:\"popover\",class:_vm.popoverClass || 'popover-default',style:(_vm.styles)},[_vm._t(\"content\",null,{\"close\":_vm.hidePopover})],2):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const DialogModal = {\n props: {\n darkOverlay: {\n default: true,\n type: Boolean\n },\n onCancel: {\n default: () => {},\n type: Function\n }\n }\n}\n\nexport default DialogModal\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./dialog_modal.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./dialog_modal.js\"\nimport __vue_script__ from \"!!babel-loader!./dialog_modal.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-70b9d662\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./dialog_modal.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('span',{class:{ 'dark-overlay': _vm.darkOverlay },on:{\"click\":function($event){if($event.target !== $event.currentTarget){ return null; }$event.stopPropagation();return _vm.onCancel()}}},[_c('div',{staticClass:\"dialog-modal panel panel-default\",on:{\"click\":function($event){$event.stopPropagation();}}},[_c('div',{staticClass:\"panel-heading dialog-modal-heading\"},[_c('div',{staticClass:\"title\"},[_vm._t(\"header\")],2)]),_vm._v(\" \"),_c('div',{staticClass:\"dialog-modal-content\"},[_vm._t(\"default\")],2),_vm._v(\" \"),_c('div',{staticClass:\"dialog-modal-footer user-interactions panel-footer\"},[_vm._t(\"footer\")],2)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import DialogModal from '../dialog_modal/dialog_modal.vue'\nimport Popover from '../popover/popover.vue'\n\nconst FORCE_NSFW = 'mrf_tag:media-force-nsfw'\nconst STRIP_MEDIA = 'mrf_tag:media-strip'\nconst FORCE_UNLISTED = 'mrf_tag:force-unlisted'\nconst DISABLE_REMOTE_SUBSCRIPTION = 'mrf_tag:disable-remote-subscription'\nconst DISABLE_ANY_SUBSCRIPTION = 'mrf_tag:disable-any-subscription'\nconst SANDBOX = 'mrf_tag:sandbox'\nconst QUARANTINE = 'mrf_tag:quarantine'\n\nconst ModerationTools = {\n props: [\n 'user'\n ],\n data () {\n return {\n tags: {\n FORCE_NSFW,\n STRIP_MEDIA,\n FORCE_UNLISTED,\n DISABLE_REMOTE_SUBSCRIPTION,\n DISABLE_ANY_SUBSCRIPTION,\n SANDBOX,\n QUARANTINE\n },\n showDeleteUserDialog: false,\n toggled: false\n }\n },\n components: {\n DialogModal,\n Popover\n },\n computed: {\n tagsSet () {\n return new Set(this.user.tags)\n },\n hasTagPolicy () {\n return this.$store.state.instance.tagPolicyAvailable\n }\n },\n methods: {\n hasTag (tagName) {\n return this.tagsSet.has(tagName)\n },\n toggleTag (tag) {\n const store = this.$store\n if (this.tagsSet.has(tag)) {\n store.state.api.backendInteractor.untagUser({ user: this.user, tag }).then(response => {\n if (!response.ok) { return }\n store.commit('untagUser', { user: this.user, tag })\n })\n } else {\n store.state.api.backendInteractor.tagUser({ user: this.user, tag }).then(response => {\n if (!response.ok) { return }\n store.commit('tagUser', { user: this.user, tag })\n })\n }\n },\n toggleRight (right) {\n const store = this.$store\n if (this.user.rights[right]) {\n store.state.api.backendInteractor.deleteRight({ user: this.user, right }).then(response => {\n if (!response.ok) { return }\n store.commit('updateRight', { user: this.user, right, value: false })\n })\n } else {\n store.state.api.backendInteractor.addRight({ user: this.user, right }).then(response => {\n if (!response.ok) { return }\n store.commit('updateRight', { user: this.user, right, value: true })\n })\n }\n },\n toggleActivationStatus () {\n this.$store.dispatch('toggleActivationStatus', { user: this.user })\n },\n deleteUserDialog (show) {\n this.showDeleteUserDialog = show\n },\n deleteUser () {\n const store = this.$store\n const user = this.user\n const { id, name } = user\n store.state.api.backendInteractor.deleteUser({ user })\n .then(e => {\n this.$store.dispatch('markStatusesAsDeleted', status => user.id === status.user.id)\n const isProfile = this.$route.name === 'external-user-profile' || this.$route.name === 'user-profile'\n const isTargetUser = this.$route.params.name === name || this.$route.params.id === id\n if (isProfile && isTargetUser) {\n window.history.back()\n }\n })\n },\n setToggled (value) {\n this.toggled = value\n }\n }\n}\n\nexport default ModerationTools\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./moderation_tools.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./moderation_tools.js\"\nimport __vue_script__ from \"!!babel-loader!./moderation_tools.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-168f1ca6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./moderation_tools.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('Popover',{staticClass:\"moderation-tools-popover\",attrs:{\"trigger\":\"click\",\"placement\":\"bottom\",\"offset\":{ y: 5 }},on:{\"show\":function($event){return _vm.setToggled(true)},\"close\":function($event){return _vm.setToggled(false)}}},[_c('div',{attrs:{\"slot\":\"content\"},slot:\"content\"},[_c('div',{staticClass:\"dropdown-menu\"},[(_vm.user.is_local)?_c('span',[_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleRight(\"admin\")}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(!!_vm.user.rights.admin ? 'user_card.admin_menu.revoke_admin' : 'user_card.admin_menu.grant_admin'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleRight(\"moderator\")}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(!!_vm.user.rights.moderator ? 'user_card.admin_menu.revoke_moderator' : 'user_card.admin_menu.grant_moderator'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"dropdown-divider\",attrs:{\"role\":\"separator\"}})]):_vm._e(),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleActivationStatus()}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(!!_vm.user.deactivated ? 'user_card.admin_menu.activate_account' : 'user_card.admin_menu.deactivate_account'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.deleteUserDialog(true)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.delete_account'))+\"\\n \")]),_vm._v(\" \"),(_vm.hasTagPolicy)?_c('div',{staticClass:\"dropdown-divider\",attrs:{\"role\":\"separator\"}}):_vm._e(),_vm._v(\" \"),(_vm.hasTagPolicy)?_c('span',[_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.FORCE_NSFW)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.force_nsfw'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.FORCE_NSFW) }})]),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.STRIP_MEDIA)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.strip_media'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.STRIP_MEDIA) }})]),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.FORCE_UNLISTED)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.force_unlisted'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.FORCE_UNLISTED) }})]),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.SANDBOX)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.sandbox'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.SANDBOX) }})]),_vm._v(\" \"),(_vm.user.is_local)?_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.DISABLE_REMOTE_SUBSCRIPTION)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.disable_remote_subscription'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.DISABLE_REMOTE_SUBSCRIPTION) }})]):_vm._e(),_vm._v(\" \"),(_vm.user.is_local)?_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.DISABLE_ANY_SUBSCRIPTION)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.disable_any_subscription'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.DISABLE_ANY_SUBSCRIPTION) }})]):_vm._e(),_vm._v(\" \"),(_vm.user.is_local)?_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.QUARANTINE)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.quarantine'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.QUARANTINE) }})]):_vm._e()]):_vm._e()])]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default btn-block\",class:{ toggled: _vm.toggled },attrs:{\"slot\":\"trigger\"},slot:\"trigger\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.moderation'))+\"\\n \")])]),_vm._v(\" \"),_c('portal',{attrs:{\"to\":\"modal\"}},[(_vm.showDeleteUserDialog)?_c('DialogModal',{attrs:{\"on-cancel\":_vm.deleteUserDialog.bind(this, false)}},[_c('template',{slot:\"header\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.delete_user'))+\"\\n \")]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('user_card.admin_menu.delete_user_confirmation')))]),_vm._v(\" \"),_c('template',{slot:\"footer\"},[_c('button',{staticClass:\"btn btn-default\",on:{\"click\":function($event){return _vm.deleteUserDialog(false)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.cancel'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default danger\",on:{\"click\":function($event){return _vm.deleteUser()}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.delete_user'))+\"\\n \")])])],2):_vm._e()],1)],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState } from 'vuex'\nimport ProgressButton from '../progress_button/progress_button.vue'\nimport Popover from '../popover/popover.vue'\n\nconst AccountActions = {\n props: [\n 'user', 'relationship'\n ],\n data () {\n return { }\n },\n components: {\n ProgressButton,\n Popover\n },\n methods: {\n showRepeats () {\n this.$store.dispatch('showReblogs', this.user.id)\n },\n hideRepeats () {\n this.$store.dispatch('hideReblogs', this.user.id)\n },\n blockUser () {\n this.$store.dispatch('blockUser', this.user.id)\n },\n unblockUser () {\n this.$store.dispatch('unblockUser', this.user.id)\n },\n reportUser () {\n this.$store.dispatch('openUserReportingModal', this.user.id)\n },\n openChat () {\n this.$router.push({\n name: 'chat',\n params: { recipient_id: this.user.id }\n })\n }\n },\n computed: {\n ...mapState({\n pleromaChatMessagesAvailable: state => state.instance.pleromaChatMessagesAvailable\n })\n }\n}\n\nexport default AccountActions\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./account_actions.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./account_actions.js\"\nimport __vue_script__ from \"!!babel-loader!./account_actions.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1883f214\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./account_actions.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"account-actions\"},[_c('Popover',{attrs:{\"trigger\":\"click\",\"placement\":\"bottom\",\"bound-to\":{ x: 'container' }}},[_c('div',{staticClass:\"account-tools-popover\",attrs:{\"slot\":\"content\"},slot:\"content\"},[_c('div',{staticClass:\"dropdown-menu\"},[(_vm.relationship.following)?[(_vm.relationship.showing_reblogs)?_c('button',{staticClass:\"btn btn-default dropdown-item\",on:{\"click\":_vm.hideRepeats}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.hide_repeats'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(!_vm.relationship.showing_reblogs)?_c('button',{staticClass:\"btn btn-default dropdown-item\",on:{\"click\":_vm.showRepeats}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.show_repeats'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"dropdown-divider\",attrs:{\"role\":\"separator\"}})]:_vm._e(),_vm._v(\" \"),(_vm.relationship.blocking)?_c('button',{staticClass:\"btn btn-default btn-block dropdown-item\",on:{\"click\":_vm.unblockUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unblock'))+\"\\n \")]):_c('button',{staticClass:\"btn btn-default btn-block dropdown-item\",on:{\"click\":_vm.blockUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.block'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default btn-block dropdown-item\",on:{\"click\":_vm.reportUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.report'))+\"\\n \")]),_vm._v(\" \"),(_vm.pleromaChatMessagesAvailable)?_c('button',{staticClass:\"btn btn-default btn-block dropdown-item\",on:{\"click\":_vm.openChat}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.message'))+\"\\n \")]):_vm._e()],2)]),_vm._v(\" \"),_c('div',{staticClass:\"btn btn-default ellipsis-button\",attrs:{\"slot\":\"trigger\"},slot:\"trigger\"},[_c('i',{staticClass:\"icon-ellipsis trigger-button\"})])])],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import UserAvatar from '../user_avatar/user_avatar.vue'\nimport RemoteFollow from '../remote_follow/remote_follow.vue'\nimport ProgressButton from '../progress_button/progress_button.vue'\nimport FollowButton from '../follow_button/follow_button.vue'\nimport ModerationTools from '../moderation_tools/moderation_tools.vue'\nimport AccountActions from '../account_actions/account_actions.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\nimport { mapGetters } from 'vuex'\n\nexport default {\n props: [\n 'userId', 'switcher', 'selected', 'hideBio', 'rounded', 'bordered', 'allowZoomingAvatar'\n ],\n data () {\n return {\n followRequestInProgress: false,\n betterShadow: this.$store.state.interface.browserSupport.cssFilter\n }\n },\n created () {\n this.$store.dispatch('fetchUserRelationship', this.user.id)\n },\n computed: {\n user () {\n return this.$store.getters.findUser(this.userId)\n },\n relationship () {\n return this.$store.getters.relationship(this.userId)\n },\n classes () {\n return [{\n 'user-card-rounded-t': this.rounded === 'top', // set border-top-left-radius and border-top-right-radius\n 'user-card-rounded': this.rounded === true, // set border-radius for all sides\n 'user-card-bordered': this.bordered === true // set border for all sides\n }]\n },\n style () {\n return {\n backgroundImage: [\n `linear-gradient(to bottom, var(--profileTint), var(--profileTint))`,\n `url(${this.user.cover_photo})`\n ].join(', ')\n }\n },\n isOtherUser () {\n return this.user.id !== this.$store.state.users.currentUser.id\n },\n subscribeUrl () {\n // eslint-disable-next-line no-undef\n const serverUrl = new URL(this.user.statusnet_profile_url)\n return `${serverUrl.protocol}//${serverUrl.host}/main/ostatus`\n },\n loggedIn () {\n return this.$store.state.users.currentUser\n },\n dailyAvg () {\n const days = Math.ceil((new Date() - new Date(this.user.created_at)) / (60 * 60 * 24 * 1000))\n return Math.round(this.user.statuses_count / days)\n },\n userHighlightType: {\n get () {\n const data = this.$store.getters.mergedConfig.highlight[this.user.screen_name]\n return (data && data.type) || 'disabled'\n },\n set (type) {\n const data = this.$store.getters.mergedConfig.highlight[this.user.screen_name]\n if (type !== 'disabled') {\n this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: (data && data.color) || '#FFFFFF', type })\n } else {\n this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: undefined })\n }\n },\n ...mapGetters(['mergedConfig'])\n },\n userHighlightColor: {\n get () {\n const data = this.$store.getters.mergedConfig.highlight[this.user.screen_name]\n return data && data.color\n },\n set (color) {\n this.$store.dispatch('setHighlight', { user: this.user.screen_name, color })\n }\n },\n visibleRole () {\n const rights = this.user.rights\n if (!rights) { return }\n const validRole = rights.admin || rights.moderator\n const roleTitle = rights.admin ? 'admin' : 'moderator'\n return validRole && roleTitle\n },\n hideFollowsCount () {\n return this.isOtherUser && this.user.hide_follows_count\n },\n hideFollowersCount () {\n return this.isOtherUser && this.user.hide_followers_count\n },\n ...mapGetters(['mergedConfig'])\n },\n components: {\n UserAvatar,\n RemoteFollow,\n ModerationTools,\n AccountActions,\n ProgressButton,\n FollowButton\n },\n methods: {\n muteUser () {\n this.$store.dispatch('muteUser', this.user.id)\n },\n unmuteUser () {\n this.$store.dispatch('unmuteUser', this.user.id)\n },\n subscribeUser () {\n return this.$store.dispatch('subscribeUser', this.user.id)\n },\n unsubscribeUser () {\n return this.$store.dispatch('unsubscribeUser', this.user.id)\n },\n setProfileView (v) {\n if (this.switcher) {\n const store = this.$store\n store.commit('setProfileView', { v })\n }\n },\n linkClicked ({ target }) {\n if (target.tagName === 'SPAN') {\n target = target.parentNode\n }\n if (target.tagName === 'A') {\n window.open(target.href, '_blank')\n }\n },\n userProfileLink (user) {\n return generateProfileLink(\n user.id, user.screen_name,\n this.$store.state.instance.restrictedNicknames\n )\n },\n zoomAvatar () {\n const attachment = {\n url: this.user.profile_image_url_original,\n mimetype: 'image'\n }\n this.$store.dispatch('setMedia', [attachment])\n this.$store.dispatch('setCurrent', attachment)\n },\n mentionUser () {\n this.$store.dispatch('openPostStatusModal', { replyTo: true, repliedUser: this.user })\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./user_card.js\"\nimport __vue_script__ from \"!!babel-loader!./user_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-5c57b7a6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"user-card\",class:_vm.classes},[_c('div',{staticClass:\"background-image\",class:{ 'hide-bio': _vm.hideBio },style:(_vm.style)}),_vm._v(\" \"),_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"user-info\"},[_c('div',{staticClass:\"container\"},[(_vm.allowZoomingAvatar)?_c('a',{staticClass:\"user-info-avatar-link\",on:{\"click\":_vm.zoomAvatar}},[_c('UserAvatar',{attrs:{\"better-shadow\":_vm.betterShadow,\"user\":_vm.user}}),_vm._v(\" \"),_vm._m(0)],1):_c('router-link',{attrs:{\"to\":_vm.userProfileLink(_vm.user)}},[_c('UserAvatar',{attrs:{\"better-shadow\":_vm.betterShadow,\"user\":_vm.user}})],1),_vm._v(\" \"),_c('div',{staticClass:\"user-summary\"},[_c('div',{staticClass:\"top-line\"},[(_vm.user.name_html)?_c('div',{staticClass:\"user-name\",attrs:{\"title\":_vm.user.name},domProps:{\"innerHTML\":_vm._s(_vm.user.name_html)}}):_c('div',{staticClass:\"user-name\",attrs:{\"title\":_vm.user.name}},[_vm._v(\"\\n \"+_vm._s(_vm.user.name)+\"\\n \")]),_vm._v(\" \"),(_vm.isOtherUser && !_vm.user.is_local)?_c('a',{attrs:{\"href\":_vm.user.statusnet_profile_url,\"target\":\"_blank\"}},[_c('i',{staticClass:\"icon-link-ext usersettings\"})]):_vm._e(),_vm._v(\" \"),(_vm.isOtherUser && _vm.loggedIn)?_c('AccountActions',{attrs:{\"user\":_vm.user,\"relationship\":_vm.relationship}}):_vm._e()],1),_vm._v(\" \"),_c('div',{staticClass:\"bottom-line\"},[_c('router-link',{staticClass:\"user-screen-name\",attrs:{\"title\":_vm.user.screen_name,\"to\":_vm.userProfileLink(_vm.user)}},[_vm._v(\"\\n @\"+_vm._s(_vm.user.screen_name)+\"\\n \")]),_vm._v(\" \"),(!_vm.hideBio)?[(!!_vm.visibleRole)?_c('span',{staticClass:\"alert user-role\"},[_vm._v(\"\\n \"+_vm._s(_vm.visibleRole)+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.user.bot)?_c('span',{staticClass:\"alert user-role\"},[_vm._v(\"\\n bot\\n \")]):_vm._e()]:_vm._e(),_vm._v(\" \"),(_vm.user.locked)?_c('span',[_c('i',{staticClass:\"icon icon-lock\"})]):_vm._e(),_vm._v(\" \"),(!_vm.mergedConfig.hideUserStats && !_vm.hideBio)?_c('span',{staticClass:\"dailyAvg\"},[_vm._v(_vm._s(_vm.dailyAvg)+\" \"+_vm._s(_vm.$t('user_card.per_day')))]):_vm._e()],2)])],1),_vm._v(\" \"),_c('div',{staticClass:\"user-meta\"},[(_vm.relationship.followed_by && _vm.loggedIn && _vm.isOtherUser)?_c('div',{staticClass:\"following\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.follows_you'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.isOtherUser && (_vm.loggedIn || !_vm.switcher))?_c('div',{staticClass:\"highlighter\"},[(_vm.userHighlightType !== 'disabled')?_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.userHighlightColor),expression:\"userHighlightColor\"}],staticClass:\"userHighlightText\",attrs:{\"id\":'userHighlightColorTx'+_vm.user.id,\"type\":\"text\"},domProps:{\"value\":(_vm.userHighlightColor)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.userHighlightColor=$event.target.value}}}):_vm._e(),_vm._v(\" \"),(_vm.userHighlightType !== 'disabled')?_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.userHighlightColor),expression:\"userHighlightColor\"}],staticClass:\"userHighlightCl\",attrs:{\"id\":'userHighlightColor'+_vm.user.id,\"type\":\"color\"},domProps:{\"value\":(_vm.userHighlightColor)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.userHighlightColor=$event.target.value}}}):_vm._e(),_vm._v(\" \"),_c('label',{staticClass:\"userHighlightSel select\",attrs:{\"for\":\"theme_tab\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.userHighlightType),expression:\"userHighlightType\"}],staticClass:\"userHighlightSel\",attrs:{\"id\":'userHighlightSel'+_vm.user.id},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.userHighlightType=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},[_c('option',{attrs:{\"value\":\"disabled\"}},[_vm._v(\"No highlight\")]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"solid\"}},[_vm._v(\"Solid bg\")]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"striped\"}},[_vm._v(\"Striped bg\")]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"side\"}},[_vm._v(\"Side stripe\")])]),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])]):_vm._e()]),_vm._v(\" \"),(_vm.loggedIn && _vm.isOtherUser)?_c('div',{staticClass:\"user-interactions\"},[_c('div',{staticClass:\"btn-group\"},[_c('FollowButton',{attrs:{\"relationship\":_vm.relationship}}),_vm._v(\" \"),(_vm.relationship.following)?[(!_vm.relationship.subscribing)?_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":_vm.subscribeUser,\"title\":_vm.$t('user_card.subscribe')}},[_c('i',{staticClass:\"icon-bell-alt\"})]):_c('ProgressButton',{staticClass:\"btn btn-default toggled\",attrs:{\"click\":_vm.unsubscribeUser,\"title\":_vm.$t('user_card.unsubscribe')}},[_c('i',{staticClass:\"icon-bell-ringing-o\"})])]:_vm._e()],2),_vm._v(\" \"),_c('div',[(_vm.relationship.muting)?_c('button',{staticClass:\"btn btn-default btn-block toggled\",on:{\"click\":_vm.unmuteUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.muted'))+\"\\n \")]):_c('button',{staticClass:\"btn btn-default btn-block\",on:{\"click\":_vm.muteUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.mute'))+\"\\n \")])]),_vm._v(\" \"),_c('div',[_c('button',{staticClass:\"btn btn-default btn-block\",on:{\"click\":_vm.mentionUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.mention'))+\"\\n \")])]),_vm._v(\" \"),(_vm.loggedIn.role === \"admin\")?_c('ModerationTools',{attrs:{\"user\":_vm.user}}):_vm._e()],1):_vm._e(),_vm._v(\" \"),(!_vm.loggedIn && _vm.user.is_local)?_c('div',{staticClass:\"user-interactions\"},[_c('RemoteFollow',{attrs:{\"user\":_vm.user}})],1):_vm._e()])]),_vm._v(\" \"),(!_vm.hideBio)?_c('div',{staticClass:\"panel-body\"},[(!_vm.mergedConfig.hideUserStats && _vm.switcher)?_c('div',{staticClass:\"user-counts\"},[_c('div',{staticClass:\"user-count\",on:{\"click\":function($event){$event.preventDefault();return _vm.setProfileView('statuses')}}},[_c('h5',[_vm._v(_vm._s(_vm.$t('user_card.statuses')))]),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(_vm.user.statuses_count)+\" \"),_c('br')])]),_vm._v(\" \"),_c('div',{staticClass:\"user-count\",on:{\"click\":function($event){$event.preventDefault();return _vm.setProfileView('friends')}}},[_c('h5',[_vm._v(_vm._s(_vm.$t('user_card.followees')))]),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(_vm.hideFollowsCount ? _vm.$t('user_card.hidden') : _vm.user.friends_count))])]),_vm._v(\" \"),_c('div',{staticClass:\"user-count\",on:{\"click\":function($event){$event.preventDefault();return _vm.setProfileView('followers')}}},[_c('h5',[_vm._v(_vm._s(_vm.$t('user_card.followers')))]),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(_vm.hideFollowersCount ? _vm.$t('user_card.hidden') : _vm.user.followers_count))])])]):_vm._e(),_vm._v(\" \"),(!_vm.hideBio && _vm.user.description_html)?_c('p',{staticClass:\"user-card-bio\",domProps:{\"innerHTML\":_vm._s(_vm.user.description_html)},on:{\"click\":function($event){$event.preventDefault();return _vm.linkClicked($event)}}}):(!_vm.hideBio)?_c('p',{staticClass:\"user-card-bio\"},[_vm._v(\"\\n \"+_vm._s(_vm.user.description)+\"\\n \")]):_vm._e()]):_vm._e()])}\nvar staticRenderFns = [function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"user-info-avatar-link-overlay\"},[_c('i',{staticClass:\"button-icon icon-zoom-in\"})])}]\nexport { render, staticRenderFns }","import { invertLightness, brightness } from 'chromatism'\nimport { alphaBlend, mixrgb } from '../color_convert/color_convert.js'\n/* This is a definition of all layer combinations\n * each key is a topmost layer, each value represents layer underneath\n * this is essentially a simplified tree\n */\nexport const LAYERS = {\n undelay: null, // root\n topBar: null, // no transparency support\n badge: null, // no transparency support\n profileTint: null, // doesn't matter\n fg: null,\n bg: 'underlay',\n highlight: 'bg',\n panel: 'bg',\n popover: 'bg',\n selectedMenu: 'popover',\n btn: 'bg',\n btnPanel: 'panel',\n btnTopBar: 'topBar',\n input: 'bg',\n inputPanel: 'panel',\n inputTopBar: 'topBar',\n alert: 'bg',\n alertPanel: 'panel',\n poll: 'bg',\n chatBg: 'underlay',\n chatMessage: 'chatBg'\n}\n\n/* By default opacity slots have 1 as default opacity\n * this allows redefining it to something else\n */\nexport const DEFAULT_OPACITY = {\n profileTint: 0.5,\n alert: 0.5,\n input: 0.5,\n faint: 0.5,\n underlay: 0.15,\n alertPopup: 0.95\n}\n\n/** SUBJECT TO CHANGE IN THE FUTURE, this is all beta\n * Color and opacity slots definitions. Each key represents a slot.\n *\n * Short-hands:\n * String beginning with `--` - value after dashes treated as sole\n * dependency - i.e. `--value` equivalent to { depends: ['value']}\n * String beginning with `#` - value would be treated as solid color\n * defined in hexadecimal representation (i.e. #FFFFFF) and will be\n * used as default. `#FFFFFF` is equivalent to { default: '#FFFFFF'}\n *\n * Full definition:\n * @property {String[]} depends - color slot names this color depends ones.\n * cyclic dependencies are supported to some extent but not recommended.\n * @property {String} [opacity] - opacity slot used by this color slot.\n * opacity is inherited from parents. To break inheritance graph use null\n * @property {Number} [priority] - EXPERIMENTAL. used to pre-sort slots so\n * that slots with higher priority come earlier\n * @property {Function(mod, ...colors)} [color] - function that will be\n * used to determine the color. By default it just copies first color in\n * dependency list.\n * @argument {Number} mod - `1` (light-on-dark) or `-1` (dark-on-light)\n * depending on background color (for textColor)/given color.\n * @argument {...Object} deps - each argument after mod represents each\n * color from `depends` array. All colors take user customizations into\n * account and represented by { r, g, b } objects.\n * @returns {Object} resulting color, should be in { r, g, b } form\n *\n * @property {Boolean|String} [textColor] - true to mark color slot as text\n * color. This enables automatic text color generation for the slot. Use\n * 'preserve' string if you don't want text color to fall back to\n * black/white. Use 'bw' to only ever use black or white. This also makes\n * following properties required:\n * @property {String} [layer] - which layer the text sit on top on - used\n * to account for transparency in text color calculation\n * layer is inherited from parents. To break inheritance graph use null\n * @property {String} [variant] - which color slot is background (same as\n * above, used to account for transparency)\n */\nexport const SLOT_INHERITANCE = {\n bg: {\n depends: [],\n opacity: 'bg',\n priority: 1\n },\n fg: {\n depends: [],\n priority: 1\n },\n text: {\n depends: [],\n layer: 'bg',\n opacity: null,\n priority: 1\n },\n underlay: {\n default: '#000000',\n opacity: 'underlay'\n },\n link: {\n depends: ['accent'],\n priority: 1\n },\n accent: {\n depends: ['link'],\n priority: 1\n },\n faint: {\n depends: ['text'],\n opacity: 'faint'\n },\n faintLink: {\n depends: ['link'],\n opacity: 'faint'\n },\n postFaintLink: {\n depends: ['postLink'],\n opacity: 'faint'\n },\n\n cBlue: '#0000ff',\n cRed: '#FF0000',\n cGreen: '#00FF00',\n cOrange: '#E3FF00',\n\n profileBg: {\n depends: ['bg'],\n color: (mod, bg) => ({\n r: Math.floor(bg.r * 0.53),\n g: Math.floor(bg.g * 0.56),\n b: Math.floor(bg.b * 0.59)\n })\n },\n profileTint: {\n depends: ['bg'],\n layer: 'profileTint',\n opacity: 'profileTint'\n },\n\n highlight: {\n depends: ['bg'],\n color: (mod, bg) => brightness(5 * mod, bg).rgb\n },\n highlightLightText: {\n depends: ['lightText'],\n layer: 'highlight',\n textColor: true\n },\n highlightPostLink: {\n depends: ['postLink'],\n layer: 'highlight',\n textColor: 'preserve'\n },\n highlightFaintText: {\n depends: ['faint'],\n layer: 'highlight',\n textColor: true\n },\n highlightFaintLink: {\n depends: ['faintLink'],\n layer: 'highlight',\n textColor: 'preserve'\n },\n highlightPostFaintLink: {\n depends: ['postFaintLink'],\n layer: 'highlight',\n textColor: 'preserve'\n },\n highlightText: {\n depends: ['text'],\n layer: 'highlight',\n textColor: true\n },\n highlightLink: {\n depends: ['link'],\n layer: 'highlight',\n textColor: 'preserve'\n },\n highlightIcon: {\n depends: ['highlight', 'highlightText'],\n color: (mod, bg, text) => mixrgb(bg, text)\n },\n\n popover: {\n depends: ['bg'],\n opacity: 'popover'\n },\n popoverLightText: {\n depends: ['lightText'],\n layer: 'popover',\n textColor: true\n },\n popoverPostLink: {\n depends: ['postLink'],\n layer: 'popover',\n textColor: 'preserve'\n },\n popoverFaintText: {\n depends: ['faint'],\n layer: 'popover',\n textColor: true\n },\n popoverFaintLink: {\n depends: ['faintLink'],\n layer: 'popover',\n textColor: 'preserve'\n },\n popoverPostFaintLink: {\n depends: ['postFaintLink'],\n layer: 'popover',\n textColor: 'preserve'\n },\n popoverText: {\n depends: ['text'],\n layer: 'popover',\n textColor: true\n },\n popoverLink: {\n depends: ['link'],\n layer: 'popover',\n textColor: 'preserve'\n },\n popoverIcon: {\n depends: ['popover', 'popoverText'],\n color: (mod, bg, text) => mixrgb(bg, text)\n },\n\n selectedPost: '--highlight',\n selectedPostFaintText: {\n depends: ['highlightFaintText'],\n layer: 'highlight',\n variant: 'selectedPost',\n textColor: true\n },\n selectedPostLightText: {\n depends: ['highlightLightText'],\n layer: 'highlight',\n variant: 'selectedPost',\n textColor: true\n },\n selectedPostPostLink: {\n depends: ['highlightPostLink'],\n layer: 'highlight',\n variant: 'selectedPost',\n textColor: 'preserve'\n },\n selectedPostFaintLink: {\n depends: ['highlightFaintLink'],\n layer: 'highlight',\n variant: 'selectedPost',\n textColor: 'preserve'\n },\n selectedPostText: {\n depends: ['highlightText'],\n layer: 'highlight',\n variant: 'selectedPost',\n textColor: true\n },\n selectedPostLink: {\n depends: ['highlightLink'],\n layer: 'highlight',\n variant: 'selectedPost',\n textColor: 'preserve'\n },\n selectedPostIcon: {\n depends: ['selectedPost', 'selectedPostText'],\n color: (mod, bg, text) => mixrgb(bg, text)\n },\n\n selectedMenu: {\n depends: ['bg'],\n color: (mod, bg) => brightness(5 * mod, bg).rgb\n },\n selectedMenuLightText: {\n depends: ['highlightLightText'],\n layer: 'selectedMenu',\n variant: 'selectedMenu',\n textColor: true\n },\n selectedMenuFaintText: {\n depends: ['highlightFaintText'],\n layer: 'selectedMenu',\n variant: 'selectedMenu',\n textColor: true\n },\n selectedMenuFaintLink: {\n depends: ['highlightFaintLink'],\n layer: 'selectedMenu',\n variant: 'selectedMenu',\n textColor: 'preserve'\n },\n selectedMenuText: {\n depends: ['highlightText'],\n layer: 'selectedMenu',\n variant: 'selectedMenu',\n textColor: true\n },\n selectedMenuLink: {\n depends: ['highlightLink'],\n layer: 'selectedMenu',\n variant: 'selectedMenu',\n textColor: 'preserve'\n },\n selectedMenuIcon: {\n depends: ['selectedMenu', 'selectedMenuText'],\n color: (mod, bg, text) => mixrgb(bg, text)\n },\n\n selectedMenuPopover: {\n depends: ['popover'],\n color: (mod, bg) => brightness(5 * mod, bg).rgb\n },\n selectedMenuPopoverLightText: {\n depends: ['selectedMenuLightText'],\n layer: 'selectedMenuPopover',\n variant: 'selectedMenuPopover',\n textColor: true\n },\n selectedMenuPopoverFaintText: {\n depends: ['selectedMenuFaintText'],\n layer: 'selectedMenuPopover',\n variant: 'selectedMenuPopover',\n textColor: true\n },\n selectedMenuPopoverFaintLink: {\n depends: ['selectedMenuFaintLink'],\n layer: 'selectedMenuPopover',\n variant: 'selectedMenuPopover',\n textColor: 'preserve'\n },\n selectedMenuPopoverText: {\n depends: ['selectedMenuText'],\n layer: 'selectedMenuPopover',\n variant: 'selectedMenuPopover',\n textColor: true\n },\n selectedMenuPopoverLink: {\n depends: ['selectedMenuLink'],\n layer: 'selectedMenuPopover',\n variant: 'selectedMenuPopover',\n textColor: 'preserve'\n },\n selectedMenuPopoverIcon: {\n depends: ['selectedMenuPopover', 'selectedMenuText'],\n color: (mod, bg, text) => mixrgb(bg, text)\n },\n\n lightText: {\n depends: ['text'],\n layer: 'bg',\n textColor: 'preserve',\n color: (mod, text) => brightness(20 * mod, text).rgb\n },\n\n postLink: {\n depends: ['link'],\n layer: 'bg',\n textColor: 'preserve'\n },\n\n postGreentext: {\n depends: ['cGreen'],\n layer: 'bg',\n textColor: 'preserve'\n },\n\n border: {\n depends: ['fg'],\n opacity: 'border',\n color: (mod, fg) => brightness(2 * mod, fg).rgb\n },\n\n poll: {\n depends: ['accent', 'bg'],\n copacity: 'poll',\n color: (mod, accent, bg) => alphaBlend(accent, 0.4, bg)\n },\n pollText: {\n depends: ['text'],\n layer: 'poll',\n textColor: true\n },\n\n icon: {\n depends: ['bg', 'text'],\n inheritsOpacity: false,\n color: (mod, bg, text) => mixrgb(bg, text)\n },\n\n // Foreground\n fgText: {\n depends: ['text'],\n layer: 'fg',\n textColor: true\n },\n fgLink: {\n depends: ['link'],\n layer: 'fg',\n textColor: 'preserve'\n },\n\n // Panel header\n panel: {\n depends: ['fg'],\n opacity: 'panel'\n },\n panelText: {\n depends: ['text'],\n layer: 'panel',\n textColor: true\n },\n panelFaint: {\n depends: ['fgText'],\n layer: 'panel',\n opacity: 'faint',\n textColor: true\n },\n panelLink: {\n depends: ['fgLink'],\n layer: 'panel',\n textColor: 'preserve'\n },\n\n // Top bar\n topBar: '--fg',\n topBarText: {\n depends: ['fgText'],\n layer: 'topBar',\n textColor: true\n },\n topBarLink: {\n depends: ['fgLink'],\n layer: 'topBar',\n textColor: 'preserve'\n },\n\n // Tabs\n tab: {\n depends: ['btn']\n },\n tabText: {\n depends: ['btnText'],\n layer: 'btn',\n textColor: true\n },\n tabActiveText: {\n depends: ['text'],\n layer: 'bg',\n textColor: true\n },\n\n // Buttons\n btn: {\n depends: ['fg'],\n variant: 'btn',\n opacity: 'btn'\n },\n btnText: {\n depends: ['fgText'],\n layer: 'btn',\n textColor: true\n },\n btnPanelText: {\n depends: ['btnText'],\n layer: 'btnPanel',\n variant: 'btn',\n textColor: true\n },\n btnTopBarText: {\n depends: ['btnText'],\n layer: 'btnTopBar',\n variant: 'btn',\n textColor: true\n },\n\n // Buttons: pressed\n btnPressed: {\n depends: ['btn'],\n layer: 'btn'\n },\n btnPressedText: {\n depends: ['btnText'],\n layer: 'btn',\n variant: 'btnPressed',\n textColor: true\n },\n btnPressedPanel: {\n depends: ['btnPressed'],\n layer: 'btn'\n },\n btnPressedPanelText: {\n depends: ['btnPanelText'],\n layer: 'btnPanel',\n variant: 'btnPressed',\n textColor: true\n },\n btnPressedTopBar: {\n depends: ['btnPressed'],\n layer: 'btn'\n },\n btnPressedTopBarText: {\n depends: ['btnTopBarText'],\n layer: 'btnTopBar',\n variant: 'btnPressed',\n textColor: true\n },\n\n // Buttons: toggled\n btnToggled: {\n depends: ['btn'],\n layer: 'btn',\n color: (mod, btn) => brightness(mod * 20, btn).rgb\n },\n btnToggledText: {\n depends: ['btnText'],\n layer: 'btn',\n variant: 'btnToggled',\n textColor: true\n },\n btnToggledPanelText: {\n depends: ['btnPanelText'],\n layer: 'btnPanel',\n variant: 'btnToggled',\n textColor: true\n },\n btnToggledTopBarText: {\n depends: ['btnTopBarText'],\n layer: 'btnTopBar',\n variant: 'btnToggled',\n textColor: true\n },\n\n // Buttons: disabled\n btnDisabled: {\n depends: ['btn', 'bg'],\n color: (mod, btn, bg) => alphaBlend(btn, 0.25, bg)\n },\n btnDisabledText: {\n depends: ['btnText', 'btnDisabled'],\n layer: 'btn',\n variant: 'btnDisabled',\n color: (mod, text, btn) => alphaBlend(text, 0.25, btn)\n },\n btnDisabledPanelText: {\n depends: ['btnPanelText', 'btnDisabled'],\n layer: 'btnPanel',\n variant: 'btnDisabled',\n color: (mod, text, btn) => alphaBlend(text, 0.25, btn)\n },\n btnDisabledTopBarText: {\n depends: ['btnTopBarText', 'btnDisabled'],\n layer: 'btnTopBar',\n variant: 'btnDisabled',\n color: (mod, text, btn) => alphaBlend(text, 0.25, btn)\n },\n\n // Input fields\n input: {\n depends: ['fg'],\n opacity: 'input'\n },\n inputText: {\n depends: ['text'],\n layer: 'input',\n textColor: true\n },\n inputPanelText: {\n depends: ['panelText'],\n layer: 'inputPanel',\n variant: 'input',\n textColor: true\n },\n inputTopbarText: {\n depends: ['topBarText'],\n layer: 'inputTopBar',\n variant: 'input',\n textColor: true\n },\n\n alertError: {\n depends: ['cRed'],\n opacity: 'alert'\n },\n alertErrorText: {\n depends: ['text'],\n layer: 'alert',\n variant: 'alertError',\n textColor: true\n },\n alertErrorPanelText: {\n depends: ['panelText'],\n layer: 'alertPanel',\n variant: 'alertError',\n textColor: true\n },\n\n alertWarning: {\n depends: ['cOrange'],\n opacity: 'alert'\n },\n alertWarningText: {\n depends: ['text'],\n layer: 'alert',\n variant: 'alertWarning',\n textColor: true\n },\n alertWarningPanelText: {\n depends: ['panelText'],\n layer: 'alertPanel',\n variant: 'alertWarning',\n textColor: true\n },\n\n alertNeutral: {\n depends: ['text'],\n opacity: 'alert'\n },\n alertNeutralText: {\n depends: ['text'],\n layer: 'alert',\n variant: 'alertNeutral',\n color: (mod, text) => invertLightness(text).rgb,\n textColor: true\n },\n alertNeutralPanelText: {\n depends: ['panelText'],\n layer: 'alertPanel',\n variant: 'alertNeutral',\n textColor: true\n },\n\n alertPopupError: {\n depends: ['alertError'],\n opacity: 'alertPopup'\n },\n alertPopupErrorText: {\n depends: ['alertErrorText'],\n layer: 'popover',\n variant: 'alertPopupError',\n textColor: true\n },\n\n alertPopupWarning: {\n depends: ['alertWarning'],\n opacity: 'alertPopup'\n },\n alertPopupWarningText: {\n depends: ['alertWarningText'],\n layer: 'popover',\n variant: 'alertPopupWarning',\n textColor: true\n },\n\n alertPopupNeutral: {\n depends: ['alertNeutral'],\n opacity: 'alertPopup'\n },\n alertPopupNeutralText: {\n depends: ['alertNeutralText'],\n layer: 'popover',\n variant: 'alertPopupNeutral',\n textColor: true\n },\n\n badgeNotification: '--cRed',\n badgeNotificationText: {\n depends: ['text', 'badgeNotification'],\n layer: 'badge',\n variant: 'badgeNotification',\n textColor: 'bw'\n },\n\n chatBg: {\n depends: ['bg']\n },\n\n chatMessageIncomingBg: {\n depends: ['chatBg']\n },\n\n chatMessageIncomingText: {\n depends: ['text'],\n layer: 'chatMessage',\n variant: 'chatMessageIncomingBg',\n textColor: true\n },\n\n chatMessageIncomingLink: {\n depends: ['link'],\n layer: 'chatMessage',\n variant: 'chatMessageIncomingBg',\n textColor: 'preserve'\n },\n\n chatMessageIncomingBorder: {\n depends: ['border'],\n opacity: 'border',\n color: (mod, border) => brightness(2 * mod, border).rgb\n },\n\n chatMessageOutgoingBg: {\n depends: ['chatMessageIncomingBg'],\n color: (mod, chatMessage) => brightness(5 * mod, chatMessage).rgb\n },\n\n chatMessageOutgoingText: {\n depends: ['text'],\n layer: 'chatMessage',\n variant: 'chatMessageOutgoingBg',\n textColor: true\n },\n\n chatMessageOutgoingLink: {\n depends: ['link'],\n layer: 'chatMessage',\n variant: 'chatMessageOutgoingBg',\n textColor: 'preserve'\n },\n\n chatMessageOutgoingBorder: {\n depends: ['chatMessageOutgoingBg'],\n opacity: 'border',\n color: (mod, border) => brightness(2 * mod, border).rgb\n }\n}\n","import { convert } from 'chromatism'\nimport { rgb2hex, hex2rgb, rgba2css, getCssColor, relativeLuminance } from '../color_convert/color_convert.js'\nimport { getColors, computeDynamicColor, getOpacitySlot } from '../theme_data/theme_data.service.js'\n\nexport const applyTheme = (input) => {\n const { rules } = generatePreset(input)\n const head = document.head\n const body = document.body\n body.classList.add('hidden')\n\n const styleEl = document.createElement('style')\n head.appendChild(styleEl)\n const styleSheet = styleEl.sheet\n\n styleSheet.toString()\n styleSheet.insertRule(`body { ${rules.radii} }`, 'index-max')\n styleSheet.insertRule(`body { ${rules.colors} }`, 'index-max')\n styleSheet.insertRule(`body { ${rules.shadows} }`, 'index-max')\n styleSheet.insertRule(`body { ${rules.fonts} }`, 'index-max')\n body.classList.remove('hidden')\n}\n\nexport const getCssShadow = (input, usesDropShadow) => {\n if (input.length === 0) {\n return 'none'\n }\n\n return input\n .filter(_ => usesDropShadow ? _.inset : _)\n .map((shad) => [\n shad.x,\n shad.y,\n shad.blur,\n shad.spread\n ].map(_ => _ + 'px').concat([\n getCssColor(shad.color, shad.alpha),\n shad.inset ? 'inset' : ''\n ]).join(' ')).join(', ')\n}\n\nconst getCssShadowFilter = (input) => {\n if (input.length === 0) {\n return 'none'\n }\n\n return input\n // drop-shadow doesn't support inset or spread\n .filter((shad) => !shad.inset && Number(shad.spread) === 0)\n .map((shad) => [\n shad.x,\n shad.y,\n // drop-shadow's blur is twice as strong compared to box-shadow\n shad.blur / 2\n ].map(_ => _ + 'px').concat([\n getCssColor(shad.color, shad.alpha)\n ]).join(' '))\n .map(_ => `drop-shadow(${_})`)\n .join(' ')\n}\n\nexport const generateColors = (themeData) => {\n const sourceColors = !themeData.themeEngineVersion\n ? colors2to3(themeData.colors || themeData)\n : themeData.colors || themeData\n\n const { colors, opacity } = getColors(sourceColors, themeData.opacity || {})\n\n const htmlColors = Object.entries(colors)\n .reduce((acc, [k, v]) => {\n if (!v) return acc\n acc.solid[k] = rgb2hex(v)\n acc.complete[k] = typeof v.a === 'undefined' ? rgb2hex(v) : rgba2css(v)\n return acc\n }, { complete: {}, solid: {} })\n return {\n rules: {\n colors: Object.entries(htmlColors.complete)\n .filter(([k, v]) => v)\n .map(([k, v]) => `--${k}: ${v}`)\n .join(';')\n },\n theme: {\n colors: htmlColors.solid,\n opacity\n }\n }\n}\n\nexport const generateRadii = (input) => {\n let inputRadii = input.radii || {}\n // v1 -> v2\n if (typeof input.btnRadius !== 'undefined') {\n inputRadii = Object\n .entries(input)\n .filter(([k, v]) => k.endsWith('Radius'))\n .reduce((acc, e) => { acc[e[0].split('Radius')[0]] = e[1]; return acc }, {})\n }\n const radii = Object.entries(inputRadii).filter(([k, v]) => v).reduce((acc, [k, v]) => {\n acc[k] = v\n return acc\n }, {\n btn: 4,\n input: 4,\n checkbox: 2,\n panel: 10,\n avatar: 5,\n avatarAlt: 50,\n tooltip: 2,\n attachment: 5,\n chatMessage: inputRadii.panel\n })\n\n return {\n rules: {\n radii: Object.entries(radii).filter(([k, v]) => v).map(([k, v]) => `--${k}Radius: ${v}px`).join(';')\n },\n theme: {\n radii\n }\n }\n}\n\nexport const generateFonts = (input) => {\n const fonts = Object.entries(input.fonts || {}).filter(([k, v]) => v).reduce((acc, [k, v]) => {\n acc[k] = Object.entries(v).filter(([k, v]) => v).reduce((acc, [k, v]) => {\n acc[k] = v\n return acc\n }, acc[k])\n return acc\n }, {\n interface: {\n family: 'sans-serif'\n },\n input: {\n family: 'inherit'\n },\n post: {\n family: 'inherit'\n },\n postCode: {\n family: 'monospace'\n }\n })\n\n return {\n rules: {\n fonts: Object\n .entries(fonts)\n .filter(([k, v]) => v)\n .map(([k, v]) => `--${k}Font: ${v.family}`).join(';')\n },\n theme: {\n fonts\n }\n }\n}\n\nconst border = (top, shadow) => ({\n x: 0,\n y: top ? 1 : -1,\n blur: 0,\n spread: 0,\n color: shadow ? '#000000' : '#FFFFFF',\n alpha: 0.2,\n inset: true\n})\nconst buttonInsetFakeBorders = [border(true, false), border(false, true)]\nconst inputInsetFakeBorders = [border(true, true), border(false, false)]\nconst hoverGlow = {\n x: 0,\n y: 0,\n blur: 4,\n spread: 0,\n color: '--faint',\n alpha: 1\n}\n\nexport const DEFAULT_SHADOWS = {\n panel: [{\n x: 1,\n y: 1,\n blur: 4,\n spread: 0,\n color: '#000000',\n alpha: 0.6\n }],\n topBar: [{\n x: 0,\n y: 0,\n blur: 4,\n spread: 0,\n color: '#000000',\n alpha: 0.6\n }],\n popup: [{\n x: 2,\n y: 2,\n blur: 3,\n spread: 0,\n color: '#000000',\n alpha: 0.5\n }],\n avatar: [{\n x: 0,\n y: 1,\n blur: 8,\n spread: 0,\n color: '#000000',\n alpha: 0.7\n }],\n avatarStatus: [],\n panelHeader: [],\n button: [{\n x: 0,\n y: 0,\n blur: 2,\n spread: 0,\n color: '#000000',\n alpha: 1\n }, ...buttonInsetFakeBorders],\n buttonHover: [hoverGlow, ...buttonInsetFakeBorders],\n buttonPressed: [hoverGlow, ...inputInsetFakeBorders],\n input: [...inputInsetFakeBorders, {\n x: 0,\n y: 0,\n blur: 2,\n inset: true,\n spread: 0,\n color: '#000000',\n alpha: 1\n }]\n}\nexport const generateShadows = (input, colors) => {\n // TODO this is a small hack for `mod` to work with shadows\n // this is used to get the \"context\" of shadow, i.e. for `mod` properly depend on background color of element\n const hackContextDict = {\n button: 'btn',\n panel: 'bg',\n top: 'topBar',\n popup: 'popover',\n avatar: 'bg',\n panelHeader: 'panel',\n input: 'input'\n }\n const inputShadows = input.shadows && !input.themeEngineVersion\n ? shadows2to3(input.shadows, input.opacity)\n : input.shadows || {}\n const shadows = Object.entries({\n ...DEFAULT_SHADOWS,\n ...inputShadows\n }).reduce((shadowsAcc, [slotName, shadowDefs]) => {\n const slotFirstWord = slotName.replace(/[A-Z].*$/, '')\n const colorSlotName = hackContextDict[slotFirstWord]\n const isLightOnDark = relativeLuminance(convert(colors[colorSlotName]).rgb) < 0.5\n const mod = isLightOnDark ? 1 : -1\n const newShadow = shadowDefs.reduce((shadowAcc, def) => [\n ...shadowAcc,\n {\n ...def,\n color: rgb2hex(computeDynamicColor(\n def.color,\n (variableSlot) => convert(colors[variableSlot]).rgb,\n mod\n ))\n }\n ], [])\n return { ...shadowsAcc, [slotName]: newShadow }\n }, {})\n\n return {\n rules: {\n shadows: Object\n .entries(shadows)\n // TODO for v2.2: if shadow doesn't have non-inset shadows with spread > 0 - optionally\n // convert all non-inset shadows into filter: drop-shadow() to boost performance\n .map(([k, v]) => [\n `--${k}Shadow: ${getCssShadow(v)}`,\n `--${k}ShadowFilter: ${getCssShadowFilter(v)}`,\n `--${k}ShadowInset: ${getCssShadow(v, true)}`\n ].join(';'))\n .join(';')\n },\n theme: {\n shadows\n }\n }\n}\n\nexport const composePreset = (colors, radii, shadows, fonts) => {\n return {\n rules: {\n ...shadows.rules,\n ...colors.rules,\n ...radii.rules,\n ...fonts.rules\n },\n theme: {\n ...shadows.theme,\n ...colors.theme,\n ...radii.theme,\n ...fonts.theme\n }\n }\n}\n\nexport const generatePreset = (input) => {\n const colors = generateColors(input)\n return composePreset(\n colors,\n generateRadii(input),\n generateShadows(input, colors.theme.colors, colors.mod),\n generateFonts(input)\n )\n}\n\nexport const getThemes = () => {\n const cache = 'no-store'\n\n return window.fetch('/static/styles.json', { cache })\n .then((data) => data.json())\n .then((themes) => {\n return Object.entries(themes).map(([k, v]) => {\n let promise = null\n if (typeof v === 'object') {\n promise = Promise.resolve(v)\n } else if (typeof v === 'string') {\n promise = window.fetch(v, { cache })\n .then((data) => data.json())\n .catch((e) => {\n console.error(e)\n return null\n })\n }\n return [k, promise]\n })\n })\n .then((promises) => {\n return promises\n .reduce((acc, [k, v]) => {\n acc[k] = v\n return acc\n }, {})\n })\n}\nexport const colors2to3 = (colors) => {\n return Object.entries(colors).reduce((acc, [slotName, color]) => {\n const btnPositions = ['', 'Panel', 'TopBar']\n switch (slotName) {\n case 'lightBg':\n return { ...acc, highlight: color }\n case 'btnText':\n return {\n ...acc,\n ...btnPositions\n .reduce(\n (statePositionAcc, position) =>\n ({ ...statePositionAcc, ['btn' + position + 'Text']: color })\n , {}\n )\n }\n default:\n return { ...acc, [slotName]: color }\n }\n }, {})\n}\n\n/**\n * This handles compatibility issues when importing v2 theme's shadows to current format\n *\n * Back in v2 shadows allowed you to use dynamic colors however those used pure CSS3 variables\n */\nexport const shadows2to3 = (shadows, opacity) => {\n return Object.entries(shadows).reduce((shadowsAcc, [slotName, shadowDefs]) => {\n const isDynamic = ({ color }) => color.startsWith('--')\n const getOpacity = ({ color }) => opacity[getOpacitySlot(color.substring(2).split(',')[0])]\n const newShadow = shadowDefs.reduce((shadowAcc, def) => [\n ...shadowAcc,\n {\n ...def,\n alpha: isDynamic(def) ? getOpacity(def) || 1 : def.alpha\n }\n ], [])\n return { ...shadowsAcc, [slotName]: newShadow }\n }, {})\n}\n\nexport const getPreset = (val) => {\n return getThemes()\n .then((themes) => themes[val] ? themes[val] : themes['pleroma-dark'])\n .then((theme) => {\n const isV1 = Array.isArray(theme)\n const data = isV1 ? {} : theme.theme\n\n if (isV1) {\n const bg = hex2rgb(theme[1])\n const fg = hex2rgb(theme[2])\n const text = hex2rgb(theme[3])\n const link = hex2rgb(theme[4])\n\n const cRed = hex2rgb(theme[5] || '#FF0000')\n const cGreen = hex2rgb(theme[6] || '#00FF00')\n const cBlue = hex2rgb(theme[7] || '#0000FF')\n const cOrange = hex2rgb(theme[8] || '#E3FF00')\n\n data.colors = { bg, fg, text, link, cRed, cBlue, cGreen, cOrange }\n }\n\n return { theme: data, source: theme.source }\n })\n}\n\nexport const setPreset = (val) => getPreset(val).then(data => applyTheme(data.theme))\n","import { mapGetters } from 'vuex'\n\nconst FavoriteButton = {\n props: ['status', 'loggedIn'],\n data () {\n return {\n animated: false\n }\n },\n methods: {\n favorite () {\n if (!this.status.favorited) {\n this.$store.dispatch('favorite', { id: this.status.id })\n } else {\n this.$store.dispatch('unfavorite', { id: this.status.id })\n }\n this.animated = true\n setTimeout(() => {\n this.animated = false\n }, 500)\n }\n },\n computed: {\n classes () {\n return {\n 'icon-star-empty': !this.status.favorited,\n 'icon-star': this.status.favorited,\n 'animate-spin': this.animated\n }\n },\n ...mapGetters(['mergedConfig'])\n }\n}\n\nexport default FavoriteButton\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./favorite_button.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./favorite_button.js\"\nimport __vue_script__ from \"!!babel-loader!./favorite_button.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2ced002f\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./favorite_button.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.loggedIn)?_c('div',[_c('i',{staticClass:\"button-icon favorite-button fav-active\",class:_vm.classes,attrs:{\"title\":_vm.$t('tool_tip.favorite')},on:{\"click\":function($event){$event.preventDefault();return _vm.favorite()}}}),_vm._v(\" \"),(!_vm.mergedConfig.hidePostStats && _vm.status.fave_num > 0)?_c('span',[_vm._v(_vm._s(_vm.status.fave_num))]):_vm._e()]):_c('div',[_c('i',{staticClass:\"button-icon favorite-button\",class:_vm.classes,attrs:{\"title\":_vm.$t('tool_tip.favorite')}}),_vm._v(\" \"),(!_vm.mergedConfig.hidePostStats && _vm.status.fave_num > 0)?_c('span',[_vm._v(_vm._s(_vm.status.fave_num))]):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Popover from '../popover/popover.vue'\nimport { mapGetters } from 'vuex'\n\nconst ReactButton = {\n props: ['status'],\n data () {\n return {\n filterWord: ''\n }\n },\n components: {\n Popover\n },\n methods: {\n addReaction (event, emoji, close) {\n const existingReaction = this.status.emoji_reactions.find(r => r.name === emoji)\n if (existingReaction && existingReaction.me) {\n this.$store.dispatch('unreactWithEmoji', { id: this.status.id, emoji })\n } else {\n this.$store.dispatch('reactWithEmoji', { id: this.status.id, emoji })\n }\n close()\n }\n },\n computed: {\n commonEmojis () {\n return ['👍', '😠', '👀', '😂', '🔥']\n },\n emojis () {\n if (this.filterWord !== '') {\n const filterWordLowercase = this.filterWord.toLowerCase()\n return this.$store.state.instance.emoji.filter(emoji =>\n emoji.displayText.toLowerCase().includes(filterWordLowercase)\n )\n }\n return this.$store.state.instance.emoji || []\n },\n ...mapGetters(['mergedConfig'])\n }\n}\n\nexport default ReactButton\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./react_button.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./react_button.js\"\nimport __vue_script__ from \"!!babel-loader!./react_button.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-185f65eb\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./react_button.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Popover',{staticClass:\"react-button-popover\",attrs:{\"trigger\":\"click\",\"placement\":\"top\",\"offset\":{ y: 5 }},scopedSlots:_vm._u([{key:\"content\",fn:function(ref){\nvar close = ref.close;\nreturn _c('div',{},[_c('div',{staticClass:\"reaction-picker-filter\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.filterWord),expression:\"filterWord\"}],attrs:{\"placeholder\":_vm.$t('emoji.search_emoji')},domProps:{\"value\":(_vm.filterWord)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.filterWord=$event.target.value}}})]),_vm._v(\" \"),_c('div',{staticClass:\"reaction-picker\"},[_vm._l((_vm.commonEmojis),function(emoji){return _c('span',{key:emoji,staticClass:\"emoji-button\",on:{\"click\":function($event){return _vm.addReaction($event, emoji, close)}}},[_vm._v(\"\\n \"+_vm._s(emoji)+\"\\n \")])}),_vm._v(\" \"),_c('div',{staticClass:\"reaction-picker-divider\"}),_vm._v(\" \"),_vm._l((_vm.emojis),function(emoji,key){return _c('span',{key:key,staticClass:\"emoji-button\",on:{\"click\":function($event){return _vm.addReaction($event, emoji.replacement, close)}}},[_vm._v(\"\\n \"+_vm._s(emoji.replacement)+\"\\n \")])}),_vm._v(\" \"),_c('div',{staticClass:\"reaction-bottom-fader\"})],2)])}}])},[_vm._v(\" \"),_c('i',{staticClass:\"icon-smile button-icon add-reaction-button\",attrs:{\"slot\":\"trigger\",\"title\":_vm.$t('tool_tip.add_reaction')},slot:\"trigger\"})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapGetters } from 'vuex'\n\nconst RetweetButton = {\n props: ['status', 'loggedIn', 'visibility'],\n data () {\n return {\n animated: false\n }\n },\n methods: {\n retweet () {\n if (!this.status.repeated) {\n this.$store.dispatch('retweet', { id: this.status.id })\n } else {\n this.$store.dispatch('unretweet', { id: this.status.id })\n }\n this.animated = true\n setTimeout(() => {\n this.animated = false\n }, 500)\n }\n },\n computed: {\n classes () {\n return {\n 'retweeted': this.status.repeated,\n 'retweeted-empty': !this.status.repeated,\n 'animate-spin': this.animated\n }\n },\n ...mapGetters(['mergedConfig'])\n }\n}\n\nexport default RetweetButton\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./retweet_button.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./retweet_button.js\"\nimport __vue_script__ from \"!!babel-loader!./retweet_button.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-538410cc\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./retweet_button.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.loggedIn)?_c('div',[(_vm.visibility !== 'private' && _vm.visibility !== 'direct')?[_c('i',{staticClass:\"button-icon retweet-button icon-retweet rt-active\",class:_vm.classes,attrs:{\"title\":_vm.$t('tool_tip.repeat')},on:{\"click\":function($event){$event.preventDefault();return _vm.retweet()}}}),_vm._v(\" \"),(!_vm.mergedConfig.hidePostStats && _vm.status.repeat_num > 0)?_c('span',[_vm._v(_vm._s(_vm.status.repeat_num))]):_vm._e()]:[_c('i',{staticClass:\"button-icon icon-lock\",class:_vm.classes,attrs:{\"title\":_vm.$t('timeline.no_retweet_hint')}})]],2):(!_vm.loggedIn)?_c('div',[_c('i',{staticClass:\"button-icon icon-retweet\",class:_vm.classes,attrs:{\"title\":_vm.$t('tool_tip.repeat')}}),_vm._v(\" \"),(!_vm.mergedConfig.hidePostStats && _vm.status.repeat_num > 0)?_c('span',[_vm._v(_vm._s(_vm.status.repeat_num))]):_vm._e()]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Popover from '../popover/popover.vue'\n\nconst ExtraButtons = {\n props: [ 'status' ],\n components: { Popover },\n methods: {\n deleteStatus () {\n const confirmed = window.confirm(this.$t('status.delete_confirm'))\n if (confirmed) {\n this.$store.dispatch('deleteStatus', { id: this.status.id })\n }\n },\n pinStatus () {\n this.$store.dispatch('pinStatus', this.status.id)\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n },\n unpinStatus () {\n this.$store.dispatch('unpinStatus', this.status.id)\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n },\n muteConversation () {\n this.$store.dispatch('muteConversation', this.status.id)\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n },\n unmuteConversation () {\n this.$store.dispatch('unmuteConversation', this.status.id)\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n },\n copyLink () {\n navigator.clipboard.writeText(this.statusLink)\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n },\n bookmarkStatus () {\n this.$store.dispatch('bookmark', { id: this.status.id })\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n },\n unbookmarkStatus () {\n this.$store.dispatch('unbookmark', { id: this.status.id })\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n }\n },\n computed: {\n currentUser () { return this.$store.state.users.currentUser },\n canDelete () {\n if (!this.currentUser) { return }\n const superuser = this.currentUser.rights.moderator || this.currentUser.rights.admin\n return superuser || this.status.user.id === this.currentUser.id\n },\n ownStatus () {\n return this.status.user.id === this.currentUser.id\n },\n canPin () {\n return this.ownStatus && (this.status.visibility === 'public' || this.status.visibility === 'unlisted')\n },\n canMute () {\n return !!this.currentUser\n },\n statusLink () {\n return `${this.$store.state.instance.server}${this.$router.resolve({ name: 'conversation', params: { id: this.status.id } }).href}`\n }\n }\n}\n\nexport default ExtraButtons\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./extra_buttons.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./extra_buttons.js\"\nimport __vue_script__ from \"!!babel-loader!./extra_buttons.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2d820a60\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./extra_buttons.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Popover',{staticClass:\"extra-button-popover\",attrs:{\"trigger\":\"click\",\"placement\":\"top\",\"bound-to\":{ x: 'container' }},scopedSlots:_vm._u([{key:\"content\",fn:function(ref){\nvar close = ref.close;\nreturn _c('div',{},[_c('div',{staticClass:\"dropdown-menu\"},[(_vm.canMute && !_vm.status.thread_muted)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":function($event){$event.preventDefault();return _vm.muteConversation($event)}}},[_c('i',{staticClass:\"icon-eye-off\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.mute_conversation\")))])]):_vm._e(),_vm._v(\" \"),(_vm.canMute && _vm.status.thread_muted)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":function($event){$event.preventDefault();return _vm.unmuteConversation($event)}}},[_c('i',{staticClass:\"icon-eye-off\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.unmute_conversation\")))])]):_vm._e(),_vm._v(\" \"),(!_vm.status.pinned && _vm.canPin)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":[function($event){$event.preventDefault();return _vm.pinStatus($event)},close]}},[_c('i',{staticClass:\"icon-pin\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.pin\")))])]):_vm._e(),_vm._v(\" \"),(_vm.status.pinned && _vm.canPin)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":[function($event){$event.preventDefault();return _vm.unpinStatus($event)},close]}},[_c('i',{staticClass:\"icon-pin\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.unpin\")))])]):_vm._e(),_vm._v(\" \"),(!_vm.status.bookmarked)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":[function($event){$event.preventDefault();return _vm.bookmarkStatus($event)},close]}},[_c('i',{staticClass:\"icon-bookmark-empty\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.bookmark\")))])]):_vm._e(),_vm._v(\" \"),(_vm.status.bookmarked)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":[function($event){$event.preventDefault();return _vm.unbookmarkStatus($event)},close]}},[_c('i',{staticClass:\"icon-bookmark\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.unbookmark\")))])]):_vm._e(),_vm._v(\" \"),(_vm.canDelete)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":[function($event){$event.preventDefault();return _vm.deleteStatus($event)},close]}},[_c('i',{staticClass:\"icon-cancel\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.delete\")))])]):_vm._e(),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":[function($event){$event.preventDefault();return _vm.copyLink($event)},close]}},[_c('i',{staticClass:\"icon-share\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.copy_link\")))])])])])}}])},[_vm._v(\" \"),_c('i',{staticClass:\"icon-ellipsis button-icon\",attrs:{\"slot\":\"trigger\"},slot:\"trigger\"})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { find } from 'lodash'\n\nconst StatusPopover = {\n name: 'StatusPopover',\n props: [\n 'statusId'\n ],\n data () {\n return {\n error: false\n }\n },\n computed: {\n status () {\n return find(this.$store.state.statuses.allStatuses, { id: this.statusId })\n }\n },\n components: {\n Status: () => import('../status/status.vue'),\n Popover: () => import('../popover/popover.vue')\n },\n methods: {\n enter () {\n if (!this.status) {\n if (!this.statusId) {\n this.error = true\n return\n }\n this.$store.dispatch('fetchStatus', this.statusId)\n .then(data => (this.error = false))\n .catch(e => (this.error = true))\n }\n }\n }\n}\n\nexport default StatusPopover\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./status_popover.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./status_popover.js\"\nimport __vue_script__ from \"!!babel-loader!./status_popover.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1ce08f47\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./status_popover.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Popover',{attrs:{\"trigger\":\"hover\",\"popover-class\":\"popover-default status-popover\",\"bound-to\":{ x: 'container' }},on:{\"show\":_vm.enter}},[_c('template',{slot:\"trigger\"},[_vm._t(\"default\")],2),_vm._v(\" \"),_c('div',{attrs:{\"slot\":\"content\"},slot:\"content\"},[(_vm.status)?_c('Status',{attrs:{\"is-preview\":true,\"statusoid\":_vm.status,\"compact\":true}}):(_vm.error)?_c('div',{staticClass:\"status-preview-no-content faint\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('status.status_unavailable'))+\"\\n \")]):_c('div',{staticClass:\"status-preview-no-content\"},[_c('i',{staticClass:\"icon-spin4 animate-spin\"})])],1)],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","\nconst UserListPopover = {\n name: 'UserListPopover',\n props: [\n 'users'\n ],\n components: {\n Popover: () => import('../popover/popover.vue'),\n UserAvatar: () => import('../user_avatar/user_avatar.vue')\n },\n computed: {\n usersCapped () {\n return this.users.slice(0, 16)\n }\n }\n}\n\nexport default UserListPopover\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_list_popover.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./user_list_popover.js\"\nimport __vue_script__ from \"!!babel-loader!./user_list_popover.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3dc4669d\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_list_popover.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Popover',{attrs:{\"trigger\":\"hover\",\"placement\":\"top\",\"offset\":{ y: 5 }}},[_c('template',{slot:\"trigger\"},[_vm._t(\"default\")],2),_vm._v(\" \"),_c('div',{staticClass:\"user-list-popover\",attrs:{\"slot\":\"content\"},slot:\"content\"},[(_vm.users.length)?_c('div',_vm._l((_vm.usersCapped),function(user){return _c('div',{key:user.id,staticClass:\"user-list-row\"},[_c('UserAvatar',{staticClass:\"avatar-small\",attrs:{\"user\":user,\"compact\":true}}),_vm._v(\" \"),_c('div',{staticClass:\"user-list-names\"},[_c('span',{domProps:{\"innerHTML\":_vm._s(user.name_html)}}),_vm._v(\" \"),_c('span',{staticClass:\"user-list-screen-name\"},[_vm._v(_vm._s(user.screen_name))])])],1)}),0):_c('div',[_c('i',{staticClass:\"icon-spin4 animate-spin\"})])])],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import UserAvatar from '../user_avatar/user_avatar.vue'\nimport UserListPopover from '../user_list_popover/user_list_popover.vue'\n\nconst EMOJI_REACTION_COUNT_CUTOFF = 12\n\nconst EmojiReactions = {\n name: 'EmojiReactions',\n components: {\n UserAvatar,\n UserListPopover\n },\n props: ['status'],\n data: () => ({\n showAll: false\n }),\n computed: {\n tooManyReactions () {\n return this.status.emoji_reactions.length > EMOJI_REACTION_COUNT_CUTOFF\n },\n emojiReactions () {\n return this.showAll\n ? this.status.emoji_reactions\n : this.status.emoji_reactions.slice(0, EMOJI_REACTION_COUNT_CUTOFF)\n },\n showMoreString () {\n return `+${this.status.emoji_reactions.length - EMOJI_REACTION_COUNT_CUTOFF}`\n },\n accountsForEmoji () {\n return this.status.emoji_reactions.reduce((acc, reaction) => {\n acc[reaction.name] = reaction.accounts || []\n return acc\n }, {})\n },\n loggedIn () {\n return !!this.$store.state.users.currentUser\n }\n },\n methods: {\n toggleShowAll () {\n this.showAll = !this.showAll\n },\n reactedWith (emoji) {\n return this.status.emoji_reactions.find(r => r.name === emoji).me\n },\n fetchEmojiReactionsByIfMissing () {\n const hasNoAccounts = this.status.emoji_reactions.find(r => !r.accounts)\n if (hasNoAccounts) {\n this.$store.dispatch('fetchEmojiReactionsBy', this.status.id)\n }\n },\n reactWith (emoji) {\n this.$store.dispatch('reactWithEmoji', { id: this.status.id, emoji })\n },\n unreact (emoji) {\n this.$store.dispatch('unreactWithEmoji', { id: this.status.id, emoji })\n },\n emojiOnClick (emoji, event) {\n if (!this.loggedIn) return\n\n if (this.reactedWith(emoji)) {\n this.unreact(emoji)\n } else {\n this.reactWith(emoji)\n }\n }\n }\n}\n\nexport default EmojiReactions\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./emoji_reactions.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./emoji_reactions.js\"\nimport __vue_script__ from \"!!babel-loader!./emoji_reactions.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-342ef24c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./emoji_reactions.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"emoji-reactions\"},[_vm._l((_vm.emojiReactions),function(reaction){return _c('UserListPopover',{key:reaction.name,attrs:{\"users\":_vm.accountsForEmoji[reaction.name]}},[_c('button',{staticClass:\"emoji-reaction btn btn-default\",class:{ 'picked-reaction': _vm.reactedWith(reaction.name), 'not-clickable': !_vm.loggedIn },on:{\"click\":function($event){return _vm.emojiOnClick(reaction.name, $event)},\"mouseenter\":function($event){return _vm.fetchEmojiReactionsByIfMissing()}}},[_c('span',{staticClass:\"reaction-emoji\"},[_vm._v(_vm._s(reaction.name))]),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(reaction.count))])])])}),_vm._v(\" \"),(_vm.tooManyReactions)?_c('a',{staticClass:\"emoji-reaction-expand faint\",attrs:{\"href\":\"javascript:void(0)\"},on:{\"click\":_vm.toggleShowAll}},[_vm._v(\"\\n \"+_vm._s(_vm.showAll ? _vm.$t('general.show_less') : _vm.showMoreString)+\"\\n \")]):_vm._e()],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import FavoriteButton from '../favorite_button/favorite_button.vue'\nimport ReactButton from '../react_button/react_button.vue'\nimport RetweetButton from '../retweet_button/retweet_button.vue'\nimport ExtraButtons from '../extra_buttons/extra_buttons.vue'\nimport PostStatusForm from '../post_status_form/post_status_form.vue'\nimport UserCard from '../user_card/user_card.vue'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\nimport AvatarList from '../avatar_list/avatar_list.vue'\nimport Timeago from '../timeago/timeago.vue'\nimport StatusContent from '../status_content/status_content.vue'\nimport StatusPopover from '../status_popover/status_popover.vue'\nimport UserListPopover from '../user_list_popover/user_list_popover.vue'\nimport EmojiReactions from '../emoji_reactions/emoji_reactions.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\nimport { highlightClass, highlightStyle } from '../../services/user_highlighter/user_highlighter.js'\nimport { muteWordHits } from '../../services/status_parser/status_parser.js'\nimport { unescape, uniqBy } from 'lodash'\nimport { mapGetters, mapState } from 'vuex'\n\nconst Status = {\n name: 'Status',\n components: {\n FavoriteButton,\n ReactButton,\n RetweetButton,\n ExtraButtons,\n PostStatusForm,\n UserCard,\n UserAvatar,\n AvatarList,\n Timeago,\n StatusPopover,\n UserListPopover,\n EmojiReactions,\n StatusContent\n },\n props: [\n 'statusoid',\n 'expandable',\n 'inConversation',\n 'focused',\n 'highlight',\n 'compact',\n 'replies',\n 'isPreview',\n 'noHeading',\n 'inlineExpanded',\n 'showPinned',\n 'inProfile',\n 'profileUserId'\n ],\n data () {\n return {\n replying: false,\n unmuted: false,\n userExpanded: false,\n error: null\n }\n },\n computed: {\n muteWords () {\n return this.mergedConfig.muteWords\n },\n showReasonMutedThread () {\n return (\n this.status.thread_muted ||\n (this.status.reblog && this.status.reblog.thread_muted)\n ) && !this.inConversation\n },\n repeaterClass () {\n const user = this.statusoid.user\n return highlightClass(user)\n },\n userClass () {\n const user = this.retweet ? (this.statusoid.retweeted_status.user) : this.statusoid.user\n return highlightClass(user)\n },\n deleted () {\n return this.statusoid.deleted\n },\n repeaterStyle () {\n const user = this.statusoid.user\n const highlight = this.mergedConfig.highlight\n return highlightStyle(highlight[user.screen_name])\n },\n userStyle () {\n if (this.noHeading) return\n const user = this.retweet ? (this.statusoid.retweeted_status.user) : this.statusoid.user\n const highlight = this.mergedConfig.highlight\n return highlightStyle(highlight[user.screen_name])\n },\n userProfileLink () {\n return this.generateUserProfileLink(this.status.user.id, this.status.user.screen_name)\n },\n replyProfileLink () {\n if (this.isReply) {\n return this.generateUserProfileLink(this.status.in_reply_to_user_id, this.replyToName)\n }\n },\n retweet () { return !!this.statusoid.retweeted_status },\n retweeter () { return this.statusoid.user.name || this.statusoid.user.screen_name },\n retweeterHtml () { return this.statusoid.user.name_html },\n retweeterProfileLink () { return this.generateUserProfileLink(this.statusoid.user.id, this.statusoid.user.screen_name) },\n status () {\n if (this.retweet) {\n return this.statusoid.retweeted_status\n } else {\n return this.statusoid\n }\n },\n statusFromGlobalRepository () {\n // NOTE: Consider to replace status with statusFromGlobalRepository\n return this.$store.state.statuses.allStatusesObject[this.status.id]\n },\n loggedIn () {\n return !!this.currentUser\n },\n muteWordHits () {\n return muteWordHits(this.status, this.muteWords)\n },\n muted () {\n const { status } = this\n const { reblog } = status\n const relationship = this.$store.getters.relationship(status.user.id)\n const relationshipReblog = reblog && this.$store.getters.relationship(reblog.user.id)\n const reasonsToMute = (\n // Post is muted according to BE\n status.muted ||\n // Reprööt of a muted post according to BE\n (reblog && reblog.muted) ||\n // Muted user\n relationship.muting ||\n // Muted user of a reprööt\n (relationshipReblog && relationshipReblog.muting) ||\n // Thread is muted\n status.thread_muted ||\n // Wordfiltered\n this.muteWordHits.length > 0\n )\n const excusesNotToMute = (\n (\n this.inProfile && (\n // Don't mute user's posts on user timeline (except reblogs)\n (!reblog && status.user.id === this.profileUserId) ||\n // Same as above but also allow self-reblogs\n (reblog && reblog.user.id === this.profileUserId)\n )\n ) ||\n // Don't mute statuses in muted conversation when said conversation is opened\n (this.inConversation && status.thread_muted)\n // No excuses if post has muted words\n ) && !this.muteWordHits.length > 0\n\n return !this.unmuted && !excusesNotToMute && reasonsToMute\n },\n hideFilteredStatuses () {\n return this.mergedConfig.hideFilteredStatuses\n },\n hideStatus () {\n return this.deleted || (this.muted && this.hideFilteredStatuses)\n },\n isFocused () {\n // retweet or root of an expanded conversation\n if (this.focused) {\n return true\n } else if (!this.inConversation) {\n return false\n }\n // use conversation highlight only when in conversation\n return this.status.id === this.highlight\n },\n isReply () {\n return !!(this.status.in_reply_to_status_id && this.status.in_reply_to_user_id)\n },\n replyToName () {\n if (this.status.in_reply_to_screen_name) {\n return this.status.in_reply_to_screen_name\n } else {\n const user = this.$store.getters.findUser(this.status.in_reply_to_user_id)\n return user && user.screen_name\n }\n },\n replySubject () {\n if (!this.status.summary) return ''\n const decodedSummary = unescape(this.status.summary)\n const behavior = this.mergedConfig.subjectLineBehavior\n const startsWithRe = decodedSummary.match(/^re[: ]/i)\n if ((behavior !== 'noop' && startsWithRe) || behavior === 'masto') {\n return decodedSummary\n } else if (behavior === 'email') {\n return 're: '.concat(decodedSummary)\n } else if (behavior === 'noop') {\n return ''\n }\n },\n combinedFavsAndRepeatsUsers () {\n // Use the status from the global status repository since favs and repeats are saved in it\n const combinedUsers = [].concat(\n this.statusFromGlobalRepository.favoritedBy,\n this.statusFromGlobalRepository.rebloggedBy\n )\n return uniqBy(combinedUsers, 'id')\n },\n tags () {\n return this.status.tags.filter(tagObj => tagObj.hasOwnProperty('name')).map(tagObj => tagObj.name).join(' ')\n },\n hidePostStats () {\n return this.mergedConfig.hidePostStats\n },\n ...mapGetters(['mergedConfig']),\n ...mapState({\n betterShadow: state => state.interface.browserSupport.cssFilter,\n currentUser: state => state.users.currentUser\n })\n },\n methods: {\n visibilityIcon (visibility) {\n switch (visibility) {\n case 'private':\n return 'icon-lock'\n case 'unlisted':\n return 'icon-lock-open-alt'\n case 'direct':\n return 'icon-mail-alt'\n default:\n return 'icon-globe'\n }\n },\n showError (error) {\n this.error = error\n },\n clearError () {\n this.error = undefined\n },\n toggleReplying () {\n this.replying = !this.replying\n },\n gotoOriginal (id) {\n if (this.inConversation) {\n this.$emit('goto', id)\n }\n },\n toggleExpanded () {\n this.$emit('toggleExpanded')\n },\n toggleMute () {\n this.unmuted = !this.unmuted\n },\n toggleUserExpanded () {\n this.userExpanded = !this.userExpanded\n },\n generateUserProfileLink (id, name) {\n return generateProfileLink(id, name, this.$store.state.instance.restrictedNicknames)\n }\n },\n watch: {\n 'highlight': function (id) {\n if (this.status.id === id) {\n let rect = this.$el.getBoundingClientRect()\n if (rect.top < 100) {\n // Post is above screen, match its top to screen top\n window.scrollBy(0, rect.top - 100)\n } else if (rect.height >= (window.innerHeight - 50)) {\n // Post we want to see is taller than screen so match its top to screen top\n window.scrollBy(0, rect.top - 100)\n } else if (rect.bottom > window.innerHeight - 50) {\n // Post is below screen, match its bottom to screen bottom\n window.scrollBy(0, rect.bottom - window.innerHeight + 50)\n }\n }\n },\n 'status.repeat_num': function (num) {\n // refetch repeats when repeat_num is changed in any way\n if (this.isFocused && this.statusFromGlobalRepository.rebloggedBy && this.statusFromGlobalRepository.rebloggedBy.length !== num) {\n this.$store.dispatch('fetchRepeats', this.status.id)\n }\n },\n 'status.fave_num': function (num) {\n // refetch favs when fave_num is changed in any way\n if (this.isFocused && this.statusFromGlobalRepository.favoritedBy && this.statusFromGlobalRepository.favoritedBy.length !== num) {\n this.$store.dispatch('fetchFavs', this.status.id)\n }\n }\n },\n filters: {\n capitalize: function (str) {\n return str.charAt(0).toUpperCase() + str.slice(1)\n }\n }\n}\n\nexport default Status\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./status.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./status.js\"\nimport __vue_script__ from \"!!babel-loader!./status.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1b1157fc\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./status.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (!_vm.hideStatus)?_c('div',{staticClass:\"Status\",class:[{ '-focused': _vm.isFocused }, { '-conversation': _vm.inlineExpanded }]},[(_vm.error)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.error)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":_vm.clearError}})]):_vm._e(),_vm._v(\" \"),(_vm.muted && !_vm.isPreview)?[_c('div',{staticClass:\"status-csontainer muted\"},[_c('small',{staticClass:\"status-username\"},[(_vm.muted && _vm.retweet)?_c('i',{staticClass:\"button-icon icon-retweet\"}):_vm._e(),_vm._v(\" \"),_c('router-link',{attrs:{\"to\":_vm.userProfileLink}},[_vm._v(\"\\n \"+_vm._s(_vm.status.user.screen_name)+\"\\n \")])],1),_vm._v(\" \"),(_vm.showReasonMutedThread)?_c('small',{staticClass:\"mute-thread\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('status.thread_muted'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.showReasonMutedThread && _vm.muteWordHits.length > 0)?_c('small',{staticClass:\"mute-thread\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('status.thread_muted_and_words'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('small',{staticClass:\"mute-words\",attrs:{\"title\":_vm.muteWordHits.join(', ')}},[_vm._v(\"\\n \"+_vm._s(_vm.muteWordHits.join(', '))+\"\\n \")]),_vm._v(\" \"),_c('a',{staticClass:\"unmute\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleMute($event)}}},[_c('i',{staticClass:\"button-icon icon-eye-off\"})])])]:[(_vm.showPinned)?_c('div',{staticClass:\"pin\"},[_c('i',{staticClass:\"fa icon-pin faint\"}),_vm._v(\" \"),_c('span',{staticClass:\"faint\"},[_vm._v(_vm._s(_vm.$t('status.pinned')))])]):_vm._e(),_vm._v(\" \"),(_vm.retweet && !_vm.noHeading && !_vm.inConversation)?_c('div',{staticClass:\"status-container repeat-info\",class:[_vm.repeaterClass, { highlighted: _vm.repeaterStyle }],style:([_vm.repeaterStyle])},[(_vm.retweet)?_c('UserAvatar',{staticClass:\"left-side repeater-avatar\",attrs:{\"better-shadow\":_vm.betterShadow,\"user\":_vm.statusoid.user}}):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"right-side faint\"},[_c('span',{staticClass:\"status-username repeater-name\",attrs:{\"title\":_vm.retweeter}},[(_vm.retweeterHtml)?_c('router-link',{attrs:{\"to\":_vm.retweeterProfileLink},domProps:{\"innerHTML\":_vm._s(_vm.retweeterHtml)}}):_c('router-link',{attrs:{\"to\":_vm.retweeterProfileLink}},[_vm._v(_vm._s(_vm.retweeter))])],1),_vm._v(\" \"),_c('i',{staticClass:\"fa icon-retweet retweeted\",attrs:{\"title\":_vm.$t('tool_tip.repeat')}}),_vm._v(\"\\n \"+_vm._s(_vm.$t('timeline.repeated'))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"status-container\",class:[_vm.userClass, { highlighted: _vm.userStyle, '-repeat': _vm.retweet && !_vm.inConversation }],style:([ _vm.userStyle ]),attrs:{\"data-tags\":_vm.tags}},[(!_vm.noHeading)?_c('div',{staticClass:\"left-side\"},[_c('router-link',{attrs:{\"to\":_vm.userProfileLink},nativeOn:{\"!click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.toggleUserExpanded($event)}}},[_c('UserAvatar',{attrs:{\"compact\":_vm.compact,\"better-shadow\":_vm.betterShadow,\"user\":_vm.status.user}})],1)],1):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"right-side\"},[(_vm.userExpanded)?_c('UserCard',{staticClass:\"usercard\",attrs:{\"user-id\":_vm.status.user.id,\"rounded\":true,\"bordered\":true}}):_vm._e(),_vm._v(\" \"),(!_vm.noHeading)?_c('div',{staticClass:\"status-heading\"},[_c('div',{staticClass:\"heading-name-row\"},[_c('div',{staticClass:\"heading-left\"},[(_vm.status.user.name_html)?_c('h4',{staticClass:\"status-username\",attrs:{\"title\":_vm.status.user.name},domProps:{\"innerHTML\":_vm._s(_vm.status.user.name_html)}}):_c('h4',{staticClass:\"status-username\",attrs:{\"title\":_vm.status.user.name}},[_vm._v(\"\\n \"+_vm._s(_vm.status.user.name)+\"\\n \")]),_vm._v(\" \"),_c('router-link',{staticClass:\"account-name\",attrs:{\"title\":_vm.status.user.screen_name,\"to\":_vm.userProfileLink}},[_vm._v(\"\\n \"+_vm._s(_vm.status.user.screen_name)+\"\\n \")]),_vm._v(\" \"),(!!(_vm.status.user && _vm.status.user.favicon))?_c('img',{staticClass:\"status-favicon\",attrs:{\"src\":_vm.status.user.favicon}}):_vm._e()],1),_vm._v(\" \"),_c('span',{staticClass:\"heading-right\"},[_c('router-link',{staticClass:\"timeago faint-link\",attrs:{\"to\":{ name: 'conversation', params: { id: _vm.status.id } }}},[_c('Timeago',{attrs:{\"time\":_vm.status.created_at,\"auto-update\":60}})],1),_vm._v(\" \"),(_vm.status.visibility)?_c('div',{staticClass:\"button-icon visibility-icon\"},[_c('i',{class:_vm.visibilityIcon(_vm.status.visibility),attrs:{\"title\":_vm._f(\"capitalize\")(_vm.status.visibility)}})]):_vm._e(),_vm._v(\" \"),(!_vm.status.is_local && !_vm.isPreview)?_c('a',{staticClass:\"source_url\",attrs:{\"href\":_vm.status.external_url,\"target\":\"_blank\",\"title\":\"Source\"}},[_c('i',{staticClass:\"button-icon icon-link-ext-alt\"})]):_vm._e(),_vm._v(\" \"),(_vm.expandable && !_vm.isPreview)?[_c('a',{attrs:{\"href\":\"#\",\"title\":\"Expand\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleExpanded($event)}}},[_c('i',{staticClass:\"button-icon icon-plus-squared\"})])]:_vm._e(),_vm._v(\" \"),(_vm.unmuted)?_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleMute($event)}}},[_c('i',{staticClass:\"button-icon icon-eye-off\"})]):_vm._e()],2)]),_vm._v(\" \"),_c('div',{staticClass:\"heading-reply-row\"},[(_vm.isReply)?_c('div',{staticClass:\"reply-to-and-accountname\"},[(!_vm.isPreview)?_c('StatusPopover',{staticClass:\"reply-to-popover\",class:{ '-strikethrough': !_vm.status.parent_visible },staticStyle:{\"min-width\":\"0\"},attrs:{\"status-id\":_vm.status.parent_visible && _vm.status.in_reply_to_status_id}},[_c('a',{staticClass:\"reply-to\",attrs:{\"href\":\"#\",\"aria-label\":_vm.$t('tool_tip.reply')},on:{\"click\":function($event){$event.preventDefault();return _vm.gotoOriginal(_vm.status.in_reply_to_status_id)}}},[_c('i',{staticClass:\"button-icon reply-button icon-reply\"}),_vm._v(\" \"),_c('span',{staticClass:\"faint-link reply-to-text\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('status.reply_to'))+\"\\n \")])])]):_c('span',{staticClass:\"reply-to-no-popover\"},[_c('span',{staticClass:\"reply-to-text\"},[_vm._v(_vm._s(_vm.$t('status.reply_to')))])]),_vm._v(\" \"),_c('router-link',{staticClass:\"reply-to-link\",attrs:{\"title\":_vm.replyToName,\"to\":_vm.replyProfileLink}},[_vm._v(\"\\n \"+_vm._s(_vm.replyToName)+\"\\n \")]),_vm._v(\" \"),(_vm.replies && _vm.replies.length)?_c('span',{staticClass:\"faint replies-separator\"},[_vm._v(\"\\n -\\n \")]):_vm._e()],1):_vm._e(),_vm._v(\" \"),(_vm.inConversation && !_vm.isPreview && _vm.replies && _vm.replies.length)?_c('div',{staticClass:\"replies\"},[_c('span',{staticClass:\"faint\"},[_vm._v(_vm._s(_vm.$t('status.replies_list')))]),_vm._v(\" \"),_vm._l((_vm.replies),function(reply){return _c('StatusPopover',{key:reply.id,attrs:{\"status-id\":reply.id}},[_c('a',{staticClass:\"reply-link\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.gotoOriginal(reply.id)}}},[_vm._v(_vm._s(reply.name))])])})],2):_vm._e()])]):_vm._e(),_vm._v(\" \"),_c('StatusContent',{attrs:{\"status\":_vm.status,\"no-heading\":_vm.noHeading,\"highlight\":_vm.highlight,\"focused\":_vm.isFocused}}),_vm._v(\" \"),_c('transition',{attrs:{\"name\":\"fade\"}},[(!_vm.hidePostStats && _vm.isFocused && _vm.combinedFavsAndRepeatsUsers.length > 0)?_c('div',{staticClass:\"favs-repeated-users\"},[_c('div',{staticClass:\"stats\"},[(_vm.statusFromGlobalRepository.rebloggedBy && _vm.statusFromGlobalRepository.rebloggedBy.length > 0)?_c('UserListPopover',{attrs:{\"users\":_vm.statusFromGlobalRepository.rebloggedBy}},[_c('div',{staticClass:\"stat-count\"},[_c('a',{staticClass:\"stat-title\"},[_vm._v(_vm._s(_vm.$t('status.repeats')))]),_vm._v(\" \"),_c('div',{staticClass:\"stat-number\"},[_vm._v(\"\\n \"+_vm._s(_vm.statusFromGlobalRepository.rebloggedBy.length)+\"\\n \")])])]):_vm._e(),_vm._v(\" \"),(_vm.statusFromGlobalRepository.favoritedBy && _vm.statusFromGlobalRepository.favoritedBy.length > 0)?_c('UserListPopover',{attrs:{\"users\":_vm.statusFromGlobalRepository.favoritedBy}},[_c('div',{staticClass:\"stat-count\"},[_c('a',{staticClass:\"stat-title\"},[_vm._v(_vm._s(_vm.$t('status.favorites')))]),_vm._v(\" \"),_c('div',{staticClass:\"stat-number\"},[_vm._v(\"\\n \"+_vm._s(_vm.statusFromGlobalRepository.favoritedBy.length)+\"\\n \")])])]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"avatar-row\"},[_c('AvatarList',{attrs:{\"users\":_vm.combinedFavsAndRepeatsUsers}})],1)],1)]):_vm._e()]),_vm._v(\" \"),((_vm.mergedConfig.emojiReactionsOnTimeline || _vm.isFocused) && (!_vm.noHeading && !_vm.isPreview))?_c('EmojiReactions',{attrs:{\"status\":_vm.status}}):_vm._e(),_vm._v(\" \"),(!_vm.noHeading && !_vm.isPreview)?_c('div',{staticClass:\"status-actions\"},[_c('div',[(_vm.loggedIn)?_c('i',{staticClass:\"button-icon button-reply icon-reply\",class:{'-active': _vm.replying},attrs:{\"title\":_vm.$t('tool_tip.reply')},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleReplying($event)}}}):_c('i',{staticClass:\"button-icon button-reply -disabled icon-reply\",attrs:{\"title\":_vm.$t('tool_tip.reply')}}),_vm._v(\" \"),(_vm.status.replies_count > 0)?_c('span',[_vm._v(_vm._s(_vm.status.replies_count))]):_vm._e()]),_vm._v(\" \"),_c('retweet-button',{attrs:{\"visibility\":_vm.status.visibility,\"logged-in\":_vm.loggedIn,\"status\":_vm.status}}),_vm._v(\" \"),_c('favorite-button',{attrs:{\"logged-in\":_vm.loggedIn,\"status\":_vm.status}}),_vm._v(\" \"),(_vm.loggedIn)?_c('ReactButton',{attrs:{\"status\":_vm.status}}):_vm._e(),_vm._v(\" \"),_c('extra-buttons',{attrs:{\"status\":_vm.status},on:{\"onError\":_vm.showError,\"onSuccess\":_vm.clearError}})],1):_vm._e()],1)]),_vm._v(\" \"),(_vm.replying)?_c('div',{staticClass:\"status-container reply-form\"},[_c('PostStatusForm',{staticClass:\"reply-body\",attrs:{\"reply-to\":_vm.status.id,\"attentions\":_vm.status.attentions,\"replied-user\":_vm.status.user,\"copy-message-scope\":_vm.status.visibility,\"subject\":_vm.replySubject},on:{\"posted\":_vm.toggleReplying}})],1):_vm._e()]],2):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeago from '../timeago/timeago.vue'\nimport { forEach, map } from 'lodash'\n\nexport default {\n name: 'Poll',\n props: ['basePoll'],\n components: { Timeago },\n data () {\n return {\n loading: false,\n choices: []\n }\n },\n created () {\n if (!this.$store.state.polls.pollsObject[this.pollId]) {\n this.$store.dispatch('mergeOrAddPoll', this.basePoll)\n }\n this.$store.dispatch('trackPoll', this.pollId)\n },\n destroyed () {\n this.$store.dispatch('untrackPoll', this.pollId)\n },\n computed: {\n pollId () {\n return this.basePoll.id\n },\n poll () {\n const storePoll = this.$store.state.polls.pollsObject[this.pollId]\n return storePoll || {}\n },\n options () {\n return (this.poll && this.poll.options) || []\n },\n expiresAt () {\n return (this.poll && this.poll.expires_at) || 0\n },\n expired () {\n return (this.poll && this.poll.expired) || false\n },\n loggedIn () {\n return this.$store.state.users.currentUser\n },\n showResults () {\n return this.poll.voted || this.expired || !this.loggedIn\n },\n totalVotesCount () {\n return this.poll.votes_count\n },\n containerClass () {\n return {\n loading: this.loading\n }\n },\n choiceIndices () {\n // Convert array of booleans into an array of indices of the\n // items that were 'true', so [true, false, false, true] becomes\n // [0, 3].\n return this.choices\n .map((entry, index) => entry && index)\n .filter(value => typeof value === 'number')\n },\n isDisabled () {\n const noChoice = this.choiceIndices.length === 0\n return this.loading || noChoice\n }\n },\n methods: {\n percentageForOption (count) {\n return this.totalVotesCount === 0 ? 0 : Math.round(count / this.totalVotesCount * 100)\n },\n resultTitle (option) {\n return `${option.votes_count}/${this.totalVotesCount} ${this.$t('polls.votes')}`\n },\n fetchPoll () {\n this.$store.dispatch('refreshPoll', { id: this.statusId, pollId: this.poll.id })\n },\n activateOption (index) {\n // forgive me father: doing checking the radio/checkboxes\n // in code because of customized input elements need either\n // a) an extra element for the actual graphic, or b) use a\n // pseudo element for the label. We use b) which mandates\n // using \"for\" and \"id\" matching which isn't nice when the\n // same poll appears multiple times on the site (notifs and\n // timeline for example). With code we can make sure it just\n // works without altering the pseudo element implementation.\n const allElements = this.$el.querySelectorAll('input')\n const clickedElement = this.$el.querySelector(`input[value=\"${index}\"]`)\n if (this.poll.multiple) {\n // Checkboxes, toggle only the clicked one\n clickedElement.checked = !clickedElement.checked\n } else {\n // Radio button, uncheck everything and check the clicked one\n forEach(allElements, element => { element.checked = false })\n clickedElement.checked = true\n }\n this.choices = map(allElements, e => e.checked)\n },\n optionId (index) {\n return `poll${this.poll.id}-${index}`\n },\n vote () {\n if (this.choiceIndices.length === 0) return\n this.loading = true\n this.$store.dispatch(\n 'votePoll',\n { id: this.statusId, pollId: this.poll.id, choices: this.choiceIndices }\n ).then(poll => {\n this.loading = false\n })\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./poll.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./poll.js\"\nimport __vue_script__ from \"!!babel-loader!./poll.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-95e3808e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./poll.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"poll\",class:_vm.containerClass},[_vm._l((_vm.options),function(option,index){return _c('div',{key:index,staticClass:\"poll-option\"},[(_vm.showResults)?_c('div',{staticClass:\"option-result\",attrs:{\"title\":_vm.resultTitle(option)}},[_c('div',{staticClass:\"option-result-label\"},[_c('span',{staticClass:\"result-percentage\"},[_vm._v(\"\\n \"+_vm._s(_vm.percentageForOption(option.votes_count))+\"%\\n \")]),_vm._v(\" \"),_c('span',{domProps:{\"innerHTML\":_vm._s(option.title_html)}})]),_vm._v(\" \"),_c('div',{staticClass:\"result-fill\",style:({ 'width': ((_vm.percentageForOption(option.votes_count)) + \"%\") })})]):_c('div',{on:{\"click\":function($event){return _vm.activateOption(index)}}},[(_vm.poll.multiple)?_c('input',{attrs:{\"type\":\"checkbox\",\"disabled\":_vm.loading},domProps:{\"value\":index}}):_c('input',{attrs:{\"type\":\"radio\",\"disabled\":_vm.loading},domProps:{\"value\":index}}),_vm._v(\" \"),_c('label',{staticClass:\"option-vote\"},[_c('div',[_vm._v(_vm._s(option.title))])])])])}),_vm._v(\" \"),_c('div',{staticClass:\"footer faint\"},[(!_vm.showResults)?_c('button',{staticClass:\"btn btn-default poll-vote-button\",attrs:{\"type\":\"button\",\"disabled\":_vm.isDisabled},on:{\"click\":_vm.vote}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('polls.vote'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"total\"},[_vm._v(\"\\n \"+_vm._s(_vm.totalVotesCount)+\" \"+_vm._s(_vm.$t(\"polls.votes\"))+\" · \\n \")]),_vm._v(\" \"),_c('i18n',{attrs:{\"path\":_vm.expired ? 'polls.expired' : 'polls.expires_in'}},[_c('Timeago',{attrs:{\"time\":_vm.expiresAt,\"auto-update\":60,\"now-threshold\":0}})],1)],1)],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Attachment from '../attachment/attachment.vue'\nimport Poll from '../poll/poll.vue'\nimport Gallery from '../gallery/gallery.vue'\nimport LinkPreview from '../link-preview/link-preview.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\nimport fileType from 'src/services/file_type/file_type.service'\nimport { processHtml } from 'src/services/tiny_post_html_processor/tiny_post_html_processor.service.js'\nimport { mentionMatchesUrl, extractTagFromUrl } from 'src/services/matcher/matcher.service.js'\nimport { mapGetters, mapState } from 'vuex'\n\nconst StatusContent = {\n name: 'StatusContent',\n props: [\n 'status',\n 'focused',\n 'noHeading',\n 'fullContent',\n 'singleLine'\n ],\n data () {\n return {\n showingTall: this.fullContent || (this.inConversation && this.focused),\n showingLongSubject: false,\n // not as computed because it sets the initial state which will be changed later\n expandingSubject: !this.$store.getters.mergedConfig.collapseMessageWithSubject\n }\n },\n computed: {\n localCollapseSubjectDefault () {\n return this.mergedConfig.collapseMessageWithSubject\n },\n hideAttachments () {\n return (this.mergedConfig.hideAttachments && !this.inConversation) ||\n (this.mergedConfig.hideAttachmentsInConv && this.inConversation)\n },\n // This is a bit hacky, but we want to approximate post height before rendering\n // so we count newlines (masto uses <p> for paragraphs, GS uses <br> between them)\n // as well as approximate line count by counting characters and approximating ~80\n // per line.\n //\n // Using max-height + overflow: auto for status components resulted in false positives\n // very often with japanese characters, and it was very annoying.\n tallStatus () {\n const lengthScore = this.status.statusnet_html.split(/<p|<br/).length + this.status.text.length / 80\n return lengthScore > 20\n },\n longSubject () {\n return this.status.summary.length > 240\n },\n // When a status has a subject and is also tall, we should only have one show more/less button. If the default is to collapse statuses with subjects, we just treat it like a status with a subject; otherwise, we just treat it like a tall status.\n mightHideBecauseSubject () {\n return !!this.status.summary && this.localCollapseSubjectDefault\n },\n mightHideBecauseTall () {\n return this.tallStatus && !(this.status.summary && this.localCollapseSubjectDefault)\n },\n hideSubjectStatus () {\n return this.mightHideBecauseSubject && !this.expandingSubject\n },\n hideTallStatus () {\n return this.mightHideBecauseTall && !this.showingTall\n },\n showingMore () {\n return (this.mightHideBecauseTall && this.showingTall) || (this.mightHideBecauseSubject && this.expandingSubject)\n },\n nsfwClickthrough () {\n if (!this.status.nsfw) {\n return false\n }\n if (this.status.summary && this.localCollapseSubjectDefault) {\n return false\n }\n return true\n },\n attachmentSize () {\n if ((this.mergedConfig.hideAttachments && !this.inConversation) ||\n (this.mergedConfig.hideAttachmentsInConv && this.inConversation) ||\n (this.status.attachments.length > this.maxThumbnails)) {\n return 'hide'\n } else if (this.compact) {\n return 'small'\n }\n return 'normal'\n },\n galleryTypes () {\n if (this.attachmentSize === 'hide') {\n return []\n }\n return this.mergedConfig.playVideosInModal\n ? ['image', 'video']\n : ['image']\n },\n galleryAttachments () {\n return this.status.attachments.filter(\n file => fileType.fileMatchesSomeType(this.galleryTypes, file)\n )\n },\n nonGalleryAttachments () {\n return this.status.attachments.filter(\n file => !fileType.fileMatchesSomeType(this.galleryTypes, file)\n )\n },\n attachmentTypes () {\n return this.status.attachments.map(file => fileType.fileType(file.mimetype))\n },\n maxThumbnails () {\n return this.mergedConfig.maxThumbnails\n },\n postBodyHtml () {\n const html = this.status.statusnet_html\n\n if (this.mergedConfig.greentext) {\n try {\n if (html.includes('&gt;')) {\n // This checks if post has '>' at the beginning, excluding mentions so that @mention >impying works\n return processHtml(html, (string) => {\n if (string.includes('&gt;') &&\n string\n .replace(/<[^>]+?>/gi, '') // remove all tags\n .replace(/@\\w+/gi, '') // remove mentions (even failed ones)\n .trim()\n .startsWith('&gt;')) {\n return `<span class='greentext'>${string}</span>`\n } else {\n return string\n }\n })\n } else {\n return html\n }\n } catch (e) {\n console.err('Failed to process status html', e)\n return html\n }\n } else {\n return html\n }\n },\n ...mapGetters(['mergedConfig']),\n ...mapState({\n betterShadow: state => state.interface.browserSupport.cssFilter,\n currentUser: state => state.users.currentUser\n })\n },\n components: {\n Attachment,\n Poll,\n Gallery,\n LinkPreview\n },\n methods: {\n linkClicked (event) {\n const target = event.target.closest('.status-content a')\n if (target) {\n if (target.className.match(/mention/)) {\n const href = target.href\n const attn = this.status.attentions.find(attn => mentionMatchesUrl(attn, href))\n if (attn) {\n event.stopPropagation()\n event.preventDefault()\n const link = this.generateUserProfileLink(attn.id, attn.screen_name)\n this.$router.push(link)\n return\n }\n }\n if (target.rel.match(/(?:^|\\s)tag(?:$|\\s)/) || target.className.match(/hashtag/)) {\n // Extract tag name from dataset or link url\n const tag = target.dataset.tag || extractTagFromUrl(target.href)\n if (tag) {\n const link = this.generateTagLink(tag)\n this.$router.push(link)\n return\n }\n }\n window.open(target.href, '_blank')\n }\n },\n toggleShowMore () {\n if (this.mightHideBecauseTall) {\n this.showingTall = !this.showingTall\n } else if (this.mightHideBecauseSubject) {\n this.expandingSubject = !this.expandingSubject\n }\n },\n generateUserProfileLink (id, name) {\n return generateProfileLink(id, name, this.$store.state.instance.restrictedNicknames)\n },\n generateTagLink (tag) {\n return `/tag/${tag}`\n },\n setMedia () {\n const attachments = this.attachmentSize === 'hide' ? this.status.attachments : this.galleryAttachments\n return () => this.$store.dispatch('setMedia', attachments)\n }\n }\n}\n\nexport default StatusContent\n","/**\n * This is a tiny purpose-built HTML parser/processor. This basically detects any type of visual newline and\n * allows it to be processed, useful for greentexting, mostly\n *\n * known issue: doesn't handle CDATA so nested CDATA might not work well\n *\n * @param {Object} input - input data\n * @param {(string) => string} processor - function that will be called on every line\n * @return {string} processed html\n */\nexport const processHtml = (html, processor) => {\n const handledTags = new Set(['p', 'br', 'div'])\n const openCloseTags = new Set(['p', 'div'])\n\n let buffer = '' // Current output buffer\n const level = [] // How deep we are in tags and which tags were there\n let textBuffer = '' // Current line content\n let tagBuffer = null // Current tag buffer, if null = we are not currently reading a tag\n\n // Extracts tag name from tag, i.e. <span a=\"b\"> => span\n const getTagName = (tag) => {\n const result = /(?:<\\/(\\w+)>|<(\\w+)\\s?[^/]*?\\/?>)/gi.exec(tag)\n return result && (result[1] || result[2])\n }\n\n const flush = () => { // Processes current line buffer, adds it to output buffer and clears line buffer\n if (textBuffer.trim().length > 0) {\n buffer += processor(textBuffer)\n } else {\n buffer += textBuffer\n }\n textBuffer = ''\n }\n\n const handleBr = (tag) => { // handles single newlines/linebreaks/selfclosing\n flush()\n buffer += tag\n }\n\n const handleOpen = (tag) => { // handles opening tags\n flush()\n buffer += tag\n level.push(tag)\n }\n\n const handleClose = (tag) => { // handles closing tags\n flush()\n buffer += tag\n if (level[level.length - 1] === tag) {\n level.pop()\n }\n }\n\n for (let i = 0; i < html.length; i++) {\n const char = html[i]\n if (char === '<' && tagBuffer === null) {\n tagBuffer = char\n } else if (char !== '>' && tagBuffer !== null) {\n tagBuffer += char\n } else if (char === '>' && tagBuffer !== null) {\n tagBuffer += char\n const tagFull = tagBuffer\n tagBuffer = null\n const tagName = getTagName(tagFull)\n if (handledTags.has(tagName)) {\n if (tagName === 'br') {\n handleBr(tagFull)\n } else if (openCloseTags.has(tagName)) {\n if (tagFull[1] === '/') {\n handleClose(tagFull)\n } else if (tagFull[tagFull.length - 2] === '/') {\n // self-closing\n handleBr(tagFull)\n } else {\n handleOpen(tagFull)\n }\n }\n } else {\n textBuffer += tagFull\n }\n } else if (char === '\\n') {\n handleBr(char)\n } else {\n textBuffer += char\n }\n }\n if (tagBuffer) {\n textBuffer += tagBuffer\n }\n\n flush()\n\n return buffer\n}\n","export const mentionMatchesUrl = (attention, url) => {\n if (url === attention.statusnet_profile_url) {\n return true\n }\n const [namepart, instancepart] = attention.screen_name.split('@')\n const matchstring = new RegExp('://' + instancepart + '/.*' + namepart + '$', 'g')\n\n return !!url.match(matchstring)\n}\n\n/**\n * Extract tag name from pleroma or mastodon url.\n * i.e https://bikeshed.party/tag/photo or https://quey.org/tags/sky\n * @param {string} url\n */\nexport const extractTagFromUrl = (url) => {\n const regex = /tag[s]*\\/(\\w+)$/g\n const result = regex.exec(url)\n if (!result) {\n return false\n }\n return result[1]\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./status_content.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./status_content.js\"\nimport __vue_script__ from \"!!babel-loader!./status_content.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2a51d4c2\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./status_content.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"StatusContent\"},[_vm._t(\"header\"),_vm._v(\" \"),(_vm.status.summary_html)?_c('div',{staticClass:\"summary-wrapper\",class:{ 'tall-subject': (_vm.longSubject && !_vm.showingLongSubject) }},[_c('div',{staticClass:\"media-body summary\",domProps:{\"innerHTML\":_vm._s(_vm.status.summary_html)},on:{\"click\":function($event){$event.preventDefault();return _vm.linkClicked($event)}}}),_vm._v(\" \"),(_vm.longSubject && _vm.showingLongSubject)?_c('a',{staticClass:\"tall-subject-hider\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();_vm.showingLongSubject=false}}},[_vm._v(_vm._s(_vm.$t(\"status.hide_full_subject\")))]):(_vm.longSubject)?_c('a',{staticClass:\"tall-subject-hider\",class:{ 'tall-subject-hider_focused': _vm.focused },attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();_vm.showingLongSubject=true}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"status.show_full_subject\"))+\"\\n \")]):_vm._e()]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"status-content-wrapper\",class:{'tall-status': _vm.hideTallStatus}},[(_vm.hideTallStatus)?_c('a',{staticClass:\"tall-status-hider\",class:{ 'tall-status-hider_focused': _vm.focused },attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleShowMore($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"general.show_more\"))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(!_vm.hideSubjectStatus)?_c('div',{staticClass:\"status-content media-body\",class:{ 'single-line': _vm.singleLine },domProps:{\"innerHTML\":_vm._s(_vm.postBodyHtml)},on:{\"click\":function($event){$event.preventDefault();return _vm.linkClicked($event)}}}):_vm._e(),_vm._v(\" \"),(_vm.hideSubjectStatus)?_c('a',{staticClass:\"cw-status-hider\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleShowMore($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"status.show_content\"))+\"\\n \"),(_vm.attachmentTypes.includes('image'))?_c('span',{staticClass:\"icon-picture\"}):_vm._e(),_vm._v(\" \"),(_vm.attachmentTypes.includes('video'))?_c('span',{staticClass:\"icon-video\"}):_vm._e(),_vm._v(\" \"),(_vm.attachmentTypes.includes('audio'))?_c('span',{staticClass:\"icon-music\"}):_vm._e(),_vm._v(\" \"),(_vm.attachmentTypes.includes('unknown'))?_c('span',{staticClass:\"icon-doc\"}):_vm._e(),_vm._v(\" \"),(_vm.status.poll && _vm.status.poll.options)?_c('span',{staticClass:\"icon-chart-bar\"}):_vm._e(),_vm._v(\" \"),(_vm.status.card)?_c('span',{staticClass:\"icon-link\"}):_vm._e()]):_vm._e(),_vm._v(\" \"),(_vm.showingMore && !_vm.fullContent)?_c('a',{staticClass:\"status-unhider\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleShowMore($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.tallStatus ? _vm.$t(\"general.show_less\") : _vm.$t(\"status.hide_content\"))+\"\\n \")]):_vm._e()]),_vm._v(\" \"),(_vm.status.poll && _vm.status.poll.options && !_vm.hideSubjectStatus)?_c('div',[_c('poll',{attrs:{\"base-poll\":_vm.status.poll}})],1):_vm._e(),_vm._v(\" \"),(_vm.status.attachments.length !== 0 && (!_vm.hideSubjectStatus || _vm.showingLongSubject))?_c('div',{staticClass:\"attachments media-body\"},[_vm._l((_vm.nonGalleryAttachments),function(attachment){return _c('attachment',{key:attachment.id,staticClass:\"non-gallery\",attrs:{\"size\":_vm.attachmentSize,\"nsfw\":_vm.nsfwClickthrough,\"attachment\":attachment,\"allow-play\":true,\"set-media\":_vm.setMedia()}})}),_vm._v(\" \"),(_vm.galleryAttachments.length > 0)?_c('gallery',{attrs:{\"nsfw\":_vm.nsfwClickthrough,\"attachments\":_vm.galleryAttachments,\"set-media\":_vm.setMedia()}}):_vm._e()],2):_vm._e(),_vm._v(\" \"),(_vm.status.card && !_vm.hideSubjectStatus && !_vm.noHeading)?_c('div',{staticClass:\"link-preview media-body\"},[_c('link-preview',{attrs:{\"card\":_vm.status.card,\"size\":_vm.attachmentSize,\"nsfw\":_vm.nsfwClickthrough}})],1):_vm._e(),_vm._v(\" \"),_vm._t(\"footer\")],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","export const SECOND = 1000\nexport const MINUTE = 60 * SECOND\nexport const HOUR = 60 * MINUTE\nexport const DAY = 24 * HOUR\nexport const WEEK = 7 * DAY\nexport const MONTH = 30 * DAY\nexport const YEAR = 365.25 * DAY\n\nexport const relativeTime = (date, nowThreshold = 1) => {\n if (typeof date === 'string') date = Date.parse(date)\n const round = Date.now() > date ? Math.floor : Math.ceil\n const d = Math.abs(Date.now() - date)\n let r = { num: round(d / YEAR), key: 'time.years' }\n if (d < nowThreshold * SECOND) {\n r.num = 0\n r.key = 'time.now'\n } else if (d < MINUTE) {\n r.num = round(d / SECOND)\n r.key = 'time.seconds'\n } else if (d < HOUR) {\n r.num = round(d / MINUTE)\n r.key = 'time.minutes'\n } else if (d < DAY) {\n r.num = round(d / HOUR)\n r.key = 'time.hours'\n } else if (d < WEEK) {\n r.num = round(d / DAY)\n r.key = 'time.days'\n } else if (d < MONTH) {\n r.num = round(d / WEEK)\n r.key = 'time.weeks'\n } else if (d < YEAR) {\n r.num = round(d / MONTH)\n r.key = 'time.months'\n }\n // Remove plural form when singular\n if (r.num === 1) r.key = r.key.slice(0, -1)\n return r\n}\n\nexport const relativeTimeShort = (date, nowThreshold = 1) => {\n const r = relativeTime(date, nowThreshold)\n r.key += '_short'\n return r\n}\n","import UserCard from '../user_card/user_card.vue'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\n\nconst BasicUserCard = {\n props: [\n 'user'\n ],\n data () {\n return {\n userExpanded: false\n }\n },\n components: {\n UserCard,\n UserAvatar\n },\n methods: {\n toggleUserExpanded () {\n this.userExpanded = !this.userExpanded\n },\n userProfileLink (user) {\n return generateProfileLink(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames)\n }\n }\n}\n\nexport default BasicUserCard\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./basic_user_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./basic_user_card.js\"\nimport __vue_script__ from \"!!babel-loader!./basic_user_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4d2bc0bb\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./basic_user_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"basic-user-card\"},[_c('router-link',{attrs:{\"to\":_vm.userProfileLink(_vm.user)}},[_c('UserAvatar',{staticClass:\"avatar\",attrs:{\"user\":_vm.user},nativeOn:{\"click\":function($event){$event.preventDefault();return _vm.toggleUserExpanded($event)}}})],1),_vm._v(\" \"),(_vm.userExpanded)?_c('div',{staticClass:\"basic-user-card-expanded-content\"},[_c('UserCard',{attrs:{\"user-id\":_vm.user.id,\"rounded\":true,\"bordered\":true}})],1):_c('div',{staticClass:\"basic-user-card-collapsed-content\"},[_c('div',{staticClass:\"basic-user-card-user-name\",attrs:{\"title\":_vm.user.name}},[(_vm.user.name_html)?_c('span',{staticClass:\"basic-user-card-user-name-value\",domProps:{\"innerHTML\":_vm._s(_vm.user.name_html)}}):_c('span',{staticClass:\"basic-user-card-user-name-value\"},[_vm._v(_vm._s(_vm.user.name))])]),_vm._v(\" \"),_c('div',[_c('router-link',{staticClass:\"basic-user-card-screen-name\",attrs:{\"to\":_vm.userProfileLink(_vm.user)}},[_vm._v(\"\\n @\"+_vm._s(_vm.user.screen_name)+\"\\n \")])],1),_vm._v(\" \"),_vm._t(\"default\")],2)],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { convert, brightness, contrastRatio } from 'chromatism'\nimport { alphaBlendLayers, getTextColor, relativeLuminance } from '../color_convert/color_convert.js'\nimport { LAYERS, DEFAULT_OPACITY, SLOT_INHERITANCE } from './pleromafe.js'\n\n/*\n * # What's all this?\n * Here be theme engine for pleromafe. All of this supposed to ease look\n * and feel customization, making widget styles and make developer's life\n * easier when it comes to supporting themes. Like many other theme systems\n * it operates on color definitions, or \"slots\" - for example you define\n * \"button\" color slot and then in UI component Button's CSS you refer to\n * it as a CSS3 Variable.\n *\n * Some applications allow you to customize colors for certain things.\n * Some UI toolkits allow you to define colors for each type of widget.\n * Most of them are pretty barebones and have no assistance for common\n * problems and cases, and in general themes themselves are very hard to\n * maintain in all aspects. This theme engine tries to solve all of the\n * common problems with themes.\n *\n * You don't have redefine several similar colors if you just want to\n * change one color - all color slots are derived from other ones, so you\n * can have at least one or two \"basic\" colors defined and have all other\n * components inherit and modify basic ones.\n *\n * You don't have to test contrast ratio for colors or pick text color for\n * each element even if you have light-on-dark elements in dark-on-light\n * theme.\n *\n * You don't have to maintain order of code for inheriting slots from othet\n * slots - dependency graph resolving does it for you.\n */\n\n/* This indicates that this version of code outputs similar theme data and\n * should be incremented if output changes - for instance if getTextColor\n * function changes and older themes no longer render text colors as\n * author intended previously.\n */\nexport const CURRENT_VERSION = 3\n\nexport const getLayersArray = (layer, data = LAYERS) => {\n let array = [layer]\n let parent = data[layer]\n while (parent) {\n array.unshift(parent)\n parent = data[parent]\n }\n return array\n}\n\nexport const getLayers = (layer, variant = layer, opacitySlot, colors, opacity) => {\n return getLayersArray(layer).map((currentLayer) => ([\n currentLayer === layer\n ? colors[variant]\n : colors[currentLayer],\n currentLayer === layer\n ? opacity[opacitySlot] || 1\n : opacity[currentLayer]\n ]))\n}\n\nconst getDependencies = (key, inheritance) => {\n const data = inheritance[key]\n if (typeof data === 'string' && data.startsWith('--')) {\n return [data.substring(2)]\n } else {\n if (data === null) return []\n const { depends, layer, variant } = data\n const layerDeps = layer\n ? getLayersArray(layer).map(currentLayer => {\n return currentLayer === layer\n ? variant || layer\n : currentLayer\n })\n : []\n if (Array.isArray(depends)) {\n return [...depends, ...layerDeps]\n } else {\n return [...layerDeps]\n }\n }\n}\n\n/**\n * Sorts inheritance object topologically - dependant slots come after\n * dependencies\n *\n * @property {Object} inheritance - object defining the nodes\n * @property {Function} getDeps - function that returns dependencies for\n * given value and inheritance object.\n * @returns {String[]} keys of inheritance object, sorted in topological\n * order. Additionally, dependency-less nodes will always be first in line\n */\nexport const topoSort = (\n inheritance = SLOT_INHERITANCE,\n getDeps = getDependencies\n) => {\n // This is an implementation of https://en.wikipedia.org/wiki/Tarjan%27s_strongly_connected_components_algorithm\n\n const allKeys = Object.keys(inheritance)\n const whites = new Set(allKeys)\n const grays = new Set()\n const blacks = new Set()\n const unprocessed = [...allKeys]\n const output = []\n\n const step = (node) => {\n if (whites.has(node)) {\n // Make node \"gray\"\n whites.delete(node)\n grays.add(node)\n // Do step for each node connected to it (one way)\n getDeps(node, inheritance).forEach(step)\n // Make node \"black\"\n grays.delete(node)\n blacks.add(node)\n // Put it into the output list\n output.push(node)\n } else if (grays.has(node)) {\n console.debug('Cyclic depenency in topoSort, ignoring')\n output.push(node)\n } else if (blacks.has(node)) {\n // do nothing\n } else {\n throw new Error('Unintended condition in topoSort!')\n }\n }\n while (unprocessed.length > 0) {\n step(unprocessed.pop())\n }\n\n // The index thing is to make sorting stable on browsers\n // where Array.sort() isn't stable\n return output.map((data, index) => ({ data, index })).sort(({ data: a, index: ai }, { data: b, index: bi }) => {\n const depsA = getDeps(a, inheritance).length\n const depsB = getDeps(b, inheritance).length\n\n if (depsA === depsB || (depsB !== 0 && depsA !== 0)) return ai - bi\n if (depsA === 0 && depsB !== 0) return -1\n if (depsB === 0 && depsA !== 0) return 1\n }).map(({ data }) => data)\n}\n\nconst expandSlotValue = (value) => {\n if (typeof value === 'object') return value\n return {\n depends: value.startsWith('--') ? [value.substring(2)] : [],\n default: value.startsWith('#') ? value : undefined\n }\n}\n/**\n * retrieves opacity slot for given slot. This goes up the depenency graph\n * to find which parent has opacity slot defined for it.\n * TODO refactor this\n */\nexport const getOpacitySlot = (\n k,\n inheritance = SLOT_INHERITANCE,\n getDeps = getDependencies\n) => {\n const value = expandSlotValue(inheritance[k])\n if (value.opacity === null) return\n if (value.opacity) return value.opacity\n const findInheritedOpacity = (key, visited = [k]) => {\n const depSlot = getDeps(key, inheritance)[0]\n if (depSlot === undefined) return\n const dependency = inheritance[depSlot]\n if (dependency === undefined) return\n if (dependency.opacity || dependency === null) {\n return dependency.opacity\n } else if (dependency.depends && visited.includes(depSlot)) {\n return findInheritedOpacity(depSlot, [...visited, depSlot])\n } else {\n return null\n }\n }\n if (value.depends) {\n return findInheritedOpacity(k)\n }\n}\n\n/**\n * retrieves layer slot for given slot. This goes up the depenency graph\n * to find which parent has opacity slot defined for it.\n * this is basically copypaste of getOpacitySlot except it checks if key is\n * in LAYERS\n * TODO refactor this\n */\nexport const getLayerSlot = (\n k,\n inheritance = SLOT_INHERITANCE,\n getDeps = getDependencies\n) => {\n const value = expandSlotValue(inheritance[k])\n if (LAYERS[k]) return k\n if (value.layer === null) return\n if (value.layer) return value.layer\n const findInheritedLayer = (key, visited = [k]) => {\n const depSlot = getDeps(key, inheritance)[0]\n if (depSlot === undefined) return\n const dependency = inheritance[depSlot]\n if (dependency === undefined) return\n if (dependency.layer || dependency === null) {\n return dependency.layer\n } else if (dependency.depends) {\n return findInheritedLayer(dependency, [...visited, depSlot])\n } else {\n return null\n }\n }\n if (value.depends) {\n return findInheritedLayer(k)\n }\n}\n\n/**\n * topologically sorted SLOT_INHERITANCE\n */\nexport const SLOT_ORDERED = topoSort(\n Object.entries(SLOT_INHERITANCE)\n .sort(([aK, aV], [bK, bV]) => ((aV && aV.priority) || 0) - ((bV && bV.priority) || 0))\n .reduce((acc, [k, v]) => ({ ...acc, [k]: v }), {})\n)\n\n/**\n * All opacity slots used in color slots, their default values and affected\n * color slots.\n */\nexport const OPACITIES = Object.entries(SLOT_INHERITANCE).reduce((acc, [k, v]) => {\n const opacity = getOpacitySlot(k, SLOT_INHERITANCE, getDependencies)\n if (opacity) {\n return {\n ...acc,\n [opacity]: {\n defaultValue: DEFAULT_OPACITY[opacity] || 1,\n affectedSlots: [...((acc[opacity] && acc[opacity].affectedSlots) || []), k]\n }\n }\n } else {\n return acc\n }\n}, {})\n\n/**\n * Handle dynamic color\n */\nexport const computeDynamicColor = (sourceColor, getColor, mod) => {\n if (typeof sourceColor !== 'string' || !sourceColor.startsWith('--')) return sourceColor\n let targetColor = null\n // Color references other color\n const [variable, modifier] = sourceColor.split(/,/g).map(str => str.trim())\n const variableSlot = variable.substring(2)\n targetColor = getColor(variableSlot)\n if (modifier) {\n targetColor = brightness(Number.parseFloat(modifier) * mod, targetColor).rgb\n }\n return targetColor\n}\n\n/**\n * THE function you want to use. Takes provided colors and opacities\n * value and uses inheritance data to figure out color needed for the slot.\n */\nexport const getColors = (sourceColors, sourceOpacity) => SLOT_ORDERED.reduce(({ colors, opacity }, key) => {\n const sourceColor = sourceColors[key]\n const value = expandSlotValue(SLOT_INHERITANCE[key])\n const deps = getDependencies(key, SLOT_INHERITANCE)\n const isTextColor = !!value.textColor\n const variant = value.variant || value.layer\n\n let backgroundColor = null\n\n if (isTextColor) {\n backgroundColor = alphaBlendLayers(\n { ...(colors[deps[0]] || convert(sourceColors[key] || '#FF00FF').rgb) },\n getLayers(\n getLayerSlot(key) || 'bg',\n variant || 'bg',\n getOpacitySlot(variant),\n colors,\n opacity\n )\n )\n } else if (variant && variant !== key) {\n backgroundColor = colors[variant] || convert(sourceColors[variant]).rgb\n } else {\n backgroundColor = colors.bg || convert(sourceColors.bg)\n }\n\n const isLightOnDark = relativeLuminance(backgroundColor) < 0.5\n const mod = isLightOnDark ? 1 : -1\n\n let outputColor = null\n if (sourceColor) {\n // Color is defined in source color\n let targetColor = sourceColor\n if (targetColor === 'transparent') {\n // We take only layers below current one\n const layers = getLayers(\n getLayerSlot(key),\n key,\n getOpacitySlot(key) || key,\n colors,\n opacity\n ).slice(0, -1)\n targetColor = {\n ...alphaBlendLayers(\n convert('#FF00FF').rgb,\n layers\n ),\n a: 0\n }\n } else if (typeof sourceColor === 'string' && sourceColor.startsWith('--')) {\n targetColor = computeDynamicColor(\n sourceColor,\n variableSlot => colors[variableSlot] || sourceColors[variableSlot],\n mod\n )\n } else if (typeof sourceColor === 'string' && sourceColor.startsWith('#')) {\n targetColor = convert(targetColor).rgb\n }\n outputColor = { ...targetColor }\n } else if (value.default) {\n // same as above except in object form\n outputColor = convert(value.default).rgb\n } else {\n // calculate color\n const defaultColorFunc = (mod, dep) => ({ ...dep })\n const colorFunc = value.color || defaultColorFunc\n\n if (value.textColor) {\n if (value.textColor === 'bw') {\n outputColor = contrastRatio(backgroundColor).rgb\n } else {\n let color = { ...colors[deps[0]] }\n if (value.color) {\n color = colorFunc(mod, ...deps.map((dep) => ({ ...colors[dep] })))\n }\n outputColor = getTextColor(\n backgroundColor,\n { ...color },\n value.textColor === 'preserve'\n )\n }\n } else {\n // background color case\n outputColor = colorFunc(\n mod,\n ...deps.map((dep) => ({ ...colors[dep] }))\n )\n }\n }\n if (!outputColor) {\n throw new Error('Couldn\\'t generate color for ' + key)\n }\n\n const opacitySlot = value.opacity || getOpacitySlot(key)\n const ownOpacitySlot = value.opacity\n\n if (ownOpacitySlot === null) {\n outputColor.a = 1\n } else if (sourceColor === 'transparent') {\n outputColor.a = 0\n } else {\n const opacityOverriden = ownOpacitySlot && sourceOpacity[opacitySlot] !== undefined\n\n const dependencySlot = deps[0]\n const dependencyColor = dependencySlot && colors[dependencySlot]\n\n if (!ownOpacitySlot && dependencyColor && !value.textColor && ownOpacitySlot !== null) {\n // Inheriting color from dependency (weird, i know)\n // except if it's a text color or opacity slot is set to 'null'\n outputColor.a = dependencyColor.a\n } else if (!dependencyColor && !opacitySlot) {\n // Remove any alpha channel if no dependency and no opacitySlot found\n delete outputColor.a\n } else {\n // Otherwise try to assign opacity\n if (dependencyColor && dependencyColor.a === 0) {\n // transparent dependency shall make dependents transparent too\n outputColor.a = 0\n } else {\n // Otherwise check if opacity is overriden and use that or default value instead\n outputColor.a = Number(\n opacityOverriden\n ? sourceOpacity[opacitySlot]\n : (OPACITIES[opacitySlot] || {}).defaultValue\n )\n }\n }\n }\n\n if (Number.isNaN(outputColor.a) || outputColor.a === undefined) {\n outputColor.a = 1\n }\n\n if (opacitySlot) {\n return {\n colors: { ...colors, [key]: outputColor },\n opacity: { ...opacity, [opacitySlot]: outputColor.a }\n }\n } else {\n return {\n colors: { ...colors, [key]: outputColor },\n opacity\n }\n }\n}, { colors: {}, opacity: {} })\n","/* eslint-env browser */\nimport statusPosterService from '../../services/status_poster/status_poster.service.js'\nimport fileSizeFormatService from '../../services/file_size_format/file_size_format.js'\n\nconst mediaUpload = {\n data () {\n return {\n uploadCount: 0,\n uploadReady: true\n }\n },\n computed: {\n uploading () {\n return this.uploadCount > 0\n }\n },\n methods: {\n uploadFile (file) {\n const self = this\n const store = this.$store\n if (file.size > store.state.instance.uploadlimit) {\n const filesize = fileSizeFormatService.fileSizeFormat(file.size)\n const allowedsize = fileSizeFormatService.fileSizeFormat(store.state.instance.uploadlimit)\n self.$emit('upload-failed', 'file_too_big', { filesize: filesize.num, filesizeunit: filesize.unit, allowedsize: allowedsize.num, allowedsizeunit: allowedsize.unit })\n return\n }\n const formData = new FormData()\n formData.append('file', file)\n\n self.$emit('uploading')\n self.uploadCount++\n\n statusPosterService.uploadMedia({ store, formData })\n .then((fileData) => {\n self.$emit('uploaded', fileData)\n self.decreaseUploadCount()\n }, (error) => { // eslint-disable-line handle-callback-err\n self.$emit('upload-failed', 'default')\n self.decreaseUploadCount()\n })\n },\n decreaseUploadCount () {\n this.uploadCount--\n if (this.uploadCount === 0) {\n this.$emit('all-uploaded')\n }\n },\n clearFile () {\n this.uploadReady = false\n this.$nextTick(() => {\n this.uploadReady = true\n })\n },\n multiUpload (files) {\n for (const file of files) {\n this.uploadFile(file)\n }\n },\n change ({ target }) {\n this.multiUpload(target.files)\n }\n },\n props: [\n 'dropFiles',\n 'disabled'\n ],\n watch: {\n 'dropFiles': function (fileInfos) {\n if (!this.uploading) {\n this.multiUpload(fileInfos)\n }\n }\n }\n}\n\nexport default mediaUpload\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./media_upload.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./media_upload.js\"\nimport __vue_script__ from \"!!babel-loader!./media_upload.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6bb295a4\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./media_upload.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"media-upload\",class:{ disabled: _vm.disabled }},[_c('label',{staticClass:\"label\",attrs:{\"title\":_vm.$t('tool_tip.media_upload')}},[(_vm.uploading)?_c('i',{staticClass:\"progress-icon icon-spin4 animate-spin\"}):_vm._e(),_vm._v(\" \"),(!_vm.uploading)?_c('i',{staticClass:\"new-icon icon-upload\"}):_vm._e(),_vm._v(\" \"),(_vm.uploadReady)?_c('input',{staticStyle:{\"position\":\"fixed\",\"top\":\"-100em\"},attrs:{\"disabled\":_vm.disabled,\"type\":\"file\",\"multiple\":\"true\"},on:{\"change\":_vm.change}}):_vm._e()])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import * as DateUtils from 'src/services/date_utils/date_utils.js'\nimport { uniq } from 'lodash'\n\nexport default {\n name: 'PollForm',\n props: ['visible'],\n data: () => ({\n pollType: 'single',\n options: ['', ''],\n expiryAmount: 10,\n expiryUnit: 'minutes'\n }),\n computed: {\n pollLimits () {\n return this.$store.state.instance.pollLimits\n },\n maxOptions () {\n return this.pollLimits.max_options\n },\n maxLength () {\n return this.pollLimits.max_option_chars\n },\n expiryUnits () {\n const allUnits = ['minutes', 'hours', 'days']\n const expiry = this.convertExpiryFromUnit\n return allUnits.filter(\n unit => this.pollLimits.max_expiration >= expiry(unit, 1)\n )\n },\n minExpirationInCurrentUnit () {\n return Math.ceil(\n this.convertExpiryToUnit(\n this.expiryUnit,\n this.pollLimits.min_expiration\n )\n )\n },\n maxExpirationInCurrentUnit () {\n return Math.floor(\n this.convertExpiryToUnit(\n this.expiryUnit,\n this.pollLimits.max_expiration\n )\n )\n }\n },\n methods: {\n clear () {\n this.pollType = 'single'\n this.options = ['', '']\n this.expiryAmount = 10\n this.expiryUnit = 'minutes'\n },\n nextOption (index) {\n const element = this.$el.querySelector(`#poll-${index + 1}`)\n if (element) {\n element.focus()\n } else {\n // Try adding an option and try focusing on it\n const addedOption = this.addOption()\n if (addedOption) {\n this.$nextTick(function () {\n this.nextOption(index)\n })\n }\n }\n },\n addOption () {\n if (this.options.length < this.maxOptions) {\n this.options.push('')\n return true\n }\n return false\n },\n deleteOption (index, event) {\n if (this.options.length > 2) {\n this.options.splice(index, 1)\n this.updatePollToParent()\n }\n },\n convertExpiryToUnit (unit, amount) {\n // Note: we want seconds and not milliseconds\n switch (unit) {\n case 'minutes': return (1000 * amount) / DateUtils.MINUTE\n case 'hours': return (1000 * amount) / DateUtils.HOUR\n case 'days': return (1000 * amount) / DateUtils.DAY\n }\n },\n convertExpiryFromUnit (unit, amount) {\n // Note: we want seconds and not milliseconds\n switch (unit) {\n case 'minutes': return 0.001 * amount * DateUtils.MINUTE\n case 'hours': return 0.001 * amount * DateUtils.HOUR\n case 'days': return 0.001 * amount * DateUtils.DAY\n }\n },\n expiryAmountChange () {\n this.expiryAmount =\n Math.max(this.minExpirationInCurrentUnit, this.expiryAmount)\n this.expiryAmount =\n Math.min(this.maxExpirationInCurrentUnit, this.expiryAmount)\n this.updatePollToParent()\n },\n updatePollToParent () {\n const expiresIn = this.convertExpiryFromUnit(\n this.expiryUnit,\n this.expiryAmount\n )\n\n const options = uniq(this.options.filter(option => option !== ''))\n if (options.length < 2) {\n this.$emit('update-poll', { error: this.$t('polls.not_enough_options') })\n return\n }\n this.$emit('update-poll', {\n options,\n multiple: this.pollType === 'multiple',\n expiresIn\n })\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./poll_form.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./poll_form.js\"\nimport __vue_script__ from \"!!babel-loader!./poll_form.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1f896331\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./poll_form.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.visible)?_c('div',{staticClass:\"poll-form\"},[_vm._l((_vm.options),function(option,index){return _c('div',{key:index,staticClass:\"poll-option\"},[_c('div',{staticClass:\"input-container\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.options[index]),expression:\"options[index]\"}],staticClass:\"poll-option-input\",attrs:{\"id\":(\"poll-\" + index),\"type\":\"text\",\"placeholder\":_vm.$t('polls.option'),\"maxlength\":_vm.maxLength},domProps:{\"value\":(_vm.options[index])},on:{\"change\":_vm.updatePollToParent,\"keydown\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }$event.stopPropagation();$event.preventDefault();return _vm.nextOption(index)},\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.options, index, $event.target.value)}}})]),_vm._v(\" \"),(_vm.options.length > 2)?_c('div',{staticClass:\"icon-container\"},[_c('i',{staticClass:\"icon-cancel\",on:{\"click\":function($event){return _vm.deleteOption(index)}}})]):_vm._e()])}),_vm._v(\" \"),(_vm.options.length < _vm.maxOptions)?_c('a',{staticClass:\"add-option faint\",on:{\"click\":_vm.addOption}},[_c('i',{staticClass:\"icon-plus\"}),_vm._v(\"\\n \"+_vm._s(_vm.$t(\"polls.add_option\"))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"poll-type-expiry\"},[_c('div',{staticClass:\"poll-type\",attrs:{\"title\":_vm.$t('polls.type')}},[_c('label',{staticClass:\"select\",attrs:{\"for\":\"poll-type-selector\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.pollType),expression:\"pollType\"}],staticClass:\"select\",on:{\"change\":[function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.pollType=$event.target.multiple ? $$selectedVal : $$selectedVal[0]},_vm.updatePollToParent]}},[_c('option',{attrs:{\"value\":\"single\"}},[_vm._v(_vm._s(_vm.$t('polls.single_choice')))]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"multiple\"}},[_vm._v(_vm._s(_vm.$t('polls.multiple_choices')))])]),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])]),_vm._v(\" \"),_c('div',{staticClass:\"poll-expiry\",attrs:{\"title\":_vm.$t('polls.expiry')}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.expiryAmount),expression:\"expiryAmount\"}],staticClass:\"expiry-amount hide-number-spinner\",attrs:{\"type\":\"number\",\"min\":_vm.minExpirationInCurrentUnit,\"max\":_vm.maxExpirationInCurrentUnit},domProps:{\"value\":(_vm.expiryAmount)},on:{\"change\":_vm.expiryAmountChange,\"input\":function($event){if($event.target.composing){ return; }_vm.expiryAmount=$event.target.value}}}),_vm._v(\" \"),_c('label',{staticClass:\"expiry-unit select\"},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.expiryUnit),expression:\"expiryUnit\"}],on:{\"change\":[function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.expiryUnit=$event.target.multiple ? $$selectedVal : $$selectedVal[0]},_vm.expiryAmountChange]}},_vm._l((_vm.expiryUnits),function(unit){return _c('option',{key:unit,domProps:{\"value\":unit}},[_vm._v(\"\\n \"+_vm._s(_vm.$t((\"time.\" + unit + \"_short\"), ['']))+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])])])],2):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import statusPoster from '../../services/status_poster/status_poster.service.js'\nimport MediaUpload from '../media_upload/media_upload.vue'\nimport ScopeSelector from '../scope_selector/scope_selector.vue'\nimport EmojiInput from '../emoji_input/emoji_input.vue'\nimport PollForm from '../poll/poll_form.vue'\nimport Attachment from '../attachment/attachment.vue'\nimport StatusContent from '../status_content/status_content.vue'\nimport fileTypeService from '../../services/file_type/file_type.service.js'\nimport { findOffset } from '../../services/offset_finder/offset_finder.service.js'\nimport { reject, map, uniqBy, debounce } from 'lodash'\nimport suggestor from '../emoji_input/suggestor.js'\nimport { mapGetters, mapState } from 'vuex'\nimport Checkbox from '../checkbox/checkbox.vue'\n\nconst buildMentionsString = ({ user, attentions = [] }, currentUser) => {\n let allAttentions = [...attentions]\n\n allAttentions.unshift(user)\n\n allAttentions = uniqBy(allAttentions, 'id')\n allAttentions = reject(allAttentions, { id: currentUser.id })\n\n let mentions = map(allAttentions, (attention) => {\n return `@${attention.screen_name}`\n })\n\n return mentions.length > 0 ? mentions.join(' ') + ' ' : ''\n}\n\n// Converts a string with px to a number like '2px' -> 2\nconst pxStringToNumber = (str) => {\n return Number(str.substring(0, str.length - 2))\n}\n\nconst PostStatusForm = {\n props: [\n 'replyTo',\n 'repliedUser',\n 'attentions',\n 'copyMessageScope',\n 'subject',\n 'disableSubject',\n 'disableScopeSelector',\n 'disableNotice',\n 'disableLockWarning',\n 'disablePolls',\n 'disableSensitivityCheckbox',\n 'disableSubmit',\n 'disablePreview',\n 'placeholder',\n 'maxHeight',\n 'postHandler',\n 'preserveFocus',\n 'autoFocus',\n 'fileLimit',\n 'submitOnEnter',\n 'emojiPickerPlacement'\n ],\n components: {\n MediaUpload,\n EmojiInput,\n PollForm,\n ScopeSelector,\n Checkbox,\n Attachment,\n StatusContent\n },\n mounted () {\n this.updateIdempotencyKey()\n this.resize(this.$refs.textarea)\n\n if (this.replyTo) {\n const textLength = this.$refs.textarea.value.length\n this.$refs.textarea.setSelectionRange(textLength, textLength)\n }\n\n if (this.replyTo || this.autoFocus) {\n this.$refs.textarea.focus()\n }\n },\n data () {\n const preset = this.$route.query.message\n let statusText = preset || ''\n\n const { scopeCopy } = this.$store.getters.mergedConfig\n\n if (this.replyTo) {\n const currentUser = this.$store.state.users.currentUser\n statusText = buildMentionsString({ user: this.repliedUser, attentions: this.attentions }, currentUser)\n }\n\n const scope = ((this.copyMessageScope && scopeCopy) || this.copyMessageScope === 'direct')\n ? this.copyMessageScope\n : this.$store.state.users.currentUser.default_scope\n\n const { postContentType: contentType } = this.$store.getters.mergedConfig\n\n return {\n dropFiles: [],\n uploadingFiles: false,\n error: null,\n posting: false,\n highlighted: 0,\n newStatus: {\n spoilerText: this.subject || '',\n status: statusText,\n nsfw: false,\n files: [],\n poll: {},\n mediaDescriptions: {},\n visibility: scope,\n contentType\n },\n caret: 0,\n pollFormVisible: false,\n showDropIcon: 'hide',\n dropStopTimeout: null,\n preview: null,\n previewLoading: false,\n emojiInputShown: false,\n idempotencyKey: ''\n }\n },\n computed: {\n users () {\n return this.$store.state.users.users\n },\n userDefaultScope () {\n return this.$store.state.users.currentUser.default_scope\n },\n showAllScopes () {\n return !this.mergedConfig.minimalScopesMode\n },\n emojiUserSuggestor () {\n return suggestor({\n emoji: [\n ...this.$store.state.instance.emoji,\n ...this.$store.state.instance.customEmoji\n ],\n users: this.$store.state.users.users,\n updateUsersList: (query) => this.$store.dispatch('searchUsers', { query })\n })\n },\n emojiSuggestor () {\n return suggestor({\n emoji: [\n ...this.$store.state.instance.emoji,\n ...this.$store.state.instance.customEmoji\n ]\n })\n },\n emoji () {\n return this.$store.state.instance.emoji || []\n },\n customEmoji () {\n return this.$store.state.instance.customEmoji || []\n },\n statusLength () {\n return this.newStatus.status.length\n },\n spoilerTextLength () {\n return this.newStatus.spoilerText.length\n },\n statusLengthLimit () {\n return this.$store.state.instance.textlimit\n },\n hasStatusLengthLimit () {\n return this.statusLengthLimit > 0\n },\n charactersLeft () {\n return this.statusLengthLimit - (this.statusLength + this.spoilerTextLength)\n },\n isOverLengthLimit () {\n return this.hasStatusLengthLimit && (this.charactersLeft < 0)\n },\n minimalScopesMode () {\n return this.$store.state.instance.minimalScopesMode\n },\n alwaysShowSubject () {\n return this.mergedConfig.alwaysShowSubjectInput\n },\n postFormats () {\n return this.$store.state.instance.postFormats || []\n },\n safeDMEnabled () {\n return this.$store.state.instance.safeDM\n },\n pollsAvailable () {\n return this.$store.state.instance.pollsAvailable &&\n this.$store.state.instance.pollLimits.max_options >= 2 &&\n this.disablePolls !== true\n },\n hideScopeNotice () {\n return this.disableNotice || this.$store.getters.mergedConfig.hideScopeNotice\n },\n pollContentError () {\n return this.pollFormVisible &&\n this.newStatus.poll &&\n this.newStatus.poll.error\n },\n showPreview () {\n return !this.disablePreview && (!!this.preview || this.previewLoading)\n },\n emptyStatus () {\n return this.newStatus.status.trim() === '' && this.newStatus.files.length === 0\n },\n uploadFileLimitReached () {\n return this.newStatus.files.length >= this.fileLimit\n },\n ...mapGetters(['mergedConfig']),\n ...mapState({\n mobileLayout: state => state.interface.mobileLayout\n })\n },\n watch: {\n 'newStatus': {\n deep: true,\n handler () {\n this.statusChanged()\n }\n }\n },\n methods: {\n statusChanged () {\n this.autoPreview()\n this.updateIdempotencyKey()\n },\n clearStatus () {\n const newStatus = this.newStatus\n this.newStatus = {\n status: '',\n spoilerText: '',\n files: [],\n visibility: newStatus.visibility,\n contentType: newStatus.contentType,\n poll: {},\n mediaDescriptions: {}\n }\n this.pollFormVisible = false\n this.$refs.mediaUpload && this.$refs.mediaUpload.clearFile()\n this.clearPollForm()\n if (this.preserveFocus) {\n this.$nextTick(() => {\n this.$refs.textarea.focus()\n })\n }\n let el = this.$el.querySelector('textarea')\n el.style.height = 'auto'\n el.style.height = undefined\n this.error = null\n if (this.preview) this.previewStatus()\n },\n async postStatus (event, newStatus, opts = {}) {\n if (this.posting) { return }\n if (this.disableSubmit) { return }\n if (this.emojiInputShown) { return }\n if (this.submitOnEnter) {\n event.stopPropagation()\n event.preventDefault()\n }\n\n if (this.emptyStatus) {\n this.error = this.$t('post_status.empty_status_error')\n return\n }\n\n const poll = this.pollFormVisible ? this.newStatus.poll : {}\n if (this.pollContentError) {\n this.error = this.pollContentError\n return\n }\n\n this.posting = true\n\n try {\n await this.setAllMediaDescriptions()\n } catch (e) {\n this.error = this.$t('post_status.media_description_error')\n this.posting = false\n return\n }\n\n const postingOptions = {\n status: newStatus.status,\n spoilerText: newStatus.spoilerText || null,\n visibility: newStatus.visibility,\n sensitive: newStatus.nsfw,\n media: newStatus.files,\n store: this.$store,\n inReplyToStatusId: this.replyTo,\n contentType: newStatus.contentType,\n poll,\n idempotencyKey: this.idempotencyKey\n }\n\n const postHandler = this.postHandler ? this.postHandler : statusPoster.postStatus\n\n postHandler(postingOptions).then((data) => {\n if (!data.error) {\n this.clearStatus()\n this.$emit('posted', data)\n } else {\n this.error = data.error\n }\n this.posting = false\n })\n },\n previewStatus () {\n if (this.emptyStatus && this.newStatus.spoilerText.trim() === '') {\n this.preview = { error: this.$t('post_status.preview_empty') }\n this.previewLoading = false\n return\n }\n const newStatus = this.newStatus\n this.previewLoading = true\n statusPoster.postStatus({\n status: newStatus.status,\n spoilerText: newStatus.spoilerText || null,\n visibility: newStatus.visibility,\n sensitive: newStatus.nsfw,\n media: [],\n store: this.$store,\n inReplyToStatusId: this.replyTo,\n contentType: newStatus.contentType,\n poll: {},\n preview: true\n }).then((data) => {\n // Don't apply preview if not loading, because it means\n // user has closed the preview manually.\n if (!this.previewLoading) return\n if (!data.error) {\n this.preview = data\n } else {\n this.preview = { error: data.error }\n }\n }).catch((error) => {\n this.preview = { error }\n }).finally(() => {\n this.previewLoading = false\n })\n },\n debouncePreviewStatus: debounce(function () { this.previewStatus() }, 500),\n autoPreview () {\n if (!this.preview) return\n this.previewLoading = true\n this.debouncePreviewStatus()\n },\n closePreview () {\n this.preview = null\n this.previewLoading = false\n },\n togglePreview () {\n if (this.showPreview) {\n this.closePreview()\n } else {\n this.previewStatus()\n }\n },\n addMediaFile (fileInfo) {\n this.newStatus.files.push(fileInfo)\n this.$emit('resize', { delayed: true })\n },\n removeMediaFile (fileInfo) {\n let index = this.newStatus.files.indexOf(fileInfo)\n this.newStatus.files.splice(index, 1)\n this.$emit('resize')\n },\n uploadFailed (errString, templateArgs) {\n templateArgs = templateArgs || {}\n this.error = this.$t('upload.error.base') + ' ' + this.$t('upload.error.' + errString, templateArgs)\n },\n startedUploadingFiles () {\n this.uploadingFiles = true\n },\n finishedUploadingFiles () {\n this.$emit('resize')\n this.uploadingFiles = false\n },\n type (fileInfo) {\n return fileTypeService.fileType(fileInfo.mimetype)\n },\n paste (e) {\n this.autoPreview()\n this.resize(e)\n if (e.clipboardData.files.length > 0) {\n // prevent pasting of file as text\n e.preventDefault()\n // Strangely, files property gets emptied after event propagation\n // Trying to wrap it in array doesn't work. Plus I doubt it's possible\n // to hold more than one file in clipboard.\n this.dropFiles = [e.clipboardData.files[0]]\n }\n },\n fileDrop (e) {\n if (e.dataTransfer && e.dataTransfer.types.includes('Files')) {\n e.preventDefault() // allow dropping text like before\n this.dropFiles = e.dataTransfer.files\n clearTimeout(this.dropStopTimeout)\n this.showDropIcon = 'hide'\n }\n },\n fileDragStop (e) {\n // The false-setting is done with delay because just using leave-events\n // directly caused unwanted flickering, this is not perfect either but\n // much less noticable.\n clearTimeout(this.dropStopTimeout)\n this.showDropIcon = 'fade'\n this.dropStopTimeout = setTimeout(() => (this.showDropIcon = 'hide'), 500)\n },\n fileDrag (e) {\n e.dataTransfer.dropEffect = this.uploadFileLimitReached ? 'none' : 'copy'\n if (e.dataTransfer && e.dataTransfer.types.includes('Files')) {\n clearTimeout(this.dropStopTimeout)\n this.showDropIcon = 'show'\n }\n },\n onEmojiInputInput (e) {\n this.$nextTick(() => {\n this.resize(this.$refs['textarea'])\n })\n },\n resize (e) {\n const target = e.target || e\n if (!(target instanceof window.Element)) { return }\n\n // Reset to default height for empty form, nothing else to do here.\n if (target.value === '') {\n target.style.height = null\n this.$emit('resize')\n this.$refs['emoji-input'].resize()\n return\n }\n\n const formRef = this.$refs['form']\n const bottomRef = this.$refs['bottom']\n /* Scroller is either `window` (replies in TL), sidebar (main post form,\n * replies in notifs) or mobile post form. Note that getting and setting\n * scroll is different for `Window` and `Element`s\n */\n const bottomBottomPaddingStr = window.getComputedStyle(bottomRef)['padding-bottom']\n const bottomBottomPadding = pxStringToNumber(bottomBottomPaddingStr)\n\n const scrollerRef = this.$el.closest('.sidebar-scroller') ||\n this.$el.closest('.post-form-modal-view') ||\n window\n\n // Getting info about padding we have to account for, removing 'px' part\n const topPaddingStr = window.getComputedStyle(target)['padding-top']\n const bottomPaddingStr = window.getComputedStyle(target)['padding-bottom']\n const topPadding = pxStringToNumber(topPaddingStr)\n const bottomPadding = pxStringToNumber(bottomPaddingStr)\n const vertPadding = topPadding + bottomPadding\n\n const oldHeight = pxStringToNumber(target.style.height)\n\n /* Explanation:\n *\n * https://developer.mozilla.org/en-US/docs/Web/API/Element/scrollHeight\n * scrollHeight returns element's scrollable content height, i.e. visible\n * element + overscrolled parts of it. We use it to determine when text\n * inside the textarea exceeded its height, so we can set height to prevent\n * overscroll, i.e. make textarea grow with the text. HOWEVER, since we\n * explicitly set new height, scrollHeight won't go below that, so we can't\n * SHRINK the textarea when there's extra space. To workaround that we set\n * height to 'auto' which makes textarea tiny again, so that scrollHeight\n * will match text height again. HOWEVER, shrinking textarea can screw with\n * the scroll since there might be not enough padding around form-bottom to even\n * warrant a scroll, so it will jump to 0 and refuse to move anywhere,\n * so we check current scroll position before shrinking and then restore it\n * with needed delta.\n */\n\n // this part has to be BEFORE the content size update\n const currentScroll = scrollerRef === window\n ? scrollerRef.scrollY\n : scrollerRef.scrollTop\n const scrollerHeight = scrollerRef === window\n ? scrollerRef.innerHeight\n : scrollerRef.offsetHeight\n const scrollerBottomBorder = currentScroll + scrollerHeight\n\n // BEGIN content size update\n target.style.height = 'auto'\n const heightWithoutPadding = Math.floor(target.scrollHeight - vertPadding)\n let newHeight = this.maxHeight ? Math.min(heightWithoutPadding, this.maxHeight) : heightWithoutPadding\n // This is a bit of a hack to combat target.scrollHeight being different on every other input\n // on some browsers for whatever reason. Don't change the height if difference is 1px or less.\n if (Math.abs(newHeight - oldHeight) <= 1) {\n newHeight = oldHeight\n }\n target.style.height = `${newHeight}px`\n this.$emit('resize', newHeight)\n // END content size update\n\n // We check where the bottom border of form-bottom element is, this uses findOffset\n // to find offset relative to scrollable container (scroller)\n const bottomBottomBorder = bottomRef.offsetHeight + findOffset(bottomRef, scrollerRef).top + bottomBottomPadding\n\n const isBottomObstructed = scrollerBottomBorder < bottomBottomBorder\n const isFormBiggerThanScroller = scrollerHeight < formRef.offsetHeight\n const bottomChangeDelta = bottomBottomBorder - scrollerBottomBorder\n // The intention is basically this;\n // Keep form-bottom always visible so that submit button is in view EXCEPT\n // if form element bigger than scroller and caret isn't at the end, so that\n // if you scroll up and edit middle of text you won't get scrolled back to bottom\n const shouldScrollToBottom = isBottomObstructed &&\n !(isFormBiggerThanScroller &&\n this.$refs.textarea.selectionStart !== this.$refs.textarea.value.length)\n const totalDelta = shouldScrollToBottom ? bottomChangeDelta : 0\n const targetScroll = currentScroll + totalDelta\n\n if (scrollerRef === window) {\n scrollerRef.scroll(0, targetScroll)\n } else {\n scrollerRef.scrollTop = targetScroll\n }\n\n this.$refs['emoji-input'].resize()\n },\n showEmojiPicker () {\n this.$refs['textarea'].focus()\n this.$refs['emoji-input'].triggerShowPicker()\n },\n clearError () {\n this.error = null\n },\n changeVis (visibility) {\n this.newStatus.visibility = visibility\n },\n togglePollForm () {\n this.pollFormVisible = !this.pollFormVisible\n },\n setPoll (poll) {\n this.newStatus.poll = poll\n },\n clearPollForm () {\n if (this.$refs.pollForm) {\n this.$refs.pollForm.clear()\n }\n },\n dismissScopeNotice () {\n this.$store.dispatch('setOption', { name: 'hideScopeNotice', value: true })\n },\n setMediaDescription (id) {\n const description = this.newStatus.mediaDescriptions[id]\n if (!description || description.trim() === '') return\n return statusPoster.setMediaDescription({ store: this.$store, id, description })\n },\n setAllMediaDescriptions () {\n const ids = this.newStatus.files.map(file => file.id)\n return Promise.all(ids.map(id => this.setMediaDescription(id)))\n },\n handleEmojiInputShow (value) {\n this.emojiInputShown = value\n },\n updateIdempotencyKey () {\n this.idempotencyKey = Date.now().toString()\n },\n openProfileTab () {\n this.$store.dispatch('openSettingsModalTab', 'profile')\n }\n }\n}\n\nexport default PostStatusForm\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./post_status_form.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./post_status_form.js\"\nimport __vue_script__ from \"!!babel-loader!./post_status_form.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-c3d07a7c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./post_status_form.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{ref:\"form\",staticClass:\"post-status-form\"},[_c('form',{attrs:{\"autocomplete\":\"off\"},on:{\"submit\":function($event){$event.preventDefault();},\"dragover\":function($event){$event.preventDefault();return _vm.fileDrag($event)}}},[_c('div',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.showDropIcon !== 'hide'),expression:\"showDropIcon !== 'hide'\"}],staticClass:\"drop-indicator\",class:[_vm.uploadFileLimitReached ? 'icon-block' : 'icon-upload'],style:({ animation: _vm.showDropIcon === 'show' ? 'fade-in 0.25s' : 'fade-out 0.5s' }),on:{\"dragleave\":_vm.fileDragStop,\"drop\":function($event){$event.stopPropagation();return _vm.fileDrop($event)}}}),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[(!_vm.$store.state.users.currentUser.locked && _vm.newStatus.visibility == 'private' && !_vm.disableLockWarning)?_c('i18n',{staticClass:\"visibility-notice\",attrs:{\"path\":\"post_status.account_not_locked_warning\",\"tag\":\"p\"}},[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":_vm.openProfileTab}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('post_status.account_not_locked_warning_link'))+\"\\n \")])]):_vm._e(),_vm._v(\" \"),(!_vm.hideScopeNotice && _vm.newStatus.visibility === 'public')?_c('p',{staticClass:\"visibility-notice notice-dismissible\"},[_c('span',[_vm._v(_vm._s(_vm.$t('post_status.scope_notice.public')))]),_vm._v(\" \"),_c('a',{staticClass:\"button-icon dismiss\",on:{\"click\":function($event){$event.preventDefault();return _vm.dismissScopeNotice()}}},[_c('i',{staticClass:\"icon-cancel\"})])]):(!_vm.hideScopeNotice && _vm.newStatus.visibility === 'unlisted')?_c('p',{staticClass:\"visibility-notice notice-dismissible\"},[_c('span',[_vm._v(_vm._s(_vm.$t('post_status.scope_notice.unlisted')))]),_vm._v(\" \"),_c('a',{staticClass:\"button-icon dismiss\",on:{\"click\":function($event){$event.preventDefault();return _vm.dismissScopeNotice()}}},[_c('i',{staticClass:\"icon-cancel\"})])]):(!_vm.hideScopeNotice && _vm.newStatus.visibility === 'private' && _vm.$store.state.users.currentUser.locked)?_c('p',{staticClass:\"visibility-notice notice-dismissible\"},[_c('span',[_vm._v(_vm._s(_vm.$t('post_status.scope_notice.private')))]),_vm._v(\" \"),_c('a',{staticClass:\"button-icon dismiss\",on:{\"click\":function($event){$event.preventDefault();return _vm.dismissScopeNotice()}}},[_c('i',{staticClass:\"icon-cancel\"})])]):(_vm.newStatus.visibility === 'direct')?_c('p',{staticClass:\"visibility-notice\"},[(_vm.safeDMEnabled)?_c('span',[_vm._v(_vm._s(_vm.$t('post_status.direct_warning_to_first_only')))]):_c('span',[_vm._v(_vm._s(_vm.$t('post_status.direct_warning_to_all')))])]):_vm._e(),_vm._v(\" \"),(!_vm.disablePreview)?_c('div',{staticClass:\"preview-heading faint\"},[_c('a',{staticClass:\"preview-toggle faint\",on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.togglePreview($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('post_status.preview'))+\"\\n \"),_c('i',{class:_vm.showPreview ? 'icon-left-open' : 'icon-right-open'})]),_vm._v(\" \"),_c('i',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.previewLoading),expression:\"previewLoading\"}],staticClass:\"icon-spin3 animate-spin\"})]):_vm._e(),_vm._v(\" \"),(_vm.showPreview)?_c('div',{staticClass:\"preview-container\"},[(!_vm.preview)?_c('div',{staticClass:\"preview-status\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.loading'))+\"\\n \")]):(_vm.preview.error)?_c('div',{staticClass:\"preview-status preview-error\"},[_vm._v(\"\\n \"+_vm._s(_vm.preview.error)+\"\\n \")]):_c('StatusContent',{staticClass:\"preview-status\",attrs:{\"status\":_vm.preview}})],1):_vm._e(),_vm._v(\" \"),(!_vm.disableSubject && (_vm.newStatus.spoilerText || _vm.alwaysShowSubject))?_c('EmojiInput',{staticClass:\"form-control\",attrs:{\"enable-emoji-picker\":\"\",\"suggest\":_vm.emojiSuggestor},model:{value:(_vm.newStatus.spoilerText),callback:function ($$v) {_vm.$set(_vm.newStatus, \"spoilerText\", $$v)},expression:\"newStatus.spoilerText\"}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newStatus.spoilerText),expression:\"newStatus.spoilerText\"}],staticClass:\"form-post-subject\",attrs:{\"type\":\"text\",\"placeholder\":_vm.$t('post_status.content_warning'),\"disabled\":_vm.posting},domProps:{\"value\":(_vm.newStatus.spoilerText)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.newStatus, \"spoilerText\", $event.target.value)}}})]):_vm._e(),_vm._v(\" \"),_c('EmojiInput',{ref:\"emoji-input\",staticClass:\"form-control main-input\",attrs:{\"suggest\":_vm.emojiUserSuggestor,\"placement\":_vm.emojiPickerPlacement,\"enable-emoji-picker\":\"\",\"hide-emoji-button\":\"\",\"newline-on-ctrl-enter\":_vm.submitOnEnter,\"enable-sticker-picker\":\"\"},on:{\"input\":_vm.onEmojiInputInput,\"sticker-uploaded\":_vm.addMediaFile,\"sticker-upload-failed\":_vm.uploadFailed,\"shown\":_vm.handleEmojiInputShow},model:{value:(_vm.newStatus.status),callback:function ($$v) {_vm.$set(_vm.newStatus, \"status\", $$v)},expression:\"newStatus.status\"}},[_c('textarea',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newStatus.status),expression:\"newStatus.status\"}],ref:\"textarea\",staticClass:\"form-post-body\",class:{ 'scrollable-form': !!_vm.maxHeight },attrs:{\"placeholder\":_vm.placeholder || _vm.$t('post_status.default'),\"rows\":\"1\",\"cols\":\"1\",\"disabled\":_vm.posting},domProps:{\"value\":(_vm.newStatus.status)},on:{\"keydown\":[function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }if($event.ctrlKey||$event.shiftKey||$event.altKey||$event.metaKey){ return null; }_vm.submitOnEnter && _vm.postStatus($event, _vm.newStatus)},function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }if(!$event.metaKey){ return null; }return _vm.postStatus($event, _vm.newStatus)},function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }if(!$event.ctrlKey){ return null; }!_vm.submitOnEnter && _vm.postStatus($event, _vm.newStatus)}],\"input\":[function($event){if($event.target.composing){ return; }_vm.$set(_vm.newStatus, \"status\", $event.target.value)},_vm.resize],\"compositionupdate\":_vm.resize,\"paste\":_vm.paste}}),_vm._v(\" \"),(_vm.hasStatusLengthLimit)?_c('p',{staticClass:\"character-counter faint\",class:{ error: _vm.isOverLengthLimit }},[_vm._v(\"\\n \"+_vm._s(_vm.charactersLeft)+\"\\n \")]):_vm._e()]),_vm._v(\" \"),(!_vm.disableScopeSelector)?_c('div',{staticClass:\"visibility-tray\"},[_c('scope-selector',{attrs:{\"show-all\":_vm.showAllScopes,\"user-default\":_vm.userDefaultScope,\"original-scope\":_vm.copyMessageScope,\"initial-scope\":_vm.newStatus.visibility,\"on-scope-change\":_vm.changeVis}}),_vm._v(\" \"),(_vm.postFormats.length > 1)?_c('div',{staticClass:\"text-format\"},[_c('label',{staticClass:\"select\",attrs:{\"for\":\"post-content-type\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newStatus.contentType),expression:\"newStatus.contentType\"}],staticClass:\"form-control\",attrs:{\"id\":\"post-content-type\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.$set(_vm.newStatus, \"contentType\", $event.target.multiple ? $$selectedVal : $$selectedVal[0])}}},_vm._l((_vm.postFormats),function(postFormat){return _c('option',{key:postFormat,domProps:{\"value\":postFormat}},[_vm._v(\"\\n \"+_vm._s(_vm.$t((\"post_status.content_type[\\\"\" + postFormat + \"\\\"]\")))+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])]):_vm._e(),_vm._v(\" \"),(_vm.postFormats.length === 1 && _vm.postFormats[0] !== 'text/plain')?_c('div',{staticClass:\"text-format\"},[_c('span',{staticClass:\"only-format\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t((\"post_status.content_type[\\\"\" + (_vm.postFormats[0]) + \"\\\"]\")))+\"\\n \")])]):_vm._e()],1):_vm._e()],1),_vm._v(\" \"),(_vm.pollsAvailable)?_c('poll-form',{ref:\"pollForm\",attrs:{\"visible\":_vm.pollFormVisible},on:{\"update-poll\":_vm.setPoll}}):_vm._e(),_vm._v(\" \"),_c('div',{ref:\"bottom\",staticClass:\"form-bottom\"},[_c('div',{staticClass:\"form-bottom-left\"},[_c('media-upload',{ref:\"mediaUpload\",staticClass:\"media-upload-icon\",attrs:{\"drop-files\":_vm.dropFiles,\"disabled\":_vm.uploadFileLimitReached},on:{\"uploading\":_vm.startedUploadingFiles,\"uploaded\":_vm.addMediaFile,\"upload-failed\":_vm.uploadFailed,\"all-uploaded\":_vm.finishedUploadingFiles}}),_vm._v(\" \"),_c('div',{staticClass:\"emoji-icon\"},[_c('i',{staticClass:\"icon-smile btn btn-default\",attrs:{\"title\":_vm.$t('emoji.add_emoji')},on:{\"click\":_vm.showEmojiPicker}})]),_vm._v(\" \"),(_vm.pollsAvailable)?_c('div',{staticClass:\"poll-icon\",class:{ selected: _vm.pollFormVisible }},[_c('i',{staticClass:\"icon-chart-bar btn btn-default\",attrs:{\"title\":_vm.$t('polls.add_poll')},on:{\"click\":_vm.togglePollForm}})]):_vm._e()],1),_vm._v(\" \"),(_vm.posting)?_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":\"\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('post_status.posting'))+\"\\n \")]):(_vm.isOverLengthLimit)?_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":\"\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")]):_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.uploadingFiles || _vm.disableSubmit},on:{\"touchstart\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.postStatus($event, _vm.newStatus)},\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.postStatus($event, _vm.newStatus)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")])]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n Error: \"+_vm._s(_vm.error)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":_vm.clearError}})]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"attachments\"},_vm._l((_vm.newStatus.files),function(file){return _c('div',{key:file.url,staticClass:\"media-upload-wrapper\"},[_c('i',{staticClass:\"fa button-icon icon-cancel\",on:{\"click\":function($event){return _vm.removeMediaFile(file)}}}),_vm._v(\" \"),_c('attachment',{attrs:{\"attachment\":file,\"set-media\":function () { return _vm.$store.dispatch('setMedia', _vm.newStatus.files); },\"size\":\"small\",\"allow-play\":\"false\"}}),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newStatus.mediaDescriptions[file.id]),expression:\"newStatus.mediaDescriptions[file.id]\"}],attrs:{\"type\":\"text\",\"placeholder\":_vm.$t('post_status.media_description')},domProps:{\"value\":(_vm.newStatus.mediaDescriptions[file.id])},on:{\"keydown\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }$event.preventDefault();},\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.newStatus.mediaDescriptions, file.id, $event.target.value)}}})],1)}),0),_vm._v(\" \"),(_vm.newStatus.files.length > 0 && !_vm.disableSensitivityCheckbox)?_c('div',{staticClass:\"upload_settings\"},[_c('Checkbox',{model:{value:(_vm.newStatus.nsfw),callback:function ($$v) {_vm.$set(_vm.newStatus, \"nsfw\", $$v)},expression:\"newStatus.nsfw\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('post_status.attachments_sensitive'))+\"\\n \")])],1):_vm._e()],1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import StillImage from '../still-image/still-image.vue'\nimport VideoAttachment from '../video_attachment/video_attachment.vue'\nimport nsfwImage from '../../assets/nsfw.png'\nimport fileTypeService from '../../services/file_type/file_type.service.js'\nimport { mapGetters } from 'vuex'\n\nconst Attachment = {\n props: [\n 'attachment',\n 'nsfw',\n 'size',\n 'allowPlay',\n 'setMedia',\n 'naturalSizeLoad'\n ],\n data () {\n return {\n nsfwImage: this.$store.state.instance.nsfwCensorImage || nsfwImage,\n hideNsfwLocal: this.$store.getters.mergedConfig.hideNsfw,\n preloadImage: this.$store.getters.mergedConfig.preloadImage,\n loading: false,\n img: fileTypeService.fileType(this.attachment.mimetype) === 'image' && document.createElement('img'),\n modalOpen: false,\n showHidden: false\n }\n },\n components: {\n StillImage,\n VideoAttachment\n },\n computed: {\n usePlaceholder () {\n return this.size === 'hide' || this.type === 'unknown'\n },\n placeholderName () {\n if (this.attachment.description === '' || !this.attachment.description) {\n return this.type.toUpperCase()\n }\n return this.attachment.description\n },\n placeholderIconClass () {\n if (this.type === 'image') return 'icon-picture'\n if (this.type === 'video') return 'icon-video'\n if (this.type === 'audio') return 'icon-music'\n return 'icon-doc'\n },\n referrerpolicy () {\n return this.$store.state.instance.mediaProxyAvailable ? '' : 'no-referrer'\n },\n type () {\n return fileTypeService.fileType(this.attachment.mimetype)\n },\n hidden () {\n return this.nsfw && this.hideNsfwLocal && !this.showHidden\n },\n isEmpty () {\n return (this.type === 'html' && !this.attachment.oembed) || this.type === 'unknown'\n },\n isSmall () {\n return this.size === 'small'\n },\n fullwidth () {\n if (this.size === 'hide') return false\n return this.type === 'html' || this.type === 'audio' || this.type === 'unknown'\n },\n useModal () {\n const modalTypes = this.size === 'hide' ? ['image', 'video', 'audio']\n : this.mergedConfig.playVideosInModal\n ? ['image', 'video']\n : ['image']\n return modalTypes.includes(this.type)\n },\n ...mapGetters(['mergedConfig'])\n },\n methods: {\n linkClicked ({ target }) {\n if (target.tagName === 'A') {\n window.open(target.href, '_blank')\n }\n },\n openModal (event) {\n if (this.useModal) {\n event.stopPropagation()\n event.preventDefault()\n this.setMedia()\n this.$store.dispatch('setCurrent', this.attachment)\n }\n },\n toggleHidden (event) {\n if (\n (this.mergedConfig.useOneClickNsfw && !this.showHidden) &&\n (this.type !== 'video' || this.mergedConfig.playVideosInModal)\n ) {\n this.openModal(event)\n return\n }\n if (this.img && !this.preloadImage) {\n if (this.img.onload) {\n this.img.onload()\n } else {\n this.loading = true\n this.img.src = this.attachment.url\n this.img.onload = () => {\n this.loading = false\n this.showHidden = !this.showHidden\n }\n }\n } else {\n this.showHidden = !this.showHidden\n }\n },\n onImageLoad (image) {\n const width = image.naturalWidth\n const height = image.naturalHeight\n this.naturalSizeLoad && this.naturalSizeLoad({ width, height })\n }\n }\n}\n\nexport default Attachment\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./attachment.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./attachment.js\"\nimport __vue_script__ from \"!!babel-loader!./attachment.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6c00fc80\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./attachment.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {\nvar _obj;\nvar _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.usePlaceholder)?_c('div',{class:{ 'fullwidth': _vm.fullwidth },on:{\"click\":_vm.openModal}},[(_vm.type !== 'html')?_c('a',{staticClass:\"placeholder\",attrs:{\"target\":\"_blank\",\"href\":_vm.attachment.url,\"alt\":_vm.attachment.description,\"title\":_vm.attachment.description}},[_c('span',{class:_vm.placeholderIconClass}),_vm._v(\" \"),_c('b',[_vm._v(_vm._s(_vm.nsfw ? \"NSFW / \" : \"\"))]),_vm._v(_vm._s(_vm.placeholderName)+\"\\n \")]):_vm._e()]):_c('div',{directives:[{name:\"show\",rawName:\"v-show\",value:(!_vm.isEmpty),expression:\"!isEmpty\"}],staticClass:\"attachment\",class:( _obj = {}, _obj[_vm.type] = true, _obj.loading = _vm.loading, _obj['fullwidth'] = _vm.fullwidth, _obj['nsfw-placeholder'] = _vm.hidden, _obj )},[(_vm.hidden)?_c('a',{staticClass:\"image-attachment\",attrs:{\"href\":_vm.attachment.url,\"alt\":_vm.attachment.description,\"title\":_vm.attachment.description},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleHidden($event)}}},[_c('img',{key:_vm.nsfwImage,staticClass:\"nsfw\",class:{'small': _vm.isSmall},attrs:{\"src\":_vm.nsfwImage}}),_vm._v(\" \"),(_vm.type === 'video')?_c('i',{staticClass:\"play-icon icon-play-circled\"}):_vm._e()]):_vm._e(),_vm._v(\" \"),(_vm.nsfw && _vm.hideNsfwLocal && !_vm.hidden)?_c('div',{staticClass:\"hider\"},[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleHidden($event)}}},[_vm._v(\"Hide\")])]):_vm._e(),_vm._v(\" \"),(_vm.type === 'image' && (!_vm.hidden || _vm.preloadImage))?_c('a',{staticClass:\"image-attachment\",class:{'hidden': _vm.hidden && _vm.preloadImage },attrs:{\"href\":_vm.attachment.url,\"target\":\"_blank\"},on:{\"click\":_vm.openModal}},[_c('StillImage',{staticClass:\"image\",attrs:{\"referrerpolicy\":_vm.referrerpolicy,\"mimetype\":_vm.attachment.mimetype,\"src\":_vm.attachment.large_thumb_url || _vm.attachment.url,\"image-load-handler\":_vm.onImageLoad,\"alt\":_vm.attachment.description}})],1):_vm._e(),_vm._v(\" \"),(_vm.type === 'video' && !_vm.hidden)?_c('a',{staticClass:\"video-container\",class:{'small': _vm.isSmall},attrs:{\"href\":_vm.allowPlay ? undefined : _vm.attachment.url},on:{\"click\":_vm.openModal}},[_c('VideoAttachment',{staticClass:\"video\",attrs:{\"attachment\":_vm.attachment,\"controls\":_vm.allowPlay}}),_vm._v(\" \"),(!_vm.allowPlay)?_c('i',{staticClass:\"play-icon icon-play-circled\"}):_vm._e()],1):_vm._e(),_vm._v(\" \"),(_vm.type === 'audio')?_c('audio',{attrs:{\"src\":_vm.attachment.url,\"alt\":_vm.attachment.description,\"title\":_vm.attachment.description,\"controls\":\"\"}}):_vm._e(),_vm._v(\" \"),(_vm.type === 'html' && _vm.attachment.oembed)?_c('div',{staticClass:\"oembed\",on:{\"click\":function($event){$event.preventDefault();return _vm.linkClicked($event)}}},[(_vm.attachment.thumb_url)?_c('div',{staticClass:\"image\"},[_c('img',{attrs:{\"src\":_vm.attachment.thumb_url}})]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"text\"},[_c('h1',[_c('a',{attrs:{\"href\":_vm.attachment.url}},[_vm._v(_vm._s(_vm.attachment.oembed.title))])]),_vm._v(\" \"),_c('div',{domProps:{\"innerHTML\":_vm._s(_vm.attachment.oembed.oembedHTML)}})])]):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <time\n :datetime=\"time\"\n :title=\"localeDateString\"\n >\n {{ $t(relativeTime.key, [relativeTime.num]) }}\n </time>\n</template>\n\n<script>\nimport * as DateUtils from 'src/services/date_utils/date_utils.js'\n\nexport default {\n name: 'Timeago',\n props: ['time', 'autoUpdate', 'longFormat', 'nowThreshold'],\n data () {\n return {\n relativeTime: { key: 'time.now', num: 0 },\n interval: null\n }\n },\n computed: {\n localeDateString () {\n return typeof this.time === 'string'\n ? new Date(Date.parse(this.time)).toLocaleString()\n : this.time.toLocaleString()\n }\n },\n created () {\n this.refreshRelativeTimeObject()\n },\n destroyed () {\n clearTimeout(this.interval)\n },\n methods: {\n refreshRelativeTimeObject () {\n const nowThreshold = typeof this.nowThreshold === 'number' ? this.nowThreshold : 1\n this.relativeTime = this.longFormat\n ? DateUtils.relativeTime(this.time, nowThreshold)\n : DateUtils.relativeTimeShort(this.time, nowThreshold)\n\n if (this.autoUpdate) {\n this.interval = setTimeout(\n this.refreshRelativeTimeObject,\n 1000 * this.autoUpdate\n )\n }\n }\n }\n}\n</script>\n","/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./timeago.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./timeago.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-ac499830\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./timeago.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('time',{attrs:{\"datetime\":_vm.time,\"title\":_vm.localeDateString}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(_vm.relativeTime.key, [_vm.relativeTime.num]))+\"\\n\")])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { hex2rgb } from '../color_convert/color_convert.js'\nconst highlightStyle = (prefs) => {\n if (prefs === undefined) return\n const { color, type } = prefs\n if (typeof color !== 'string') return\n const rgb = hex2rgb(color)\n if (rgb == null) return\n const solidColor = `rgb(${Math.floor(rgb.r)}, ${Math.floor(rgb.g)}, ${Math.floor(rgb.b)})`\n const tintColor = `rgba(${Math.floor(rgb.r)}, ${Math.floor(rgb.g)}, ${Math.floor(rgb.b)}, .1)`\n const tintColor2 = `rgba(${Math.floor(rgb.r)}, ${Math.floor(rgb.g)}, ${Math.floor(rgb.b)}, .2)`\n if (type === 'striped') {\n return {\n backgroundImage: [\n 'repeating-linear-gradient(135deg,',\n `${tintColor} ,`,\n `${tintColor} 20px,`,\n `${tintColor2} 20px,`,\n `${tintColor2} 40px`\n ].join(' '),\n backgroundPosition: '0 0'\n }\n } else if (type === 'solid') {\n return {\n backgroundColor: tintColor2\n }\n } else if (type === 'side') {\n return {\n backgroundImage: [\n 'linear-gradient(to right,',\n `${solidColor} ,`,\n `${solidColor} 2px,`,\n `transparent 6px`\n ].join(' '),\n backgroundPosition: '0 0'\n }\n }\n}\n\nconst highlightClass = (user) => {\n return 'USER____' + user.screen_name\n .replace(/\\./g, '_')\n .replace(/@/g, '_AT_')\n}\n\nexport {\n highlightClass,\n highlightStyle\n}\n","<template>\n <div class=\"list\">\n <div\n v-for=\"item in items\"\n :key=\"getKey(item)\"\n class=\"list-item\"\n >\n <slot\n name=\"item\"\n :item=\"item\"\n />\n </div>\n <div\n v-if=\"items.length === 0 && !!$slots.empty\"\n class=\"list-empty-content faint\"\n >\n <slot name=\"empty\" />\n </div>\n </div>\n</template>\n\n<script>\nexport default {\n props: {\n items: {\n type: Array,\n default: () => []\n },\n getKey: {\n type: Function,\n default: item => item.id\n }\n }\n}\n</script>\n\n<style lang=\"scss\">\n@import '../../_variables.scss';\n\n.list {\n &-item:not(:last-child) {\n border-bottom: 1px solid;\n border-bottom-color: $fallback--border;\n border-bottom-color: var(--border, $fallback--border);\n }\n\n &-empty-content {\n text-align: center;\n padding: 10px;\n }\n}\n</style>\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./list.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./list.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./list.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-c1790f52\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./list.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"list\"},[_vm._l((_vm.items),function(item){return _c('div',{key:_vm.getKey(item),staticClass:\"list-item\"},[_vm._t(\"item\",null,{\"item\":item})],2)}),_vm._v(\" \"),(_vm.items.length === 0 && !!_vm.$slots.empty)?_c('div',{staticClass:\"list-empty-content faint\"},[_vm._t(\"empty\")],2):_vm._e()],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <label\n class=\"checkbox\"\n :class=\"{ disabled, indeterminate }\"\n >\n <input\n type=\"checkbox\"\n :disabled=\"disabled\"\n :checked=\"checked\"\n :indeterminate.prop=\"indeterminate\"\n @change=\"$emit('change', $event.target.checked)\"\n >\n <i class=\"checkbox-indicator\" />\n <span\n v-if=\"!!$slots.default\"\n class=\"label\"\n >\n <slot />\n </span>\n </label>\n</template>\n\n<script>\nexport default {\n model: {\n prop: 'checked',\n event: 'change'\n },\n props: [\n 'checked',\n 'indeterminate',\n 'disabled'\n ]\n}\n</script>\n\n<style lang=\"scss\">\n@import '../../_variables.scss';\n\n.checkbox {\n position: relative;\n display: inline-block;\n min-height: 1.2em;\n\n &-indicator {\n position: relative;\n padding-left: 1.2em;\n }\n\n &-indicator::before {\n position: absolute;\n right: 0;\n top: 0;\n display: block;\n content: '✓';\n transition: color 200ms;\n width: 1.1em;\n height: 1.1em;\n border-radius: $fallback--checkboxRadius;\n border-radius: var(--checkboxRadius, $fallback--checkboxRadius);\n box-shadow: 0px 0px 2px black inset;\n box-shadow: var(--inputShadow);\n background-color: $fallback--fg;\n background-color: var(--input, $fallback--fg);\n vertical-align: top;\n text-align: center;\n line-height: 1.1em;\n font-size: 1.1em;\n color: transparent;\n overflow: hidden;\n box-sizing: border-box;\n }\n\n &.disabled {\n .checkbox-indicator::before,\n .label {\n opacity: .5;\n }\n .label {\n color: $fallback--faint;\n color: var(--faint, $fallback--faint);\n }\n }\n\n input[type=checkbox] {\n display: none;\n\n &:checked + .checkbox-indicator::before {\n color: $fallback--text;\n color: var(--inputText, $fallback--text);\n }\n\n &:indeterminate + .checkbox-indicator::before {\n content: '–';\n color: $fallback--text;\n color: var(--inputText, $fallback--text);\n }\n\n }\n\n & > span {\n margin-left: .5em;\n }\n}\n</style>\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./checkbox.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./checkbox.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./checkbox.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-0631206a\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./checkbox.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('label',{staticClass:\"checkbox\",class:{ disabled: _vm.disabled, indeterminate: _vm.indeterminate }},[_c('input',{attrs:{\"type\":\"checkbox\",\"disabled\":_vm.disabled},domProps:{\"checked\":_vm.checked,\"indeterminate\":_vm.indeterminate},on:{\"change\":function($event){return _vm.$emit('change', $event.target.checked)}}}),_vm._v(\" \"),_c('i',{staticClass:\"checkbox-indicator\"}),_vm._v(\" \"),(!!_vm.$slots.default)?_c('span',{staticClass:\"label\"},[_vm._t(\"default\")],2):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { map } from 'lodash'\nimport apiService from '../api/api.service.js'\n\nconst postStatus = ({\n store,\n status,\n spoilerText,\n visibility,\n sensitive,\n poll,\n media = [],\n inReplyToStatusId = undefined,\n contentType = 'text/plain',\n preview = false,\n idempotencyKey = ''\n}) => {\n const mediaIds = map(media, 'id')\n\n return apiService.postStatus({\n credentials: store.state.users.currentUser.credentials,\n status,\n spoilerText,\n visibility,\n sensitive,\n mediaIds,\n inReplyToStatusId,\n contentType,\n poll,\n preview,\n idempotencyKey\n })\n .then((data) => {\n if (!data.error && !preview) {\n store.dispatch('addNewStatuses', {\n statuses: [data],\n timeline: 'friends',\n showImmediately: true,\n noIdUpdate: true // To prevent missing notices on next pull.\n })\n }\n return data\n })\n .catch((err) => {\n return {\n error: err.message\n }\n })\n}\n\nconst uploadMedia = ({ store, formData }) => {\n const credentials = store.state.users.currentUser.credentials\n return apiService.uploadMedia({ credentials, formData })\n}\n\nconst setMediaDescription = ({ store, id, description }) => {\n const credentials = store.state.users.currentUser.credentials\n return apiService.setMediaDescription({ credentials, id, description })\n}\n\nconst statusPosterService = {\n postStatus,\n uploadMedia,\n setMediaDescription\n}\n\nexport default statusPosterService\n","const StillImage = {\n props: [\n 'src',\n 'referrerpolicy',\n 'mimetype',\n 'imageLoadError',\n 'imageLoadHandler',\n 'alt'\n ],\n data () {\n return {\n stopGifs: this.$store.getters.mergedConfig.stopGifs\n }\n },\n computed: {\n animated () {\n return this.stopGifs && (this.mimetype === 'image/gif' || this.src.endsWith('.gif'))\n }\n },\n methods: {\n onLoad () {\n this.imageLoadHandler && this.imageLoadHandler(this.$refs.src)\n const canvas = this.$refs.canvas\n if (!canvas) return\n const width = this.$refs.src.naturalWidth\n const height = this.$refs.src.naturalHeight\n canvas.width = width\n canvas.height = height\n canvas.getContext('2d').drawImage(this.$refs.src, 0, 0, width, height)\n },\n onError () {\n this.imageLoadError && this.imageLoadError()\n }\n }\n}\n\nexport default StillImage\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./still-image.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./still-image.js\"\nimport __vue_script__ from \"!!babel-loader!./still-image.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3a23c4ff\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./still-image.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"still-image\",class:{ animated: _vm.animated }},[(_vm.animated)?_c('canvas',{ref:\"canvas\"}):_vm._e(),_vm._v(\" \"),_c('img',{key:_vm.src,ref:\"src\",attrs:{\"alt\":_vm.alt,\"title\":_vm.alt,\"src\":_vm.src,\"referrerpolicy\":_vm.referrerpolicy},on:{\"load\":_vm.onLoad,\"error\":_vm.onError}})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","// When contributing, please sort JSON before committing so it would be easier to see what's missing and what's being added compared to English and other languages. It's not obligatory, but just an advice.\n// To sort json use jq https://stedolan.github.io/jq and invoke it like `jq -S . xx.json > xx.sorted.json`, AFAIK, there's no inplace edit option like in sed\n// Also, when adding a new language to \"messages\" variable, please do it alphabetically by language code so that users can search or check their custom language easily.\n\n// For anyone contributing to old huge messages.js and in need to quickly convert it to JSON\n// sed command for converting currently formatted JS to JSON:\n// sed -i -e \"s/'//gm\" -e 's/\"/\\\\\"/gm' -re 's/^( +)(.+?): ((.+?))?(,?)(\\{?)$/\\1\"\\2\": \"\\4\"/gm' -e 's/\\\"\\{\\\"/{/g' -e 's/,\"$/\",/g' file.json\n// There's only problem that apostrophe character ' gets replaced by \\\\ so you have to fix it manually, sorry.\n\nconst loaders = {\n ar: () => import('./ar.json'),\n ca: () => import('./ca.json'),\n cs: () => import('./cs.json'),\n de: () => import('./de.json'),\n eo: () => import('./eo.json'),\n es: () => import('./es.json'),\n et: () => import('./et.json'),\n eu: () => import('./eu.json'),\n fi: () => import('./fi.json'),\n fr: () => import('./fr.json'),\n ga: () => import('./ga.json'),\n he: () => import('./he.json'),\n hu: () => import('./hu.json'),\n it: () => import('./it.json'),\n ja: () => import('./ja_pedantic.json'),\n ja_easy: () => import('./ja_easy.json'),\n ko: () => import('./ko.json'),\n nb: () => import('./nb.json'),\n nl: () => import('./nl.json'),\n oc: () => import('./oc.json'),\n pl: () => import('./pl.json'),\n pt: () => import('./pt.json'),\n ro: () => import('./ro.json'),\n ru: () => import('./ru.json'),\n te: () => import('./te.json'),\n zh: () => import('./zh.json')\n}\n\nconst messages = {\n languages: ['en', ...Object.keys(loaders)],\n default: {\n en: require('./en.json')\n },\n setLanguage: async (i18n, language) => {\n if (loaders[language]) {\n let messages = await loaders[language]()\n i18n.setLocaleMessage(language, messages)\n }\n i18n.locale = language\n }\n}\n\nexport default messages\n","<template>\n <button\n :disabled=\"progress || disabled\"\n @click=\"onClick\"\n >\n <template v-if=\"progress && $slots.progress\">\n <slot name=\"progress\" />\n </template>\n <template v-else>\n <slot />\n </template>\n </button>\n</template>\n\n<script>\nexport default {\n props: {\n disabled: {\n type: Boolean\n },\n click: { // click event handler. Must return a promise\n type: Function,\n default: () => Promise.resolve()\n }\n },\n data () {\n return {\n progress: false\n }\n },\n methods: {\n onClick () {\n this.progress = true\n this.click().then(() => { this.progress = false })\n }\n }\n}\n</script>\n","/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./progress_button.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./progress_button.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-9f751ae6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./progress_button.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('button',{attrs:{\"disabled\":_vm.progress || _vm.disabled},on:{\"click\":_vm.onClick}},[(_vm.progress && _vm.$slots.progress)?[_vm._t(\"progress\")]:[_vm._t(\"default\")]],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { set, delete as del } from 'vue'\nimport { setPreset, applyTheme } from '../services/style_setter/style_setter.js'\nimport messages from '../i18n/messages'\n\nconst browserLocale = (window.navigator.language || 'en').split('-')[0]\n\n/* TODO this is a bit messy.\n * We need to declare settings with their types and also deal with\n * instance-default settings in some way, hopefully try to avoid copy-pasta\n * in general.\n */\nexport const multiChoiceProperties = [\n 'postContentType',\n 'subjectLineBehavior'\n]\n\nexport const defaultState = {\n colors: {},\n theme: undefined,\n customTheme: undefined,\n customThemeSource: undefined,\n hideISP: false,\n // bad name: actually hides posts of muted USERS\n hideMutedPosts: undefined, // instance default\n collapseMessageWithSubject: undefined, // instance default\n padEmoji: true,\n hideAttachments: false,\n hideAttachmentsInConv: false,\n maxThumbnails: 16,\n hideNsfw: true,\n preloadImage: true,\n loopVideo: true,\n loopVideoSilentOnly: true,\n streaming: false,\n emojiReactionsOnTimeline: true,\n autohideFloatingPostButton: false,\n pauseOnUnfocused: true,\n stopGifs: false,\n replyVisibility: 'all',\n notificationVisibility: {\n follows: true,\n mentions: true,\n likes: true,\n repeats: true,\n moves: true,\n emojiReactions: false,\n followRequest: true,\n chatMention: true\n },\n webPushNotifications: false,\n muteWords: [],\n highlight: {},\n interfaceLanguage: browserLocale,\n hideScopeNotice: false,\n useStreamingApi: false,\n scopeCopy: undefined, // instance default\n subjectLineBehavior: undefined, // instance default\n alwaysShowSubjectInput: undefined, // instance default\n postContentType: undefined, // instance default\n minimalScopesMode: undefined, // instance default\n // This hides statuses filtered via a word filter\n hideFilteredStatuses: undefined, // instance default\n playVideosInModal: false,\n useOneClickNsfw: false,\n useContainFit: false,\n greentext: undefined, // instance default\n hidePostStats: undefined, // instance default\n hideUserStats: undefined // instance default\n}\n\n// caching the instance default properties\nexport const instanceDefaultProperties = Object.entries(defaultState)\n .filter(([key, value]) => value === undefined)\n .map(([key, value]) => key)\n\nconst config = {\n state: defaultState,\n getters: {\n mergedConfig (state, getters, rootState, rootGetters) {\n const { instance } = rootState\n return {\n ...state,\n ...instanceDefaultProperties\n .map(key => [key, state[key] === undefined\n ? instance[key]\n : state[key]\n ])\n .reduce((acc, [key, value]) => ({ ...acc, [key]: value }), {})\n }\n }\n },\n mutations: {\n setOption (state, { name, value }) {\n set(state, name, value)\n },\n setHighlight (state, { user, color, type }) {\n const data = this.state.config.highlight[user]\n if (color || type) {\n set(state.highlight, user, { color: color || data.color, type: type || data.type })\n } else {\n del(state.highlight, user)\n }\n }\n },\n actions: {\n setHighlight ({ commit, dispatch }, { user, color, type }) {\n commit('setHighlight', { user, color, type })\n },\n setOption ({ commit, dispatch }, { name, value }) {\n commit('setOption', { name, value })\n switch (name) {\n case 'theme':\n setPreset(value)\n break\n case 'customTheme':\n case 'customThemeSource':\n applyTheme(value)\n break\n case 'interfaceLanguage':\n messages.setLanguage(this.getters.i18n, value)\n break\n }\n }\n }\n}\n\nexport default config\n","import { filter } from 'lodash'\n\nexport const muteWordHits = (status, muteWords) => {\n const statusText = status.text.toLowerCase()\n const statusSummary = status.summary.toLowerCase()\n const hits = filter(muteWords, (muteWord) => {\n return statusText.includes(muteWord.toLowerCase()) || statusSummary.includes(muteWord.toLowerCase())\n })\n\n return hits\n}\n","export const showDesktopNotification = (rootState, desktopNotificationOpts) => {\n if (!('Notification' in window && window.Notification.permission === 'granted')) return\n if (rootState.statuses.notifications.desktopNotificationSilence) { return }\n\n const desktopNotification = new window.Notification(desktopNotificationOpts.title, desktopNotificationOpts)\n // Chrome is known for not closing notifications automatically\n // according to MDN, anyway.\n setTimeout(desktopNotification.close.bind(desktopNotification), 5000)\n}\n","export const findOffset = (child, parent, { top = 0, left = 0 } = {}, ignorePadding = true) => {\n const result = {\n top: top + child.offsetTop,\n left: left + child.offsetLeft\n }\n if (!ignorePadding && child !== window) {\n const { topPadding, leftPadding } = findPadding(child)\n result.top += ignorePadding ? 0 : topPadding\n result.left += ignorePadding ? 0 : leftPadding\n }\n\n if (child.offsetParent && (parent === window || parent.contains(child.offsetParent) || parent === child.offsetParent)) {\n return findOffset(child.offsetParent, parent, result, false)\n } else {\n if (parent !== window) {\n const { topPadding, leftPadding } = findPadding(parent)\n result.top += topPadding\n result.left += leftPadding\n }\n return result\n }\n}\n\nconst findPadding = (el) => {\n const topPaddingStr = window.getComputedStyle(el)['padding-top']\n const topPadding = Number(topPaddingStr.substring(0, topPaddingStr.length - 2))\n const leftPaddingStr = window.getComputedStyle(el)['padding-left']\n const leftPadding = Number(leftPaddingStr.substring(0, leftPaddingStr.length - 2))\n\n return { topPadding, leftPadding }\n}\n","const fetchRelationship = (attempt, userId, store) => new Promise((resolve, reject) => {\n setTimeout(() => {\n store.state.api.backendInteractor.fetchUserRelationship({ id: userId })\n .then((relationship) => {\n store.commit('updateUserRelationship', [relationship])\n return relationship\n })\n .then((relationship) => resolve([relationship.following, relationship.requested, relationship.locked, attempt]))\n .catch((e) => reject(e))\n }, 500)\n}).then(([following, sent, locked, attempt]) => {\n if (!following && !(locked && sent) && attempt <= 3) {\n // If we BE reports that we still not following that user - retry,\n // increment attempts by one\n fetchRelationship(++attempt, userId, store)\n }\n})\n\nexport const requestFollow = (userId, store) => new Promise((resolve, reject) => {\n store.state.api.backendInteractor.followUser({ id: userId })\n .then((updated) => {\n store.commit('updateUserRelationship', [updated])\n\n if (updated.following || (updated.locked && updated.requested)) {\n // If we get result immediately or the account is locked, just stop.\n resolve()\n return\n }\n\n // But usually we don't get result immediately, so we ask server\n // for updated user profile to confirm if we are following them\n // Sometimes it takes several tries. Sometimes we end up not following\n // user anyway, probably because they locked themselves and we\n // don't know that yet.\n // Recursive Promise, it will call itself up to 3 times.\n\n return fetchRelationship(1, updated, store)\n .then(() => {\n resolve()\n })\n })\n})\n\nexport const requestUnfollow = (userId, store) => new Promise((resolve, reject) => {\n store.state.api.backendInteractor.unfollowUser({ id: userId })\n .then((updated) => {\n store.commit('updateUserRelationship', [updated])\n resolve({\n updated\n })\n })\n})\n","import { requestFollow, requestUnfollow } from '../../services/follow_manipulate/follow_manipulate'\nexport default {\n props: ['relationship', 'labelFollowing', 'buttonClass'],\n data () {\n return {\n inProgress: false\n }\n },\n computed: {\n isPressed () {\n return this.inProgress || this.relationship.following\n },\n title () {\n if (this.inProgress || this.relationship.following) {\n return this.$t('user_card.follow_unfollow')\n } else if (this.relationship.requested) {\n return this.$t('user_card.follow_again')\n } else {\n return this.$t('user_card.follow')\n }\n },\n label () {\n if (this.inProgress) {\n return this.$t('user_card.follow_progress')\n } else if (this.relationship.following) {\n return this.labelFollowing || this.$t('user_card.following')\n } else if (this.relationship.requested) {\n return this.$t('user_card.follow_sent')\n } else {\n return this.$t('user_card.follow')\n }\n }\n },\n methods: {\n onClick () {\n this.relationship.following ? this.unfollow() : this.follow()\n },\n follow () {\n this.inProgress = true\n requestFollow(this.relationship.id, this.$store).then(() => {\n this.inProgress = false\n })\n },\n unfollow () {\n const store = this.$store\n this.inProgress = true\n requestUnfollow(this.relationship.id, store).then(() => {\n this.inProgress = false\n store.commit('removeStatus', { timeline: 'friends', userId: this.relationship.id })\n })\n }\n }\n}\n","/* script */\nexport * from \"!!babel-loader!./follow_button.js\"\nimport __vue_script__ from \"!!babel-loader!./follow_button.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-fae84d0a\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./follow_button.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('button',{staticClass:\"btn btn-default follow-button\",class:{ toggled: _vm.isPressed },attrs:{\"disabled\":_vm.inProgress,\"title\":_vm.title},on:{\"click\":_vm.onClick}},[_vm._v(\"\\n \"+_vm._s(_vm.label)+\"\\n\")])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","\nconst VideoAttachment = {\n props: ['attachment', 'controls'],\n data () {\n return {\n loopVideo: this.$store.getters.mergedConfig.loopVideo\n }\n },\n methods: {\n onVideoDataLoad (e) {\n const target = e.srcElement || e.target\n if (typeof target.webkitAudioDecodedByteCount !== 'undefined') {\n // non-zero if video has audio track\n if (target.webkitAudioDecodedByteCount > 0) {\n this.loopVideo = this.loopVideo && !this.$store.getters.mergedConfig.loopVideoSilentOnly\n }\n } else if (typeof target.mozHasAudio !== 'undefined') {\n // true if video has audio track\n if (target.mozHasAudio) {\n this.loopVideo = this.loopVideo && !this.$store.getters.mergedConfig.loopVideoSilentOnly\n }\n } else if (typeof target.audioTracks !== 'undefined') {\n if (target.audioTracks.length > 0) {\n this.loopVideo = this.loopVideo && !this.$store.getters.mergedConfig.loopVideoSilentOnly\n }\n }\n }\n }\n}\n\nexport default VideoAttachment\n","/* script */\nexport * from \"!!babel-loader!./video_attachment.js\"\nimport __vue_script__ from \"!!babel-loader!./video_attachment.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-45029e08\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./video_attachment.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('video',{staticClass:\"video\",attrs:{\"src\":_vm.attachment.url,\"loop\":_vm.loopVideo,\"controls\":_vm.controls,\"alt\":_vm.attachment.description,\"title\":_vm.attachment.description,\"playsinline\":\"\"},on:{\"loadeddata\":_vm.onVideoDataLoad}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Attachment from '../attachment/attachment.vue'\nimport { chunk, last, dropRight, sumBy } from 'lodash'\n\nconst Gallery = {\n props: [\n 'attachments',\n 'nsfw',\n 'setMedia'\n ],\n data () {\n return {\n sizes: {}\n }\n },\n components: { Attachment },\n computed: {\n rows () {\n if (!this.attachments) {\n return []\n }\n const rows = chunk(this.attachments, 3)\n if (last(rows).length === 1 && rows.length > 1) {\n // if 1 attachment on last row -> add it to the previous row instead\n const lastAttachment = last(rows)[0]\n const allButLastRow = dropRight(rows)\n last(allButLastRow).push(lastAttachment)\n return allButLastRow\n }\n return rows\n },\n useContainFit () {\n return this.$store.getters.mergedConfig.useContainFit\n }\n },\n methods: {\n onNaturalSizeLoad (id, size) {\n this.$set(this.sizes, id, size)\n },\n rowStyle (itemsPerRow) {\n return { 'padding-bottom': `${(100 / (itemsPerRow + 0.6))}%` }\n },\n itemStyle (id, row) {\n const total = sumBy(row, item => this.getAspectRatio(item.id))\n return { flex: `${this.getAspectRatio(id) / total} 1 0%` }\n },\n getAspectRatio (id) {\n const size = this.sizes[id]\n return size ? size.width / size.height : 1\n }\n }\n}\n\nexport default Gallery\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./gallery.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./gallery.js\"\nimport __vue_script__ from \"!!babel-loader!./gallery.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3db94942\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./gallery.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{ref:\"galleryContainer\",staticStyle:{\"width\":\"100%\"}},_vm._l((_vm.rows),function(row,index){return _c('div',{key:index,staticClass:\"gallery-row\",class:{ 'contain-fit': _vm.useContainFit, 'cover-fit': !_vm.useContainFit },style:(_vm.rowStyle(row.length))},[_c('div',{staticClass:\"gallery-row-inner\"},_vm._l((row),function(attachment){return _c('attachment',{key:attachment.id,style:(_vm.itemStyle(attachment.id, row)),attrs:{\"set-media\":_vm.setMedia,\"nsfw\":_vm.nsfw,\"attachment\":attachment,\"allow-play\":false,\"natural-size-load\":_vm.onNaturalSizeLoad.bind(null, attachment.id)}})}),1)])}),0)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const LinkPreview = {\n name: 'LinkPreview',\n props: [\n 'card',\n 'size',\n 'nsfw'\n ],\n data () {\n return {\n imageLoaded: false\n }\n },\n computed: {\n useImage () {\n // Currently BE shoudn't give cards if tagged NSFW, this is a bit paranoid\n // as it makes sure to hide the image if somehow NSFW tagged preview can\n // exist.\n return this.card.image && !this.nsfw && this.size !== 'hide'\n },\n useDescription () {\n return this.card.description && /\\S/.test(this.card.description)\n }\n },\n created () {\n if (this.useImage) {\n const newImg = new Image()\n newImg.onload = () => {\n this.imageLoaded = true\n }\n newImg.src = this.card.image\n }\n }\n}\n\nexport default LinkPreview\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./link-preview.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./link-preview.js\"\nimport __vue_script__ from \"!!babel-loader!./link-preview.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-7c8d99ac\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./link-preview.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('a',{staticClass:\"link-preview-card\",attrs:{\"href\":_vm.card.url,\"target\":\"_blank\",\"rel\":\"noopener\"}},[(_vm.useImage && _vm.imageLoaded)?_c('div',{staticClass:\"card-image\",class:{ 'small-image': _vm.size === 'small' }},[_c('img',{attrs:{\"src\":_vm.card.image}})]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"card-content\"},[_c('span',{staticClass:\"card-host faint\"},[_vm._v(_vm._s(_vm.card.provider_name))]),_vm._v(\" \"),_c('h4',{staticClass:\"card-title\"},[_vm._v(_vm._s(_vm.card.title))]),_vm._v(\" \"),(_vm.useDescription)?_c('p',{staticClass:\"card-description\"},[_vm._v(_vm._s(_vm.card.description))]):_vm._e()])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","export default {\n props: [ 'user' ],\n computed: {\n subscribeUrl () {\n // eslint-disable-next-line no-undef\n const serverUrl = new URL(this.user.statusnet_profile_url)\n return `${serverUrl.protocol}//${serverUrl.host}/main/ostatus`\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./remote_follow.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./remote_follow.js\"\nimport __vue_script__ from \"!!babel-loader!./remote_follow.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-e95e446e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./remote_follow.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"remote-follow\"},[_c('form',{attrs:{\"method\":\"POST\",\"action\":_vm.subscribeUrl}},[_c('input',{attrs:{\"type\":\"hidden\",\"name\":\"nickname\"},domProps:{\"value\":_vm.user.screen_name}}),_vm._v(\" \"),_c('input',{attrs:{\"type\":\"hidden\",\"name\":\"profile\",\"value\":\"\"}}),_vm._v(\" \"),_c('button',{staticClass:\"remote-button\",attrs:{\"click\":\"submit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.remote_follow'))+\"\\n \")])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import UserAvatar from '../user_avatar/user_avatar.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\n\nconst AvatarList = {\n props: ['users'],\n computed: {\n slicedUsers () {\n return this.users ? this.users.slice(0, 15) : []\n }\n },\n components: {\n UserAvatar\n },\n methods: {\n userProfileLink (user) {\n return generateProfileLink(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames)\n }\n }\n}\n\nexport default AvatarList\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./avatar_list.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./avatar_list.js\"\nimport __vue_script__ from \"!!babel-loader!./avatar_list.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4cea5bcf\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./avatar_list.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"avatars\"},_vm._l((_vm.slicedUsers),function(user){return _c('router-link',{key:user.id,staticClass:\"avatars-item\",attrs:{\"to\":_vm.userProfileLink(user)}},[_c('UserAvatar',{staticClass:\"avatar-small\",attrs:{\"user\":user}})],1)}),1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const fileSizeFormat = (num) => {\n var exponent\n var unit\n var units = ['B', 'KiB', 'MiB', 'GiB', 'TiB']\n if (num < 1) {\n return num + ' ' + units[0]\n }\n\n exponent = Math.min(Math.floor(Math.log(num) / Math.log(1024)), units.length - 1)\n num = (num / Math.pow(1024, exponent)).toFixed(2) * 1\n unit = units[exponent]\n return { num: num, unit: unit }\n}\nconst fileSizeFormatService = {\n fileSizeFormat\n}\nexport default fileSizeFormatService\n","import { debounce } from 'lodash'\n/**\n * suggest - generates a suggestor function to be used by emoji-input\n * data: object providing source information for specific types of suggestions:\n * data.emoji - optional, an array of all emoji available i.e.\n * (state.instance.emoji + state.instance.customEmoji)\n * data.users - optional, an array of all known users\n * updateUsersList - optional, a function to search and append to users\n *\n * Depending on data present one or both (or none) can be present, so if field\n * doesn't support user linking you can just provide only emoji.\n */\n\nconst debounceUserSearch = debounce((data, input) => {\n data.updateUsersList(input)\n}, 500)\n\nexport default data => input => {\n const firstChar = input[0]\n if (firstChar === ':' && data.emoji) {\n return suggestEmoji(data.emoji)(input)\n }\n if (firstChar === '@' && data.users) {\n return suggestUsers(data)(input)\n }\n return []\n}\n\nexport const suggestEmoji = emojis => input => {\n const noPrefix = input.toLowerCase().substr(1)\n return emojis\n .filter(({ displayText }) => displayText.toLowerCase().match(noPrefix))\n .sort((a, b) => {\n let aScore = 0\n let bScore = 0\n\n // An exact match always wins\n aScore += a.displayText.toLowerCase() === noPrefix ? 200 : 0\n bScore += b.displayText.toLowerCase() === noPrefix ? 200 : 0\n\n // Prioritize custom emoji a lot\n aScore += a.imageUrl ? 100 : 0\n bScore += b.imageUrl ? 100 : 0\n\n // Prioritize prefix matches somewhat\n aScore += a.displayText.toLowerCase().startsWith(noPrefix) ? 10 : 0\n bScore += b.displayText.toLowerCase().startsWith(noPrefix) ? 10 : 0\n\n // Sort by length\n aScore -= a.displayText.length\n bScore -= b.displayText.length\n\n // Break ties alphabetically\n const alphabetically = a.displayText > b.displayText ? 0.5 : -0.5\n\n return bScore - aScore + alphabetically\n })\n}\n\nexport const suggestUsers = data => input => {\n const noPrefix = input.toLowerCase().substr(1)\n const users = data.users\n\n const newUsers = users.filter(\n user =>\n user.screen_name.toLowerCase().startsWith(noPrefix) ||\n user.name.toLowerCase().startsWith(noPrefix)\n\n /* taking only 20 results so that sorting is a bit cheaper, we display\n * only 5 anyway. could be inaccurate, but we ideally we should query\n * backend anyway\n */\n ).slice(0, 20).sort((a, b) => {\n let aScore = 0\n let bScore = 0\n\n // Matches on screen name (i.e. user@instance) makes a priority\n aScore += a.screen_name.toLowerCase().startsWith(noPrefix) ? 2 : 0\n bScore += b.screen_name.toLowerCase().startsWith(noPrefix) ? 2 : 0\n\n // Matches on name takes second priority\n aScore += a.name.toLowerCase().startsWith(noPrefix) ? 1 : 0\n bScore += b.name.toLowerCase().startsWith(noPrefix) ? 1 : 0\n\n const diff = (bScore - aScore) * 10\n\n // Then sort alphabetically\n const nameAlphabetically = a.name > b.name ? 1 : -1\n const screenNameAlphabetically = a.screen_name > b.screen_name ? 1 : -1\n\n return diff + nameAlphabetically + screenNameAlphabetically\n /* eslint-disable camelcase */\n }).map(({ screen_name, name, profile_image_url_original }) => ({\n displayText: screen_name,\n detailText: name,\n imageUrl: profile_image_url_original,\n replacement: '@' + screen_name + ' '\n }))\n\n // BE search users to get more comprehensive results\n if (data.updateUsersList) {\n debounceUserSearch(data, noPrefix)\n }\n return newUsers\n /* eslint-enable camelcase */\n}\n","import Vue from 'vue'\nimport { mapState } from 'vuex'\n\nimport './tab_switcher.scss'\n\nexport default Vue.component('tab-switcher', {\n name: 'TabSwitcher',\n props: {\n renderOnlyFocused: {\n required: false,\n type: Boolean,\n default: false\n },\n onSwitch: {\n required: false,\n type: Function,\n default: undefined\n },\n activeTab: {\n required: false,\n type: String,\n default: undefined\n },\n scrollableTabs: {\n required: false,\n type: Boolean,\n default: false\n },\n sideTabBar: {\n required: false,\n type: Boolean,\n default: false\n }\n },\n data () {\n return {\n active: this.$slots.default.findIndex(_ => _.tag)\n }\n },\n computed: {\n activeIndex () {\n // In case of controlled component\n if (this.activeTab) {\n return this.$slots.default.findIndex(slot => this.activeTab === slot.key)\n } else {\n return this.active\n }\n },\n settingsModalVisible () {\n return this.settingsModalState === 'visible'\n },\n ...mapState({\n settingsModalState: state => state.interface.settingsModalState\n })\n },\n beforeUpdate () {\n const currentSlot = this.$slots.default[this.active]\n if (!currentSlot.tag) {\n this.active = this.$slots.default.findIndex(_ => _.tag)\n }\n },\n methods: {\n clickTab (index) {\n return (e) => {\n e.preventDefault()\n this.setTab(index)\n }\n },\n setTab (index) {\n if (typeof this.onSwitch === 'function') {\n this.onSwitch.call(null, this.$slots.default[index].key)\n }\n this.active = index\n if (this.scrollableTabs) {\n this.$refs.contents.scrollTop = 0\n }\n }\n },\n render (h) {\n const tabs = this.$slots.default\n .map((slot, index) => {\n if (!slot.tag) return\n const classesTab = ['tab']\n const classesWrapper = ['tab-wrapper']\n if (this.activeIndex === index) {\n classesTab.push('active')\n classesWrapper.push('active')\n }\n if (slot.data.attrs.image) {\n return (\n <div class={classesWrapper.join(' ')}>\n <button\n disabled={slot.data.attrs.disabled}\n onClick={this.clickTab(index)}\n class={classesTab.join(' ')}>\n <img src={slot.data.attrs.image} title={slot.data.attrs['image-tooltip']}/>\n {slot.data.attrs.label ? '' : slot.data.attrs.label}\n </button>\n </div>\n )\n }\n return (\n <div class={classesWrapper.join(' ')}>\n <button\n disabled={slot.data.attrs.disabled}\n onClick={this.clickTab(index)}\n class={classesTab.join(' ')}\n type=\"button\"\n >\n {!slot.data.attrs.icon ? '' : (<i class={'tab-icon icon-' + slot.data.attrs.icon}/>)}\n <span class=\"text\">\n {slot.data.attrs.label}\n </span>\n </button>\n </div>\n )\n })\n\n const contents = this.$slots.default.map((slot, index) => {\n if (!slot.tag) return\n const active = this.activeIndex === index\n const classes = [ active ? 'active' : 'hidden' ]\n if (slot.data.attrs.fullHeight) {\n classes.push('full-height')\n }\n const renderSlot = (!this.renderOnlyFocused || active)\n ? slot\n : ''\n\n return (\n <div class={classes}>\n {\n this.sideTabBar\n ? <h1 class=\"mobile-label\">{slot.data.attrs.label}</h1>\n : ''\n }\n {renderSlot}\n </div>\n )\n })\n\n return (\n <div class={'tab-switcher ' + (this.sideTabBar ? 'side-tabs' : 'top-tabs')}>\n <div class=\"tabs\">\n {tabs}\n </div>\n <div ref=\"contents\" class={'contents' + (this.scrollableTabs ? ' scrollable-tabs' : '')} v-body-scroll-lock={this.settingsModalVisible}>\n {contents}\n </div>\n </div>\n )\n }\n})\n","import isFunction from 'lodash/isFunction'\n\nconst getComponentOptions = (Component) => (isFunction(Component)) ? Component.options : Component\n\nconst getComponentProps = (Component) => getComponentOptions(Component).props\n\nexport {\n getComponentOptions,\n getComponentProps\n}\n","import { reduce, find } from 'lodash'\n\nexport const replaceWord = (str, toReplace, replacement) => {\n return str.slice(0, toReplace.start) + replacement + str.slice(toReplace.end)\n}\n\nexport const wordAtPosition = (str, pos) => {\n const words = splitByWhitespaceBoundary(str)\n const wordsWithPosition = addPositionToWords(words)\n\n return find(wordsWithPosition, ({ start, end }) => start <= pos && end > pos)\n}\n\nexport const addPositionToWords = (words) => {\n return reduce(words, (result, word) => {\n const data = {\n word,\n start: 0,\n end: word.length\n }\n\n if (result.length > 0) {\n const previous = result.pop()\n\n data.start += previous.end\n data.end += previous.end\n\n result.push(previous)\n }\n\n result.push(data)\n\n return result\n }, [])\n}\n\nexport const splitByWhitespaceBoundary = (str) => {\n let result = []\n let currentWord = ''\n for (let i = 0; i < str.length; i++) {\n const currentChar = str[i]\n // Starting a new word\n if (!currentWord) {\n currentWord = currentChar\n continue\n }\n // current character is whitespace while word isn't, or vice versa:\n // add our current word to results, start over the current word.\n if (!!currentChar.trim() !== !!currentWord.trim()) {\n result.push(currentWord)\n currentWord = currentChar\n continue\n }\n currentWord += currentChar\n }\n // Add the last word we were working on\n if (currentWord) {\n result.push(currentWord)\n }\n return result\n}\n\nconst completion = {\n wordAtPosition,\n addPositionToWords,\n splitByWhitespaceBoundary,\n replaceWord\n}\n\nexport default completion\n","import Checkbox from '../checkbox/checkbox.vue'\n\n// At widest, approximately 20 emoji are visible in a row,\n// loading 3 rows, could be overkill for narrow picker\nconst LOAD_EMOJI_BY = 60\n\n// When to start loading new batch emoji, in pixels\nconst LOAD_EMOJI_MARGIN = 64\n\nconst filterByKeyword = (list, keyword = '') => {\n return list.filter(x => x.displayText.includes(keyword))\n}\n\nconst EmojiPicker = {\n props: {\n enableStickerPicker: {\n required: false,\n type: Boolean,\n default: false\n }\n },\n data () {\n return {\n keyword: '',\n activeGroup: 'custom',\n showingStickers: false,\n groupsScrolledClass: 'scrolled-top',\n keepOpen: false,\n customEmojiBufferSlice: LOAD_EMOJI_BY,\n customEmojiTimeout: null,\n customEmojiLoadAllConfirmed: false\n }\n },\n components: {\n StickerPicker: () => import('../sticker_picker/sticker_picker.vue'),\n Checkbox\n },\n methods: {\n onStickerUploaded (e) {\n this.$emit('sticker-uploaded', e)\n },\n onStickerUploadFailed (e) {\n this.$emit('sticker-upload-failed', e)\n },\n onEmoji (emoji) {\n const value = emoji.imageUrl ? `:${emoji.displayText}:` : emoji.replacement\n this.$emit('emoji', { insertion: value, keepOpen: this.keepOpen })\n },\n onScroll (e) {\n const target = (e && e.target) || this.$refs['emoji-groups']\n this.updateScrolledClass(target)\n this.scrolledGroup(target)\n this.triggerLoadMore(target)\n },\n highlight (key) {\n const ref = this.$refs['group-' + key]\n const top = ref[0].offsetTop\n this.setShowStickers(false)\n this.activeGroup = key\n this.$nextTick(() => {\n this.$refs['emoji-groups'].scrollTop = top + 1\n })\n },\n updateScrolledClass (target) {\n if (target.scrollTop <= 5) {\n this.groupsScrolledClass = 'scrolled-top'\n } else if (target.scrollTop >= target.scrollTopMax - 5) {\n this.groupsScrolledClass = 'scrolled-bottom'\n } else {\n this.groupsScrolledClass = 'scrolled-middle'\n }\n },\n triggerLoadMore (target) {\n const ref = this.$refs['group-end-custom'][0]\n if (!ref) return\n const bottom = ref.offsetTop + ref.offsetHeight\n\n const scrollerBottom = target.scrollTop + target.clientHeight\n const scrollerTop = target.scrollTop\n const scrollerMax = target.scrollHeight\n\n // Loads more emoji when they come into view\n const approachingBottom = bottom - scrollerBottom < LOAD_EMOJI_MARGIN\n // Always load when at the very top in case there's no scroll space yet\n const atTop = scrollerTop < 5\n // Don't load when looking at unicode category or at the very bottom\n const bottomAboveViewport = bottom < scrollerTop || scrollerBottom === scrollerMax\n if (!bottomAboveViewport && (approachingBottom || atTop)) {\n this.loadEmoji()\n }\n },\n scrolledGroup (target) {\n const top = target.scrollTop + 5\n this.$nextTick(() => {\n this.emojisView.forEach(group => {\n const ref = this.$refs['group-' + group.id]\n if (ref[0].offsetTop <= top) {\n this.activeGroup = group.id\n }\n })\n })\n },\n loadEmoji () {\n const allLoaded = this.customEmojiBuffer.length === this.filteredEmoji.length\n\n if (allLoaded) {\n return\n }\n\n this.customEmojiBufferSlice += LOAD_EMOJI_BY\n },\n startEmojiLoad (forceUpdate = false) {\n if (!forceUpdate) {\n this.keyword = ''\n }\n this.$nextTick(() => {\n this.$refs['emoji-groups'].scrollTop = 0\n })\n const bufferSize = this.customEmojiBuffer.length\n const bufferPrefilledAll = bufferSize === this.filteredEmoji.length\n if (bufferPrefilledAll && !forceUpdate) {\n return\n }\n this.customEmojiBufferSlice = LOAD_EMOJI_BY\n },\n toggleStickers () {\n this.showingStickers = !this.showingStickers\n },\n setShowStickers (value) {\n this.showingStickers = value\n }\n },\n watch: {\n keyword () {\n this.customEmojiLoadAllConfirmed = false\n this.onScroll()\n this.startEmojiLoad(true)\n }\n },\n computed: {\n activeGroupView () {\n return this.showingStickers ? '' : this.activeGroup\n },\n stickersAvailable () {\n if (this.$store.state.instance.stickers) {\n return this.$store.state.instance.stickers.length > 0\n }\n return 0\n },\n filteredEmoji () {\n return filterByKeyword(\n this.$store.state.instance.customEmoji || [],\n this.keyword\n )\n },\n customEmojiBuffer () {\n return this.filteredEmoji.slice(0, this.customEmojiBufferSlice)\n },\n emojis () {\n const standardEmojis = this.$store.state.instance.emoji || []\n const customEmojis = this.customEmojiBuffer\n\n return [\n {\n id: 'custom',\n text: this.$t('emoji.custom'),\n icon: 'icon-smile',\n emojis: customEmojis\n },\n {\n id: 'standard',\n text: this.$t('emoji.unicode'),\n icon: 'icon-picture',\n emojis: filterByKeyword(standardEmojis, this.keyword)\n }\n ]\n },\n emojisView () {\n return this.emojis.filter(value => value.emojis.length > 0)\n },\n stickerPickerEnabled () {\n return (this.$store.state.instance.stickers || []).length !== 0\n }\n }\n}\n\nexport default EmojiPicker\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./emoji_picker.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./emoji_picker.js\"\nimport __vue_script__ from \"!!babel-loader!./emoji_picker.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-47d21b3b\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./emoji_picker.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"emoji-picker panel panel-default panel-body\"},[_c('div',{staticClass:\"heading\"},[_c('span',{staticClass:\"emoji-tabs\"},_vm._l((_vm.emojis),function(group){return _c('span',{key:group.id,staticClass:\"emoji-tabs-item\",class:{\n active: _vm.activeGroupView === group.id,\n disabled: group.emojis.length === 0\n },attrs:{\"title\":group.text},on:{\"click\":function($event){$event.preventDefault();return _vm.highlight(group.id)}}},[_c('i',{class:group.icon})])}),0),_vm._v(\" \"),(_vm.stickerPickerEnabled)?_c('span',{staticClass:\"additional-tabs\"},[_c('span',{staticClass:\"stickers-tab-icon additional-tabs-item\",class:{active: _vm.showingStickers},attrs:{\"title\":_vm.$t('emoji.stickers')},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleStickers($event)}}},[_c('i',{staticClass:\"icon-star\"})])]):_vm._e()]),_vm._v(\" \"),_c('div',{staticClass:\"content\"},[_c('div',{staticClass:\"emoji-content\",class:{hidden: _vm.showingStickers}},[_c('div',{staticClass:\"emoji-search\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.keyword),expression:\"keyword\"}],staticClass:\"form-control\",attrs:{\"type\":\"text\",\"placeholder\":_vm.$t('emoji.search_emoji')},domProps:{\"value\":(_vm.keyword)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.keyword=$event.target.value}}})]),_vm._v(\" \"),_c('div',{ref:\"emoji-groups\",staticClass:\"emoji-groups\",class:_vm.groupsScrolledClass,on:{\"scroll\":_vm.onScroll}},_vm._l((_vm.emojisView),function(group){return _c('div',{key:group.id,staticClass:\"emoji-group\"},[_c('h6',{ref:'group-' + group.id,refInFor:true,staticClass:\"emoji-group-title\"},[_vm._v(\"\\n \"+_vm._s(group.text)+\"\\n \")]),_vm._v(\" \"),_vm._l((group.emojis),function(emoji){return _c('span',{key:group.id + emoji.displayText,staticClass:\"emoji-item\",attrs:{\"title\":emoji.displayText},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.onEmoji(emoji)}}},[(!emoji.imageUrl)?_c('span',[_vm._v(_vm._s(emoji.replacement))]):_c('img',{attrs:{\"src\":emoji.imageUrl}})])}),_vm._v(\" \"),_c('span',{ref:'group-end-' + group.id,refInFor:true})],2)}),0),_vm._v(\" \"),_c('div',{staticClass:\"keep-open\"},[_c('Checkbox',{model:{value:(_vm.keepOpen),callback:function ($$v) {_vm.keepOpen=$$v},expression:\"keepOpen\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('emoji.keep_open'))+\"\\n \")])],1)]),_vm._v(\" \"),(_vm.showingStickers)?_c('div',{staticClass:\"stickers-content\"},[_c('sticker-picker',{on:{\"uploaded\":_vm.onStickerUploaded,\"upload-failed\":_vm.onStickerUploadFailed}})],1):_vm._e()])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Completion from '../../services/completion/completion.js'\nimport EmojiPicker from '../emoji_picker/emoji_picker.vue'\nimport { take } from 'lodash'\nimport { findOffset } from '../../services/offset_finder/offset_finder.service.js'\n\n/**\n * EmojiInput - augmented inputs for emoji and autocomplete support in inputs\n * without having to give up the comfort of <input/> and <textarea/> elements\n *\n * Intended usage is:\n * <EmojiInput v-model=\"something\">\n * <input v-model=\"something\"/>\n * </EmojiInput>\n *\n * Works only with <input> and <textarea>. Intended to use with only one nested\n * input. It will find first input or textarea and work with that, multiple\n * nested children not tested. You HAVE TO duplicate v-model for both\n * <emoji-input> and <input>/<textarea> otherwise it will not work.\n *\n * Be prepared for CSS troubles though because it still wraps component in a div\n * while TRYING to make it look like nothing happened, but it could break stuff.\n */\n\nconst EmojiInput = {\n props: {\n suggest: {\n /**\n * suggest: function (input: String) => Suggestion[]\n *\n * Function that takes input string which takes string (textAtCaret)\n * and returns an array of Suggestions\n *\n * Suggestion is an object containing following properties:\n * displayText: string. Main display text, what actual suggestion\n * represents (user's screen name/emoji shortcode)\n * replacement: string. Text that should replace the textAtCaret\n * detailText: string, optional. Subtitle text, providing additional info\n * if present (user's nickname)\n * imageUrl: string, optional. Image to display alongside with suggestion,\n * currently if no image is provided, replacement will be used (for\n * unicode emojis)\n *\n * TODO: make it asynchronous when adding proper server-provided user\n * suggestions\n *\n * For commonly used suggestors (emoji, users, both) use suggestor.js\n */\n required: true,\n type: Function\n },\n value: {\n /**\n * Used for v-model\n */\n required: true,\n type: String\n },\n enableEmojiPicker: {\n /**\n * Enables emoji picker support, this implies that custom emoji are supported\n */\n required: false,\n type: Boolean,\n default: false\n },\n hideEmojiButton: {\n /**\n * intended to use with external picker trigger, i.e. you have a button outside\n * input that will open up the picker, see triggerShowPicker()\n */\n required: false,\n type: Boolean,\n default: false\n },\n enableStickerPicker: {\n /**\n * Enables sticker picker support, only makes sense when enableEmojiPicker=true\n */\n required: false,\n type: Boolean,\n default: false\n },\n placement: {\n /**\n * Forces the panel to take a specific position relative to the input element.\n * The 'auto' placement chooses either bottom or top depending on which has the available space (when both have available space, bottom is preferred).\n */\n required: false,\n type: String, // 'auto', 'top', 'bottom'\n default: 'auto'\n },\n newlineOnCtrlEnter: {\n required: false,\n type: Boolean,\n default: false\n }\n },\n data () {\n return {\n input: undefined,\n highlighted: 0,\n caret: 0,\n focused: false,\n blurTimeout: null,\n showPicker: false,\n temporarilyHideSuggestions: false,\n keepOpen: false,\n disableClickOutside: false\n }\n },\n components: {\n EmojiPicker\n },\n computed: {\n padEmoji () {\n return this.$store.getters.mergedConfig.padEmoji\n },\n suggestions () {\n const firstchar = this.textAtCaret.charAt(0)\n if (this.textAtCaret === firstchar) { return [] }\n const matchedSuggestions = this.suggest(this.textAtCaret)\n if (matchedSuggestions.length <= 0) {\n return []\n }\n return take(matchedSuggestions, 5)\n .map(({ imageUrl, ...rest }, index) => ({\n ...rest,\n // eslint-disable-next-line camelcase\n img: imageUrl || '',\n highlighted: index === this.highlighted\n }))\n },\n showSuggestions () {\n return this.focused &&\n this.suggestions &&\n this.suggestions.length > 0 &&\n !this.showPicker &&\n !this.temporarilyHideSuggestions\n },\n textAtCaret () {\n return (this.wordAtCaret || {}).word || ''\n },\n wordAtCaret () {\n if (this.value && this.caret) {\n const word = Completion.wordAtPosition(this.value, this.caret - 1) || {}\n return word\n }\n }\n },\n mounted () {\n const slots = this.$slots.default\n if (!slots || slots.length === 0) return\n const input = slots.find(slot => ['input', 'textarea'].includes(slot.tag))\n if (!input) return\n this.input = input\n this.resize()\n input.elm.addEventListener('blur', this.onBlur)\n input.elm.addEventListener('focus', this.onFocus)\n input.elm.addEventListener('paste', this.onPaste)\n input.elm.addEventListener('keyup', this.onKeyUp)\n input.elm.addEventListener('keydown', this.onKeyDown)\n input.elm.addEventListener('click', this.onClickInput)\n input.elm.addEventListener('transitionend', this.onTransition)\n input.elm.addEventListener('input', this.onInput)\n },\n unmounted () {\n const { input } = this\n if (input) {\n input.elm.removeEventListener('blur', this.onBlur)\n input.elm.removeEventListener('focus', this.onFocus)\n input.elm.removeEventListener('paste', this.onPaste)\n input.elm.removeEventListener('keyup', this.onKeyUp)\n input.elm.removeEventListener('keydown', this.onKeyDown)\n input.elm.removeEventListener('click', this.onClickInput)\n input.elm.removeEventListener('transitionend', this.onTransition)\n input.elm.removeEventListener('input', this.onInput)\n }\n },\n watch: {\n showSuggestions: function (newValue) {\n this.$emit('shown', newValue)\n }\n },\n methods: {\n triggerShowPicker () {\n this.showPicker = true\n this.$refs.picker.startEmojiLoad()\n this.$nextTick(() => {\n this.scrollIntoView()\n })\n // This temporarily disables \"click outside\" handler\n // since external trigger also means click originates\n // from outside, thus preventing picker from opening\n this.disableClickOutside = true\n setTimeout(() => {\n this.disableClickOutside = false\n }, 0)\n },\n togglePicker () {\n this.input.elm.focus()\n this.showPicker = !this.showPicker\n if (this.showPicker) {\n this.scrollIntoView()\n this.$refs.picker.startEmojiLoad()\n }\n },\n replace (replacement) {\n const newValue = Completion.replaceWord(this.value, this.wordAtCaret, replacement)\n this.$emit('input', newValue)\n this.caret = 0\n },\n insert ({ insertion, keepOpen, surroundingSpace = true }) {\n const before = this.value.substring(0, this.caret) || ''\n const after = this.value.substring(this.caret) || ''\n\n /* Using a bit more smart approach to padding emojis with spaces:\n * - put a space before cursor if there isn't one already, unless we\n * are at the beginning of post or in spam mode\n * - put a space after emoji if there isn't one already unless we are\n * in spam mode\n *\n * The idea is that when you put a cursor somewhere in between sentence\n * inserting just ' :emoji: ' will add more spaces to post which might\n * break the flow/spacing, as well as the case where user ends sentence\n * with a space before adding emoji.\n *\n * Spam mode is intended for creating multi-part emojis and overall spamming\n * them, masto seem to be rendering :emoji::emoji: correctly now so why not\n */\n const isSpaceRegex = /\\s/\n const spaceBefore = (surroundingSpace && !isSpaceRegex.exec(before.slice(-1)) && before.length && this.padEmoji > 0) ? ' ' : ''\n const spaceAfter = (surroundingSpace && !isSpaceRegex.exec(after[0]) && this.padEmoji) ? ' ' : ''\n\n const newValue = [\n before,\n spaceBefore,\n insertion,\n spaceAfter,\n after\n ].join('')\n this.keepOpen = keepOpen\n this.$emit('input', newValue)\n const position = this.caret + (insertion + spaceAfter + spaceBefore).length\n if (!keepOpen) {\n this.input.elm.focus()\n }\n\n this.$nextTick(function () {\n // Re-focus inputbox after clicking suggestion\n // Set selection right after the replacement instead of the very end\n this.input.elm.setSelectionRange(position, position)\n this.caret = position\n })\n },\n replaceText (e, suggestion) {\n const len = this.suggestions.length || 0\n if (this.textAtCaret.length === 1) { return }\n if (len > 0 || suggestion) {\n const chosenSuggestion = suggestion || this.suggestions[this.highlighted]\n const replacement = chosenSuggestion.replacement\n const newValue = Completion.replaceWord(this.value, this.wordAtCaret, replacement)\n this.$emit('input', newValue)\n this.highlighted = 0\n const position = this.wordAtCaret.start + replacement.length\n\n this.$nextTick(function () {\n // Re-focus inputbox after clicking suggestion\n this.input.elm.focus()\n // Set selection right after the replacement instead of the very end\n this.input.elm.setSelectionRange(position, position)\n this.caret = position\n })\n e.preventDefault()\n }\n },\n cycleBackward (e) {\n const len = this.suggestions.length || 0\n if (len > 1) {\n this.highlighted -= 1\n if (this.highlighted < 0) {\n this.highlighted = this.suggestions.length - 1\n }\n e.preventDefault()\n } else {\n this.highlighted = 0\n }\n },\n cycleForward (e) {\n const len = this.suggestions.length || 0\n if (len > 1) {\n this.highlighted += 1\n if (this.highlighted >= len) {\n this.highlighted = 0\n }\n e.preventDefault()\n } else {\n this.highlighted = 0\n }\n },\n scrollIntoView () {\n const rootRef = this.$refs['picker'].$el\n /* Scroller is either `window` (replies in TL), sidebar (main post form,\n * replies in notifs) or mobile post form. Note that getting and setting\n * scroll is different for `Window` and `Element`s\n */\n const scrollerRef = this.$el.closest('.sidebar-scroller') ||\n this.$el.closest('.post-form-modal-view') ||\n window\n const currentScroll = scrollerRef === window\n ? scrollerRef.scrollY\n : scrollerRef.scrollTop\n const scrollerHeight = scrollerRef === window\n ? scrollerRef.innerHeight\n : scrollerRef.offsetHeight\n\n const scrollerBottomBorder = currentScroll + scrollerHeight\n // We check where the bottom border of root element is, this uses findOffset\n // to find offset relative to scrollable container (scroller)\n const rootBottomBorder = rootRef.offsetHeight + findOffset(rootRef, scrollerRef).top\n\n const bottomDelta = Math.max(0, rootBottomBorder - scrollerBottomBorder)\n // could also check top delta but there's no case for it\n const targetScroll = currentScroll + bottomDelta\n\n if (scrollerRef === window) {\n scrollerRef.scroll(0, targetScroll)\n } else {\n scrollerRef.scrollTop = targetScroll\n }\n\n this.$nextTick(() => {\n const { offsetHeight } = this.input.elm\n const { picker } = this.$refs\n const pickerBottom = picker.$el.getBoundingClientRect().bottom\n if (pickerBottom > window.innerHeight) {\n picker.$el.style.top = 'auto'\n picker.$el.style.bottom = offsetHeight + 'px'\n }\n })\n },\n onTransition (e) {\n this.resize()\n },\n onBlur (e) {\n // Clicking on any suggestion removes focus from autocomplete,\n // preventing click handler ever executing.\n this.blurTimeout = setTimeout(() => {\n this.focused = false\n this.setCaret(e)\n this.resize()\n }, 200)\n },\n onClick (e, suggestion) {\n this.replaceText(e, suggestion)\n },\n onFocus (e) {\n if (this.blurTimeout) {\n clearTimeout(this.blurTimeout)\n this.blurTimeout = null\n }\n\n if (!this.keepOpen) {\n this.showPicker = false\n }\n this.focused = true\n this.setCaret(e)\n this.resize()\n this.temporarilyHideSuggestions = false\n },\n onKeyUp (e) {\n const { key } = e\n this.setCaret(e)\n this.resize()\n\n // Setting hider in keyUp to prevent suggestions from blinking\n // when moving away from suggested spot\n if (key === 'Escape') {\n this.temporarilyHideSuggestions = true\n } else {\n this.temporarilyHideSuggestions = false\n }\n },\n onPaste (e) {\n this.setCaret(e)\n this.resize()\n },\n onKeyDown (e) {\n const { ctrlKey, shiftKey, key } = e\n if (this.newlineOnCtrlEnter && ctrlKey && key === 'Enter') {\n this.insert({ insertion: '\\n', surroundingSpace: false })\n // Ensure only one new line is added on macos\n e.stopPropagation()\n e.preventDefault()\n\n // Scroll the input element to the position of the cursor\n this.$nextTick(() => {\n this.input.elm.blur()\n this.input.elm.focus()\n })\n }\n // Disable suggestions hotkeys if suggestions are hidden\n if (!this.temporarilyHideSuggestions) {\n if (key === 'Tab') {\n if (shiftKey) {\n this.cycleBackward(e)\n } else {\n this.cycleForward(e)\n }\n }\n if (key === 'ArrowUp') {\n this.cycleBackward(e)\n } else if (key === 'ArrowDown') {\n this.cycleForward(e)\n }\n if (key === 'Enter') {\n if (!ctrlKey) {\n this.replaceText(e)\n }\n }\n }\n // Probably add optional keyboard controls for emoji picker?\n\n // Escape hides suggestions, if suggestions are hidden it\n // de-focuses the element (i.e. default browser behavior)\n if (key === 'Escape') {\n if (!this.temporarilyHideSuggestions) {\n this.input.elm.focus()\n }\n }\n\n this.showPicker = false\n this.resize()\n },\n onInput (e) {\n this.showPicker = false\n this.setCaret(e)\n this.resize()\n this.$emit('input', e.target.value)\n },\n onClickInput (e) {\n this.showPicker = false\n },\n onClickOutside (e) {\n if (this.disableClickOutside) return\n this.showPicker = false\n },\n onStickerUploaded (e) {\n this.showPicker = false\n this.$emit('sticker-uploaded', e)\n },\n onStickerUploadFailed (e) {\n this.showPicker = false\n this.$emit('sticker-upload-Failed', e)\n },\n setCaret ({ target: { selectionStart } }) {\n this.caret = selectionStart\n },\n resize () {\n const panel = this.$refs.panel\n if (!panel) return\n const picker = this.$refs.picker.$el\n const panelBody = this.$refs['panel-body']\n const { offsetHeight, offsetTop } = this.input.elm\n const offsetBottom = offsetTop + offsetHeight\n\n this.setPlacement(panelBody, panel, offsetBottom)\n this.setPlacement(picker, picker, offsetBottom)\n },\n setPlacement (container, target, offsetBottom) {\n if (!container || !target) return\n\n target.style.top = offsetBottom + 'px'\n target.style.bottom = 'auto'\n\n if (this.placement === 'top' || (this.placement === 'auto' && this.overflowsBottom(container))) {\n target.style.top = 'auto'\n target.style.bottom = this.input.elm.offsetHeight + 'px'\n }\n },\n overflowsBottom (el) {\n return el.getBoundingClientRect().bottom > window.innerHeight\n }\n }\n}\n\nexport default EmojiInput\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./emoji_input.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./emoji_input.js\"\nimport __vue_script__ from \"!!babel-loader!./emoji_input.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-567c41a2\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./emoji_input.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{directives:[{name:\"click-outside\",rawName:\"v-click-outside\",value:(_vm.onClickOutside),expression:\"onClickOutside\"}],staticClass:\"emoji-input\",class:{ 'with-picker': !_vm.hideEmojiButton }},[_vm._t(\"default\"),_vm._v(\" \"),(_vm.enableEmojiPicker)?[(!_vm.hideEmojiButton)?_c('div',{staticClass:\"emoji-picker-icon\",on:{\"click\":function($event){$event.preventDefault();return _vm.togglePicker($event)}}},[_c('i',{staticClass:\"icon-smile\"})]):_vm._e(),_vm._v(\" \"),(_vm.enableEmojiPicker)?_c('EmojiPicker',{ref:\"picker\",staticClass:\"emoji-picker-panel\",class:{ hide: !_vm.showPicker },attrs:{\"enable-sticker-picker\":_vm.enableStickerPicker},on:{\"emoji\":_vm.insert,\"sticker-uploaded\":_vm.onStickerUploaded,\"sticker-upload-failed\":_vm.onStickerUploadFailed}}):_vm._e()]:_vm._e(),_vm._v(\" \"),_c('div',{ref:\"panel\",staticClass:\"autocomplete-panel\",class:{ hide: !_vm.showSuggestions }},[_c('div',{ref:\"panel-body\",staticClass:\"autocomplete-panel-body\"},_vm._l((_vm.suggestions),function(suggestion,index){return _c('div',{key:index,staticClass:\"autocomplete-item\",class:{ highlighted: suggestion.highlighted },on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.onClick($event, suggestion)}}},[_c('span',{staticClass:\"image\"},[(suggestion.img)?_c('img',{attrs:{\"src\":suggestion.img}}):_c('span',[_vm._v(_vm._s(suggestion.replacement))])]),_vm._v(\" \"),_c('div',{staticClass:\"label\"},[_c('span',{staticClass:\"displayText\"},[_vm._v(_vm._s(suggestion.displayText))]),_vm._v(\" \"),_c('span',{staticClass:\"detailText\"},[_vm._v(_vm._s(suggestion.detailText))])])])}),0)])],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const ScopeSelector = {\n props: [\n 'showAll',\n 'userDefault',\n 'originalScope',\n 'initialScope',\n 'onScopeChange'\n ],\n data () {\n return {\n currentScope: this.initialScope\n }\n },\n computed: {\n showNothing () {\n return !this.showPublic && !this.showUnlisted && !this.showPrivate && !this.showDirect\n },\n showPublic () {\n return this.originalScope !== 'direct' && this.shouldShow('public')\n },\n showUnlisted () {\n return this.originalScope !== 'direct' && this.shouldShow('unlisted')\n },\n showPrivate () {\n return this.originalScope !== 'direct' && this.shouldShow('private')\n },\n showDirect () {\n return this.shouldShow('direct')\n },\n css () {\n return {\n public: { selected: this.currentScope === 'public' },\n unlisted: { selected: this.currentScope === 'unlisted' },\n private: { selected: this.currentScope === 'private' },\n direct: { selected: this.currentScope === 'direct' }\n }\n }\n },\n methods: {\n shouldShow (scope) {\n return this.showAll ||\n this.currentScope === scope ||\n this.originalScope === scope ||\n this.userDefault === scope ||\n scope === 'direct'\n },\n changeVis (scope) {\n this.currentScope = scope\n this.onScopeChange && this.onScopeChange(scope)\n }\n }\n}\n\nexport default ScopeSelector\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./scope_selector.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./scope_selector.js\"\nimport __vue_script__ from \"!!babel-loader!./scope_selector.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-28e8cbf1\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./scope_selector.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (!_vm.showNothing)?_c('div',{staticClass:\"scope-selector\"},[(_vm.showDirect)?_c('i',{staticClass:\"icon-mail-alt\",class:_vm.css.direct,attrs:{\"title\":_vm.$t('post_status.scope.direct')},on:{\"click\":function($event){return _vm.changeVis('direct')}}}):_vm._e(),_vm._v(\" \"),(_vm.showPrivate)?_c('i',{staticClass:\"icon-lock\",class:_vm.css.private,attrs:{\"title\":_vm.$t('post_status.scope.private')},on:{\"click\":function($event){return _vm.changeVis('private')}}}):_vm._e(),_vm._v(\" \"),(_vm.showUnlisted)?_c('i',{staticClass:\"icon-lock-open-alt\",class:_vm.css.unlisted,attrs:{\"title\":_vm.$t('post_status.scope.unlisted')},on:{\"click\":function($event){return _vm.changeVis('unlisted')}}}):_vm._e(),_vm._v(\" \"),(_vm.showPublic)?_c('i',{staticClass:\"icon-globe\",class:_vm.css.public,attrs:{\"title\":_vm.$t('post_status.scope.public')},on:{\"click\":function($event){return _vm.changeVis('public')}}}):_vm._e()]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","module.exports = __webpack_public_path__ + \"static/img/nsfw.74818f9.png\";","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./timeline.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"0084eb3d\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".timeline .loadmore-text{opacity:1}.timeline-heading{max-width:100%;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.timeline-heading .loadmore-button,.timeline-heading .loadmore-text{-ms-flex-negative:0;flex-shrink:0}.timeline-heading .loadmore-text{line-height:1em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./status.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"80571546\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".Status{min-width:0}.Status:hover{--still-image-img:visible;--still-image-canvas:hidden}.Status.-focused{background-color:#151e2a;background-color:var(--selectedPost,#151e2a);color:#b9b9ba;color:var(--selectedPostText,#b9b9ba);--lightText:var(--selectedPostLightText,$fallback--light);--faint:var(--selectedPostFaintText,$fallback--faint);--faintLink:var(--selectedPostFaintLink,$fallback--faint);--postLink:var(--selectedPostPostLink,$fallback--faint);--postFaintLink:var(--selectedPostFaintPostLink,$fallback--faint);--icon:var(--selectedPostIcon,$fallback--icon)}.Status .status-container{display:-ms-flexbox;display:flex;padding:.75em}.Status .status-container.-repeat{padding-top:0}.Status .pin{padding:.75em .75em 0;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:end;justify-content:flex-end}.Status .left-side{margin-right:.75em}.Status .right-side{-ms-flex:1;flex:1;min-width:0}.Status .usercard{margin-bottom:.75em}.Status .status-username{white-space:nowrap;font-size:14px;overflow:hidden;max-width:85%;font-weight:700;-ms-flex-negative:1;flex-shrink:1;margin-right:.4em;text-overflow:ellipsis}.Status .status-username .emoji{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.Status .status-favicon{height:18px;width:18px;margin-right:.4em}.Status .status-heading{margin-bottom:.5em}.Status .heading-name-row{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;line-height:18px}.Status .heading-name-row a{display:inline-block;word-break:break-all}.Status .account-name{min-width:1.6em;margin-right:.4em;white-space:nowrap;overflow:hidden;text-overflow:ellipsis;-ms-flex:1 1 0px;flex:1 1 0}.Status .heading-left{display:-ms-flexbox;display:flex;min-width:0}.Status .heading-right{display:-ms-flexbox;display:flex;-ms-flex-negative:0;flex-shrink:0}.Status .timeago{margin-right:.2em}.Status .heading-reply-row{position:relative;-ms-flex-line-pack:baseline;align-content:baseline;font-size:12px;line-height:18px;max-width:100%;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-align:stretch;align-items:stretch}.Status .reply-to-and-accountname{display:-ms-flexbox;display:flex;height:18px;margin-right:.5em;max-width:100%}.Status .reply-to-and-accountname .reply-to-link{white-space:nowrap;word-break:break-word;text-overflow:ellipsis;overflow-x:hidden}.Status .reply-to-and-accountname .icon-reply{transform:scaleX(-1)}.Status .reply-to-no-popover,.Status .reply-to-popover{min-width:0;margin-right:.4em;-ms-flex-negative:0;flex-shrink:0}.Status .reply-to-popover .reply-to:hover:before{content:\\\"\\\";display:block;position:absolute;bottom:0;width:100%;border-bottom:1px solid var(--faint);pointer-events:none}.Status .reply-to-popover .faint-link:hover{text-decoration:none}.Status .reply-to-popover.-strikethrough .reply-to:after{content:\\\"\\\";display:block;position:absolute;top:50%;width:100%;border-bottom:1px solid var(--faint);pointer-events:none}.Status .reply-to{display:-ms-flexbox;display:flex;position:relative}.Status .reply-to-text{overflow:hidden;text-overflow:ellipsis;white-space:nowrap;margin-left:.2em}.Status .replies-separator{margin-left:.4em}.Status .replies{line-height:18px;font-size:12px;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.Status .replies>*{margin-right:.4em}.Status .reply-link{height:17px}.Status .repeat-info{padding:.4em .75em;line-height:22px}.Status .repeat-info .right-side{display:-ms-flexbox;display:flex;-ms-flex-line-pack:center;align-content:center;-ms-flex-wrap:wrap;flex-wrap:wrap}.Status .repeat-info i{padding:0 .2em}.Status .repeater-avatar{border-radius:var(--avatarAltRadius,10px);margin-left:28px;width:20px;height:20px}.Status .repeater-name{text-overflow:ellipsis;margin-right:0}.Status .repeater-name .emoji{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.Status .status-fadein{animation-duration:.4s;animation-name:fadein}@keyframes fadein{0%{opacity:0}to{opacity:1}}.Status .status-actions{position:relative;width:100%;display:-ms-flexbox;display:flex;margin-top:.75em}.Status .status-actions>*{max-width:4em;-ms-flex:1;flex:1}.Status .button-reply:not(.-disabled){cursor:pointer}.Status .button-reply.-active,.Status .button-reply:not(.-disabled):hover{color:#0095ff;color:var(--cBlue,#0095ff)}.Status .muted{padding:.25em .6em;height:1.2em;line-height:1.2em;text-overflow:ellipsis;overflow:hidden;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.Status .muted .mute-thread,.Status .muted .mute-words,.Status .muted .status-username{word-wrap:normal;word-break:normal;white-space:nowrap}.Status .muted .mute-words,.Status .muted .status-username{text-overflow:ellipsis;overflow:hidden}.Status .muted .status-username{font-weight:400;-ms-flex:0 1 auto;flex:0 1 auto;margin-right:.2em;font-size:smaller}.Status .muted .mute-thread{-ms-flex:0 0 auto;flex:0 0 auto}.Status .muted .mute-words{-ms-flex:1 0 5em;flex:1 0 5em;margin-left:.2em}.Status .muted .mute-words:before{content:\\\" \\\"}.Status .muted .unmute{-ms-flex:0 0 auto;flex:0 0 auto;margin-left:auto;display:block}.Status .reply-form{padding-top:0;padding-bottom:0}.Status .reply-body{-ms-flex:1;flex:1}.Status .favs-repeated-users{margin-top:.75em}.Status .stats{width:100%;display:-ms-flexbox;display:flex;line-height:1em}.Status .avatar-row{-ms-flex:1;flex:1;overflow:hidden;position:relative;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.Status .avatar-row:before{content:\\\"\\\";position:absolute;height:100%;width:1px;left:0;background-color:var(--faint,hsla(240,1%,73%,.5))}.Status .stat-count{margin-right:.75em;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.Status .stat-count .stat-title{color:var(--faint,hsla(240,1%,73%,.5));font-size:12px;text-transform:uppercase;position:relative}.Status .stat-count .stat-number{font-weight:bolder;font-size:16px;line-height:1em}.Status .stat-count:hover .stat-title{text-decoration:underline}@media (max-width:800px){.Status .repeater-avatar{margin-left:20px}.Status .avatar:not(.repeater-avatar){width:40px;height:40px}.Status .avatar:not(.repeater-avatar).avatar-compact{width:32px;height:32px}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./favorite_button.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7d4fb47f\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".fav-active{cursor:pointer;animation-duration:.6s}.fav-active:hover,.favorite-button.icon-star{color:orange;color:var(--cOrange,orange)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./react_button.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"b98558e8\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".reaction-picker-filter{padding:.5em;display:-ms-flexbox;display:flex}.reaction-picker-filter input{-ms-flex:1;flex:1}.reaction-picker-divider{height:1px;width:100%;margin:.5em;background-color:var(--border,#222)}.reaction-picker{width:10em;height:9em;font-size:1.5em;overflow-y:scroll;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;padding:.5em;text-align:center;-ms-flex-line-pack:start;align-content:flex-start;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;-webkit-mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);transition:-webkit-mask-size .15s;transition:mask-size .15s;transition:mask-size .15s,-webkit-mask-size .15s;-webkit-mask-size:100% 20px,100% 20px,auto;mask-size:100% 20px,100% 20px,auto;-webkit-mask-composite:xor;mask-composite:exclude}.reaction-picker .emoji-button{cursor:pointer;-ms-flex-preferred-size:20%;flex-basis:20%;line-height:1.5em;-ms-flex-line-pack:center;align-content:center}.reaction-picker .emoji-button:hover{transform:scale(1.25)}.add-reaction-button{cursor:pointer}.add-reaction-button:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./popover.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"92bf6e22\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".popover{z-index:8;position:absolute;min-width:0}.popover-default{transition:opacity .3s;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);border-radius:4px;border-radius:var(--btnRadius,4px);background-color:#121a24;background-color:var(--popover,#121a24);color:#b9b9ba;color:var(--popoverText,#b9b9ba);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--postLink:var(--popoverPostLink,$fallback--link);--postFaintLink:var(--popoverPostFaintLink,$fallback--link);--icon:var(--popoverIcon,$fallback--icon)}.dropdown-menu{display:block;padding:.5rem 0;font-size:1rem;text-align:left;list-style:none;max-width:100vw;z-index:10;white-space:nowrap}.dropdown-menu .dropdown-divider{height:0;margin:.5rem 0;overflow:hidden;border-top:1px solid #222;border-top:1px solid var(--border,#222)}.dropdown-menu .dropdown-item{line-height:21px;margin-right:5px;overflow:auto;display:block;padding:.25rem 1rem .25rem 1.5rem;clear:both;font-weight:400;text-align:inherit;white-space:nowrap;border:none;border-radius:0;background-color:transparent;box-shadow:none;width:100%;height:100%;--btnText:var(--popoverText,$fallback--text)}.dropdown-menu .dropdown-item-icon{padding-left:.5rem}.dropdown-menu .dropdown-item-icon i{margin-right:.25rem;color:var(--menuPopoverIcon,#666)}.dropdown-menu .dropdown-item:active,.dropdown-menu .dropdown-item:hover{background-color:#151e2a;background-color:var(--selectedMenuPopover,#151e2a);color:#d8a070;color:var(--selectedMenuPopoverText,#d8a070);--faint:var(--selectedMenuPopoverFaintText,$fallback--faint);--faintLink:var(--selectedMenuPopoverFaintLink,$fallback--faint);--lightText:var(--selectedMenuPopoverLightText,$fallback--lightText);--icon:var(--selectedMenuPopoverIcon,$fallback--icon)}.dropdown-menu .dropdown-item:active i,.dropdown-menu .dropdown-item:hover i{color:var(--selectedMenuPopoverIcon,#666)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./retweet_button.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"2c52cbcb\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".rt-active{cursor:pointer;animation-duration:.6s}.icon-retweet.retweeted,.rt-active:hover{color:#0fa00f;color:var(--cGreen,#0fa00f)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./extra_buttons.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"0d2c533c\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".icon-ellipsis{cursor:pointer}.extra-button-popover.open .icon-ellipsis,.icon-ellipsis:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./post_status_form.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"ce7966a8\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".tribute-container ul{padding:0}.tribute-container ul li{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.tribute-container img{padding:3px;width:16px;height:16px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.post-status-form{position:relative}.post-status-form .form-bottom{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;padding:.5em;height:32px}.post-status-form .form-bottom button{width:10em}.post-status-form .form-bottom p{margin:.35em;padding:.35em;display:-ms-flexbox;display:flex}.post-status-form .form-bottom-left{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1;padding-right:7px;margin-right:7px;max-width:10em}.post-status-form .preview-heading{padding-left:.5em;display:-ms-flexbox;display:flex;width:100%}.post-status-form .preview-heading .icon-spin3{margin-left:auto}.post-status-form .preview-toggle{display:-ms-flexbox;display:flex;cursor:pointer;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.post-status-form .preview-toggle:hover{text-decoration:underline}.post-status-form .preview-toggle i{margin-left:.2em;font-size:.8em;transform:rotate(90deg)}.post-status-form .preview-container{margin-bottom:1em}.post-status-form .preview-error{font-style:italic;color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.post-status-form .preview-status{border:1px solid #222;border:1px solid var(--border,#222);border-radius:5px;border-radius:var(--tooltipRadius,5px);padding:.5em;margin:0;line-height:1.4em}.post-status-form .text-format .only-format{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.post-status-form .visibility-tray{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;padding-top:5px}.post-status-form .emoji-icon,.post-status-form .media-upload-icon,.post-status-form .poll-icon{font-size:26px;-ms-flex:1;flex:1}.post-status-form .emoji-icon.selected i,.post-status-form .emoji-icon.selected label,.post-status-form .emoji-icon:hover i,.post-status-form .emoji-icon:hover label,.post-status-form .media-upload-icon.selected i,.post-status-form .media-upload-icon.selected label,.post-status-form .media-upload-icon:hover i,.post-status-form .media-upload-icon:hover label,.post-status-form .poll-icon.selected i,.post-status-form .poll-icon.selected label,.post-status-form .poll-icon:hover i,.post-status-form .poll-icon:hover label{color:#b9b9ba;color:var(--lightText,#b9b9ba)}.post-status-form .emoji-icon.disabled i,.post-status-form .media-upload-icon.disabled i,.post-status-form .poll-icon.disabled i{cursor:not-allowed;color:#666;color:var(--btnDisabledText,#666)}.post-status-form .emoji-icon.disabled i:hover,.post-status-form .media-upload-icon.disabled i:hover,.post-status-form .poll-icon.disabled i:hover{color:#666;color:var(--btnDisabledText,#666)}.post-status-form .media-upload-icon{-ms-flex-order:1;order:1;text-align:left}.post-status-form .emoji-icon{-ms-flex-order:2;order:2;text-align:center}.post-status-form .poll-icon{-ms-flex-order:3;order:3;text-align:right}.post-status-form .icon-chart-bar{cursor:pointer}.post-status-form .error{text-align:center}.post-status-form .media-upload-wrapper{margin-right:.2em;margin-bottom:.5em;width:18em}.post-status-form .media-upload-wrapper .icon-cancel{display:inline-block;position:static;margin:0;padding-bottom:0;margin-left:10px;margin-left:var(--attachmentRadius,10px);background-color:#182230;background-color:var(--btn,#182230);border-bottom-left-radius:0;border-bottom-right-radius:0}.post-status-form .media-upload-wrapper img,.post-status-form .media-upload-wrapper video{-o-object-fit:contain;object-fit:contain;max-height:10em}.post-status-form .media-upload-wrapper .video{max-height:10em}.post-status-form .media-upload-wrapper input{-ms-flex:1;flex:1;width:100%}.post-status-form .status-input-wrapper{display:-ms-flexbox;display:flex;position:relative;width:100%;-ms-flex-direction:column;flex-direction:column}.post-status-form .media-upload-wrapper .attachments{padding:0 .5em}.post-status-form .media-upload-wrapper .attachments .attachment{margin:0;padding:0;position:relative}.post-status-form .media-upload-wrapper .attachments i{position:absolute;margin:10px;padding:5px;background:hsla(0,0%,90%,.6);border-radius:10px;border-radius:var(--attachmentRadius,10px);font-weight:700}.post-status-form form{margin:.6em;position:relative}.post-status-form .form-group,.post-status-form form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.post-status-form .form-group{padding:.25em .5em .5em;line-height:24px}.post-status-form .form-post-body,.post-status-form form textarea.form-cw{line-height:16px;resize:none;overflow:hidden;transition:min-height .2s .1s;min-height:1px}.post-status-form .form-post-body{height:16px;padding-bottom:1.75em;box-sizing:content-box}.post-status-form .form-post-body.scrollable-form{overflow-y:auto}.post-status-form .main-input{position:relative}.post-status-form .character-counter{position:absolute;bottom:0;right:0;padding:0;margin:0 .5em}.post-status-form .character-counter.error{color:red;color:var(--cRed,red)}.post-status-form .btn{cursor:pointer}.post-status-form .btn[disabled]{cursor:not-allowed}.post-status-form .icon-cancel{cursor:pointer;z-index:4}@keyframes fade-in{0%{opacity:0}to{opacity:.6}}@keyframes fade-out{0%{opacity:.6}to{opacity:0}}.post-status-form .drop-indicator{position:absolute;z-index:1;width:100%;height:100%;font-size:5em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;opacity:.6;color:#b9b9ba;color:var(--text,#b9b9ba);background-color:#121a24;background-color:var(--bg,#121a24);border-radius:5px;border-radius:var(--tooltipRadius,5px);border:2px dashed #b9b9ba;border:2px dashed var(--text,#b9b9ba)}.media-upload-container>video,img.media-upload{line-height:0;max-height:200px;max-width:100%}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./media_upload.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"8585287c\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".media-upload .label{display:inline-block}.media-upload .new-icon{cursor:pointer}.media-upload .progress-icon{display:inline-block;line-height:0}.media-upload .progress-icon:before{margin:0;line-height:0}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./scope_selector.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"770eecd8\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".scope-selector i{font-size:1.2em;cursor:pointer}.scope-selector i.selected{color:#b9b9ba;color:var(--lightText,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./emoji_input.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"d6bd964a\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".emoji-input{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;position:relative}.emoji-input.with-picker input{padding-right:30px}.emoji-input .emoji-picker-icon{position:absolute;top:0;right:0;margin:.2em .25em;font-size:16px;cursor:pointer;line-height:24px}.emoji-input .emoji-picker-icon:hover i{color:#b9b9ba;color:var(--text,#b9b9ba)}.emoji-input .emoji-picker-panel{position:absolute;z-index:20;margin-top:2px}.emoji-input .emoji-picker-panel.hide{display:none}.emoji-input .autocomplete-panel{position:absolute;z-index:20;margin-top:2px}.emoji-input .autocomplete-panel.hide{display:none}.emoji-input .autocomplete-panel-body{margin:0 .5em;border-radius:5px;border-radius:var(--tooltipRadius,5px);box-shadow:1px 2px 4px rgba(0,0,0,.5);box-shadow:var(--popupShadow);min-width:75%;background-color:#121a24;background-color:var(--popover,#121a24);color:#d8a070;color:var(--popoverText,#d8a070);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--postLink:var(--popoverPostLink,$fallback--link);--postFaintLink:var(--popoverPostFaintLink,$fallback--link);--icon:var(--popoverIcon,$fallback--icon)}.emoji-input .autocomplete-item{display:-ms-flexbox;display:flex;cursor:pointer;padding:.2em .4em;border-bottom:1px solid rgba(0,0,0,.4);height:32px}.emoji-input .autocomplete-item .image{width:32px;height:32px;line-height:32px;text-align:center;font-size:32px;margin-right:4px}.emoji-input .autocomplete-item .image img{width:32px;height:32px;-o-object-fit:contain;object-fit:contain}.emoji-input .autocomplete-item .label{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-pack:center;justify-content:center;margin:0 .1em 0 .2em}.emoji-input .autocomplete-item .label .displayText{line-height:1.5}.emoji-input .autocomplete-item .label .detailText{font-size:9px;line-height:9px}.emoji-input .autocomplete-item.highlighted{background-color:#182230;background-color:var(--selectedMenuPopover,#182230);color:var(--selectedMenuPopoverText,#b9b9ba);--faint:var(--selectedMenuPopoverFaintText,$fallback--faint);--faintLink:var(--selectedMenuPopoverFaintLink,$fallback--faint);--lightText:var(--selectedMenuPopoverLightText,$fallback--lightText);--icon:var(--selectedMenuPopoverIcon,$fallback--icon)}.emoji-input input,.emoji-input textarea{-ms-flex:1 0 auto;flex:1 0 auto}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./emoji_picker.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7bb72e68\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".emoji-picker{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;position:absolute;right:0;left:0;margin:0!important;z-index:1;background-color:#121a24;background-color:var(--popover,#121a24);color:#d8a070;color:var(--popoverText,#d8a070);--lightText:var(--popoverLightText,$fallback--faint);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--icon:var(--popoverIcon,$fallback--icon)}.emoji-picker .keep-open,.emoji-picker .too-many-emoji{padding:7px;line-height:normal}.emoji-picker .too-many-emoji{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.emoji-picker .keep-open-label{padding:0 7px;display:-ms-flexbox;display:flex}.emoji-picker .heading{display:-ms-flexbox;display:flex;height:32px;padding:10px 7px 5px}.emoji-picker .content{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex:1 1 auto;flex:1 1 auto;min-height:0}.emoji-picker .emoji-tabs{-ms-flex-positive:1;flex-grow:1}.emoji-picker .emoji-groups{min-height:200px}.emoji-picker .additional-tabs{border-left:1px solid;border-left-color:#666;border-left-color:var(--icon,#666);padding-left:7px;-ms-flex:0 0 auto;flex:0 0 auto}.emoji-picker .additional-tabs,.emoji-picker .emoji-tabs{display:block;min-width:0;-ms-flex-preferred-size:auto;flex-basis:auto;-ms-flex-negative:1;flex-shrink:1}.emoji-picker .additional-tabs-item,.emoji-picker .emoji-tabs-item{padding:0 7px;cursor:pointer;font-size:24px}.emoji-picker .additional-tabs-item.disabled,.emoji-picker .emoji-tabs-item.disabled{opacity:.5;pointer-events:none}.emoji-picker .additional-tabs-item.active,.emoji-picker .emoji-tabs-item.active{border-bottom:4px solid}.emoji-picker .additional-tabs-item.active i,.emoji-picker .emoji-tabs-item.active i{color:#b9b9ba;color:var(--lightText,#b9b9ba)}.emoji-picker .sticker-picker{-ms-flex:1 1 auto;flex:1 1 auto}.emoji-picker .emoji-content,.emoji-picker .stickers-content{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex:1 1 auto;flex:1 1 auto;min-height:0}.emoji-picker .emoji-content.hidden,.emoji-picker .stickers-content.hidden{opacity:0;pointer-events:none;position:absolute}.emoji-picker .emoji-search{padding:5px;-ms-flex:0 0 auto;flex:0 0 auto}.emoji-picker .emoji-search input{width:100%}.emoji-picker .emoji-groups{-ms-flex:1 1 1px;flex:1 1 1px;position:relative;overflow:auto;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;-webkit-mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);transition:-webkit-mask-size .15s;transition:mask-size .15s;transition:mask-size .15s,-webkit-mask-size .15s;-webkit-mask-size:100% 20px,100% 20px,auto;mask-size:100% 20px,100% 20px,auto;-webkit-mask-composite:xor;mask-composite:exclude}.emoji-picker .emoji-groups.scrolled-top{-webkit-mask-size:100% 20px,100% 0,auto;mask-size:100% 20px,100% 0,auto}.emoji-picker .emoji-groups.scrolled-bottom{-webkit-mask-size:100% 0,100% 20px,auto;mask-size:100% 0,100% 20px,auto}.emoji-picker .emoji-group{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-wrap:wrap;flex-wrap:wrap;padding-left:5px;-ms-flex-pack:left;justify-content:left}.emoji-picker .emoji-group-title{font-size:12px;width:100%;margin:0}.emoji-picker .emoji-group-title.disabled{display:none}.emoji-picker .emoji-item{width:32px;height:32px;box-sizing:border-box;display:-ms-flexbox;display:flex;font-size:32px;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;margin:4px;cursor:pointer}.emoji-picker .emoji-item img{-o-object-fit:contain;object-fit:contain;max-width:100%;max-height:100%}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./checkbox.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"002629bb\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".checkbox{position:relative;display:inline-block;min-height:1.2em}.checkbox-indicator{position:relative;padding-left:1.2em}.checkbox-indicator:before{position:absolute;right:0;top:0;display:block;content:\\\"\\\\2713\\\";transition:color .2s;width:1.1em;height:1.1em;border-radius:2px;border-radius:var(--checkboxRadius,2px);box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow);background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}.checkbox.disabled .checkbox-indicator:before,.checkbox.disabled .label{opacity:.5}.checkbox.disabled .label{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.checkbox input[type=checkbox]{display:none}.checkbox input[type=checkbox]:checked+.checkbox-indicator:before{color:#b9b9ba;color:var(--inputText,#b9b9ba)}.checkbox input[type=checkbox]:indeterminate+.checkbox-indicator:before{content:\\\"\\\\2013\\\";color:#b9b9ba;color:var(--inputText,#b9b9ba)}.checkbox>span{margin-left:.5em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./poll_form.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"60db0262\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".poll-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:0 .5em .5em}.poll-form .add-option{-ms-flex-item-align:start;align-self:flex-start;padding-top:.25em;cursor:pointer}.poll-form .poll-option{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;-ms-flex-pack:justify;justify-content:space-between;margin-bottom:.25em}.poll-form .input-container{width:100%}.poll-form .input-container input{padding-right:2.5em;width:100%}.poll-form .icon-container{width:2em;margin-left:-2em;z-index:1}.poll-form .poll-type-expiry{margin-top:.5em;display:-ms-flexbox;display:flex;width:100%}.poll-form .poll-type{margin-right:.75em;-ms-flex:1 1 60%;flex:1 1 60%}.poll-form .poll-type .select{border:none;box-shadow:none;background-color:transparent}.poll-form .poll-expiry{display:-ms-flexbox;display:flex}.poll-form .poll-expiry .expiry-amount{width:3em;text-align:right}.poll-form .poll-expiry .expiry-unit{border:none;box-shadow:none;background-color:transparent}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./attachment.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"60b296ca\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".attachments{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.attachments .non-gallery{max-width:100%}.attachments .placeholder{display:inline-block;padding:.3em 1em .3em 0;color:#d8a070;color:var(--postLink,#d8a070);overflow:hidden;white-space:nowrap;text-overflow:ellipsis;max-width:100%}.attachments .nsfw-placeholder{cursor:pointer}.attachments .nsfw-placeholder.loading{cursor:progress}.attachments .attachment{position:relative;margin-top:.5em;-ms-flex-item-align:start;align-self:flex-start;line-height:0;border-radius:10px;border-radius:var(--attachmentRadius,10px);border-color:#222;border:1px solid var(--border,#222);overflow:hidden}.attachments .non-gallery.attachment.video{-ms-flex:1 0 40%;flex:1 0 40%}.attachments .non-gallery.attachment .nsfw{height:260px}.attachments .non-gallery.attachment .small{height:120px;-ms-flex-positive:0;flex-grow:0}.attachments .non-gallery.attachment .video{height:260px;display:-ms-flexbox;display:flex}.attachments .non-gallery.attachment video{max-height:100%;-o-object-fit:contain;object-fit:contain}.attachments .fullwidth{-ms-flex-preferred-size:100%;flex-basis:100%}.attachments.video{line-height:0}.attachments .video-container{display:-ms-flexbox;display:flex;max-height:100%}.attachments .video{width:100%;height:100%}.attachments .play-icon{position:absolute;font-size:64px;top:calc(50% - 32px);left:calc(50% - 32px);color:hsla(0,0%,100%,.75);text-shadow:0 0 2px rgba(0,0,0,.4)}.attachments .play-icon:before{margin:0}.attachments.html{-ms-flex-preferred-size:90%;flex-basis:90%;width:100%;display:-ms-flexbox;display:flex}.attachments .hider{position:absolute;right:0;white-space:nowrap;margin:10px;padding:5px;background:hsla(0,0%,90%,.6);font-weight:700;z-index:4;line-height:1;border-radius:5px;border-radius:var(--tooltipRadius,5px)}.attachments video{z-index:0}.attachments audio{width:100%}.attachments img.media-upload{line-height:0;max-height:200px;max-width:100%}.attachments .oembed{line-height:1.2em;-ms-flex:1 0 100%;flex:1 0 100%;width:100%;margin-right:15px;display:-ms-flexbox;display:flex}.attachments .oembed img{width:100%}.attachments .oembed .image{-ms-flex:1;flex:1}.attachments .oembed .image img{border:0;border-radius:5px;height:100%;-o-object-fit:cover;object-fit:cover}.attachments .oembed .text{-ms-flex:2;flex:2;margin:8px;word-break:break-all}.attachments .oembed .text h1{font-size:14px;margin:0}.attachments .image-attachment,.attachments .image-attachment .image{width:100%;height:100%}.attachments .image-attachment.hidden{display:none}.attachments .image-attachment .nsfw{-o-object-fit:cover;object-fit:cover;width:100%;height:100%}.attachments .image-attachment img{image-orientation:from-image}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./still-image.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"24ab97e0\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".still-image{position:relative;line-height:0;overflow:hidden;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.still-image canvas{position:absolute;top:0;bottom:0;left:0;right:0;height:100%;visibility:var(--still-image-canvas,visible)}.still-image canvas,.still-image img{width:100%;-o-object-fit:contain;object-fit:contain}.still-image img{min-height:100%}.still-image.animated:before{content:\\\"gif\\\";position:absolute;line-height:10px;font-size:10px;top:5px;left:5px;background:hsla(0,0%,50%,.5);color:#fff;display:block;padding:2px 4px;border-radius:5px;border-radius:var(--tooltipRadius,5px);z-index:2;visibility:var(--still-image-label-visibility,visible)}.still-image.animated:hover canvas{display:none}.still-image.animated:hover:before,.still-image.animated img{visibility:var(--still-image-img,hidden)}.still-image.animated:hover img{visibility:visible}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./status_content.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"af4a4f5c\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".StatusContent{-ms-flex:1;flex:1;min-width:0}.StatusContent .status-content-wrapper{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.StatusContent .tall-status{position:relative;height:220px;overflow-x:hidden;overflow-y:hidden;z-index:1}.StatusContent .tall-status .status-content{min-height:0;-webkit-mask:linear-gradient(0deg,#fff,transparent) bottom/100% 70px no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff,transparent) bottom/100% 70px no-repeat,linear-gradient(0deg,#fff,#fff);-webkit-mask-composite:xor;mask-composite:exclude}.StatusContent .tall-status-hider{position:absolute;height:70px;margin-top:150px;line-height:110px;z-index:2}.StatusContent .cw-status-hider,.StatusContent .status-unhider,.StatusContent .tall-status-hider{display:inline-block;word-break:break-all;width:100%;text-align:center}.StatusContent img,.StatusContent video{max-width:100%;max-height:400px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.StatusContent img.emoji,.StatusContent video.emoji{width:32px;height:32px}.StatusContent .summary-wrapper{margin-bottom:.5em;border-style:solid;border-width:0 0 1px;border-color:var(--border,#222);-ms-flex-positive:0;flex-grow:0}.StatusContent .summary{font-style:italic;padding-bottom:.5em}.StatusContent .tall-subject{position:relative}.StatusContent .tall-subject .summary{max-height:2em;overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.StatusContent .tall-subject-hider{display:inline-block;word-break:break-all;width:100%;text-align:center;padding-bottom:.5em}.StatusContent .status-content{font-family:var(--postFont,sans-serif);line-height:1.4em;white-space:pre-wrap;overflow-wrap:break-word;word-wrap:break-word;word-break:break-word}.StatusContent .status-content blockquote{margin:.2em 0 .2em 2em;font-style:italic}.StatusContent .status-content pre{overflow:auto}.StatusContent .status-content code,.StatusContent .status-content kbd,.StatusContent .status-content pre,.StatusContent .status-content samp,.StatusContent .status-content var{font-family:var(--postCodeFont,monospace)}.StatusContent .status-content p{margin:0 0 1em}.StatusContent .status-content p:last-child{margin:0}.StatusContent .status-content h1{font-size:1.1em;line-height:1.2em;margin:1.4em 0}.StatusContent .status-content h2{font-size:1.1em;margin:1em 0}.StatusContent .status-content h3{font-size:1em;margin:1.2em 0}.StatusContent .status-content h4{margin:1.1em 0}.StatusContent .status-content.single-line{white-space:nowrap;text-overflow:ellipsis;overflow:hidden;height:1.4em}.greentext{color:#0fa00f;color:var(--postGreentext,#0fa00f)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./poll.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"1a8b173f\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".poll .votes{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:0 0 .5em}.poll .poll-option{margin:.75em .5em}.poll .option-result{height:100%;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;position:relative;color:#b9b9ba;color:var(--lightText,#b9b9ba)}.poll .option-result-label{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;padding:.1em .25em;z-index:1;word-break:break-word}.poll .result-percentage{width:3.5em;-ms-flex-negative:0;flex-shrink:0}.poll .result-fill{height:100%;position:absolute;color:#b9b9ba;color:var(--pollText,#b9b9ba);background-color:#151e2a;background-color:var(--poll,#151e2a);border-radius:10px;border-radius:var(--panelRadius,10px);top:0;left:0;transition:width .5s}.poll .option-vote{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.poll input{width:3.5em}.poll .footer{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.poll.loading *{cursor:progress}.poll .poll-vote-button{padding:0 .5em;margin-right:.5em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./gallery.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"6c9d5cbc\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".gallery-row{position:relative;height:0;width:100%;-ms-flex-positive:1;flex-grow:1;margin-top:.5em}.gallery-row .gallery-row-inner{position:absolute;top:0;left:0;right:0;bottom:0;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-wrap:nowrap;flex-wrap:nowrap;-ms-flex-line-pack:stretch;align-content:stretch}.gallery-row .gallery-row-inner .attachment{margin:0 .5em 0 0;-ms-flex-positive:1;flex-grow:1;height:100%;box-sizing:border-box;min-width:2em}.gallery-row .gallery-row-inner .attachment:last-child{margin:0}.gallery-row .image-attachment{width:100%;height:100%}.gallery-row .video-container{height:100%}.gallery-row.contain-fit canvas,.gallery-row.contain-fit img,.gallery-row.contain-fit video{-o-object-fit:contain;object-fit:contain;height:100%}.gallery-row.cover-fit canvas,.gallery-row.cover-fit img,.gallery-row.cover-fit video{-o-object-fit:cover;object-fit:cover}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./link-preview.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"c13d6bee\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".link-preview-card{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;cursor:pointer;overflow:hidden;margin-top:.5em;color:#b9b9ba;color:var(--text,#b9b9ba);border-radius:10px;border-radius:var(--attachmentRadius,10px);border-color:#222;border:1px solid var(--border,#222)}.link-preview-card .card-image{-ms-flex-negative:0;flex-shrink:0;width:120px;max-width:25%}.link-preview-card .card-image img{width:100%;height:100%;-o-object-fit:cover;object-fit:cover;border-radius:10px;border-radius:var(--attachmentRadius,10px)}.link-preview-card .small-image{width:80px}.link-preview-card .card-content{max-height:100%;margin:.5em;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.link-preview-card .card-host{font-size:12px}.link-preview-card .card-description{margin:.5em 0 0;overflow:hidden;text-overflow:ellipsis;word-break:break-word;line-height:1.2em;max-height:calc(1.2em * 3 - 1px)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./user_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"0060b6a4\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".user-card{position:relative}.user-card .panel-heading{padding:.5em 0;text-align:center;box-shadow:none;background:transparent;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:stretch;align-items:stretch;position:relative}.user-card .panel-body{word-wrap:break-word;border-bottom-right-radius:inherit;border-bottom-left-radius:inherit;position:relative}.user-card .background-image{position:absolute;top:0;left:0;right:0;bottom:0;-webkit-mask:linear-gradient(0deg,#fff,transparent) bottom no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff,transparent) bottom no-repeat,linear-gradient(0deg,#fff,#fff);-webkit-mask-composite:xor;mask-composite:exclude;background-size:cover;-webkit-mask-size:100% 60%;mask-size:100% 60%;border-top-left-radius:calc(var(--panelRadius) - 1px);border-top-right-radius:calc(var(--panelRadius) - 1px);background-color:var(--profileBg)}.user-card .background-image.hide-bio{-webkit-mask-size:100% 40px;mask-size:100% 40px}.user-card p{margin-bottom:0}.user-card-bio{text-align:center}.user-card-bio a{color:#d8a070;color:var(--postLink,#d8a070)}.user-card-bio img{-o-object-fit:contain;object-fit:contain;vertical-align:middle;max-width:100%;max-height:400px}.user-card-bio img.emoji{width:32px;height:32px}.user-card-rounded-t{border-top-left-radius:10px;border-top-left-radius:var(--panelRadius,10px);border-top-right-radius:10px;border-top-right-radius:var(--panelRadius,10px)}.user-card-rounded{border-radius:10px;border-radius:var(--panelRadius,10px)}.user-card-bordered{border-color:#222;border:1px solid var(--border,#222)}.user-info{color:#b9b9ba;color:var(--lightText,#b9b9ba);padding:0 26px}.user-info .container{padding:16px 0 6px;display:-ms-flexbox;display:flex;-ms-flex-align:start;align-items:flex-start;max-height:56px}.user-info .container .Avatar{-ms-flex:1 0 100%;flex:1 0 100%;width:56px;height:56px;box-shadow:0 1px 8px rgba(0,0,0,.75);box-shadow:var(--avatarShadow);-o-object-fit:cover;object-fit:cover}.user-info:hover .Avatar{--still-image-img:visible;--still-image-canvas:hidden}.user-info-avatar-link{position:relative;cursor:pointer}.user-info-avatar-link-overlay{position:absolute;left:0;top:0;right:0;bottom:0;background-color:rgba(0,0,0,.3);display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:center;align-items:center;border-radius:4px;border-radius:var(--avatarRadius,4px);opacity:0;transition:opacity .2s ease}.user-info-avatar-link-overlay i{color:#fff}.user-info-avatar-link:hover .user-info-avatar-link-overlay{opacity:1}.user-info .usersettings{color:#b9b9ba;color:var(--lightText,#b9b9ba);opacity:.8}.user-info .user-summary{display:block;margin-left:.6em;text-align:left;text-overflow:ellipsis;white-space:nowrap;-ms-flex:1 1 0px;flex:1 1 0;z-index:1}.user-info .user-summary img{width:26px;height:26px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.user-info .user-summary .top-line{display:-ms-flexbox;display:flex}.user-info .user-name{text-overflow:ellipsis;overflow:hidden;-ms-flex:1 1 auto;flex:1 1 auto;margin-right:1em;font-size:15px}.user-info .user-name img{-o-object-fit:contain;object-fit:contain;height:16px;width:16px;vertical-align:middle}.user-info .bottom-line{display:-ms-flexbox;display:flex;font-weight:light;font-size:15px}.user-info .bottom-line .user-screen-name{min-width:1px;-ms-flex:0 1 auto;flex:0 1 auto;text-overflow:ellipsis;overflow:hidden;color:#b9b9ba;color:var(--lightText,#b9b9ba)}.user-info .bottom-line .dailyAvg{min-width:1px;-ms-flex:0 0 auto;flex:0 0 auto;margin-left:1em;font-size:.7em;color:#b9b9ba;color:var(--text,#b9b9ba)}.user-info .bottom-line .user-role{-ms-flex:none;flex:none;text-transform:capitalize;color:#b9b9ba;color:var(--alertNeutralText,#b9b9ba);background-color:#182230;background-color:var(--alertNeutral,#182230)}.user-info .user-meta{margin-bottom:.15em;display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;font-size:14px;line-height:22px;-ms-flex-wrap:wrap;flex-wrap:wrap}.user-info .user-meta .following{-ms-flex:1 0 auto;flex:1 0 auto;margin:0;margin-bottom:.25em;text-align:left}.user-info .user-meta .highlighter{-ms-flex:0 1 auto;flex:0 1 auto;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin-right:-.5em;-ms-flex-item-align:start;align-self:start}.user-info .user-meta .highlighter .userHighlightCl{padding:2px 10px;-ms-flex:1 0 auto;flex:1 0 auto}.user-info .user-meta .highlighter .userHighlightSel,.user-info .user-meta .highlighter .userHighlightSel.select{padding-top:0;padding-bottom:0;-ms-flex:1 0 auto;flex:1 0 auto}.user-info .user-meta .highlighter .userHighlightSel.select i{line-height:22px}.user-info .user-meta .highlighter .userHighlightText{width:70px;-ms-flex:1 0 auto;flex:1 0 auto}.user-info .user-meta .highlighter .userHighlightCl,.user-info .user-meta .highlighter .userHighlightSel,.user-info .user-meta .highlighter .userHighlightSel.select,.user-info .user-meta .highlighter .userHighlightText{height:22px;vertical-align:top;margin-right:.5em;margin-bottom:.25em}.user-info .user-interactions{position:relative;display:-ms-flexbox;display:flex;-ms-flex-flow:row wrap;flex-flow:row wrap;margin-right:-.75em}.user-info .user-interactions>*{margin:0 .75em .6em 0;white-space:nowrap;min-width:95px}.user-info .user-interactions button{margin:0}.user-counts{display:-ms-flexbox;display:flex;line-height:16px;padding:.5em 1.5em 0;text-align:center;-ms-flex-pack:justify;justify-content:space-between;color:#b9b9ba;color:var(--lightText,#b9b9ba);-ms-flex-wrap:wrap;flex-wrap:wrap}.user-count{-ms-flex:1 0 auto;flex:1 0 auto;padding:.5em 0;margin:0 .5em}.user-count h5{font-size:1em;font-weight:bolder;margin:0 0 .25em}.user-count a{text-decoration:none}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./user_avatar.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"6b6f3617\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".Avatar{--still-image-label-visibility:hidden;width:48px;height:48px;box-shadow:var(--avatarStatusShadow);border-radius:4px;border-radius:var(--avatarRadius,4px)}.Avatar img{width:100%;height:100%}.Avatar.better-shadow{box-shadow:var(--avatarStatusShadowInset);filter:var(--avatarStatusShadowFilter)}.Avatar.animated:before{display:none}.Avatar.avatar-compact{width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./remote_follow.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"4852bbb4\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".remote-follow{max-width:220px}.remote-follow .remote-button{width:100%;min-height:28px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./moderation_tools.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"2c0672fc\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".menu-checkbox{float:right;min-width:22px;max-width:22px;min-height:22px;max-height:22px;line-height:22px;text-align:center;border-radius:0;background-color:#182230;background-color:var(--input,#182230);box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow)}.menu-checkbox.menu-checkbox-checked:after{content:\\\"\\\\2714\\\"}.moderation-tools-popover{height:100%}.moderation-tools-popover .trigger{display:-ms-flexbox!important;display:flex!important;height:100%}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./dialog_modal.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"56d82e88\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".dark-overlay:before{bottom:0;content:\\\" \\\";left:0;right:0;background:rgba(27,31,35,.5);z-index:99}.dark-overlay:before,.dialog-modal.panel{display:block;cursor:default;position:fixed;top:0}.dialog-modal.panel{left:50%;max-height:80vh;max-width:90vw;margin:15vh auto;transform:translateX(-50%);z-index:999;background-color:#121a24;background-color:var(--bg,#121a24)}.dialog-modal.panel .dialog-modal-heading{padding:.5em;margin-right:auto;margin-bottom:0;white-space:nowrap;color:var(--panelText);background-color:#182230;background-color:var(--panel,#182230)}.dialog-modal.panel .dialog-modal-heading .title{margin-bottom:0;text-align:center}.dialog-modal.panel .dialog-modal-content{margin:0;padding:1rem;background-color:#121a24;background-color:var(--bg,#121a24);white-space:normal}.dialog-modal.panel .dialog-modal-footer{margin:0;padding:.5em;background-color:#121a24;background-color:var(--bg,#121a24);border-top:1px solid #222;border-top:1px solid var(--border,#222);display:-ms-flexbox;display:flex;-ms-flex-pack:end;justify-content:flex-end}.dialog-modal.panel .dialog-modal-footer button{width:auto;margin-left:.5rem}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./account_actions.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"8c9d5016\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".account-actions{margin:0 .8em}.account-actions button.dropdown-item{margin-left:0}.account-actions .trigger-button{color:#b9b9ba;color:var(--lightText,#b9b9ba);opacity:.8;cursor:pointer}.account-actions .trigger-button:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./avatar_list.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7096a06e\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".avatars{display:-ms-flexbox;display:flex;margin:0;padding:0;-ms-flex-wrap:wrap;flex-wrap:wrap;height:24px}.avatars .avatars-item{margin:0 0 5px 5px}.avatars .avatars-item:first-child{padding-left:5px}.avatars .avatars-item .avatar-small{border-radius:10px;border-radius:var(--avatarAltRadius,10px);height:24px;width:24px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./status_popover.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"14cff5b4\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".status-popover.popover{font-size:1rem;min-width:15em;max-width:95%;border-color:#222;border:1px solid var(--border,#222);border-radius:5px;border-radius:var(--tooltipRadius,5px);box-shadow:2px 2px 3px rgba(0,0,0,.5);box-shadow:var(--popupShadow)}.status-popover.popover .Status.Status{border:none}.status-popover.popover .status-preview-no-content{padding:1em;text-align:center}.status-popover.popover .status-preview-no-content i{font-size:2em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./user_list_popover.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"50540f22\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".user-list-popover{padding:.5em}.user-list-popover .user-list-row{padding:.25em;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row}.user-list-popover .user-list-row .user-list-names{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin-left:.5em;min-width:5em}.user-list-popover .user-list-row .user-list-names img{width:1em;height:1em}.user-list-popover .user-list-row .user-list-screen-name{font-size:9px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./emoji_reactions.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"cf35b50a\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".emoji-reactions{display:-ms-flexbox;display:flex;margin-top:.25em;-ms-flex-wrap:wrap;flex-wrap:wrap}.emoji-reaction{padding:0 .5em;margin-right:.5em;margin-top:.5em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;box-sizing:border-box}.emoji-reaction .reaction-emoji{width:1.25em;margin-right:.25em}.emoji-reaction:focus{outline:none}.emoji-reaction.not-clickable{cursor:default}.emoji-reaction.not-clickable:hover{box-shadow:0 0 2px 0 #000,inset 0 1px 0 0 hsla(0,0%,100%,.2),inset 0 -1px 0 0 rgba(0,0,0,.2);box-shadow:var(--buttonShadow)}.emoji-reaction-expand{padding:0 .5em;margin-right:.5em;margin-top:.5em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center}.emoji-reaction-expand:hover{text-decoration:underline}.picked-reaction{border:1px solid var(--accent,#d8a070);margin-left:-1px;margin-right:calc(.5em - 1px)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./conversation.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"93498d0a\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".Conversation .conversation-status{border-left:none;border-bottom-width:1px;border-bottom-style:solid;border-bottom-color:var(--border,#222);border-radius:0}.Conversation.-expanded .conversation-status{border-color:#222;border-color:var(--border,#222);border-left:4px solid red;border-left:4px solid var(--cRed,red)}.Conversation.-expanded .conversation-status:last-child{border-bottom:none;border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./timeline_menu.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"b449a0b2\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".timeline-menu{-ms-flex-negative:1;flex-shrink:1;margin-right:auto;min-width:0;width:24rem}.timeline-menu .timeline-menu-popover-wrap{overflow:hidden;margin-top:.6rem;padding:0 15px 15px}.timeline-menu .timeline-menu-popover{width:24rem;max-width:100vw;margin:0;font-size:1rem;transform:translateY(-100%);transition:transform .1s}.timeline-menu .panel:after,.timeline-menu .timeline-menu-popover{border-top-right-radius:0;border-top-left-radius:0}.timeline-menu.open .timeline-menu-popover{transform:translateY(0)}.timeline-menu .timeline-menu-title{margin:0;cursor:pointer;display:-ms-flexbox;display:flex;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;width:100%}.timeline-menu .timeline-menu-title span{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.timeline-menu .timeline-menu-title i{margin-left:.6em;-ms-flex-negative:0;flex-shrink:0;font-size:1rem;transition:transform .1s}.timeline-menu.open .timeline-menu-title i{color:#b9b9ba;color:var(--panelText,#b9b9ba);transform:rotate(180deg)}.timeline-menu .panel{box-shadow:var(--popoverShadow)}.timeline-menu ul{list-style:none;margin:0;padding:0}.timeline-menu li{border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);padding:0}.timeline-menu li:last-child a{border-bottom-right-radius:10px;border-bottom-right-radius:var(--panelRadius,10px);border-bottom-left-radius:10px;border-bottom-left-radius:var(--panelRadius,10px)}.timeline-menu li:last-child{border:none}.timeline-menu li i{margin:0 .5em}.timeline-menu a{display:block;padding:.6em 0}.timeline-menu a:hover{color:#d8a070;color:var(--selectedMenuText,#d8a070)}.timeline-menu a.router-link-active,.timeline-menu a:hover{background-color:#151e2a;background-color:var(--selectedMenu,#151e2a);--faint:var(--selectedMenuFaintText,$fallback--faint);--faintLink:var(--selectedMenuFaintLink,$fallback--faint);--lightText:var(--selectedMenuLightText,$fallback--lightText);--icon:var(--selectedMenuIcon,$fallback--icon)}.timeline-menu a.router-link-active{font-weight:bolder;color:#b9b9ba;color:var(--selectedMenuText,#b9b9ba)}.timeline-menu a.router-link-active:hover{text-decoration:underline}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./notifications.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"87e1cf2e\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".notifications:not(.minimal){padding-bottom:15em}.notifications .loadmore-error{color:#b9b9ba;color:var(--text,#b9b9ba)}.notifications .notification{position:relative}.notifications .notification .notification-overlay{position:absolute;top:0;right:0;left:0;bottom:0;pointer-events:none}.notifications .notification.unseen .notification-overlay{background-image:linear-gradient(135deg,var(--badgeNotification,red) 4px,transparent 10px)}.notification{box-sizing:border-box;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);word-wrap:break-word;word-break:break-word}.notification:hover .animated.Avatar canvas{display:none}.notification:hover .animated.Avatar img{visibility:visible}.notification .non-mention{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1;-ms-flex-wrap:nowrap;flex-wrap:nowrap;padding:.6em;min-width:0;--link:var(--faintLink);--text:var(--faint)}.notification .non-mention .avatar-container{width:32px;height:32px}.notification .follow-request-accept{cursor:pointer}.notification .follow-request-accept:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}.notification .follow-request-reject{cursor:pointer}.notification .follow-request-reject:hover{color:red;color:var(--cRed,red)}.notification .follow-text,.notification .move-text{padding:.5em 0;overflow-wrap:break-word;display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between}.notification .follow-text .follow-name,.notification .move-text .follow-name{display:block;max-width:100%;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.notification .Status{-ms-flex:1;flex:1}.notification time{white-space:nowrap}.notification .notification-right{-ms-flex:1;flex:1;padding-left:.8em;min-width:0}.notification .notification-right .timeago{min-width:3em;text-align:right}.notification .emoji-reaction-emoji{font-size:16px}.notification .notification-details{min-width:0;word-wrap:break-word;line-height:18px;position:relative;overflow:hidden;width:100%;-ms-flex:1 1 0px;flex:1 1 0;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap;-ms-flex-pack:justify;justify-content:space-between}.notification .notification-details .name-and-action{-ms-flex:1;flex:1;overflow:hidden;text-overflow:ellipsis}.notification .notification-details .username{font-weight:bolder;max-width:100%;text-overflow:ellipsis;white-space:nowrap}.notification .notification-details .username img{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.notification .notification-details .timeago{margin-right:.2em}.notification .notification-details .icon-retweet.lit{color:#0fa00f;color:var(--cGreen,#0fa00f)}.notification .notification-details .icon-reply.lit,.notification .notification-details .icon-user-plus.lit,.notification .notification-details .icon-user.lit{color:#0095ff;color:var(--cBlue,#0095ff)}.notification .notification-details .icon-star.lit{color:orange;color:var(--cOrange,orange)}.notification .notification-details .icon-arrow-curved.lit{color:#0095ff;color:var(--cBlue,#0095ff)}.notification .notification-details .status-content{margin:0;max-height:300px}.notification .notification-details h1{word-break:break-all;margin:0 0 .3em;padding:0;font-size:1em;line-height:20px}.notification .notification-details h1 small{font-weight:lighter}.notification .notification-details p{margin:0;margin-top:0;margin-bottom:.3em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./notification.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"41041624\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".Notification.-muted{padding:.25em .6em;height:1.2em;line-height:1.2em;text-overflow:ellipsis;overflow:hidden;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.Notification.-muted .mute-thread,.Notification.-muted .mute-words,.Notification.-muted .status-username{word-wrap:normal;word-break:normal;white-space:nowrap}.Notification.-muted .mute-words,.Notification.-muted .status-username{text-overflow:ellipsis;overflow:hidden}.Notification.-muted .status-username{font-weight:400;-ms-flex:0 1 auto;flex:0 1 auto;margin-right:.2em;font-size:smaller}.Notification.-muted .mute-thread{-ms-flex:0 0 auto;flex:0 0 auto}.Notification.-muted .mute-words{-ms-flex:1 0 5em;flex:1 0 5em;margin-left:.2em}.Notification.-muted .mute-words:before{content:\\\" \\\"}.Notification.-muted .unmute{-ms-flex:0 0 auto;flex:0 0 auto;margin-left:auto;display:block}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat_list.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"3a6f72a2\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".chat-list{min-height:25em;margin-bottom:0}.emtpy-chat-list-alert{padding:3em;font-size:1.2em;display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;color:#b9b9ba;color:var(--faint,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat_list_item.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"33c6b65e\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".chat-list-item{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;padding:.75em;height:5em;overflow:hidden;box-sizing:border-box;cursor:pointer}.chat-list-item :focus{outline:none}.chat-list-item:hover{background-color:var(--selectedPost,#151e2a);box-shadow:0 0 3px 1px rgba(0,0,0,.1)}.chat-list-item .chat-list-item-left{margin-right:1em}.chat-list-item .chat-list-item-center{width:100%;box-sizing:border-box;overflow:hidden;word-wrap:break-word}.chat-list-item .heading{width:100%;display:-ms-inline-flexbox;display:inline-flex;-ms-flex-pack:justify;justify-content:space-between;line-height:1em}.chat-list-item .heading-right{white-space:nowrap}.chat-list-item .name-and-account-name{text-overflow:ellipsis;white-space:nowrap;overflow:hidden;-ms-flex-negative:1;flex-shrink:1;line-height:1.4em}.chat-list-item .chat-preview{display:-ms-inline-flexbox;display:inline-flex;overflow:hidden;white-space:nowrap;text-overflow:ellipsis;margin:.35em 0;color:#b9b9ba;color:var(--faint,#b9b9ba);width:100%}.chat-list-item a{color:var(--faintLink,#d8a070);text-decoration:none;pointer-events:none}.chat-list-item:hover .animated.avatar canvas{display:none}.chat-list-item:hover .animated.avatar img{visibility:visible}.chat-list-item .Avatar{border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.chat-list-item .StatusContent img.emoji{width:1.4em;height:1.4em}.chat-list-item .time-wrapper{line-height:1.4em}.chat-list-item .single-line{padding-right:1em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat_title.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"3dcd538d\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".chat-title{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.chat-title,.chat-title .username{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.chat-title .username{max-width:100%;display:inline;word-wrap:break-word}.chat-title .username .emoji{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.chat-title .Avatar{width:23px;height:23px;margin-right:.5em;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.chat-title .Avatar.animated:before{display:none}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat_new.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"ca48b176\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".chat-new .input-wrap{display:-ms-flexbox;display:flex;margin:.7em .5em}.chat-new .input-wrap input{width:100%}.chat-new .icon-search{font-size:1.5em;float:right;margin-right:.3em}.chat-new .member-list{padding-bottom:.7rem}.chat-new .basic-user-card:hover{cursor:pointer;background-color:var(--selectedPost,#151e2a)}.chat-new .go-back-button{cursor:pointer}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./basic_user_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"119ab786\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".basic-user-card{display:-ms-flexbox;display:flex;-ms-flex:1 0;flex:1 0;margin:0;padding:.6em 1em}.basic-user-card-collapsed-content{margin-left:.7em;text-align:left;-ms-flex:1;flex:1;min-width:0}.basic-user-card-user-name img{-o-object-fit:contain;object-fit:contain;height:16px;width:16px;vertical-align:middle}.basic-user-card-screen-name,.basic-user-card-user-name-value{display:inline-block;max-width:100%;overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.basic-user-card-expanded-content{-ms-flex:1;flex:1;margin-left:.7em;min-width:0}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./list.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"33745640\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".list-item:not(:last-child){border-bottom:1px solid;border-bottom-color:#222;border-bottom-color:var(--border,#222)}.list-empty-content{text-align:center;padding:10px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"0f673926\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".chat-view{display:-ms-flexbox;display:flex;height:calc(100vh - 60px);width:100%}.chat-view .chat-title{height:28px}.chat-view .chat-view-inner{height:auto;margin:.5em .5em 0}.chat-view .chat-view-body,.chat-view .chat-view-inner{width:100%;overflow:visible;display:-ms-flexbox;display:flex}.chat-view .chat-view-body{background-color:var(--chatBg,#121a24);-ms-flex-direction:column;flex-direction:column;min-height:100%;margin:0;border-radius:10px 10px 0 0;border-radius:var(--panelRadius,10px) var(--panelRadius,10px) 0 0}.chat-view .chat-view-body:after{border-radius:0}.chat-view .scrollable-message-list{padding:0 .8em;height:100%;overflow-y:scroll;overflow-x:hidden;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.chat-view .footer{position:-webkit-sticky;position:sticky;bottom:0}.chat-view .chat-view-heading{-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between;top:50px;display:-ms-flexbox;display:flex;z-index:2;position:-webkit-sticky;position:sticky;overflow:hidden}.chat-view .go-back-button{cursor:pointer;margin-right:1.4em}.chat-view .go-back-button i,.chat-view .jump-to-bottom-button{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.chat-view .jump-to-bottom-button{width:2.5em;height:2.5em;border-radius:100%;position:absolute;right:1.3em;top:-3.2em;background-color:#182230;background-color:var(--btn,#182230);-ms-flex-pack:center;justify-content:center;box-shadow:0 1px 1px rgba(0,0,0,.3),0 2px 4px rgba(0,0,0,.3);z-index:10;transition:all .35s;transition-timing-function:cubic-bezier(0,1,.5,1);opacity:0;visibility:hidden;cursor:pointer}.chat-view .jump-to-bottom-button.visible{opacity:1;visibility:visible}.chat-view .jump-to-bottom-button i{font-size:1em;color:#b9b9ba;color:var(--text,#b9b9ba)}.chat-view .jump-to-bottom-button .unread-message-count{font-size:.8em;left:50%;transform:translate(-50%);border-radius:100%;margin-top:-1rem;padding:0}.chat-view .jump-to-bottom-button .chat-loading-error{width:100%;display:-ms-flexbox;display:flex;-ms-flex-align:end;align-items:flex-end;height:100%}.chat-view .jump-to-bottom-button .chat-loading-error .error{width:100%}@media (max-width:800px){.chat-view{height:100%;overflow:hidden}.chat-view .chat-view-inner{overflow:hidden;height:100%;margin-top:0;margin-left:0;margin-right:0}.chat-view .chat-view-body{display:-ms-flexbox;display:flex;min-height:auto;overflow:hidden;height:100%;margin:0;border-radius:0}.chat-view .chat-view-heading{position:static;z-index:9999;top:0;margin-top:0;border-radius:0}.chat-view .scrollable-message-list{display:unset;overflow-y:scroll;overflow-x:hidden;-webkit-overflow-scrolling:touch}.chat-view .footer{position:-webkit-sticky;position:sticky;bottom:auto}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat_message.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"20b81e5e\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".chat-message-wrapper.hovered-message-chain .animated.Avatar canvas{display:none}.chat-message-wrapper.hovered-message-chain .animated.Avatar img{visibility:visible}.chat-message-wrapper .chat-message-menu{transition:opacity .1s;opacity:0;position:absolute;top:-.8em}.chat-message-wrapper .chat-message-menu button{padding-top:.2em;padding-bottom:.2em}.chat-message-wrapper .icon-ellipsis{cursor:pointer;border-radius:10px;border-radius:var(--chatMessageRadius,10px)}.chat-message-wrapper .icon-ellipsis:hover,.extra-button-popover.open .chat-message-wrapper .icon-ellipsis{color:#b9b9ba;color:var(--text,#b9b9ba)}.chat-message-wrapper .popover{width:12em}.chat-message-wrapper .chat-message{display:-ms-flexbox;display:flex;padding-bottom:.5em}.chat-message-wrapper .avatar-wrapper{margin-right:.72em;width:32px}.chat-message-wrapper .attachments,.chat-message-wrapper .link-preview{margin-bottom:1em}.chat-message-wrapper .chat-message-inner{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:start;align-items:flex-start;max-width:80%;min-width:10em;width:100%}.chat-message-wrapper .chat-message-inner.with-media{width:100%}.chat-message-wrapper .chat-message-inner.with-media .gallery-row{overflow:hidden}.chat-message-wrapper .chat-message-inner.with-media .status{width:100%}.chat-message-wrapper .status{border-radius:10px;border-radius:var(--chatMessageRadius,10px);display:-ms-flexbox;display:flex;padding:.75em}.chat-message-wrapper .created-at{position:relative;float:right;font-size:.8em;margin:-1em 0 -.5em;font-style:italic;opacity:.8}.chat-message-wrapper .without-attachment .status-content:after{margin-right:5.4em;content:\\\" \\\";display:inline-block}.chat-message-wrapper .incoming a{color:var(--chatMessageIncomingLink,#d8a070)}.chat-message-wrapper .incoming .status{background-color:var(--chatMessageIncomingBg,#121a24);border:1px solid var(--chatMessageIncomingBorder,--border)}.chat-message-wrapper .incoming .created-at a,.chat-message-wrapper .incoming .status{color:var(--chatMessageIncomingText,#b9b9ba)}.chat-message-wrapper .incoming .chat-message-menu{left:.4rem}.chat-message-wrapper .outgoing{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-line-pack:end;align-content:end;-ms-flex-pack:end;justify-content:flex-end}.chat-message-wrapper .outgoing a{color:var(--chatMessageOutgoingLink,#d8a070)}.chat-message-wrapper .outgoing .status{color:var(--chatMessageOutgoingText,#b9b9ba);background-color:var(--chatMessageOutgoingBg,#151e2a);border:1px solid var(--chatMessageOutgoingBorder,--lightBg)}.chat-message-wrapper .outgoing .chat-message-inner{-ms-flex-align:end;align-items:flex-end}.chat-message-wrapper .outgoing .chat-message-menu{right:.4rem}.chat-message-wrapper .visible{opacity:1}.chat-message-date-separator{text-align:center;margin:1.4em 0;font-size:.9em;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;color:#b9b9ba;color:var(--faintedText,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./user_profile.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7563b46e\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".user-profile{-ms-flex:2;flex:2;-ms-flex-preferred-size:500px;flex-basis:500px}.user-profile .user-profile-fields{margin:0 .5em}.user-profile .user-profile-fields img{-o-object-fit:contain;object-fit:contain;vertical-align:middle;max-width:100%;max-height:400px}.user-profile .user-profile-fields img.emoji{width:18px;height:18px}.user-profile .user-profile-fields .user-profile-field{display:-ms-flexbox;display:flex;margin:.25em auto;max-width:32em;border:1px solid var(--border,#222);border-radius:4px;border-radius:var(--inputRadius,4px)}.user-profile .user-profile-fields .user-profile-field .user-profile-field-name{-ms-flex:0 1 30%;flex:0 1 30%;font-weight:500;text-align:right;color:var(--lightText);min-width:120px;border-right:1px solid var(--border,#222)}.user-profile .user-profile-fields .user-profile-field .user-profile-field-value{-ms-flex:1 1 70%;flex:1 1 70%;color:var(--text);margin:0 0 0 .25em}.user-profile .user-profile-fields .user-profile-field .user-profile-field-name,.user-profile .user-profile-fields .user-profile-field .user-profile-field-value{line-height:18px;text-overflow:ellipsis;white-space:nowrap;overflow:hidden;padding:.5em 1.5em;box-sizing:border-box}.user-profile .userlist-placeholder{-ms-flex-align:middle;align-items:middle;padding:2em}.user-profile .timeline-heading,.user-profile .userlist-placeholder{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center}.user-profile .timeline-heading .alert,.user-profile .timeline-heading .loadmore-button{-ms-flex:1;flex:1}.user-profile .timeline-heading .loadmore-button{height:28px;margin:10px .6em}.user-profile .timeline-heading .loadmore-text,.user-profile .timeline-heading .title{display:none}.user-profile-placeholder .panel-body{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:middle;align-items:middle;padding:7em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./follow_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"ae955a70\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".follow-card-content-container{-ms-flex-negative:0;flex-shrink:0;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-wrap:wrap;flex-wrap:wrap;line-height:1.5em}.follow-card-follow-button{margin-top:.5em;margin-left:auto;width:10em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./search.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"354d66d6\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".search-result-heading{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));padding:.75rem;text-align:center}@media (max-width:800px){.search-nav-heading .tab-switcher .tabs .tab-wrapper{display:block;-ms-flex-pack:center;justify-content:center;-ms-flex:1 1 auto;flex:1 1 auto;text-align:center}}.search-result{box-sizing:border-box;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222)}.search-result-footer{border-width:1px 0 0;border-style:solid;border-color:var(--border,#222);padding:10px;background-color:#182230;background-color:var(--panel,#182230)}.search-input-container{padding:.8rem;display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center}.search-input-container .search-input{width:100%;line-height:1.125rem;font-size:1rem;padding:.5rem;box-sizing:border-box}.search-input-container .search-button{margin-left:.5em}.loading-icon{padding:1em}.trend{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.trend .hashtag{-ms-flex:1 1 auto;flex:1 1 auto;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.trend .count,.trend .hashtag{color:#b9b9ba;color:var(--text,#b9b9ba)}.trend .count{-ms-flex:0 0 auto;flex:0 0 auto;width:2rem;font-size:1.5rem;line-height:2.25rem;font-weight:500;text-align:center}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./registration.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"16815f76\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".registration-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:.6em}.registration-form .container{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row}.registration-form .terms-of-service{-ms-flex:0 1 50%;flex:0 1 50%;margin:.8em}.registration-form .text-fields{margin-top:.6em;-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.registration-form textarea{min-height:100px;resize:vertical}.registration-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.3em 0;line-height:24px;margin-bottom:1em}.registration-form .form-group--error{animation-name:shakeError;animation-duration:.6s;animation-timing-function:ease-in-out}.registration-form .form-group--error .form--label{color:#f04124;color:var(--cRed,#f04124)}.registration-form .form-error{margin-top:-.7em;text-align:left}.registration-form .form-error span{font-size:12px}.registration-form .form-error ul{list-style:none;padding:0 0 0 5px;margin-top:0}.registration-form .form-error ul li:before{content:\\\"\\\\2022 \\\"}.registration-form form textarea{line-height:16px;resize:vertical}.registration-form .captcha{max-width:350px;margin-bottom:.4em}.registration-form .btn{margin-top:.6em;height:28px}.registration-form .error{text-align:center}@media (max-width:800px){.registration-form .container{-ms-flex-direction:column-reverse;flex-direction:column-reverse}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./password_reset.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"1ef4fd93\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".password-reset-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:center;align-items:center;margin:.6em}.password-reset-form .container{display:-ms-flexbox;display:flex;-ms-flex:1 0;flex:1 0;-ms-flex-direction:column;flex-direction:column;margin-top:.6em;max-width:18rem}.password-reset-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin-bottom:1em;padding:.3em 0;line-height:24px}.password-reset-form .error{text-align:center;animation-name:shakeError;animation-duration:.4s;animation-timing-function:ease-in-out}.password-reset-form .alert{padding:.5em;margin:.3em 0 1em}.password-reset-form .password-reset-required{background-color:var(--alertError,rgba(211,16,20,.5));padding:10px 0}.password-reset-form .notice-dismissible{padding-right:2rem}.password-reset-form .icon-cancel{cursor:pointer}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./follow_request_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"ad510f10\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".follow-request-card-content-container{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-wrap:wrap;flex-wrap:wrap}.follow-request-card-content-container button{margin-top:.5em;margin-right:.5em;-ms-flex:1 1;flex:1 1;max-width:12em;min-width:8em}.follow-request-card-content-container button:last-child{margin-right:0}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./login_form.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"42704024\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".login-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.6em}.login-form .btn{min-height:28px;width:10em}.login-form .register{-ms-flex:1 1;flex:1 1}.login-form .login-bottom{margin-top:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between}.login-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.3em .5em .6em;line-height:24px}.login-form .form-bottom{display:-ms-flexbox;display:flex;padding:.5em;height:32px}.login-form .form-bottom button{width:10em}.login-form .form-bottom p{margin:.35em;padding:.35em;display:-ms-flexbox;display:flex}.login-form .error{text-align:center;animation-name:shakeError;animation-duration:.4s;animation-timing-function:ease-in-out}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"2c0040e1\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".floating-chat{position:fixed;right:0;bottom:0;z-index:1000;max-width:25em}.chat-panel .chat-heading{cursor:pointer}.chat-panel .chat-heading .icon-comment-empty{color:#b9b9ba;color:var(--text,#b9b9ba)}.chat-panel .chat-window{overflow-y:auto;overflow-x:hidden;max-height:20em}.chat-panel .chat-window-container{height:100%}.chat-panel .chat-message{display:-ms-flexbox;display:flex;padding:.2em .5em}.chat-panel .chat-avatar img{height:24px;width:24px;border-radius:4px;border-radius:var(--avatarRadius,4px);margin-right:.5em;margin-top:.25em}.chat-panel .chat-input{display:-ms-flexbox;display:flex}.chat-panel .chat-input textarea{-ms-flex:1;flex:1;margin:.6em;min-height:3.5em;resize:none}.chat-panel .chat-panel .title{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./who_to_follow.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"c74f4f44\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \"\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./about.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7dfaed97\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \"\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./features_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"55ca8508\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".features-panel li{line-height:24px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./terms_of_service_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"42aabc98\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".tos-content{margin:1em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./staff_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"5aa588af\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \"\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./mrf_transparency_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"72647543\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".mrf-section{margin:1em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./remote_user_resolver.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"67a8aa3d\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \"\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../node_modules/css-loader/index.js?minimize!../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../node_modules/sass-loader/lib/loader.js!./App.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"5c806d03\", content, true, {});","exports = module.exports = require(\"../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \"#app{min-height:100vh;max-width:100%;overflow:hidden}.app-bg-wrapper{position:fixed;z-index:-1;height:100%;left:0;right:-20px;background-size:cover;background-repeat:no-repeat;background-position:0 50%}i[class^=icon-]{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}h4{margin:0}#content{box-sizing:border-box;padding-top:60px;margin:auto;min-height:100vh;max-width:980px;-ms-flex-line-pack:start;align-content:flex-start}.underlay{background-color:rgba(0,0,0,.15);background-color:var(--underlay,rgba(0,0,0,.15))}.text-center{text-align:center}html{font-size:14px}body{overscroll-behavior-y:none;font-family:sans-serif;font-family:var(--interfaceFont,sans-serif);margin:0;color:#b9b9ba;color:var(--text,#b9b9ba);max-width:100vw;overflow-x:hidden;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}body.hidden{display:none}a{text-decoration:none;color:#d8a070;color:var(--link,#d8a070)}button{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;background-color:#182230;background-color:var(--btn,#182230);border:none;border-radius:4px;border-radius:var(--btnRadius,4px);cursor:pointer;box-shadow:0 0 2px 0 #000,inset 0 1px 0 0 hsla(0,0%,100%,.2),inset 0 -1px 0 0 rgba(0,0,0,.2);box-shadow:var(--buttonShadow);font-size:14px;font-family:sans-serif;font-family:var(--interfaceFont,sans-serif)}button,button i[class*=icon-]{color:#b9b9ba;color:var(--btnText,#b9b9ba)}button::-moz-focus-inner{border:none}button:hover{box-shadow:0 0 4px hsla(0,0%,100%,.3);box-shadow:var(--buttonHoverShadow)}button:active{box-shadow:0 0 4px 0 hsla(0,0%,100%,.3),inset 0 1px 0 0 rgba(0,0,0,.2),inset 0 -1px 0 0 hsla(0,0%,100%,.2);box-shadow:var(--buttonPressedShadow);background-color:#182230;background-color:var(--btnPressed,#182230)}button:active,button:active i{color:#b9b9ba;color:var(--btnPressedText,#b9b9ba)}button:disabled{cursor:not-allowed;background-color:#182230;background-color:var(--btnDisabled,#182230)}button:disabled,button:disabled i{color:#b9b9ba;color:var(--btnDisabledText,#b9b9ba)}button.toggled{background-color:#182230;background-color:var(--btnToggled,#182230);box-shadow:0 0 4px 0 hsla(0,0%,100%,.3),inset 0 1px 0 0 rgba(0,0,0,.2),inset 0 -1px 0 0 hsla(0,0%,100%,.2);box-shadow:var(--buttonPressedShadow)}button.toggled,button.toggled i{color:#b9b9ba;color:var(--btnToggledText,#b9b9ba)}button.danger{color:#b9b9ba;color:var(--alertErrorPanelText,#b9b9ba);background-color:rgba(211,16,20,.5);background-color:var(--alertError,rgba(211,16,20,.5))}.input,.select,input,textarea{border:none;border-radius:4px;border-radius:var(--inputRadius,4px);box-shadow:inset 0 1px 0 0 rgba(0,0,0,.2),inset 0 -1px 0 0 hsla(0,0%,100%,.2),inset 0 0 2px 0 #000;box-shadow:var(--inputShadow);background-color:#182230;background-color:var(--input,#182230);color:#b9b9ba;color:var(--inputText,#b9b9ba);font-family:sans-serif;font-family:var(--inputFont,sans-serif);font-size:14px;margin:0;box-sizing:border-box;display:inline-block;position:relative;height:28px;line-height:16px;-webkit-hyphens:none;-ms-hyphens:none;hyphens:none;padding:8px .5em}.input.unstyled,.select.unstyled,input.unstyled,textarea.unstyled{border-radius:0;background:none;box-shadow:none;height:unset}.input.select,.select.select,input.select,textarea.select{padding:0}.input:disabled,.input[disabled=disabled],.select:disabled,.select[disabled=disabled],input:disabled,input[disabled=disabled],textarea:disabled,textarea[disabled=disabled]{cursor:not-allowed;opacity:.5}.input .icon-down-open,.select .icon-down-open,input .icon-down-open,textarea .icon-down-open{position:absolute;top:0;bottom:0;right:5px;height:100%;color:#b9b9ba;color:var(--inputText,#b9b9ba);line-height:28px;z-index:0;pointer-events:none}.input select,.select select,input select,textarea select{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:transparent;border:none;color:#b9b9ba;color:var(--inputText,--text,#b9b9ba);margin:0;padding:0 2em 0 .2em;font-family:sans-serif;font-family:var(--inputFont,sans-serif);font-size:14px;width:100%;z-index:1;height:28px;line-height:16px}.input[type=range],.select[type=range],input[type=range],textarea[type=range]{background:none;border:none;margin:0;box-shadow:none;-ms-flex:1;flex:1}.input[type=radio],.select[type=radio],input[type=radio],textarea[type=radio]{display:none}.input[type=radio]:checked+label:before,.select[type=radio]:checked+label:before,input[type=radio]:checked+label:before,textarea[type=radio]:checked+label:before{box-shadow:inset 0 0 2px #000,inset 0 0 0 4px #182230;box-shadow:var(--inputShadow),0 0 0 4px var(--fg,#182230) inset;background-color:var(--accent,#d8a070)}.input[type=radio]:disabled,.input[type=radio]:disabled+label,.input[type=radio]:disabled+label:before,.select[type=radio]:disabled,.select[type=radio]:disabled+label,.select[type=radio]:disabled+label:before,input[type=radio]:disabled,input[type=radio]:disabled+label,input[type=radio]:disabled+label:before,textarea[type=radio]:disabled,textarea[type=radio]:disabled+label,textarea[type=radio]:disabled+label:before{opacity:.5}.input[type=radio]+label:before,.select[type=radio]+label:before,input[type=radio]+label:before,textarea[type=radio]+label:before{-ms-flex-negative:0;flex-shrink:0;display:inline-block;content:\\\"\\\";transition:box-shadow .2s;width:1.1em;height:1.1em;border-radius:100%;box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow);margin-right:.5em;background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}.input[type=checkbox],.select[type=checkbox],input[type=checkbox],textarea[type=checkbox]{display:none}.input[type=checkbox]:checked+label:before,.select[type=checkbox]:checked+label:before,input[type=checkbox]:checked+label:before,textarea[type=checkbox]:checked+label:before{color:#b9b9ba;color:var(--inputText,#b9b9ba)}.input[type=checkbox]:disabled,.input[type=checkbox]:disabled+label,.input[type=checkbox]:disabled+label:before,.select[type=checkbox]:disabled,.select[type=checkbox]:disabled+label,.select[type=checkbox]:disabled+label:before,input[type=checkbox]:disabled,input[type=checkbox]:disabled+label,input[type=checkbox]:disabled+label:before,textarea[type=checkbox]:disabled,textarea[type=checkbox]:disabled+label,textarea[type=checkbox]:disabled+label:before{opacity:.5}.input[type=checkbox]+label:before,.select[type=checkbox]+label:before,input[type=checkbox]+label:before,textarea[type=checkbox]+label:before{-ms-flex-negative:0;flex-shrink:0;display:inline-block;content:\\\"\\\\2714\\\";transition:color .2s;width:1.1em;height:1.1em;border-radius:2px;border-radius:var(--checkboxRadius,2px);box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow);margin-right:.5em;background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}option{color:#b9b9ba;color:var(--text,#b9b9ba);background-color:#121a24;background-color:var(--bg,#121a24)}.hide-number-spinner{-moz-appearance:textfield}.hide-number-spinner[type=number]::-webkit-inner-spin-button,.hide-number-spinner[type=number]::-webkit-outer-spin-button{opacity:0;display:none}i[class*=icon-]{color:#666;color:var(--icon,#666)}.btn-block{display:block;width:100%}.btn-group{position:relative;display:-ms-inline-flexbox;display:inline-flex;vertical-align:middle}.btn-group button{position:relative;-ms-flex:1 1 auto;flex:1 1 auto}.btn-group button:not(:last-child){border-top-right-radius:0;border-bottom-right-radius:0}.btn-group button:not(:first-child){border-top-left-radius:0;border-bottom-left-radius:0}.container{-ms-flex-wrap:wrap;flex-wrap:wrap;margin:0;padding:0 10px}.container,.item{display:-ms-flexbox;display:flex}.item{-ms-flex:1;flex:1;line-height:50px;height:50px;overflow:hidden;-ms-flex-wrap:wrap;flex-wrap:wrap}.item .nav-icon{margin-left:.4em}.item.right{-ms-flex-pack:end;justify-content:flex-end}.auto-size{-ms-flex:1;flex:1}.nav-bar{padding:0;width:100%;-ms-flex-align:center;align-items:center;position:fixed;height:50px;box-sizing:border-box}.nav-bar button,.nav-bar button i[class*=icon-]{color:#b9b9ba;color:var(--btnTopBarText,#b9b9ba)}.nav-bar button:active{background-color:#182230;background-color:var(--btnPressedTopBar,#182230);color:#b9b9ba;color:var(--btnPressedTopBarText,#b9b9ba)}.nav-bar button:disabled{color:#b9b9ba;color:var(--btnDisabledTopBarText,#b9b9ba)}.nav-bar button.toggled{color:#b9b9ba;color:var(--btnToggledTopBarText,#b9b9ba);background-color:#182230;background-color:var(--btnToggledTopBar,#182230)}.nav-bar .logo{display:-ms-flexbox;display:flex;-ms-flex-align:stretch;align-items:stretch;-ms-flex-pack:center;justify-content:center;-ms-flex:0 0 auto;flex:0 0 auto;z-index:-1;transition:opacity;transition-timing-function:ease-out;transition-duration:.1s}.nav-bar .logo,.nav-bar .logo .mask{position:absolute;top:0;bottom:0;left:0;right:0}.nav-bar .logo .mask{-webkit-mask-repeat:no-repeat;mask-repeat:no-repeat;-webkit-mask-position:center;mask-position:center;-webkit-mask-size:contain;mask-size:contain;background-color:#182230;background-color:var(--topBarText,#182230)}.nav-bar .logo img{height:100%;-o-object-fit:contain;object-fit:contain;display:block;-ms-flex:0;flex:0}.nav-bar .inner-nav{position:relative;margin:auto;box-sizing:border-box;padding-left:10px;padding-right:10px;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-preferred-size:970px;flex-basis:970px;height:50px}.nav-bar .inner-nav a,.nav-bar .inner-nav a i{color:#d8a070;color:var(--topBarLink,#d8a070)}main-router{-ms-flex:1;flex:1}.status.compact{color:rgba(0,0,0,.42);font-weight:300}.status.compact p{margin:0;font-size:.8em}.panel{display:-ms-flexbox;display:flex;position:relative;-ms-flex-direction:column;flex-direction:column;margin:.5em;background-color:#121a24;background-color:var(--bg,#121a24)}.panel,.panel:after{border-radius:10px;border-radius:var(--panelRadius,10px)}.panel:after{content:\\\"\\\";position:absolute;top:0;bottom:0;left:0;right:0;pointer-events:none;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow)}.panel-body:empty:before{content:\\\"\\\\AF\\\\\\\\_(\\\\30C4)_/\\\\AF\\\";display:block;margin:1em;text-align:center}.panel-heading{display:-ms-flexbox;display:flex;-ms-flex:none;flex:none;border-radius:10px 10px 0 0;border-radius:var(--panelRadius,10px) var(--panelRadius,10px) 0 0;background-size:cover;padding:.6em;text-align:left;line-height:28px;color:var(--panelText);background-color:#182230;background-color:var(--panel,#182230);-ms-flex-align:baseline;align-items:baseline;box-shadow:var(--panelHeaderShadow)}.panel-heading .title{-ms-flex:1 0 auto;flex:1 0 auto;font-size:1.3em}.panel-heading .faint{background-color:transparent;color:hsla(240,1%,73%,.5);color:var(--panelFaint,hsla(240,1%,73%,.5))}.panel-heading .faint-link{color:hsla(240,1%,73%,.5);color:var(--faintLink,hsla(240,1%,73%,.5))}.panel-heading .alert{white-space:nowrap;text-overflow:ellipsis;overflow-x:hidden}.panel-heading button{-ms-flex-negative:0;flex-shrink:0}.panel-heading .alert,.panel-heading button{line-height:21px;min-height:0;box-sizing:border-box;margin:0;margin-left:.5em;min-width:1px;-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.panel-heading button,.panel-heading button i[class*=icon-]{color:#b9b9ba;color:var(--btnPanelText,#b9b9ba)}.panel-heading button:active{background-color:#182230;background-color:var(--btnPressedPanel,#182230);color:#b9b9ba;color:var(--btnPressedPanelText,#b9b9ba)}.panel-heading button:disabled{color:#b9b9ba;color:var(--btnDisabledPanelText,#b9b9ba)}.panel-heading button.toggled{color:#b9b9ba;color:var(--btnToggledPanelText,#b9b9ba)}.panel-heading a{color:#d8a070;color:var(--panelLink,#d8a070)}.panel-heading.stub{border-radius:10px;border-radius:var(--panelRadius,10px)}.panel-footer{border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}.panel-footer .faint{color:hsla(240,1%,73%,.5);color:var(--panelFaint,hsla(240,1%,73%,.5))}.panel-footer a{color:#d8a070;color:var(--panelLink,#d8a070)}.panel-body>p{line-height:18px;padding:1em;margin:0}.container>*{min-width:0}.fa{color:grey}nav{z-index:1000;color:var(--topBarText);background-color:#182230;background-color:var(--topBar,#182230);color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));box-shadow:0 0 4px rgba(0,0,0,.6);box-shadow:var(--topBarShadow)}.fade-enter-active,.fade-leave-active{transition:opacity .2s}.fade-enter,.fade-leave-active{opacity:0}.main{-ms-flex-preferred-size:50%;flex-basis:50%;-ms-flex-positive:1;flex-grow:1;-ms-flex-negative:1;flex-shrink:1}.sidebar-bounds{-ms-flex:0;flex:0;-ms-flex-preferred-size:35%;flex-basis:35%}.sidebar-flexer{-ms-flex:1;flex:1;-ms-flex-preferred-size:345px;flex-basis:345px;width:365px}.mobile-shown{display:none}@media (min-width:800px){body{overflow-y:scroll}.sidebar-bounds{overflow:hidden;max-height:100vh;width:345px;position:fixed;margin-top:-10px}.sidebar-bounds .sidebar-scroller{height:96vh;width:365px;padding-top:10px;padding-right:50px;overflow-x:hidden;overflow-y:scroll}.sidebar-bounds .sidebar{width:345px}.sidebar-flexer{max-height:96vh;-ms-flex-negative:0;flex-shrink:0;-ms-flex-positive:0;flex-grow:0}}.badge{display:inline-block;border-radius:99px;min-width:22px;max-width:22px;min-height:22px;max-height:22px;font-size:15px;line-height:22px;text-align:center;vertical-align:middle;white-space:nowrap;padding:0}.badge.badge-notification{background-color:red;background-color:var(--badgeNotification,red);color:#fff;color:var(--badgeNotificationText,#fff)}.alert{margin:.35em;padding:.25em;border-radius:5px;border-radius:var(--tooltipRadius,5px);min-height:28px;line-height:28px}.alert.error{background-color:rgba(211,16,20,.5);background-color:var(--alertError,rgba(211,16,20,.5));color:#b9b9ba;color:var(--alertErrorText,#b9b9ba)}.panel-heading .alert.error{color:#b9b9ba;color:var(--alertErrorPanelText,#b9b9ba)}.alert.warning{background-color:rgba(111,111,20,.5);background-color:var(--alertWarning,rgba(111,111,20,.5));color:#b9b9ba;color:var(--alertWarningText,#b9b9ba)}.panel-heading .alert.warning{color:#b9b9ba;color:var(--alertWarningPanelText,#b9b9ba)}.faint,.faint-link{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.faint-link:hover{text-decoration:underline}@media (min-width:800px){.logo{opacity:1!important}}.item.right{text-align:right}.visibility-notice{padding:.5em;border:1px solid hsla(240,1%,73%,.5);border:1px solid var(--faint,hsla(240,1%,73%,.5));border-radius:4px;border-radius:var(--inputRadius,4px)}.notice-dismissible{padding-right:4rem;position:relative}.notice-dismissible .dismiss{position:absolute;top:0;right:0;padding:.5em;color:inherit}.button-icon{font-size:1.2em}@keyframes shakeError{0%{transform:translateX(0)}15%{transform:translateX(.375rem)}30%{transform:translateX(-.375rem)}45%{transform:translateX(.375rem)}60%{transform:translateX(-.375rem)}75%{transform:translateX(.375rem)}90%{transform:translateX(-.375rem)}to{transform:translateX(0)}}@media (max-width:800px){.mobile-hidden{display:none}.panel-switcher{display:-ms-flexbox;display:flex}.container{padding:0}.panel{margin:.5em 0}.menu-button{display:block;margin-right:.8em}.main{margin-bottom:7em}}.select-multiple{display:-ms-flexbox;display:flex}.select-multiple .option-list{margin:0;padding-left:.5em}.option-list,.setting-list{list-style-type:none;padding-left:2em}.option-list li,.setting-list li{margin-bottom:.5em}.option-list .suboptions,.setting-list .suboptions{margin-top:.3em}.login-hint{text-align:center}@media (min-width:801px){.login-hint{display:none}}.login-hint a{display:inline-block;padding:1em 0;width:100%}.btn.btn-default{min-height:28px}.animate-spin{animation:spin 2s infinite linear;display:inline-block}@keyframes spin{0%{transform:rotate(0deg)}to{transform:rotate(359deg)}}.new-status-notification{position:relative;margin-top:-1px;font-size:1.1em;border-width:1px 0 0;border-style:solid;border-color:var(--border,#222);padding:10px;z-index:1;background-color:#182230;background-color:var(--panel,#182230)}.unread-chat-count{font-size:.9em;font-weight:bolder;font-style:normal;position:absolute;right:.6rem;padding:0 .3em;min-width:1.3rem;min-height:1.3rem;max-height:1.3rem;line-height:1.3rem}.chat-layout{overflow:hidden;height:100%}@media (max-width:800px){.chat-layout body{height:100%}.chat-layout #app{height:100%;overflow:hidden;min-height:auto}.chat-layout #app_bg_wrapper{overflow:hidden}.chat-layout .main{overflow:hidden;height:100%}.chat-layout #content{padding-top:0;height:100%;overflow:visible}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./user_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"04d46dee\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".user-panel .signed-in{overflow:visible}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./nav_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"b030addc\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".nav-panel .panel{overflow:hidden;box-shadow:var(--panelShadow)}.nav-panel ul{list-style:none;margin:0;padding:0}.follow-request-count{margin:-6px 10px;background-color:#121a24;background-color:var(--input,hsla(240,1%,73%,.5))}.nav-panel li{border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);padding:0}.nav-panel li:first-child a{border-top-right-radius:10px;border-top-right-radius:var(--panelRadius,10px);border-top-left-radius:10px;border-top-left-radius:var(--panelRadius,10px)}.nav-panel li:last-child a{border-bottom-right-radius:10px;border-bottom-right-radius:var(--panelRadius,10px);border-bottom-left-radius:10px;border-bottom-left-radius:var(--panelRadius,10px)}.nav-panel li:last-child{border:none}.nav-panel a{display:block;padding:.8em .85em}.nav-panel a:hover{color:#d8a070;color:var(--selectedMenuText,#d8a070)}.nav-panel a.router-link-active,.nav-panel a:hover{background-color:#151e2a;background-color:var(--selectedMenu,#151e2a);--faint:var(--selectedMenuFaintText,$fallback--faint);--faintLink:var(--selectedMenuFaintLink,$fallback--faint);--lightText:var(--selectedMenuLightText,$fallback--lightText);--icon:var(--selectedMenuIcon,$fallback--icon)}.nav-panel a.router-link-active{font-weight:bolder;color:#b9b9ba;color:var(--selectedMenuText,#b9b9ba)}.nav-panel a.router-link-active:hover{text-decoration:underline}.nav-panel .button-icon:before{width:1.1em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./search_bar.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"0ea9aafc\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".search-bar-container{max-width:100%;display:-ms-inline-flexbox;display:inline-flex;-ms-flex-align:baseline;align-items:baseline;vertical-align:baseline;-ms-flex-pack:end;justify-content:flex-end}.search-bar-container .search-bar-input,.search-bar-container .search-button{height:29px}.search-bar-container .search-bar-input{max-width:calc(100% - 30px - 30px - 20px)}.search-bar-container .search-button{margin-left:.5em;margin-right:.5em}.search-bar-container .icon-cancel{cursor:pointer}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./who_to_follow_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"2f18dd03\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".who-to-follow *{vertical-align:middle}.who-to-follow img{width:32px;height:32px}.who-to-follow{padding:0 1em;margin:0}.who-to-follow-items{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;padding:0;margin:1em 0}.who-to-follow-more{padding:0;margin:1em 0;text-align:center}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./settings_modal.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7272e6fe\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".settings-modal{overflow:hidden}.settings-modal.peek .settings-modal-panel{transform:translateY(calc(((100vh - 100%) / 2 + 100%) - 50px))}@media (max-width:800px){.settings-modal.peek .settings-modal-panel{transform:translateY(calc(100% - 50px))}}.settings-modal .settings-modal-panel{overflow:hidden;transition:transform;transition-timing-function:ease-in-out;transition-duration:.3s;width:1000px;max-width:90vw;height:90vh}@media (max-width:800px){.settings-modal .settings-modal-panel{max-width:100vw;height:100%}}.settings-modal .settings-modal-panel>.panel-body{height:100%;overflow-y:hidden}.settings-modal .settings-modal-panel>.panel-body .btn{min-height:28px;min-width:10em;padding:0 2em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./modal.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"f7395e92\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".modal-view{z-index:1000;position:fixed;top:0;left:0;right:0;bottom:0;display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:center;align-items:center;overflow:auto;pointer-events:none;animation-duration:.2s;animation-name:modal-background-fadein;opacity:0}.modal-view>*{pointer-events:auto}.modal-view.modal-background{pointer-events:auto;background-color:rgba(0,0,0,.5)}.modal-view.open{opacity:1}@keyframes modal-background-fadein{0%{background-color:transparent}to{background-color:rgba(0,0,0,.5)}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./panel_loading.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"1c82888b\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".panel-loading{display:-ms-flexbox;display:flex;height:100%;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;font-size:2em;color:#b9b9ba;color:var(--text,#b9b9ba)}.panel-loading .loading-text i{font-size:3em;line-height:0;vertical-align:middle;color:#b9b9ba;color:var(--text,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./async_component_error.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"2970b266\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".async-component-error{display:-ms-flexbox;display:flex;height:100%;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center}.async-component-error .btn{margin:.5em;padding:.5em 2em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./media_modal.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"23b00cfc\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".modal-view.media-modal-view{z-index:1001}.modal-view.media-modal-view .modal-view-button-arrow{opacity:.75}.modal-view.media-modal-view .modal-view-button-arrow:focus,.modal-view.media-modal-view .modal-view-button-arrow:hover{outline:none;box-shadow:none}.modal-view.media-modal-view .modal-view-button-arrow:hover{opacity:1}.modal-image{max-width:90%;max-height:90%;box-shadow:0 5px 15px 0 rgba(0,0,0,.5);image-orientation:from-image}.modal-view-button-arrow{position:absolute;display:block;top:50%;margin-top:-50px;width:70px;height:100px;border:0;padding:0;opacity:0;box-shadow:none;background:none;-webkit-appearance:none;-moz-appearance:none;appearance:none;overflow:visible;cursor:pointer;transition:opacity 333ms cubic-bezier(.4,0,.22,1)}.modal-view-button-arrow .arrow-icon{position:absolute;top:35px;height:30px;width:32px;font-size:14px;line-height:30px;color:#fff;text-align:center;background-color:rgba(0,0,0,.3)}.modal-view-button-arrow--prev{left:0}.modal-view-button-arrow--prev .arrow-icon{left:6px}.modal-view-button-arrow--next{right:0}.modal-view-button-arrow--next .arrow-icon{right:6px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./side_drawer.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"34992fba\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".side-drawer-container{position:fixed;z-index:1000;top:0;left:0;width:100%;height:100%;display:-ms-flexbox;display:flex;-ms-flex-align:stretch;align-items:stretch;transition-duration:0s;transition-property:transform}.side-drawer-container-open{transform:translate(0)}.side-drawer-container-closed{transition-delay:.35s;transform:translate(-100%)}.side-drawer-darken{top:0;left:0;width:100vw;height:100vh;position:fixed;z-index:-1;transition:.35s;transition-property:background-color;background-color:rgba(0,0,0,.5)}.side-drawer-darken-closed{background-color:transparent}.side-drawer-click-outside{-ms-flex:1 1 100%;flex:1 1 100%}.side-drawer{overflow-x:hidden;transition-timing-function:cubic-bezier(0,1,.5,1);transition:.35s;transition-property:transform;margin:0 0 0 -100px;padding:0 0 1em 100px;width:80%;max-width:20em;-ms-flex:0 0 80%;flex:0 0 80%;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);background-color:#121a24;background-color:var(--popover,#121a24);color:#d8a070;color:var(--popoverText,#d8a070);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--icon:var(--popoverIcon,$fallback--icon)}.side-drawer .button-icon:before{width:1.1em}.side-drawer-logo-wrapper{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;padding:.85em}.side-drawer-logo-wrapper img{-ms-flex:none;flex:none;height:50px;margin-right:.85em}.side-drawer-logo-wrapper span{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.side-drawer-click-outside-closed{-ms-flex:0 0 0px;flex:0 0 0}.side-drawer-closed{transform:translate(-100%)}.side-drawer-heading{background:transparent;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:stretch;align-items:stretch;display:-ms-flexbox;display:flex;padding:0;margin:0}.side-drawer ul{list-style:none;margin:0;padding:0;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);margin:.2em 0}.side-drawer ul:last-child{border:0}.side-drawer li{padding:0}.side-drawer li a{display:block;padding:.5em .85em}.side-drawer li a:hover{background-color:#151e2a;background-color:var(--selectedMenuPopover,#151e2a);color:#b9b9ba;color:var(--selectedMenuPopoverText,#b9b9ba);--faint:var(--selectedMenuPopoverFaintText,$fallback--faint);--faintLink:var(--selectedMenuPopoverFaintLink,$fallback--faint);--lightText:var(--selectedMenuPopoverLightText,$fallback--lightText);--icon:var(--selectedMenuPopoverIcon,$fallback--icon)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./mobile_post_status_button.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7f8eca07\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".new-status-button{width:5em;height:5em;border-radius:100%;position:fixed;bottom:1.5em;right:1.5em;background-color:#182230;background-color:var(--btn,#182230);display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:center;align-items:center;box-shadow:0 2px 2px rgba(0,0,0,.3),0 4px 6px rgba(0,0,0,.3);z-index:10;transition:transform .35s;transition-timing-function:cubic-bezier(0,1,.5,1)}.new-status-button.hidden{transform:translateY(150%)}.new-status-button i{font-size:1.5em;color:#b9b9ba;color:var(--text,#b9b9ba)}@media (min-width:801px){.new-status-button{display:none}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./mobile_nav.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"1e0fbcf8\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".mobile-inner-nav{width:100%;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.mobile-nav-button{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;width:50px;position:relative;cursor:pointer}.alert-dot{border-radius:100%;height:8px;width:8px;position:absolute;left:calc(50% - 4px);top:calc(50% - 4px);margin-left:6px;margin-top:-6px;background-color:red;background-color:var(--badgeNotification,red)}.mobile-notifications-drawer{width:100%;height:100vh;overflow-x:hidden;position:fixed;top:0;left:0;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);transition-property:transform;transition-duration:.25s;transform:translateX(0);z-index:1001;-webkit-overflow-scrolling:touch}.mobile-notifications-drawer.closed{transform:translateX(100%)}.mobile-notifications-header{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between;z-index:1;width:100%;height:50px;line-height:50px;position:absolute;color:var(--topBarText);background-color:#182230;background-color:var(--topBar,#182230);box-shadow:0 0 4px rgba(0,0,0,.6);box-shadow:var(--topBarShadow)}.mobile-notifications-header .title{font-size:1.3em;margin-left:.6em}.mobile-notifications{margin-top:50px;width:100vw;height:calc(100vh - 50px);overflow-x:hidden;overflow-y:scroll;color:#b9b9ba;color:var(--text,#b9b9ba);background-color:#121a24;background-color:var(--bg,#121a24)}.mobile-notifications .notifications{padding:0;border-radius:0;box-shadow:none}.mobile-notifications .notifications .panel{border-radius:0;margin:0;box-shadow:none}.mobile-notifications .notifications .panel:after{border-radius:0}.mobile-notifications .notifications .panel .panel-heading{border-radius:0;box-shadow:none}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./user_reporting_modal.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"10c04f96\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".user-reporting-panel{width:90vw;max-width:700px;min-height:20vh;max-height:80vh}.user-reporting-panel .panel-heading .title{text-align:center;-ms-flex:1;flex:1;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.user-reporting-panel .panel-body{display:-ms-flexbox;display:flex;-ms-flex-direction:column-reverse;flex-direction:column-reverse;border-top:1px solid;border-color:#222;border-color:var(--border,#222);overflow:hidden}.user-reporting-panel-left{padding:1.1em .7em .7em;line-height:1.4em;box-sizing:border-box}.user-reporting-panel-left>div{margin-bottom:1em}.user-reporting-panel-left>div:last-child{margin-bottom:0}.user-reporting-panel-left p{margin-top:0}.user-reporting-panel-left textarea.form-control{line-height:16px;resize:none;overflow:hidden;transition:min-height .2s .1s;min-height:44px;width:100%}.user-reporting-panel-left .btn{min-width:10em;padding:0 2em}.user-reporting-panel-left .alert{margin:1em 0 0;line-height:1.3em}.user-reporting-panel-right{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;overflow-y:auto}.user-reporting-panel-sitem{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between}.user-reporting-panel-sitem>.Status{-ms-flex:1;flex:1}.user-reporting-panel-sitem>.checkbox{margin:.75em}@media (min-width:801px){.user-reporting-panel .panel-body{-ms-flex-direction:row;flex-direction:row}.user-reporting-panel-left{width:50%;max-width:320px;border-right:1px solid;border-color:#222;border-color:var(--border,#222);padding:1.1em}.user-reporting-panel-left>div{margin-bottom:2em}.user-reporting-panel-right{width:50%;-ms-flex:1 1 auto;flex:1 1 auto;margin-bottom:12px}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./post_status_modal.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7628c2ae\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".modal-view.post-form-modal-view{-ms-flex-align:start;align-items:flex-start}.post-form-modal-panel{-ms-flex-negative:0;flex-shrink:0;margin-top:25%;margin-bottom:2em;width:100%;max-width:700px}@media (orientation:landscape){.post-form-modal-panel{margin-top:8%}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./global_notice_list.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"cdffaf96\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".global-notice-list{position:fixed;top:50px;width:100%;pointer-events:none;z-index:1001;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:center;align-items:center}.global-notice-list .global-notice{pointer-events:auto;text-align:center;width:40em;max-width:calc(100% - 3em);display:-ms-flexbox;display:flex;padding-left:1.5em;line-height:2em}.global-notice-list .global-notice .notice-message{-ms-flex:1 1 100%;flex:1 1 100%}.global-notice-list .global-notice i{-ms-flex:0 0;flex:0 0;width:1.5em;cursor:pointer}.global-notice-list .global-error{background-color:var(--alertPopupError,red)}.global-notice-list .global-error,.global-notice-list .global-error i{color:var(--alertPopupErrorText,#b9b9ba)}.global-notice-list .global-warning{background-color:var(--alertPopupWarning,orange)}.global-notice-list .global-warning,.global-notice-list .global-warning i{color:var(--alertPopupWarningText,#b9b9ba)}.global-notice-list .global-info{background-color:var(--alertPopupNeutral,#182230)}.global-notice-list .global-info,.global-notice-list .global-info i{color:var(--alertPopupNeutralText,#b9b9ba)}\", \"\"]);\n\n// exports\n","import EventTargetPolyfill from '@ungap/event-target'\n\ntry {\n /* eslint-disable no-new */\n new EventTarget()\n /* eslint-enable no-new */\n} catch (e) {\n window.EventTarget = EventTargetPolyfill\n}\n","import { set, delete as del } from 'vue'\n\nconst defaultState = {\n settingsModalState: 'hidden',\n settingsModalLoaded: false,\n settingsModalTargetTab: null,\n settings: {\n currentSaveStateNotice: null,\n noticeClearTimeout: null,\n notificationPermission: null\n },\n browserSupport: {\n cssFilter: window.CSS && window.CSS.supports && (\n window.CSS.supports('filter', 'drop-shadow(0 0)') ||\n window.CSS.supports('-webkit-filter', 'drop-shadow(0 0)')\n )\n },\n mobileLayout: false,\n globalNotices: [],\n layoutHeight: 0,\n lastTimeline: null\n}\n\nconst interfaceMod = {\n state: defaultState,\n mutations: {\n settingsSaved (state, { success, error }) {\n if (success) {\n if (state.noticeClearTimeout) {\n clearTimeout(state.noticeClearTimeout)\n }\n set(state.settings, 'currentSaveStateNotice', { error: false, data: success })\n set(state.settings, 'noticeClearTimeout',\n setTimeout(() => del(state.settings, 'currentSaveStateNotice'), 2000))\n } else {\n set(state.settings, 'currentSaveStateNotice', { error: true, errorData: error })\n }\n },\n setNotificationPermission (state, permission) {\n state.notificationPermission = permission\n },\n setMobileLayout (state, value) {\n state.mobileLayout = value\n },\n closeSettingsModal (state) {\n state.settingsModalState = 'hidden'\n },\n togglePeekSettingsModal (state) {\n switch (state.settingsModalState) {\n case 'minimized':\n state.settingsModalState = 'visible'\n return\n case 'visible':\n state.settingsModalState = 'minimized'\n return\n default:\n throw new Error('Illegal minimization state of settings modal')\n }\n },\n openSettingsModal (state) {\n state.settingsModalState = 'visible'\n if (!state.settingsModalLoaded) {\n state.settingsModalLoaded = true\n }\n },\n setSettingsModalTargetTab (state, value) {\n state.settingsModalTargetTab = value\n },\n pushGlobalNotice (state, notice) {\n state.globalNotices.push(notice)\n },\n removeGlobalNotice (state, notice) {\n state.globalNotices = state.globalNotices.filter(n => n !== notice)\n },\n setLayoutHeight (state, value) {\n state.layoutHeight = value\n },\n setLastTimeline (state, value) {\n state.lastTimeline = value\n }\n },\n actions: {\n setPageTitle ({ rootState }, option = '') {\n document.title = `${option} ${rootState.instance.name}`\n },\n settingsSaved ({ commit, dispatch }, { success, error }) {\n commit('settingsSaved', { success, error })\n },\n setNotificationPermission ({ commit }, permission) {\n commit('setNotificationPermission', permission)\n },\n setMobileLayout ({ commit }, value) {\n commit('setMobileLayout', value)\n },\n closeSettingsModal ({ commit }) {\n commit('closeSettingsModal')\n },\n openSettingsModal ({ commit }) {\n commit('openSettingsModal')\n },\n togglePeekSettingsModal ({ commit }) {\n commit('togglePeekSettingsModal')\n },\n clearSettingsModalTargetTab ({ commit }) {\n commit('setSettingsModalTargetTab', null)\n },\n openSettingsModalTab ({ commit }, value) {\n commit('setSettingsModalTargetTab', value)\n commit('openSettingsModal')\n },\n pushGlobalNotice (\n { commit, dispatch },\n {\n messageKey,\n messageArgs = {},\n level = 'error',\n timeout = 0\n }) {\n const notice = {\n messageKey,\n messageArgs,\n level\n }\n if (timeout) {\n setTimeout(() => dispatch('removeGlobalNotice', notice), timeout)\n }\n commit('pushGlobalNotice', notice)\n return notice\n },\n removeGlobalNotice ({ commit }, notice) {\n commit('removeGlobalNotice', notice)\n },\n setLayoutHeight ({ commit }, value) {\n commit('setLayoutHeight', value)\n },\n setLastTimeline ({ commit }, value) {\n commit('setLastTimeline', value)\n }\n }\n}\n\nexport default interfaceMod\n","import { set } from 'vue'\nimport { getPreset, applyTheme } from '../services/style_setter/style_setter.js'\nimport { CURRENT_VERSION } from '../services/theme_data/theme_data.service.js'\nimport apiService from '../services/api/api.service.js'\nimport { instanceDefaultProperties } from './config.js'\n\nconst defaultState = {\n // Stuff from apiConfig\n name: 'Pleroma FE',\n registrationOpen: true,\n server: 'http://localhost:4040/',\n textlimit: 5000,\n themeData: undefined,\n vapidPublicKey: undefined,\n\n // Stuff from static/config.json\n alwaysShowSubjectInput: true,\n defaultAvatar: '/images/avi.png',\n defaultBanner: '/images/banner.png',\n background: '/static/aurora_borealis.jpg',\n collapseMessageWithSubject: false,\n disableChat: false,\n greentext: false,\n hideFilteredStatuses: false,\n hideMutedPosts: false,\n hidePostStats: false,\n hideSitename: false,\n hideUserStats: false,\n loginMethod: 'password',\n logo: '/static/logo.png',\n logoMargin: '.2em',\n logoMask: true,\n minimalScopesMode: false,\n nsfwCensorImage: undefined,\n postContentType: 'text/plain',\n redirectRootLogin: '/main/friends',\n redirectRootNoLogin: '/main/all',\n scopeCopy: true,\n showFeaturesPanel: true,\n showInstanceSpecificPanel: false,\n sidebarRight: false,\n subjectLineBehavior: 'email',\n theme: 'pleroma-dark',\n\n // Nasty stuff\n customEmoji: [],\n customEmojiFetched: false,\n emoji: [],\n emojiFetched: false,\n pleromaBackend: true,\n postFormats: [],\n restrictedNicknames: [],\n safeDM: true,\n knownDomains: [],\n\n // Feature-set, apparently, not everything here is reported...\n chatAvailable: false,\n pleromaChatMessagesAvailable: false,\n gopherAvailable: false,\n mediaProxyAvailable: false,\n suggestionsEnabled: false,\n suggestionsWeb: '',\n\n // Html stuff\n instanceSpecificPanelContent: '',\n tos: '',\n\n // Version Information\n backendVersion: '',\n frontendVersion: '',\n\n pollsAvailable: false,\n pollLimits: {\n max_options: 4,\n max_option_chars: 255,\n min_expiration: 60,\n max_expiration: 60 * 60 * 24\n }\n}\n\nconst instance = {\n state: defaultState,\n mutations: {\n setInstanceOption (state, { name, value }) {\n if (typeof value !== 'undefined') {\n set(state, name, value)\n }\n },\n setKnownDomains (state, domains) {\n state.knownDomains = domains\n }\n },\n getters: {\n instanceDefaultConfig (state) {\n return instanceDefaultProperties\n .map(key => [key, state[key]])\n .reduce((acc, [key, value]) => ({ ...acc, [key]: value }), {})\n }\n },\n actions: {\n setInstanceOption ({ commit, dispatch }, { name, value }) {\n commit('setInstanceOption', { name, value })\n switch (name) {\n case 'name':\n dispatch('setPageTitle')\n break\n case 'chatAvailable':\n if (value) {\n dispatch('initializeSocket')\n }\n break\n case 'theme':\n dispatch('setTheme', value)\n break\n }\n },\n async getStaticEmoji ({ commit }) {\n try {\n const res = await window.fetch('/static/emoji.json')\n if (res.ok) {\n const values = await res.json()\n const emoji = Object.keys(values).map((key) => {\n return {\n displayText: key,\n imageUrl: false,\n replacement: values[key]\n }\n }).sort((a, b) => a.displayText - b.displayText)\n commit('setInstanceOption', { name: 'emoji', value: emoji })\n } else {\n throw (res)\n }\n } catch (e) {\n console.warn(\"Can't load static emoji\")\n console.warn(e)\n }\n },\n\n async getCustomEmoji ({ commit, state }) {\n try {\n const res = await window.fetch('/api/pleroma/emoji.json')\n if (res.ok) {\n const result = await res.json()\n const values = Array.isArray(result) ? Object.assign({}, ...result) : result\n const emoji = Object.entries(values).map(([key, value]) => {\n const imageUrl = value.image_url\n return {\n displayText: key,\n imageUrl: imageUrl ? state.server + imageUrl : value,\n tags: imageUrl ? value.tags.sort((a, b) => a > b ? 1 : 0) : ['utf'],\n replacement: `:${key}: `\n }\n // Technically could use tags but those are kinda useless right now,\n // should have been \"pack\" field, that would be more useful\n }).sort((a, b) => a.displayText.toLowerCase() > b.displayText.toLowerCase() ? 1 : 0)\n commit('setInstanceOption', { name: 'customEmoji', value: emoji })\n } else {\n throw (res)\n }\n } catch (e) {\n console.warn(\"Can't load custom emojis\")\n console.warn(e)\n }\n },\n\n setTheme ({ commit, rootState }, themeName) {\n commit('setInstanceOption', { name: 'theme', value: themeName })\n getPreset(themeName)\n .then(themeData => {\n commit('setInstanceOption', { name: 'themeData', value: themeData })\n // No need to apply theme if there's user theme already\n const { customTheme } = rootState.config\n if (customTheme) return\n\n // New theme presets don't have 'theme' property, they use 'source'\n const themeSource = themeData.source\n if (!themeData.theme || (themeSource && themeSource.themeEngineVersion === CURRENT_VERSION)) {\n applyTheme(themeSource)\n } else {\n applyTheme(themeData.theme)\n }\n })\n },\n fetchEmoji ({ dispatch, state }) {\n if (!state.customEmojiFetched) {\n state.customEmojiFetched = true\n dispatch('getCustomEmoji')\n }\n if (!state.emojiFetched) {\n state.emojiFetched = true\n dispatch('getStaticEmoji')\n }\n },\n\n async getKnownDomains ({ commit, rootState }) {\n try {\n const result = await apiService.fetchKnownDomains({\n credentials: rootState.users.currentUser.credentials\n })\n commit('setKnownDomains', result)\n } catch (e) {\n console.warn(\"Can't load known domains\")\n console.warn(e)\n }\n }\n }\n}\n\nexport default instance\n","import {\n remove,\n slice,\n each,\n findIndex,\n find,\n maxBy,\n minBy,\n merge,\n first,\n last,\n isArray,\n omitBy\n} from 'lodash'\nimport { set } from 'vue'\nimport { isStatusNotification, maybeShowNotification } from '../services/notification_utils/notification_utils.js'\nimport apiService from '../services/api/api.service.js'\n\nconst emptyTl = (userId = 0) => ({\n statuses: [],\n statusesObject: {},\n faves: [],\n visibleStatuses: [],\n visibleStatusesObject: {},\n newStatusCount: 0,\n maxId: 0,\n minId: 0,\n minVisibleId: 0,\n loading: false,\n followers: [],\n friends: [],\n userId,\n flushMarker: 0\n})\n\nconst emptyNotifications = () => ({\n desktopNotificationSilence: true,\n maxId: 0,\n minId: Number.POSITIVE_INFINITY,\n data: [],\n idStore: {},\n loading: false,\n error: false\n})\n\nexport const defaultState = () => ({\n allStatuses: [],\n allStatusesObject: {},\n conversationsObject: {},\n maxId: 0,\n notifications: emptyNotifications(),\n favorites: new Set(),\n error: false,\n errorData: null,\n timelines: {\n mentions: emptyTl(),\n public: emptyTl(),\n user: emptyTl(),\n favorites: emptyTl(),\n media: emptyTl(),\n publicAndExternal: emptyTl(),\n friends: emptyTl(),\n tag: emptyTl(),\n dms: emptyTl(),\n bookmarks: emptyTl()\n }\n})\n\nexport const prepareStatus = (status) => {\n // Set deleted flag\n status.deleted = false\n\n // To make the array reactive\n status.attachments = status.attachments || []\n\n return status\n}\n\nconst mergeOrAdd = (arr, obj, item) => {\n const oldItem = obj[item.id]\n\n if (oldItem) {\n // We already have this, so only merge the new info.\n // We ignore null values to avoid overwriting existing properties with missing data\n // we also skip 'user' because that is handled by users module\n merge(oldItem, omitBy(item, (v, k) => v === null || k === 'user'))\n // Reactivity fix.\n oldItem.attachments.splice(oldItem.attachments.length)\n return { item: oldItem, new: false }\n } else {\n // This is a new item, prepare it\n prepareStatus(item)\n arr.push(item)\n set(obj, item.id, item)\n return { item, new: true }\n }\n}\n\nconst sortById = (a, b) => {\n const seqA = Number(a.id)\n const seqB = Number(b.id)\n const isSeqA = !Number.isNaN(seqA)\n const isSeqB = !Number.isNaN(seqB)\n if (isSeqA && isSeqB) {\n return seqA > seqB ? -1 : 1\n } else if (isSeqA && !isSeqB) {\n return 1\n } else if (!isSeqA && isSeqB) {\n return -1\n } else {\n return a.id > b.id ? -1 : 1\n }\n}\n\nconst sortTimeline = (timeline) => {\n timeline.visibleStatuses = timeline.visibleStatuses.sort(sortById)\n timeline.statuses = timeline.statuses.sort(sortById)\n timeline.minVisibleId = (last(timeline.visibleStatuses) || {}).id\n return timeline\n}\n\n// Add status to the global storages (arrays and objects maintaining statuses) except timelines\nconst addStatusToGlobalStorage = (state, data) => {\n const result = mergeOrAdd(state.allStatuses, state.allStatusesObject, data)\n if (result.new) {\n // Add to conversation\n const status = result.item\n const conversationsObject = state.conversationsObject\n const conversationId = status.statusnet_conversation_id\n if (conversationsObject[conversationId]) {\n conversationsObject[conversationId].push(status)\n } else {\n set(conversationsObject, conversationId, [status])\n }\n }\n return result\n}\n\n// Remove status from the global storages (arrays and objects maintaining statuses) except timelines\nconst removeStatusFromGlobalStorage = (state, status) => {\n remove(state.allStatuses, { id: status.id })\n\n // TODO: Need to remove from allStatusesObject?\n\n // Remove possible notification\n remove(state.notifications.data, ({ action: { id } }) => id === status.id)\n\n // Remove from conversation\n const conversationId = status.statusnet_conversation_id\n if (state.conversationsObject[conversationId]) {\n remove(state.conversationsObject[conversationId], { id: status.id })\n }\n}\n\nconst addNewStatuses = (state, { statuses, showImmediately = false, timeline, user = {}, noIdUpdate = false, userId, pagination = {} }) => {\n // Sanity check\n if (!isArray(statuses)) {\n return false\n }\n\n const allStatuses = state.allStatuses\n const timelineObject = state.timelines[timeline]\n\n // Mismatch between API pagination and our internal minId/maxId tracking systems:\n // pagination.maxId is the oldest of the returned statuses when fetching older,\n // and pagination.minId is the newest when fetching newer. The names come directly\n // from the arguments they're supposed to be passed as for the next fetch.\n const minNew = pagination.maxId || (statuses.length > 0 ? minBy(statuses, 'id').id : 0)\n const maxNew = pagination.minId || (statuses.length > 0 ? maxBy(statuses, 'id').id : 0)\n\n const newer = timeline && (maxNew > timelineObject.maxId || timelineObject.maxId === 0) && statuses.length > 0\n const older = timeline && (minNew < timelineObject.minId || timelineObject.minId === 0) && statuses.length > 0\n\n if (!noIdUpdate && newer) {\n timelineObject.maxId = maxNew\n }\n if (!noIdUpdate && older) {\n timelineObject.minId = minNew\n }\n\n // This makes sure that user timeline won't get data meant for other\n // user. I.e. opening different user profiles makes request which could\n // return data late after user already viewing different user profile\n if ((timeline === 'user' || timeline === 'media') && timelineObject.userId !== userId) {\n return\n }\n\n const addStatus = (data, showImmediately, addToTimeline = true) => {\n const result = addStatusToGlobalStorage(state, data)\n const status = result.item\n\n if (result.new) {\n // We are mentioned in a post\n if (status.type === 'status' && find(status.attentions, { id: user.id })) {\n const mentions = state.timelines.mentions\n\n // Add the mention to the mentions timeline\n if (timelineObject !== mentions) {\n mergeOrAdd(mentions.statuses, mentions.statusesObject, status)\n mentions.newStatusCount += 1\n\n sortTimeline(mentions)\n }\n }\n if (status.visibility === 'direct') {\n const dms = state.timelines.dms\n\n mergeOrAdd(dms.statuses, dms.statusesObject, status)\n dms.newStatusCount += 1\n\n sortTimeline(dms)\n }\n }\n\n // Decide if we should treat the status as new for this timeline.\n let resultForCurrentTimeline\n // Some statuses should only be added to the global status repository.\n if (timeline && addToTimeline) {\n resultForCurrentTimeline = mergeOrAdd(timelineObject.statuses, timelineObject.statusesObject, status)\n }\n\n if (timeline && showImmediately) {\n // Add it directly to the visibleStatuses, don't change\n // newStatusCount\n mergeOrAdd(timelineObject.visibleStatuses, timelineObject.visibleStatusesObject, status)\n } else if (timeline && addToTimeline && resultForCurrentTimeline.new) {\n // Just change newStatuscount\n timelineObject.newStatusCount += 1\n }\n\n return status\n }\n\n const favoriteStatus = (favorite, counter) => {\n const status = find(allStatuses, { id: favorite.in_reply_to_status_id })\n if (status) {\n // This is our favorite, so the relevant bit.\n if (favorite.user.id === user.id) {\n status.favorited = true\n } else {\n status.fave_num += 1\n }\n }\n return status\n }\n\n const processors = {\n 'status': (status) => {\n addStatus(status, showImmediately)\n },\n 'retweet': (status) => {\n // RetweetedStatuses are never shown immediately\n const retweetedStatus = addStatus(status.retweeted_status, false, false)\n\n let retweet\n // If the retweeted status is already there, don't add the retweet\n // to the timeline.\n if (timeline && find(timelineObject.statuses, (s) => {\n if (s.retweeted_status) {\n return s.id === retweetedStatus.id || s.retweeted_status.id === retweetedStatus.id\n } else {\n return s.id === retweetedStatus.id\n }\n })) {\n // Already have it visible (either as the original or another RT), don't add to timeline, don't show.\n retweet = addStatus(status, false, false)\n } else {\n retweet = addStatus(status, showImmediately)\n }\n\n retweet.retweeted_status = retweetedStatus\n },\n 'favorite': (favorite) => {\n // Only update if this is a new favorite.\n // Ignore our own favorites because we get info about likes as response to like request\n if (!state.favorites.has(favorite.id)) {\n state.favorites.add(favorite.id)\n favoriteStatus(favorite)\n }\n },\n 'deletion': (deletion) => {\n const uri = deletion.uri\n const status = find(allStatuses, { uri })\n if (!status) {\n return\n }\n\n removeStatusFromGlobalStorage(state, status)\n\n if (timeline) {\n remove(timelineObject.statuses, { uri })\n remove(timelineObject.visibleStatuses, { uri })\n }\n },\n 'follow': (follow) => {\n // NOOP, it is known status but we don't do anything about it for now\n },\n 'default': (unknown) => {\n console.log('unknown status type')\n console.log(unknown)\n }\n }\n\n each(statuses, (status) => {\n const type = status.type\n const processor = processors[type] || processors['default']\n processor(status)\n })\n\n // Keep the visible statuses sorted\n if (timeline && !(timeline === 'bookmarks')) {\n sortTimeline(timelineObject)\n }\n}\n\nconst addNewNotifications = (state, { dispatch, notifications, older, visibleNotificationTypes, rootGetters, newNotificationSideEffects }) => {\n each(notifications, (notification) => {\n if (isStatusNotification(notification.type)) {\n notification.action = addStatusToGlobalStorage(state, notification.action).item\n notification.status = notification.status && addStatusToGlobalStorage(state, notification.status).item\n }\n\n if (notification.type === 'pleroma:emoji_reaction') {\n dispatch('fetchEmojiReactionsBy', notification.status.id)\n }\n\n // Only add a new notification if we don't have one for the same action\n if (!state.notifications.idStore.hasOwnProperty(notification.id)) {\n state.notifications.maxId = notification.id > state.notifications.maxId\n ? notification.id\n : state.notifications.maxId\n state.notifications.minId = notification.id < state.notifications.minId\n ? notification.id\n : state.notifications.minId\n\n state.notifications.data.push(notification)\n state.notifications.idStore[notification.id] = notification\n\n newNotificationSideEffects(notification)\n } else if (notification.seen) {\n state.notifications.idStore[notification.id].seen = true\n }\n })\n}\n\nconst removeStatus = (state, { timeline, userId }) => {\n const timelineObject = state.timelines[timeline]\n if (userId) {\n remove(timelineObject.statuses, { user: { id: userId } })\n remove(timelineObject.visibleStatuses, { user: { id: userId } })\n timelineObject.minVisibleId = timelineObject.visibleStatuses.length > 0 ? last(timelineObject.visibleStatuses).id : 0\n timelineObject.maxId = timelineObject.statuses.length > 0 ? first(timelineObject.statuses).id : 0\n }\n}\n\nexport const mutations = {\n addNewStatuses,\n addNewNotifications,\n removeStatus,\n showNewStatuses (state, { timeline }) {\n const oldTimeline = (state.timelines[timeline])\n\n oldTimeline.newStatusCount = 0\n oldTimeline.visibleStatuses = slice(oldTimeline.statuses, 0, 50)\n oldTimeline.minVisibleId = last(oldTimeline.visibleStatuses).id\n oldTimeline.minId = oldTimeline.minVisibleId\n oldTimeline.visibleStatusesObject = {}\n each(oldTimeline.visibleStatuses, (status) => { oldTimeline.visibleStatusesObject[status.id] = status })\n },\n resetStatuses (state) {\n const emptyState = defaultState()\n Object.entries(emptyState).forEach(([key, value]) => {\n state[key] = value\n })\n },\n clearTimeline (state, { timeline, excludeUserId = false }) {\n const userId = excludeUserId ? state.timelines[timeline].userId : undefined\n state.timelines[timeline] = emptyTl(userId)\n },\n clearNotifications (state) {\n state.notifications = emptyNotifications()\n },\n setFavorited (state, { status, value }) {\n const newStatus = state.allStatusesObject[status.id]\n\n if (newStatus.favorited !== value) {\n if (value) {\n newStatus.fave_num++\n } else {\n newStatus.fave_num--\n }\n }\n\n newStatus.favorited = value\n },\n setFavoritedConfirm (state, { status, user }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.favorited = status.favorited\n newStatus.fave_num = status.fave_num\n const index = findIndex(newStatus.favoritedBy, { id: user.id })\n if (index !== -1 && !newStatus.favorited) {\n newStatus.favoritedBy.splice(index, 1)\n } else if (index === -1 && newStatus.favorited) {\n newStatus.favoritedBy.push(user)\n }\n },\n setMutedStatus (state, status) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.thread_muted = status.thread_muted\n\n if (newStatus.thread_muted !== undefined) {\n state.conversationsObject[newStatus.statusnet_conversation_id].forEach(status => { status.thread_muted = newStatus.thread_muted })\n }\n },\n setRetweeted (state, { status, value }) {\n const newStatus = state.allStatusesObject[status.id]\n\n if (newStatus.repeated !== value) {\n if (value) {\n newStatus.repeat_num++\n } else {\n newStatus.repeat_num--\n }\n }\n\n newStatus.repeated = value\n },\n setRetweetedConfirm (state, { status, user }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.repeated = status.repeated\n newStatus.repeat_num = status.repeat_num\n const index = findIndex(newStatus.rebloggedBy, { id: user.id })\n if (index !== -1 && !newStatus.repeated) {\n newStatus.rebloggedBy.splice(index, 1)\n } else if (index === -1 && newStatus.repeated) {\n newStatus.rebloggedBy.push(user)\n }\n },\n setBookmarked (state, { status, value }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.bookmarked = value\n },\n setBookmarkedConfirm (state, { status }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.bookmarked = status.bookmarked\n },\n setDeleted (state, { status }) {\n const newStatus = state.allStatusesObject[status.id]\n if (newStatus) newStatus.deleted = true\n },\n setManyDeleted (state, condition) {\n Object.values(state.allStatusesObject).forEach(status => {\n if (condition(status)) {\n status.deleted = true\n }\n })\n },\n setLoading (state, { timeline, value }) {\n state.timelines[timeline].loading = value\n },\n setNsfw (state, { id, nsfw }) {\n const newStatus = state.allStatusesObject[id]\n newStatus.nsfw = nsfw\n },\n setError (state, { value }) {\n state.error = value\n },\n setErrorData (state, { value }) {\n state.errorData = value\n },\n setNotificationsLoading (state, { value }) {\n state.notifications.loading = value\n },\n setNotificationsError (state, { value }) {\n state.notifications.error = value\n },\n setNotificationsSilence (state, { value }) {\n state.notifications.desktopNotificationSilence = value\n },\n markNotificationsAsSeen (state) {\n each(state.notifications.data, (notification) => {\n notification.seen = true\n })\n },\n markSingleNotificationAsSeen (state, { id }) {\n const notification = find(state.notifications.data, n => n.id === id)\n if (notification) notification.seen = true\n },\n dismissNotification (state, { id }) {\n state.notifications.data = state.notifications.data.filter(n => n.id !== id)\n },\n dismissNotifications (state, { finder }) {\n state.notifications.data = state.notifications.data.filter(n => finder)\n },\n updateNotification (state, { id, updater }) {\n const notification = find(state.notifications.data, n => n.id === id)\n notification && updater(notification)\n },\n queueFlush (state, { timeline, id }) {\n state.timelines[timeline].flushMarker = id\n },\n queueFlushAll (state) {\n Object.keys(state.timelines).forEach((timeline) => {\n state.timelines[timeline].flushMarker = state.timelines[timeline].maxId\n })\n },\n addRepeats (state, { id, rebloggedByUsers, currentUser }) {\n const newStatus = state.allStatusesObject[id]\n newStatus.rebloggedBy = rebloggedByUsers.filter(_ => _)\n // repeats stats can be incorrect based on polling condition, let's update them using the most recent data\n newStatus.repeat_num = newStatus.rebloggedBy.length\n newStatus.repeated = !!newStatus.rebloggedBy.find(({ id }) => currentUser.id === id)\n },\n addFavs (state, { id, favoritedByUsers, currentUser }) {\n const newStatus = state.allStatusesObject[id]\n newStatus.favoritedBy = favoritedByUsers.filter(_ => _)\n // favorites stats can be incorrect based on polling condition, let's update them using the most recent data\n newStatus.fave_num = newStatus.favoritedBy.length\n newStatus.favorited = !!newStatus.favoritedBy.find(({ id }) => currentUser.id === id)\n },\n addEmojiReactionsBy (state, { id, emojiReactions, currentUser }) {\n const status = state.allStatusesObject[id]\n set(status, 'emoji_reactions', emojiReactions)\n },\n addOwnReaction (state, { id, emoji, currentUser }) {\n const status = state.allStatusesObject[id]\n const reactionIndex = findIndex(status.emoji_reactions, { name: emoji })\n const reaction = status.emoji_reactions[reactionIndex] || { name: emoji, count: 0, accounts: [] }\n\n const newReaction = {\n ...reaction,\n count: reaction.count + 1,\n me: true,\n accounts: [\n ...reaction.accounts,\n currentUser\n ]\n }\n\n // Update count of existing reaction if it exists, otherwise append at the end\n if (reactionIndex >= 0) {\n set(status.emoji_reactions, reactionIndex, newReaction)\n } else {\n set(status, 'emoji_reactions', [...status.emoji_reactions, newReaction])\n }\n },\n removeOwnReaction (state, { id, emoji, currentUser }) {\n const status = state.allStatusesObject[id]\n const reactionIndex = findIndex(status.emoji_reactions, { name: emoji })\n if (reactionIndex < 0) return\n\n const reaction = status.emoji_reactions[reactionIndex]\n const accounts = reaction.accounts || []\n\n const newReaction = {\n ...reaction,\n count: reaction.count - 1,\n me: false,\n accounts: accounts.filter(acc => acc.id !== currentUser.id)\n }\n\n if (newReaction.count > 0) {\n set(status.emoji_reactions, reactionIndex, newReaction)\n } else {\n set(status, 'emoji_reactions', status.emoji_reactions.filter(r => r.name !== emoji))\n }\n },\n updateStatusWithPoll (state, { id, poll }) {\n const status = state.allStatusesObject[id]\n status.poll = poll\n }\n}\n\nconst statuses = {\n state: defaultState(),\n actions: {\n addNewStatuses ({ rootState, commit }, { statuses, showImmediately = false, timeline = false, noIdUpdate = false, userId, pagination }) {\n commit('addNewStatuses', { statuses, showImmediately, timeline, noIdUpdate, user: rootState.users.currentUser, userId, pagination })\n },\n addNewNotifications (store, { notifications, older }) {\n const { commit, dispatch, rootGetters } = store\n\n const newNotificationSideEffects = (notification) => {\n maybeShowNotification(store, notification)\n }\n commit('addNewNotifications', { dispatch, notifications, older, rootGetters, newNotificationSideEffects })\n },\n setError ({ rootState, commit }, { value }) {\n commit('setError', { value })\n },\n setErrorData ({ rootState, commit }, { value }) {\n commit('setErrorData', { value })\n },\n setNotificationsLoading ({ rootState, commit }, { value }) {\n commit('setNotificationsLoading', { value })\n },\n setNotificationsError ({ rootState, commit }, { value }) {\n commit('setNotificationsError', { value })\n },\n setNotificationsSilence ({ rootState, commit }, { value }) {\n commit('setNotificationsSilence', { value })\n },\n fetchStatus ({ rootState, dispatch }, id) {\n return rootState.api.backendInteractor.fetchStatus({ id })\n .then((status) => dispatch('addNewStatuses', { statuses: [status] }))\n },\n deleteStatus ({ rootState, commit }, status) {\n commit('setDeleted', { status })\n apiService.deleteStatus({ id: status.id, credentials: rootState.users.currentUser.credentials })\n },\n markStatusesAsDeleted ({ commit }, condition) {\n commit('setManyDeleted', condition)\n },\n favorite ({ rootState, commit }, status) {\n // Optimistic favoriting...\n commit('setFavorited', { status, value: true })\n rootState.api.backendInteractor.favorite({ id: status.id })\n .then(status => commit('setFavoritedConfirm', { status, user: rootState.users.currentUser }))\n },\n unfavorite ({ rootState, commit }, status) {\n // Optimistic unfavoriting...\n commit('setFavorited', { status, value: false })\n rootState.api.backendInteractor.unfavorite({ id: status.id })\n .then(status => commit('setFavoritedConfirm', { status, user: rootState.users.currentUser }))\n },\n fetchPinnedStatuses ({ rootState, dispatch }, userId) {\n rootState.api.backendInteractor.fetchPinnedStatuses({ id: userId })\n .then(statuses => dispatch('addNewStatuses', { statuses, timeline: 'user', userId, showImmediately: true, noIdUpdate: true }))\n },\n pinStatus ({ rootState, dispatch }, statusId) {\n return rootState.api.backendInteractor.pinOwnStatus({ id: statusId })\n .then((status) => dispatch('addNewStatuses', { statuses: [status] }))\n },\n unpinStatus ({ rootState, dispatch }, statusId) {\n rootState.api.backendInteractor.unpinOwnStatus({ id: statusId })\n .then((status) => dispatch('addNewStatuses', { statuses: [status] }))\n },\n muteConversation ({ rootState, commit }, statusId) {\n return rootState.api.backendInteractor.muteConversation({ id: statusId })\n .then((status) => commit('setMutedStatus', status))\n },\n unmuteConversation ({ rootState, commit }, statusId) {\n return rootState.api.backendInteractor.unmuteConversation({ id: statusId })\n .then((status) => commit('setMutedStatus', status))\n },\n retweet ({ rootState, commit }, status) {\n // Optimistic retweeting...\n commit('setRetweeted', { status, value: true })\n rootState.api.backendInteractor.retweet({ id: status.id })\n .then(status => commit('setRetweetedConfirm', { status: status.retweeted_status, user: rootState.users.currentUser }))\n },\n unretweet ({ rootState, commit }, status) {\n // Optimistic unretweeting...\n commit('setRetweeted', { status, value: false })\n rootState.api.backendInteractor.unretweet({ id: status.id })\n .then(status => commit('setRetweetedConfirm', { status, user: rootState.users.currentUser }))\n },\n bookmark ({ rootState, commit }, status) {\n commit('setBookmarked', { status, value: true })\n rootState.api.backendInteractor.bookmarkStatus({ id: status.id })\n .then(status => {\n commit('setBookmarkedConfirm', { status })\n })\n },\n unbookmark ({ rootState, commit }, status) {\n commit('setBookmarked', { status, value: false })\n rootState.api.backendInteractor.unbookmarkStatus({ id: status.id })\n .then(status => {\n commit('setBookmarkedConfirm', { status })\n })\n },\n queueFlush ({ rootState, commit }, { timeline, id }) {\n commit('queueFlush', { timeline, id })\n },\n queueFlushAll ({ rootState, commit }) {\n commit('queueFlushAll')\n },\n markNotificationsAsSeen ({ rootState, commit }) {\n commit('markNotificationsAsSeen')\n apiService.markNotificationsAsSeen({\n id: rootState.statuses.notifications.maxId,\n credentials: rootState.users.currentUser.credentials\n })\n },\n markSingleNotificationAsSeen ({ rootState, commit }, { id }) {\n commit('markSingleNotificationAsSeen', { id })\n apiService.markNotificationsAsSeen({\n single: true,\n id,\n credentials: rootState.users.currentUser.credentials\n })\n },\n dismissNotificationLocal ({ rootState, commit }, { id }) {\n commit('dismissNotification', { id })\n },\n dismissNotification ({ rootState, commit }, { id }) {\n commit('dismissNotification', { id })\n rootState.api.backendInteractor.dismissNotification({ id })\n },\n updateNotification ({ rootState, commit }, { id, updater }) {\n commit('updateNotification', { id, updater })\n },\n fetchFavsAndRepeats ({ rootState, commit }, id) {\n Promise.all([\n rootState.api.backendInteractor.fetchFavoritedByUsers({ id }),\n rootState.api.backendInteractor.fetchRebloggedByUsers({ id })\n ]).then(([favoritedByUsers, rebloggedByUsers]) => {\n commit('addFavs', { id, favoritedByUsers, currentUser: rootState.users.currentUser })\n commit('addRepeats', { id, rebloggedByUsers, currentUser: rootState.users.currentUser })\n })\n },\n reactWithEmoji ({ rootState, dispatch, commit }, { id, emoji }) {\n const currentUser = rootState.users.currentUser\n if (!currentUser) return\n\n commit('addOwnReaction', { id, emoji, currentUser })\n rootState.api.backendInteractor.reactWithEmoji({ id, emoji }).then(\n ok => {\n dispatch('fetchEmojiReactionsBy', id)\n }\n )\n },\n unreactWithEmoji ({ rootState, dispatch, commit }, { id, emoji }) {\n const currentUser = rootState.users.currentUser\n if (!currentUser) return\n\n commit('removeOwnReaction', { id, emoji, currentUser })\n rootState.api.backendInteractor.unreactWithEmoji({ id, emoji }).then(\n ok => {\n dispatch('fetchEmojiReactionsBy', id)\n }\n )\n },\n fetchEmojiReactionsBy ({ rootState, commit }, id) {\n rootState.api.backendInteractor.fetchEmojiReactions({ id }).then(\n emojiReactions => {\n commit('addEmojiReactionsBy', { id, emojiReactions, currentUser: rootState.users.currentUser })\n }\n )\n },\n fetchFavs ({ rootState, commit }, id) {\n rootState.api.backendInteractor.fetchFavoritedByUsers({ id })\n .then(favoritedByUsers => commit('addFavs', { id, favoritedByUsers, currentUser: rootState.users.currentUser }))\n },\n fetchRepeats ({ rootState, commit }, id) {\n rootState.api.backendInteractor.fetchRebloggedByUsers({ id })\n .then(rebloggedByUsers => commit('addRepeats', { id, rebloggedByUsers, currentUser: rootState.users.currentUser }))\n },\n search (store, { q, resolve, limit, offset, following }) {\n return store.rootState.api.backendInteractor.search2({ q, resolve, limit, offset, following })\n .then((data) => {\n store.commit('addNewUsers', data.accounts)\n store.commit('addNewStatuses', { statuses: data.statuses })\n return data\n })\n }\n },\n mutations\n}\n\nexport default statuses\n","import { camelCase } from 'lodash'\n\nimport apiService from '../api/api.service.js'\n\nconst update = ({ store, statuses, timeline, showImmediately, userId, pagination }) => {\n const ccTimeline = camelCase(timeline)\n\n store.dispatch('setError', { value: false })\n store.dispatch('setErrorData', { value: null })\n\n store.dispatch('addNewStatuses', {\n timeline: ccTimeline,\n userId,\n statuses,\n showImmediately,\n pagination\n })\n}\n\nconst fetchAndUpdate = ({\n store,\n credentials,\n timeline = 'friends',\n older = false,\n showImmediately = false,\n userId = false,\n tag = false,\n until\n}) => {\n const args = { timeline, credentials }\n const rootState = store.rootState || store.state\n const { getters } = store\n const timelineData = rootState.statuses.timelines[camelCase(timeline)]\n const { hideMutedPosts, replyVisibility } = getters.mergedConfig\n const loggedIn = !!rootState.users.currentUser\n\n if (older) {\n args['until'] = until || timelineData.minId\n } else {\n args['since'] = timelineData.maxId\n }\n\n args['userId'] = userId\n args['tag'] = tag\n args['withMuted'] = !hideMutedPosts\n if (loggedIn && ['friends', 'public', 'publicAndExternal'].includes(timeline)) {\n args['replyVisibility'] = replyVisibility\n }\n\n const numStatusesBeforeFetch = timelineData.statuses.length\n\n return apiService.fetchTimeline(args)\n .then(response => {\n if (response.error) {\n store.dispatch('setErrorData', { value: response })\n return\n }\n\n const { data: statuses, pagination } = response\n if (!older && statuses.length >= 20 && !timelineData.loading && numStatusesBeforeFetch > 0) {\n store.dispatch('queueFlush', { timeline: timeline, id: timelineData.maxId })\n }\n update({ store, statuses, timeline, showImmediately, userId, pagination })\n return { statuses, pagination }\n }, () => store.dispatch('setError', { value: true }))\n}\n\nconst startFetching = ({ timeline = 'friends', credentials, store, userId = false, tag = false }) => {\n const rootState = store.rootState || store.state\n const timelineData = rootState.statuses.timelines[camelCase(timeline)]\n const showImmediately = timelineData.visibleStatuses.length === 0\n timelineData.userId = userId\n fetchAndUpdate({ timeline, credentials, store, showImmediately, userId, tag })\n const boundFetchAndUpdate = () => fetchAndUpdate({ timeline, credentials, store, userId, tag })\n return setInterval(boundFetchAndUpdate, 10000)\n}\nconst timelineFetcher = {\n fetchAndUpdate,\n startFetching\n}\n\nexport default timelineFetcher\n","import apiService from '../api/api.service.js'\n\nconst update = ({ store, notifications, older }) => {\n store.dispatch('setNotificationsError', { value: false })\n store.dispatch('addNewNotifications', { notifications, older })\n}\n\nconst fetchAndUpdate = ({ store, credentials, older = false }) => {\n const args = { credentials }\n const { getters } = store\n const rootState = store.rootState || store.state\n const timelineData = rootState.statuses.notifications\n const hideMutedPosts = getters.mergedConfig.hideMutedPosts\n const allowFollowingMove = rootState.users.currentUser.allow_following_move\n\n args['withMuted'] = !hideMutedPosts\n\n args['withMove'] = !allowFollowingMove\n\n args['timeline'] = 'notifications'\n if (older) {\n if (timelineData.minId !== Number.POSITIVE_INFINITY) {\n args['until'] = timelineData.minId\n }\n return fetchNotifications({ store, args, older })\n } else {\n // fetch new notifications\n if (timelineData.maxId !== Number.POSITIVE_INFINITY) {\n args['since'] = timelineData.maxId\n }\n const result = fetchNotifications({ store, args, older })\n\n // If there's any unread notifications, try fetch notifications since\n // the newest read notification to check if any of the unread notifs\n // have changed their 'seen' state (marked as read in another session), so\n // we can update the state in this session to mark them as read as well.\n // The normal maxId-check does not tell if older notifications have changed\n const notifications = timelineData.data\n const readNotifsIds = notifications.filter(n => n.seen).map(n => n.id)\n const numUnseenNotifs = notifications.length - readNotifsIds.length\n if (numUnseenNotifs > 0 && readNotifsIds.length > 0) {\n args['since'] = Math.max(...readNotifsIds)\n fetchNotifications({ store, args, older })\n }\n return result\n }\n}\n\nconst fetchNotifications = ({ store, args, older }) => {\n return apiService.fetchTimeline(args)\n .then(({ data: notifications }) => {\n update({ store, notifications, older })\n return notifications\n }, () => store.dispatch('setNotificationsError', { value: true }))\n .catch(() => store.dispatch('setNotificationsError', { value: true }))\n}\n\nconst startFetching = ({ credentials, store }) => {\n fetchAndUpdate({ credentials, store })\n const boundFetchAndUpdate = () => fetchAndUpdate({ credentials, store })\n // Initially there's set flag to silence all desktop notifications so\n // that there won't spam of them when user just opened up the FE we\n // reset that flag after a while to show new notifications once again.\n setTimeout(() => store.dispatch('setNotificationsSilence', false), 10000)\n return setInterval(boundFetchAndUpdate, 10000)\n}\n\nconst notificationsFetcher = {\n fetchAndUpdate,\n startFetching\n}\n\nexport default notificationsFetcher\n","import apiService from '../api/api.service.js'\n\nconst fetchAndUpdate = ({ store, credentials }) => {\n return apiService.fetchFollowRequests({ credentials })\n .then((requests) => {\n store.commit('setFollowRequests', requests)\n store.commit('addNewUsers', requests)\n }, () => {})\n .catch(() => {})\n}\n\nconst startFetching = ({ credentials, store }) => {\n fetchAndUpdate({ credentials, store })\n const boundFetchAndUpdate = () => fetchAndUpdate({ credentials, store })\n return setInterval(boundFetchAndUpdate, 10000)\n}\n\nconst followRequestFetcher = {\n startFetching\n}\n\nexport default followRequestFetcher\n","import apiService, { getMastodonSocketURI, ProcessedWS } from '../api/api.service.js'\nimport timelineFetcherService from '../timeline_fetcher/timeline_fetcher.service.js'\nimport notificationsFetcher from '../notifications_fetcher/notifications_fetcher.service.js'\nimport followRequestFetcher from '../../services/follow_request_fetcher/follow_request_fetcher.service'\n\nconst backendInteractorService = credentials => ({\n startFetchingTimeline ({ timeline, store, userId = false, tag }) {\n return timelineFetcherService.startFetching({ timeline, store, credentials, userId, tag })\n },\n\n startFetchingNotifications ({ store }) {\n return notificationsFetcher.startFetching({ store, credentials })\n },\n\n startFetchingFollowRequests ({ store }) {\n return followRequestFetcher.startFetching({ store, credentials })\n },\n\n startUserSocket ({ store }) {\n const serv = store.rootState.instance.server.replace('http', 'ws')\n const url = serv + getMastodonSocketURI({ credentials, stream: 'user' })\n return ProcessedWS({ url, id: 'User' })\n },\n\n ...Object.entries(apiService).reduce((acc, [key, func]) => {\n return {\n ...acc,\n [key]: (args) => func({ credentials, ...args })\n }\n }, {}),\n\n verifyCredentials: apiService.verifyCredentials\n})\n\nexport default backendInteractorService\n","import { reduce } from 'lodash'\n\nconst REDIRECT_URI = `${window.location.origin}/oauth-callback`\n\nexport const getOrCreateApp = ({ clientId, clientSecret, instance, commit }) => {\n if (clientId && clientSecret) {\n return Promise.resolve({ clientId, clientSecret })\n }\n\n const url = `${instance}/api/v1/apps`\n const form = new window.FormData()\n\n form.append('client_name', `PleromaFE_${window.___pleromafe_commit_hash}_${(new Date()).toISOString()}`)\n form.append('redirect_uris', REDIRECT_URI)\n form.append('scopes', 'read write follow push admin')\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n })\n .then((data) => data.json())\n .then((app) => ({ clientId: app.client_id, clientSecret: app.client_secret }))\n .then((app) => commit('setClientData', app) || app)\n}\n\nconst login = ({ instance, clientId }) => {\n const data = {\n response_type: 'code',\n client_id: clientId,\n redirect_uri: REDIRECT_URI,\n scope: 'read write follow push admin'\n }\n\n const dataString = reduce(data, (acc, v, k) => {\n const encoded = `${k}=${encodeURIComponent(v)}`\n if (!acc) {\n return encoded\n } else {\n return `${acc}&${encoded}`\n }\n }, false)\n\n // Do the redirect...\n const url = `${instance}/oauth/authorize?${dataString}`\n\n window.location.href = url\n}\n\nconst getTokenWithCredentials = ({ clientId, clientSecret, instance, username, password }) => {\n const url = `${instance}/oauth/token`\n const form = new window.FormData()\n\n form.append('client_id', clientId)\n form.append('client_secret', clientSecret)\n form.append('grant_type', 'password')\n form.append('username', username)\n form.append('password', password)\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst getToken = ({ clientId, clientSecret, instance, code }) => {\n const url = `${instance}/oauth/token`\n const form = new window.FormData()\n\n form.append('client_id', clientId)\n form.append('client_secret', clientSecret)\n form.append('grant_type', 'authorization_code')\n form.append('code', code)\n form.append('redirect_uri', `${window.location.origin}/oauth-callback`)\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n })\n .then((data) => data.json())\n}\n\nexport const getClientToken = ({ clientId, clientSecret, instance }) => {\n const url = `${instance}/oauth/token`\n const form = new window.FormData()\n\n form.append('client_id', clientId)\n form.append('client_secret', clientSecret)\n form.append('grant_type', 'client_credentials')\n form.append('redirect_uri', `${window.location.origin}/oauth-callback`)\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\nconst verifyOTPCode = ({ app, instance, mfaToken, code }) => {\n const url = `${instance}/oauth/mfa/challenge`\n const form = new window.FormData()\n\n form.append('client_id', app.client_id)\n form.append('client_secret', app.client_secret)\n form.append('mfa_token', mfaToken)\n form.append('code', code)\n form.append('challenge_type', 'totp')\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst verifyRecoveryCode = ({ app, instance, mfaToken, code }) => {\n const url = `${instance}/oauth/mfa/challenge`\n const form = new window.FormData()\n\n form.append('client_id', app.client_id)\n form.append('client_secret', app.client_secret)\n form.append('mfa_token', mfaToken)\n form.append('code', code)\n form.append('challenge_type', 'recovery')\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst revokeToken = ({ app, instance, token }) => {\n const url = `${instance}/oauth/revoke`\n const form = new window.FormData()\n\n form.append('client_id', app.clientId)\n form.append('client_secret', app.clientSecret)\n form.append('token', token)\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst oauth = {\n login,\n getToken,\n getTokenWithCredentials,\n getOrCreateApp,\n verifyOTPCode,\n verifyRecoveryCode,\n revokeToken\n}\n\nexport default oauth\n","import runtime from 'serviceworker-webpack-plugin/lib/runtime'\n\nfunction urlBase64ToUint8Array (base64String) {\n const padding = '='.repeat((4 - base64String.length % 4) % 4)\n const base64 = (base64String + padding)\n .replace(/-/g, '+')\n .replace(/_/g, '/')\n\n const rawData = window.atob(base64)\n return Uint8Array.from([...rawData].map((char) => char.charCodeAt(0)))\n}\n\nfunction isPushSupported () {\n return 'serviceWorker' in navigator && 'PushManager' in window\n}\n\nfunction getOrCreateServiceWorker () {\n return runtime.register()\n .catch((err) => console.error('Unable to get or create a service worker.', err))\n}\n\nfunction subscribePush (registration, isEnabled, vapidPublicKey) {\n if (!isEnabled) return Promise.reject(new Error('Web Push is disabled in config'))\n if (!vapidPublicKey) return Promise.reject(new Error('VAPID public key is not found'))\n\n const subscribeOptions = {\n userVisibleOnly: true,\n applicationServerKey: urlBase64ToUint8Array(vapidPublicKey)\n }\n return registration.pushManager.subscribe(subscribeOptions)\n}\n\nfunction unsubscribePush (registration) {\n return registration.pushManager.getSubscription()\n .then((subscribtion) => {\n if (subscribtion === null) { return }\n return subscribtion.unsubscribe()\n })\n}\n\nfunction deleteSubscriptionFromBackEnd (token) {\n return window.fetch('/api/v1/push/subscription/', {\n method: 'DELETE',\n headers: {\n 'Content-Type': 'application/json',\n 'Authorization': `Bearer ${token}`\n }\n }).then((response) => {\n if (!response.ok) throw new Error('Bad status code from server.')\n return response\n })\n}\n\nfunction sendSubscriptionToBackEnd (subscription, token, notificationVisibility) {\n return window.fetch('/api/v1/push/subscription/', {\n method: 'POST',\n headers: {\n 'Content-Type': 'application/json',\n 'Authorization': `Bearer ${token}`\n },\n body: JSON.stringify({\n subscription,\n data: {\n alerts: {\n follow: notificationVisibility.follows,\n favourite: notificationVisibility.likes,\n mention: notificationVisibility.mentions,\n reblog: notificationVisibility.repeats,\n move: notificationVisibility.moves\n }\n }\n })\n }).then((response) => {\n if (!response.ok) throw new Error('Bad status code from server.')\n return response.json()\n }).then((responseData) => {\n if (!responseData.id) throw new Error('Bad response from server.')\n return responseData\n })\n}\n\nexport function registerPushNotifications (isEnabled, vapidPublicKey, token, notificationVisibility) {\n if (isPushSupported()) {\n getOrCreateServiceWorker()\n .then((registration) => subscribePush(registration, isEnabled, vapidPublicKey))\n .then((subscription) => sendSubscriptionToBackEnd(subscription, token, notificationVisibility))\n .catch((e) => console.warn(`Failed to setup Web Push Notifications: ${e.message}`))\n }\n}\n\nexport function unregisterPushNotifications (token) {\n if (isPushSupported()) {\n Promise.all([\n deleteSubscriptionFromBackEnd(token),\n getOrCreateServiceWorker()\n .then((registration) => {\n return unsubscribePush(registration).then((result) => [registration, result])\n })\n .then(([registration, unsubResult]) => {\n if (!unsubResult) {\n console.warn('Push subscription cancellation wasn\\'t successful, killing SW anyway...')\n }\n return registration.unregister().then((result) => {\n if (!result) {\n console.warn('Failed to kill SW')\n }\n })\n })\n ]).catch((e) => console.warn(`Failed to disable Web Push Notifications: ${e.message}`))\n }\n}\n","import backendInteractorService from '../services/backend_interactor_service/backend_interactor_service.js'\nimport oauthApi from '../services/new_api/oauth.js'\nimport { compact, map, each, mergeWith, last, concat, uniq, isArray } from 'lodash'\nimport { set } from 'vue'\nimport { registerPushNotifications, unregisterPushNotifications } from '../services/push/push.js'\n\n// TODO: Unify with mergeOrAdd in statuses.js\nexport const mergeOrAdd = (arr, obj, item) => {\n if (!item) { return false }\n const oldItem = obj[item.id]\n if (oldItem) {\n // We already have this, so only merge the new info.\n mergeWith(oldItem, item, mergeArrayLength)\n return { item: oldItem, new: false }\n } else {\n // This is a new item, prepare it\n arr.push(item)\n set(obj, item.id, item)\n if (item.screen_name && !item.screen_name.includes('@')) {\n set(obj, item.screen_name.toLowerCase(), item)\n }\n return { item, new: true }\n }\n}\n\nconst mergeArrayLength = (oldValue, newValue) => {\n if (isArray(oldValue) && isArray(newValue)) {\n oldValue.length = newValue.length\n return mergeWith(oldValue, newValue, mergeArrayLength)\n }\n}\n\nconst getNotificationPermission = () => {\n const Notification = window.Notification\n\n if (!Notification) return Promise.resolve(null)\n if (Notification.permission === 'default') return Notification.requestPermission()\n return Promise.resolve(Notification.permission)\n}\n\nconst blockUser = (store, id) => {\n return store.rootState.api.backendInteractor.blockUser({ id })\n .then((relationship) => {\n store.commit('updateUserRelationship', [relationship])\n store.commit('addBlockId', id)\n store.commit('removeStatus', { timeline: 'friends', userId: id })\n store.commit('removeStatus', { timeline: 'public', userId: id })\n store.commit('removeStatus', { timeline: 'publicAndExternal', userId: id })\n })\n}\n\nconst unblockUser = (store, id) => {\n return store.rootState.api.backendInteractor.unblockUser({ id })\n .then((relationship) => store.commit('updateUserRelationship', [relationship]))\n}\n\nconst muteUser = (store, id) => {\n const predictedRelationship = store.state.relationships[id] || { id }\n predictedRelationship.muting = true\n store.commit('updateUserRelationship', [predictedRelationship])\n store.commit('addMuteId', id)\n\n return store.rootState.api.backendInteractor.muteUser({ id })\n .then((relationship) => {\n store.commit('updateUserRelationship', [relationship])\n store.commit('addMuteId', id)\n })\n}\n\nconst unmuteUser = (store, id) => {\n const predictedRelationship = store.state.relationships[id] || { id }\n predictedRelationship.muting = false\n store.commit('updateUserRelationship', [predictedRelationship])\n\n return store.rootState.api.backendInteractor.unmuteUser({ id })\n .then((relationship) => store.commit('updateUserRelationship', [relationship]))\n}\n\nconst hideReblogs = (store, userId) => {\n return store.rootState.api.backendInteractor.followUser({ id: userId, reblogs: false })\n .then((relationship) => {\n store.commit('updateUserRelationship', [relationship])\n })\n}\n\nconst showReblogs = (store, userId) => {\n return store.rootState.api.backendInteractor.followUser({ id: userId, reblogs: true })\n .then((relationship) => store.commit('updateUserRelationship', [relationship]))\n}\n\nconst muteDomain = (store, domain) => {\n return store.rootState.api.backendInteractor.muteDomain({ domain })\n .then(() => store.commit('addDomainMute', domain))\n}\n\nconst unmuteDomain = (store, domain) => {\n return store.rootState.api.backendInteractor.unmuteDomain({ domain })\n .then(() => store.commit('removeDomainMute', domain))\n}\n\nexport const mutations = {\n tagUser (state, { user: { id }, tag }) {\n const user = state.usersObject[id]\n const tags = user.tags || []\n const newTags = tags.concat([tag])\n set(user, 'tags', newTags)\n },\n untagUser (state, { user: { id }, tag }) {\n const user = state.usersObject[id]\n const tags = user.tags || []\n const newTags = tags.filter(t => t !== tag)\n set(user, 'tags', newTags)\n },\n updateRight (state, { user: { id }, right, value }) {\n const user = state.usersObject[id]\n let newRights = user.rights\n newRights[right] = value\n set(user, 'rights', newRights)\n },\n updateActivationStatus (state, { user: { id }, deactivated }) {\n const user = state.usersObject[id]\n set(user, 'deactivated', deactivated)\n },\n setCurrentUser (state, user) {\n state.lastLoginName = user.screen_name\n state.currentUser = mergeWith(state.currentUser || {}, user, mergeArrayLength)\n },\n clearCurrentUser (state) {\n state.currentUser = false\n state.lastLoginName = false\n },\n beginLogin (state) {\n state.loggingIn = true\n },\n endLogin (state) {\n state.loggingIn = false\n },\n saveFriendIds (state, { id, friendIds }) {\n const user = state.usersObject[id]\n user.friendIds = uniq(concat(user.friendIds, friendIds))\n },\n saveFollowerIds (state, { id, followerIds }) {\n const user = state.usersObject[id]\n user.followerIds = uniq(concat(user.followerIds, followerIds))\n },\n // Because frontend doesn't have a reason to keep these stuff in memory\n // outside of viewing someones user profile.\n clearFriends (state, userId) {\n const user = state.usersObject[userId]\n if (user) {\n set(user, 'friendIds', [])\n }\n },\n clearFollowers (state, userId) {\n const user = state.usersObject[userId]\n if (user) {\n set(user, 'followerIds', [])\n }\n },\n addNewUsers (state, users) {\n each(users, (user) => {\n if (user.relationship) {\n set(state.relationships, user.relationship.id, user.relationship)\n }\n mergeOrAdd(state.users, state.usersObject, user)\n })\n },\n updateUserRelationship (state, relationships) {\n relationships.forEach((relationship) => {\n set(state.relationships, relationship.id, relationship)\n })\n },\n saveBlockIds (state, blockIds) {\n state.currentUser.blockIds = blockIds\n },\n addBlockId (state, blockId) {\n if (state.currentUser.blockIds.indexOf(blockId) === -1) {\n state.currentUser.blockIds.push(blockId)\n }\n },\n saveMuteIds (state, muteIds) {\n state.currentUser.muteIds = muteIds\n },\n addMuteId (state, muteId) {\n if (state.currentUser.muteIds.indexOf(muteId) === -1) {\n state.currentUser.muteIds.push(muteId)\n }\n },\n saveDomainMutes (state, domainMutes) {\n state.currentUser.domainMutes = domainMutes\n },\n addDomainMute (state, domain) {\n if (state.currentUser.domainMutes.indexOf(domain) === -1) {\n state.currentUser.domainMutes.push(domain)\n }\n },\n removeDomainMute (state, domain) {\n const index = state.currentUser.domainMutes.indexOf(domain)\n if (index !== -1) {\n state.currentUser.domainMutes.splice(index, 1)\n }\n },\n setPinnedToUser (state, status) {\n const user = state.usersObject[status.user.id]\n const index = user.pinnedStatusIds.indexOf(status.id)\n if (status.pinned && index === -1) {\n user.pinnedStatusIds.push(status.id)\n } else if (!status.pinned && index !== -1) {\n user.pinnedStatusIds.splice(index, 1)\n }\n },\n setUserForStatus (state, status) {\n status.user = state.usersObject[status.user.id]\n },\n setUserForNotification (state, notification) {\n if (notification.type !== 'follow') {\n notification.action.user = state.usersObject[notification.action.user.id]\n }\n notification.from_profile = state.usersObject[notification.from_profile.id]\n },\n setColor (state, { user: { id }, highlighted }) {\n const user = state.usersObject[id]\n set(user, 'highlight', highlighted)\n },\n signUpPending (state) {\n state.signUpPending = true\n state.signUpErrors = []\n },\n signUpSuccess (state) {\n state.signUpPending = false\n },\n signUpFailure (state, errors) {\n state.signUpPending = false\n state.signUpErrors = errors\n }\n}\n\nexport const getters = {\n findUser: state => query => {\n const result = state.usersObject[query]\n // In case it's a screen_name, we can try searching case-insensitive\n if (!result && typeof query === 'string') {\n return state.usersObject[query.toLowerCase()]\n }\n return result\n },\n relationship: state => id => {\n const rel = id && state.relationships[id]\n return rel || { id, loading: true }\n }\n}\n\nexport const defaultState = {\n loggingIn: false,\n lastLoginName: false,\n currentUser: false,\n users: [],\n usersObject: {},\n signUpPending: false,\n signUpErrors: [],\n relationships: {}\n}\n\nconst users = {\n state: defaultState,\n mutations,\n getters,\n actions: {\n fetchUserIfMissing (store, id) {\n if (!store.getters.findUser(id)) {\n store.dispatch('fetchUser', id)\n }\n },\n fetchUser (store, id) {\n return store.rootState.api.backendInteractor.fetchUser({ id })\n .then((user) => {\n store.commit('addNewUsers', [user])\n return user\n })\n },\n fetchUserRelationship (store, id) {\n if (store.state.currentUser) {\n store.rootState.api.backendInteractor.fetchUserRelationship({ id })\n .then((relationships) => store.commit('updateUserRelationship', relationships))\n }\n },\n fetchBlocks (store) {\n return store.rootState.api.backendInteractor.fetchBlocks()\n .then((blocks) => {\n store.commit('saveBlockIds', map(blocks, 'id'))\n store.commit('addNewUsers', blocks)\n return blocks\n })\n },\n blockUser (store, id) {\n return blockUser(store, id)\n },\n unblockUser (store, id) {\n return unblockUser(store, id)\n },\n blockUsers (store, ids = []) {\n return Promise.all(ids.map(id => blockUser(store, id)))\n },\n unblockUsers (store, ids = []) {\n return Promise.all(ids.map(id => unblockUser(store, id)))\n },\n fetchMutes (store) {\n return store.rootState.api.backendInteractor.fetchMutes()\n .then((mutes) => {\n store.commit('saveMuteIds', map(mutes, 'id'))\n store.commit('addNewUsers', mutes)\n return mutes\n })\n },\n muteUser (store, id) {\n return muteUser(store, id)\n },\n unmuteUser (store, id) {\n return unmuteUser(store, id)\n },\n hideReblogs (store, id) {\n return hideReblogs(store, id)\n },\n showReblogs (store, id) {\n return showReblogs(store, id)\n },\n muteUsers (store, ids = []) {\n return Promise.all(ids.map(id => muteUser(store, id)))\n },\n unmuteUsers (store, ids = []) {\n return Promise.all(ids.map(id => unmuteUser(store, id)))\n },\n fetchDomainMutes (store) {\n return store.rootState.api.backendInteractor.fetchDomainMutes()\n .then((domainMutes) => {\n store.commit('saveDomainMutes', domainMutes)\n return domainMutes\n })\n },\n muteDomain (store, domain) {\n return muteDomain(store, domain)\n },\n unmuteDomain (store, domain) {\n return unmuteDomain(store, domain)\n },\n muteDomains (store, domains = []) {\n return Promise.all(domains.map(domain => muteDomain(store, domain)))\n },\n unmuteDomains (store, domain = []) {\n return Promise.all(domain.map(domain => unmuteDomain(store, domain)))\n },\n fetchFriends ({ rootState, commit }, id) {\n const user = rootState.users.usersObject[id]\n const maxId = last(user.friendIds)\n return rootState.api.backendInteractor.fetchFriends({ id, maxId })\n .then((friends) => {\n commit('addNewUsers', friends)\n commit('saveFriendIds', { id, friendIds: map(friends, 'id') })\n return friends\n })\n },\n fetchFollowers ({ rootState, commit }, id) {\n const user = rootState.users.usersObject[id]\n const maxId = last(user.followerIds)\n return rootState.api.backendInteractor.fetchFollowers({ id, maxId })\n .then((followers) => {\n commit('addNewUsers', followers)\n commit('saveFollowerIds', { id, followerIds: map(followers, 'id') })\n return followers\n })\n },\n clearFriends ({ commit }, userId) {\n commit('clearFriends', userId)\n },\n clearFollowers ({ commit }, userId) {\n commit('clearFollowers', userId)\n },\n subscribeUser ({ rootState, commit }, id) {\n return rootState.api.backendInteractor.subscribeUser({ id })\n .then((relationship) => commit('updateUserRelationship', [relationship]))\n },\n unsubscribeUser ({ rootState, commit }, id) {\n return rootState.api.backendInteractor.unsubscribeUser({ id })\n .then((relationship) => commit('updateUserRelationship', [relationship]))\n },\n toggleActivationStatus ({ rootState, commit }, { user }) {\n const api = user.deactivated ? rootState.api.backendInteractor.activateUser : rootState.api.backendInteractor.deactivateUser\n api({ user })\n .then(({ deactivated }) => commit('updateActivationStatus', { user, deactivated }))\n },\n registerPushNotifications (store) {\n const token = store.state.currentUser.credentials\n const vapidPublicKey = store.rootState.instance.vapidPublicKey\n const isEnabled = store.rootState.config.webPushNotifications\n const notificationVisibility = store.rootState.config.notificationVisibility\n\n registerPushNotifications(isEnabled, vapidPublicKey, token, notificationVisibility)\n },\n unregisterPushNotifications (store) {\n const token = store.state.currentUser.credentials\n\n unregisterPushNotifications(token)\n },\n addNewUsers ({ commit }, users) {\n commit('addNewUsers', users)\n },\n addNewStatuses (store, { statuses }) {\n const users = map(statuses, 'user')\n const retweetedUsers = compact(map(statuses, 'retweeted_status.user'))\n store.commit('addNewUsers', users)\n store.commit('addNewUsers', retweetedUsers)\n\n each(statuses, (status) => {\n // Reconnect users to statuses\n store.commit('setUserForStatus', status)\n // Set pinned statuses to user\n store.commit('setPinnedToUser', status)\n })\n each(compact(map(statuses, 'retweeted_status')), (status) => {\n // Reconnect users to retweets\n store.commit('setUserForStatus', status)\n // Set pinned retweets to user\n store.commit('setPinnedToUser', status)\n })\n },\n addNewNotifications (store, { notifications }) {\n const users = map(notifications, 'from_profile')\n const targetUsers = map(notifications, 'target').filter(_ => _)\n const notificationIds = notifications.map(_ => _.id)\n store.commit('addNewUsers', users)\n store.commit('addNewUsers', targetUsers)\n\n const notificationsObject = store.rootState.statuses.notifications.idStore\n const relevantNotifications = Object.entries(notificationsObject)\n .filter(([k, val]) => notificationIds.includes(k))\n .map(([k, val]) => val)\n\n // Reconnect users to notifications\n each(relevantNotifications, (notification) => {\n store.commit('setUserForNotification', notification)\n })\n },\n searchUsers ({ rootState, commit }, { query }) {\n return rootState.api.backendInteractor.searchUsers({ query })\n .then((users) => {\n commit('addNewUsers', users)\n return users\n })\n },\n async signUp (store, userInfo) {\n store.commit('signUpPending')\n\n let rootState = store.rootState\n\n try {\n let data = await rootState.api.backendInteractor.register(\n { params: { ...userInfo } }\n )\n store.commit('signUpSuccess')\n store.commit('setToken', data.access_token)\n store.dispatch('loginUser', data.access_token)\n } catch (e) {\n let errors = e.message\n store.commit('signUpFailure', errors)\n throw e\n }\n },\n async getCaptcha (store) {\n return store.rootState.api.backendInteractor.getCaptcha()\n },\n\n logout (store) {\n const { oauth, instance } = store.rootState\n\n const data = {\n ...oauth,\n commit: store.commit,\n instance: instance.server\n }\n\n return oauthApi.getOrCreateApp(data)\n .then((app) => {\n const params = {\n app,\n instance: data.instance,\n token: oauth.userToken\n }\n\n return oauthApi.revokeToken(params)\n })\n .then(() => {\n store.commit('clearCurrentUser')\n store.dispatch('disconnectFromSocket')\n store.commit('clearToken')\n store.dispatch('stopFetchingTimeline', 'friends')\n store.commit('setBackendInteractor', backendInteractorService(store.getters.getToken()))\n store.dispatch('stopFetchingNotifications')\n store.dispatch('stopFetchingFollowRequests')\n store.commit('clearNotifications')\n store.commit('resetStatuses')\n store.dispatch('resetChats')\n store.dispatch('setLastTimeline', 'public-timeline')\n })\n },\n loginUser (store, accessToken) {\n return new Promise((resolve, reject) => {\n const commit = store.commit\n commit('beginLogin')\n store.rootState.api.backendInteractor.verifyCredentials(accessToken)\n .then((data) => {\n if (!data.error) {\n const user = data\n // user.credentials = userCredentials\n user.credentials = accessToken\n user.blockIds = []\n user.muteIds = []\n user.domainMutes = []\n commit('setCurrentUser', user)\n commit('addNewUsers', [user])\n\n store.dispatch('fetchEmoji')\n\n getNotificationPermission()\n .then(permission => commit('setNotificationPermission', permission))\n\n // Set our new backend interactor\n commit('setBackendInteractor', backendInteractorService(accessToken))\n\n if (user.token) {\n store.dispatch('setWsToken', user.token)\n\n // Initialize the chat socket.\n store.dispatch('initializeSocket')\n }\n\n const startPolling = () => {\n // Start getting fresh posts.\n store.dispatch('startFetchingTimeline', { timeline: 'friends' })\n\n // Start fetching notifications\n store.dispatch('startFetchingNotifications')\n\n // Start fetching chats\n store.dispatch('startFetchingChats')\n }\n\n if (store.getters.mergedConfig.useStreamingApi) {\n store.dispatch('enableMastoSockets').catch((error) => {\n console.error('Failed initializing MastoAPI Streaming socket', error)\n startPolling()\n }).then(() => {\n store.dispatch('fetchChats', { latest: true })\n setTimeout(() => store.dispatch('setNotificationsSilence', false), 10000)\n })\n } else {\n startPolling()\n }\n\n // Get user mutes\n store.dispatch('fetchMutes')\n\n // Fetch our friends\n store.rootState.api.backendInteractor.fetchFriends({ id: user.id })\n .then((friends) => commit('addNewUsers', friends))\n } else {\n const response = data.error\n // Authentication failed\n commit('endLogin')\n if (response.status === 401) {\n reject(new Error('Wrong username or password'))\n } else {\n reject(new Error('An error occurred, please try again'))\n }\n }\n commit('endLogin')\n resolve()\n })\n .catch((error) => {\n console.log(error)\n commit('endLogin')\n reject(new Error('Failed to connect to server, try again'))\n })\n })\n }\n }\n}\n\nexport default users\n","import { showDesktopNotification } from '../desktop_notification_utils/desktop_notification_utils.js'\n\nexport const maybeShowChatNotification = (store, chat) => {\n if (!chat.lastMessage) return\n if (store.rootState.chats.currentChatId === chat.id && !document.hidden) return\n if (store.rootState.users.currentUser.id === chat.lastMessage.account.id) return\n\n const opts = {\n tag: chat.lastMessage.id,\n title: chat.account.name,\n icon: chat.account.profile_image_url,\n body: chat.lastMessage.content\n }\n\n if (chat.lastMessage.attachment && chat.lastMessage.attachment.type === 'image') {\n opts.image = chat.lastMessage.attachment.preview_url\n }\n\n showDesktopNotification(store.rootState, opts)\n}\n","import backendInteractorService from '../services/backend_interactor_service/backend_interactor_service.js'\nimport { WSConnectionStatus } from '../services/api/api.service.js'\nimport { maybeShowChatNotification } from '../services/chat_utils/chat_utils.js'\nimport { Socket } from 'phoenix'\n\nconst api = {\n state: {\n backendInteractor: backendInteractorService(),\n fetchers: {},\n socket: null,\n mastoUserSocket: null,\n mastoUserSocketStatus: null,\n followRequests: []\n },\n mutations: {\n setBackendInteractor (state, backendInteractor) {\n state.backendInteractor = backendInteractor\n },\n addFetcher (state, { fetcherName, fetcher }) {\n state.fetchers[fetcherName] = fetcher\n },\n removeFetcher (state, { fetcherName, fetcher }) {\n window.clearInterval(fetcher)\n delete state.fetchers[fetcherName]\n },\n setWsToken (state, token) {\n state.wsToken = token\n },\n setSocket (state, socket) {\n state.socket = socket\n },\n setFollowRequests (state, value) {\n state.followRequests = value\n },\n setMastoUserSocketStatus (state, value) {\n state.mastoUserSocketStatus = value\n }\n },\n actions: {\n // Global MastoAPI socket control, in future should disable ALL sockets/(re)start relevant sockets\n enableMastoSockets (store) {\n const { state, dispatch } = store\n if (state.mastoUserSocket) return\n return dispatch('startMastoUserSocket')\n },\n disableMastoSockets (store) {\n const { state, dispatch } = store\n if (!state.mastoUserSocket) return\n return dispatch('stopMastoUserSocket')\n },\n\n // MastoAPI 'User' sockets\n startMastoUserSocket (store) {\n return new Promise((resolve, reject) => {\n try {\n const { state, commit, dispatch, rootState } = store\n const timelineData = rootState.statuses.timelines.friends\n state.mastoUserSocket = state.backendInteractor.startUserSocket({ store })\n state.mastoUserSocket.addEventListener(\n 'message',\n ({ detail: message }) => {\n if (!message) return // pings\n if (message.event === 'notification') {\n dispatch('addNewNotifications', {\n notifications: [message.notification],\n older: false\n })\n } else if (message.event === 'update') {\n dispatch('addNewStatuses', {\n statuses: [message.status],\n userId: false,\n showImmediately: timelineData.visibleStatuses.length === 0,\n timeline: 'friends'\n })\n } else if (message.event === 'pleroma:chat_update') {\n dispatch('addChatMessages', {\n chatId: message.chatUpdate.id,\n messages: [message.chatUpdate.lastMessage]\n })\n dispatch('updateChat', { chat: message.chatUpdate })\n maybeShowChatNotification(store, message.chatUpdate)\n }\n }\n )\n state.mastoUserSocket.addEventListener('open', () => {\n commit('setMastoUserSocketStatus', WSConnectionStatus.JOINED)\n })\n state.mastoUserSocket.addEventListener('error', ({ detail: error }) => {\n console.error('Error in MastoAPI websocket:', error)\n commit('setMastoUserSocketStatus', WSConnectionStatus.ERROR)\n dispatch('clearOpenedChats')\n })\n state.mastoUserSocket.addEventListener('close', ({ detail: closeEvent }) => {\n const ignoreCodes = new Set([\n 1000, // Normal (intended) closure\n 1001 // Going away\n ])\n const { code } = closeEvent\n if (ignoreCodes.has(code)) {\n console.debug(`Not restarting socket becasue of closure code ${code} is in ignore list`)\n } else {\n console.warn(`MastoAPI websocket disconnected, restarting. CloseEvent code: ${code}`)\n dispatch('startFetchingTimeline', { timeline: 'friends' })\n dispatch('startFetchingNotifications')\n dispatch('startFetchingChats')\n dispatch('restartMastoUserSocket')\n }\n commit('setMastoUserSocketStatus', WSConnectionStatus.CLOSED)\n dispatch('clearOpenedChats')\n })\n resolve()\n } catch (e) {\n reject(e)\n }\n })\n },\n restartMastoUserSocket ({ dispatch }) {\n // This basically starts MastoAPI user socket and stops conventional\n // fetchers when connection reestablished\n return dispatch('startMastoUserSocket').then(() => {\n dispatch('stopFetchingTimeline', { timeline: 'friends' })\n dispatch('stopFetchingNotifications')\n dispatch('stopFetchingChats')\n })\n },\n stopMastoUserSocket ({ state, dispatch }) {\n dispatch('startFetchingTimeline', { timeline: 'friends' })\n dispatch('startFetchingNotifications')\n dispatch('startFetchingChats')\n state.mastoUserSocket.close()\n },\n\n // Timelines\n startFetchingTimeline (store, {\n timeline = 'friends',\n tag = false,\n userId = false\n }) {\n if (store.state.fetchers[timeline]) return\n\n const fetcher = store.state.backendInteractor.startFetchingTimeline({\n timeline, store, userId, tag\n })\n store.commit('addFetcher', { fetcherName: timeline, fetcher })\n },\n stopFetchingTimeline (store, timeline) {\n const fetcher = store.state.fetchers[timeline]\n if (!fetcher) return\n store.commit('removeFetcher', { fetcherName: timeline, fetcher })\n },\n\n // Notifications\n startFetchingNotifications (store) {\n if (store.state.fetchers.notifications) return\n const fetcher = store.state.backendInteractor.startFetchingNotifications({ store })\n store.commit('addFetcher', { fetcherName: 'notifications', fetcher })\n },\n stopFetchingNotifications (store) {\n const fetcher = store.state.fetchers.notifications\n if (!fetcher) return\n store.commit('removeFetcher', { fetcherName: 'notifications', fetcher })\n },\n\n // Follow requests\n startFetchingFollowRequests (store) {\n if (store.state.fetchers['followRequests']) return\n const fetcher = store.state.backendInteractor.startFetchingFollowRequests({ store })\n\n store.commit('addFetcher', { fetcherName: 'followRequests', fetcher })\n },\n stopFetchingFollowRequests (store) {\n const fetcher = store.state.fetchers.followRequests\n if (!fetcher) return\n store.commit('removeFetcher', { fetcherName: 'followRequests', fetcher })\n },\n removeFollowRequest (store, request) {\n let requests = store.state.followRequests.filter((it) => it !== request)\n store.commit('setFollowRequests', requests)\n },\n\n // Pleroma websocket\n setWsToken (store, token) {\n store.commit('setWsToken', token)\n },\n initializeSocket ({ dispatch, commit, state, rootState }) {\n // Set up websocket connection\n const token = state.wsToken\n if (rootState.instance.chatAvailable && typeof token !== 'undefined' && state.socket === null) {\n const socket = new Socket('/socket', { params: { token } })\n socket.connect()\n\n commit('setSocket', socket)\n dispatch('initializeChat', socket)\n }\n },\n disconnectFromSocket ({ commit, state }) {\n state.socket && state.socket.disconnect()\n commit('setSocket', null)\n }\n }\n}\n\nexport default api\n","const chat = {\n state: {\n messages: [],\n channel: { state: '' }\n },\n mutations: {\n setChannel (state, channel) {\n state.channel = channel\n },\n addMessage (state, message) {\n state.messages.push(message)\n state.messages = state.messages.slice(-19, 20)\n },\n setMessages (state, messages) {\n state.messages = messages.slice(-19, 20)\n }\n },\n actions: {\n initializeChat (store, socket) {\n const channel = socket.channel('chat:public')\n channel.on('new_msg', (msg) => {\n store.commit('addMessage', msg)\n })\n channel.on('messages', ({ messages }) => {\n store.commit('setMessages', messages)\n })\n channel.join()\n store.commit('setChannel', channel)\n }\n }\n}\n\nexport default chat\n","import { delete as del } from 'vue'\n\nconst oauth = {\n state: {\n clientId: false,\n clientSecret: false,\n /* App token is authentication for app without any user, used mostly for\n * MastoAPI's registration of new users, stored so that we can fall back to\n * it on logout\n */\n appToken: false,\n /* User token is authentication for app with user, this is for every calls\n * that need authorized user to be successful (i.e. posting, liking etc)\n */\n userToken: false\n },\n mutations: {\n setClientData (state, { clientId, clientSecret }) {\n state.clientId = clientId\n state.clientSecret = clientSecret\n },\n setAppToken (state, token) {\n state.appToken = token\n },\n setToken (state, token) {\n state.userToken = token\n },\n clearToken (state) {\n state.userToken = false\n // state.token is userToken with older name, coming from persistent state\n // let's clear it as well, since it is being used as a fallback of state.userToken\n del(state, 'token')\n }\n },\n getters: {\n getToken: state => () => {\n // state.token is userToken with older name, coming from persistent state\n // added here for smoother transition, otherwise user will be logged out\n return state.userToken || state.token || state.appToken\n },\n getUserToken: state => () => {\n // state.token is userToken with older name, coming from persistent state\n // added here for smoother transition, otherwise user will be logged out\n return state.userToken || state.token\n }\n }\n}\n\nexport default oauth\n","const PASSWORD_STRATEGY = 'password'\nconst TOKEN_STRATEGY = 'token'\n\n// MFA strategies\nconst TOTP_STRATEGY = 'totp'\nconst RECOVERY_STRATEGY = 'recovery'\n\n// initial state\nconst state = {\n settings: {},\n strategy: PASSWORD_STRATEGY,\n initStrategy: PASSWORD_STRATEGY // default strategy from config\n}\n\nconst resetState = (state) => {\n state.strategy = state.initStrategy\n state.settings = {}\n}\n\n// getters\nconst getters = {\n settings: (state, getters) => {\n return state.settings\n },\n requiredPassword: (state, getters, rootState) => {\n return state.strategy === PASSWORD_STRATEGY\n },\n requiredToken: (state, getters, rootState) => {\n return state.strategy === TOKEN_STRATEGY\n },\n requiredTOTP: (state, getters, rootState) => {\n return state.strategy === TOTP_STRATEGY\n },\n requiredRecovery: (state, getters, rootState) => {\n return state.strategy === RECOVERY_STRATEGY\n }\n}\n\n// mutations\nconst mutations = {\n setInitialStrategy (state, strategy) {\n if (strategy) {\n state.initStrategy = strategy\n state.strategy = strategy\n }\n },\n requirePassword (state) {\n state.strategy = PASSWORD_STRATEGY\n },\n requireToken (state) {\n state.strategy = TOKEN_STRATEGY\n },\n requireMFA (state, { settings }) {\n state.settings = settings\n state.strategy = TOTP_STRATEGY // default strategy of MFA\n },\n requireRecovery (state) {\n state.strategy = RECOVERY_STRATEGY\n },\n requireTOTP (state) {\n state.strategy = TOTP_STRATEGY\n },\n abortMFA (state) {\n resetState(state)\n }\n}\n\n// actions\nconst actions = {\n // eslint-disable-next-line camelcase\n async login ({ state, dispatch, commit }, { access_token }) {\n commit('setToken', access_token, { root: true })\n await dispatch('loginUser', access_token, { root: true })\n resetState(state)\n }\n}\n\nexport default {\n namespaced: true,\n state,\n getters,\n mutations,\n actions\n}\n","import fileTypeService from '../services/file_type/file_type.service.js'\n\nconst mediaViewer = {\n state: {\n media: [],\n currentIndex: 0,\n activated: false\n },\n mutations: {\n setMedia (state, media) {\n state.media = media\n },\n setCurrent (state, index) {\n state.activated = true\n state.currentIndex = index\n },\n close (state) {\n state.activated = false\n }\n },\n actions: {\n setMedia ({ commit }, attachments) {\n const media = attachments.filter(attachment => {\n const type = fileTypeService.fileType(attachment.mimetype)\n return type === 'image' || type === 'video' || type === 'audio'\n })\n commit('setMedia', media)\n },\n setCurrent ({ commit, state }, current) {\n const index = state.media.indexOf(current)\n commit('setCurrent', index || 0)\n },\n closeMediaViewer ({ commit }) {\n commit('close')\n }\n }\n}\n\nexport default mediaViewer\n","const oauthTokens = {\n state: {\n tokens: []\n },\n actions: {\n fetchTokens ({ rootState, commit }) {\n rootState.api.backendInteractor.fetchOAuthTokens().then((tokens) => {\n commit('swapTokens', tokens)\n })\n },\n revokeToken ({ rootState, commit, state }, id) {\n rootState.api.backendInteractor.revokeOAuthToken({ id }).then((response) => {\n if (response.status === 201) {\n commit('swapTokens', state.tokens.filter(token => token.id !== id))\n }\n })\n }\n },\n mutations: {\n swapTokens (state, tokens) {\n state.tokens = tokens\n }\n }\n}\n\nexport default oauthTokens\n","import filter from 'lodash/filter'\n\nconst reports = {\n state: {\n userId: null,\n statuses: [],\n modalActivated: false\n },\n mutations: {\n openUserReportingModal (state, { userId, statuses }) {\n state.userId = userId\n state.statuses = statuses\n state.modalActivated = true\n },\n closeUserReportingModal (state) {\n state.modalActivated = false\n }\n },\n actions: {\n openUserReportingModal ({ rootState, commit }, userId) {\n const statuses = filter(rootState.statuses.allStatuses, status => status.user.id === userId)\n commit('openUserReportingModal', { userId, statuses })\n },\n closeUserReportingModal ({ commit }) {\n commit('closeUserReportingModal')\n }\n }\n}\n\nexport default reports\n","import { merge } from 'lodash'\nimport { set } from 'vue'\n\nconst polls = {\n state: {\n // Contains key = id, value = number of trackers for this poll\n trackedPolls: {},\n pollsObject: {}\n },\n mutations: {\n mergeOrAddPoll (state, poll) {\n const existingPoll = state.pollsObject[poll.id]\n // Make expired-state change trigger re-renders properly\n poll.expired = Date.now() > Date.parse(poll.expires_at)\n if (existingPoll) {\n set(state.pollsObject, poll.id, merge(existingPoll, poll))\n } else {\n set(state.pollsObject, poll.id, poll)\n }\n },\n trackPoll (state, pollId) {\n const currentValue = state.trackedPolls[pollId]\n if (currentValue) {\n set(state.trackedPolls, pollId, currentValue + 1)\n } else {\n set(state.trackedPolls, pollId, 1)\n }\n },\n untrackPoll (state, pollId) {\n const currentValue = state.trackedPolls[pollId]\n if (currentValue) {\n set(state.trackedPolls, pollId, currentValue - 1)\n } else {\n set(state.trackedPolls, pollId, 0)\n }\n }\n },\n actions: {\n mergeOrAddPoll ({ commit }, poll) {\n commit('mergeOrAddPoll', poll)\n },\n updateTrackedPoll ({ rootState, dispatch, commit }, pollId) {\n rootState.api.backendInteractor.fetchPoll({ pollId }).then(poll => {\n setTimeout(() => {\n if (rootState.polls.trackedPolls[pollId]) {\n dispatch('updateTrackedPoll', pollId)\n }\n }, 30 * 1000)\n commit('mergeOrAddPoll', poll)\n })\n },\n trackPoll ({ rootState, commit, dispatch }, pollId) {\n if (!rootState.polls.trackedPolls[pollId]) {\n setTimeout(() => dispatch('updateTrackedPoll', pollId), 30 * 1000)\n }\n commit('trackPoll', pollId)\n },\n untrackPoll ({ commit }, pollId) {\n commit('untrackPoll', pollId)\n },\n votePoll ({ rootState, commit }, { id, pollId, choices }) {\n return rootState.api.backendInteractor.vote({ pollId, choices }).then(poll => {\n commit('mergeOrAddPoll', poll)\n return poll\n })\n }\n }\n}\n\nexport default polls\n","const postStatus = {\n state: {\n params: null,\n modalActivated: false\n },\n mutations: {\n openPostStatusModal (state, params) {\n state.params = params\n state.modalActivated = true\n },\n closePostStatusModal (state) {\n state.modalActivated = false\n }\n },\n actions: {\n openPostStatusModal ({ commit }, params) {\n commit('openPostStatusModal', params)\n },\n closePostStatusModal ({ commit }) {\n commit('closePostStatusModal')\n }\n }\n}\n\nexport default postStatus\n","import _ from 'lodash'\n\nconst empty = (chatId) => {\n return {\n idIndex: {},\n messages: [],\n newMessageCount: 0,\n lastSeenTimestamp: 0,\n chatId: chatId,\n minId: undefined,\n lastMessage: undefined\n }\n}\n\nconst clear = (storage) => {\n storage.idIndex = {}\n storage.messages.splice(0, storage.messages.length)\n storage.newMessageCount = 0\n storage.lastSeenTimestamp = 0\n storage.minId = undefined\n storage.lastMessage = undefined\n}\n\nconst deleteMessage = (storage, messageId) => {\n if (!storage) { return }\n storage.messages = storage.messages.filter(m => m.id !== messageId)\n delete storage.idIndex[messageId]\n\n if (storage.lastMessage && (storage.lastMessage.id === messageId)) {\n storage.lastMessage = _.maxBy(storage.messages, 'id')\n }\n\n if (storage.minId === messageId) {\n const firstMessage = _.minBy(storage.messages, 'id')\n storage.minId = firstMessage.id\n }\n}\n\nconst add = (storage, { messages: newMessages }) => {\n if (!storage) { return }\n for (let i = 0; i < newMessages.length; i++) {\n const message = newMessages[i]\n\n // sanity check\n if (message.chat_id !== storage.chatId) { return }\n\n if (!storage.minId || message.id < storage.minId) {\n storage.minId = message.id\n }\n\n if (!storage.lastMessage || message.id > storage.lastMessage.id) {\n storage.lastMessage = message\n }\n\n if (!storage.idIndex[message.id]) {\n if (storage.lastSeenTimestamp < message.created_at) {\n storage.newMessageCount++\n }\n storage.messages.push(message)\n storage.idIndex[message.id] = message\n }\n }\n}\n\nconst resetNewMessageCount = (storage) => {\n if (!storage) { return }\n storage.newMessageCount = 0\n storage.lastSeenTimestamp = new Date()\n}\n\n// Inserts date separators and marks the head and tail if it's the chain of messages made by the same user\nconst getView = (storage) => {\n if (!storage) { return [] }\n\n const result = []\n const messages = _.sortBy(storage.messages, ['id', 'desc'])\n const firstMessage = messages[0]\n let previousMessage = messages[messages.length - 1]\n let currentMessageChainId\n\n if (firstMessage) {\n const date = new Date(firstMessage.created_at)\n date.setHours(0, 0, 0, 0)\n result.push({\n type: 'date',\n date,\n id: date.getTime().toString()\n })\n }\n\n let afterDate = false\n\n for (let i = 0; i < messages.length; i++) {\n const message = messages[i]\n const nextMessage = messages[i + 1]\n\n const date = new Date(message.created_at)\n date.setHours(0, 0, 0, 0)\n\n // insert date separator and start a new message chain\n if (previousMessage && previousMessage.date < date) {\n result.push({\n type: 'date',\n date,\n id: date.getTime().toString()\n })\n\n previousMessage['isTail'] = true\n currentMessageChainId = undefined\n afterDate = true\n }\n\n const object = {\n type: 'message',\n data: message,\n date,\n id: message.id,\n messageChainId: currentMessageChainId\n }\n\n // end a message chian\n if ((nextMessage && nextMessage.account_id) !== message.account_id) {\n object['isTail'] = true\n currentMessageChainId = undefined\n }\n\n // start a new message chain\n if ((previousMessage && previousMessage.data && previousMessage.data.account_id) !== message.account_id || afterDate) {\n currentMessageChainId = _.uniqueId()\n object['isHead'] = true\n object['messageChainId'] = currentMessageChainId\n }\n\n result.push(object)\n previousMessage = object\n afterDate = false\n }\n\n return result\n}\n\nconst ChatService = {\n add,\n empty,\n getView,\n deleteMessage,\n resetNewMessageCount,\n clear\n}\n\nexport default ChatService\n","import Vue from 'vue'\nimport { find, omitBy, orderBy, sumBy } from 'lodash'\nimport chatService from '../services/chat_service/chat_service.js'\nimport { parseChat, parseChatMessage } from '../services/entity_normalizer/entity_normalizer.service.js'\nimport { maybeShowChatNotification } from '../services/chat_utils/chat_utils.js'\n\nconst emptyChatList = () => ({\n data: [],\n idStore: {}\n})\n\nconst defaultState = {\n chatList: emptyChatList(),\n chatListFetcher: null,\n openedChats: {},\n openedChatMessageServices: {},\n fetcher: undefined,\n currentChatId: null\n}\n\nconst getChatById = (state, id) => {\n return find(state.chatList.data, { id })\n}\n\nconst sortedChatList = (state) => {\n return orderBy(state.chatList.data, ['updated_at'], ['desc'])\n}\n\nconst unreadChatCount = (state) => {\n return sumBy(state.chatList.data, 'unread')\n}\n\nconst chats = {\n state: { ...defaultState },\n getters: {\n currentChat: state => state.openedChats[state.currentChatId],\n currentChatMessageService: state => state.openedChatMessageServices[state.currentChatId],\n findOpenedChatByRecipientId: state => recipientId => find(state.openedChats, c => c.account.id === recipientId),\n sortedChatList,\n unreadChatCount\n },\n actions: {\n // Chat list\n startFetchingChats ({ dispatch, commit }) {\n const fetcher = () => {\n dispatch('fetchChats', { latest: true })\n }\n fetcher()\n commit('setChatListFetcher', {\n fetcher: () => setInterval(() => { fetcher() }, 5000)\n })\n },\n stopFetchingChats ({ commit }) {\n commit('setChatListFetcher', { fetcher: undefined })\n },\n fetchChats ({ dispatch, rootState, commit }, params = {}) {\n return rootState.api.backendInteractor.chats()\n .then(({ chats }) => {\n dispatch('addNewChats', { chats })\n return chats\n })\n },\n addNewChats (store, { chats }) {\n const { commit, dispatch, rootGetters } = store\n const newChatMessageSideEffects = (chat) => {\n maybeShowChatNotification(store, chat)\n }\n commit('addNewChats', { dispatch, chats, rootGetters, newChatMessageSideEffects })\n },\n updateChat ({ commit }, { chat }) {\n commit('updateChat', { chat })\n },\n\n // Opened Chats\n startFetchingCurrentChat ({ commit, dispatch }, { fetcher }) {\n dispatch('setCurrentChatFetcher', { fetcher })\n },\n setCurrentChatFetcher ({ rootState, commit }, { fetcher }) {\n commit('setCurrentChatFetcher', { fetcher })\n },\n addOpenedChat ({ rootState, commit, dispatch }, { chat }) {\n commit('addOpenedChat', { dispatch, chat: parseChat(chat) })\n dispatch('addNewUsers', [chat.account])\n },\n addChatMessages ({ commit }, value) {\n commit('addChatMessages', { commit, ...value })\n },\n resetChatNewMessageCount ({ commit }, value) {\n commit('resetChatNewMessageCount', value)\n },\n clearCurrentChat ({ rootState, commit, dispatch }, value) {\n commit('setCurrentChatId', { chatId: undefined })\n commit('setCurrentChatFetcher', { fetcher: undefined })\n },\n readChat ({ rootState, commit, dispatch }, { id, lastReadId }) {\n dispatch('resetChatNewMessageCount')\n commit('readChat', { id })\n rootState.api.backendInteractor.readChat({ id, lastReadId })\n },\n deleteChatMessage ({ rootState, commit }, value) {\n rootState.api.backendInteractor.deleteChatMessage(value)\n commit('deleteChatMessage', { commit, ...value })\n },\n resetChats ({ commit, dispatch }) {\n dispatch('clearCurrentChat')\n commit('resetChats', { commit })\n },\n clearOpenedChats ({ rootState, commit, dispatch, rootGetters }) {\n commit('clearOpenedChats', { commit })\n }\n },\n mutations: {\n setChatListFetcher (state, { commit, fetcher }) {\n const prevFetcher = state.chatListFetcher\n if (prevFetcher) {\n clearInterval(prevFetcher)\n }\n state.chatListFetcher = fetcher && fetcher()\n },\n setCurrentChatFetcher (state, { fetcher }) {\n const prevFetcher = state.fetcher\n if (prevFetcher) {\n clearInterval(prevFetcher)\n }\n state.fetcher = fetcher && fetcher()\n },\n addOpenedChat (state, { _dispatch, chat }) {\n state.currentChatId = chat.id\n Vue.set(state.openedChats, chat.id, chat)\n\n if (!state.openedChatMessageServices[chat.id]) {\n Vue.set(state.openedChatMessageServices, chat.id, chatService.empty(chat.id))\n }\n },\n setCurrentChatId (state, { chatId }) {\n state.currentChatId = chatId\n },\n addNewChats (state, { chats, newChatMessageSideEffects }) {\n chats.forEach((updatedChat) => {\n const chat = getChatById(state, updatedChat.id)\n\n if (chat) {\n const isNewMessage = (chat.lastMessage && chat.lastMessage.id) !== (updatedChat.lastMessage && updatedChat.lastMessage.id)\n chat.lastMessage = updatedChat.lastMessage\n chat.unread = updatedChat.unread\n if (isNewMessage && chat.unread) {\n newChatMessageSideEffects(updatedChat)\n }\n } else {\n state.chatList.data.push(updatedChat)\n Vue.set(state.chatList.idStore, updatedChat.id, updatedChat)\n }\n })\n },\n updateChat (state, { _dispatch, chat: updatedChat, _rootGetters }) {\n const chat = getChatById(state, updatedChat.id)\n if (chat) {\n chat.lastMessage = updatedChat.lastMessage\n chat.unread = updatedChat.unread\n chat.updated_at = updatedChat.updated_at\n }\n if (!chat) { state.chatList.data.unshift(updatedChat) }\n Vue.set(state.chatList.idStore, updatedChat.id, updatedChat)\n },\n deleteChat (state, { _dispatch, id, _rootGetters }) {\n state.chats.data = state.chats.data.filter(conversation =>\n conversation.last_status.id !== id\n )\n state.chats.idStore = omitBy(state.chats.idStore, conversation => conversation.last_status.id === id)\n },\n resetChats (state, { commit }) {\n state.chatList = emptyChatList()\n state.currentChatId = null\n commit('setChatListFetcher', { fetcher: undefined })\n for (const chatId in state.openedChats) {\n chatService.clear(state.openedChatMessageServices[chatId])\n Vue.delete(state.openedChats, chatId)\n Vue.delete(state.openedChatMessageServices, chatId)\n }\n },\n setChatsLoading (state, { value }) {\n state.chats.loading = value\n },\n addChatMessages (state, { commit, chatId, messages }) {\n const chatMessageService = state.openedChatMessageServices[chatId]\n if (chatMessageService) {\n chatService.add(chatMessageService, { messages: messages.map(parseChatMessage) })\n commit('refreshLastMessage', { chatId })\n }\n },\n refreshLastMessage (state, { chatId }) {\n const chatMessageService = state.openedChatMessageServices[chatId]\n if (chatMessageService) {\n const chat = getChatById(state, chatId)\n if (chat) {\n chat.lastMessage = chatMessageService.lastMessage\n if (chatMessageService.lastMessage) {\n chat.updated_at = chatMessageService.lastMessage.created_at\n }\n }\n }\n },\n deleteChatMessage (state, { commit, chatId, messageId }) {\n const chatMessageService = state.openedChatMessageServices[chatId]\n if (chatMessageService) {\n chatService.deleteMessage(chatMessageService, messageId)\n commit('refreshLastMessage', { chatId })\n }\n },\n resetChatNewMessageCount (state, _value) {\n const chatMessageService = state.openedChatMessageServices[state.currentChatId]\n chatService.resetNewMessageCount(chatMessageService)\n },\n // Used when a connection loss occurs\n clearOpenedChats (state) {\n const currentChatId = state.currentChatId\n for (const chatId in state.openedChats) {\n if (currentChatId !== chatId) {\n chatService.clear(state.openedChatMessageServices[chatId])\n Vue.delete(state.openedChats, chatId)\n Vue.delete(state.openedChatMessageServices, chatId)\n }\n }\n },\n readChat (state, { id }) {\n const chat = getChatById(state, id)\n if (chat) {\n chat.unread = 0\n }\n }\n }\n}\n\nexport default chats\n","import merge from 'lodash.merge'\nimport localforage from 'localforage'\nimport { each, get, set } from 'lodash'\n\nlet loaded = false\n\nconst defaultReducer = (state, paths) => (\n paths.length === 0 ? state : paths.reduce((substate, path) => {\n set(substate, path, get(state, path))\n return substate\n }, {})\n)\n\nconst saveImmedeatelyActions = [\n 'markNotificationsAsSeen',\n 'clearCurrentUser',\n 'setCurrentUser',\n 'setHighlight',\n 'setOption',\n 'setClientData',\n 'setToken',\n 'clearToken'\n]\n\nconst defaultStorage = (() => {\n return localforage\n})()\n\nexport default function createPersistedState ({\n key = 'vuex-lz',\n paths = [],\n getState = (key, storage) => {\n let value = storage.getItem(key)\n return value\n },\n setState = (key, state, storage) => {\n if (!loaded) {\n console.log('waiting for old state to be loaded...')\n return Promise.resolve()\n } else {\n return storage.setItem(key, state)\n }\n },\n reducer = defaultReducer,\n storage = defaultStorage,\n subscriber = store => handler => store.subscribe(handler)\n} = {}) {\n return getState(key, storage).then((savedState) => {\n return store => {\n try {\n if (savedState !== null && typeof savedState === 'object') {\n // build user cache\n const usersState = savedState.users || {}\n usersState.usersObject = {}\n const users = usersState.users || []\n each(users, (user) => { usersState.usersObject[user.id] = user })\n savedState.users = usersState\n\n store.replaceState(\n merge({}, store.state, savedState)\n )\n }\n loaded = true\n } catch (e) {\n console.log(\"Couldn't load state\")\n console.error(e)\n loaded = true\n }\n subscriber(store)((mutation, state) => {\n try {\n if (saveImmedeatelyActions.includes(mutation.type)) {\n setState(key, reducer(state, paths), storage)\n .then(success => {\n if (typeof success !== 'undefined') {\n if (mutation.type === 'setOption' || mutation.type === 'setCurrentUser') {\n store.dispatch('settingsSaved', { success })\n }\n }\n }, error => {\n if (mutation.type === 'setOption' || mutation.type === 'setCurrentUser') {\n store.dispatch('settingsSaved', { error })\n }\n })\n }\n } catch (e) {\n console.log(\"Couldn't persist state:\")\n console.log(e)\n }\n })\n }\n })\n}\n","export default (store) => {\n store.subscribe((mutation, state) => {\n const vapidPublicKey = state.instance.vapidPublicKey\n const webPushNotification = state.config.webPushNotifications\n const permission = state.interface.notificationPermission === 'granted'\n const user = state.users.currentUser\n\n const isUserMutation = mutation.type === 'setCurrentUser'\n const isVapidMutation = mutation.type === 'setInstanceOption' && mutation.payload.name === 'vapidPublicKey'\n const isPermMutation = mutation.type === 'setNotificationPermission' && mutation.payload === 'granted'\n const isUserConfigMutation = mutation.type === 'setOption' && mutation.payload.name === 'webPushNotifications'\n const isVisibilityMutation = mutation.type === 'setOption' && mutation.payload.name === 'notificationVisibility'\n\n if (isUserMutation || isVapidMutation || isPermMutation || isUserConfigMutation || isVisibilityMutation) {\n if (user && vapidPublicKey && permission && webPushNotification) {\n return store.dispatch('registerPushNotifications')\n } else if (isUserConfigMutation && !webPushNotification) {\n return store.dispatch('unregisterPushNotifications')\n }\n }\n })\n}\n","import * as bodyScrollLock from 'body-scroll-lock'\n\nlet previousNavPaddingRight\nlet previousAppBgWrapperRight\nconst lockerEls = new Set([])\n\nconst disableBodyScroll = (el) => {\n const scrollBarGap = window.innerWidth - document.documentElement.clientWidth\n bodyScrollLock.disableBodyScroll(el, {\n reserveScrollBarGap: true\n })\n lockerEls.add(el)\n setTimeout(() => {\n if (lockerEls.size <= 1) {\n // If previousNavPaddingRight is already set, don't set it again.\n if (previousNavPaddingRight === undefined) {\n const navEl = document.getElementById('nav')\n previousNavPaddingRight = window.getComputedStyle(navEl).getPropertyValue('padding-right')\n navEl.style.paddingRight = previousNavPaddingRight ? `calc(${previousNavPaddingRight} + ${scrollBarGap}px)` : `${scrollBarGap}px`\n }\n // If previousAppBgWrapeprRight is already set, don't set it again.\n if (previousAppBgWrapperRight === undefined) {\n const appBgWrapperEl = document.getElementById('app_bg_wrapper')\n previousAppBgWrapperRight = window.getComputedStyle(appBgWrapperEl).getPropertyValue('right')\n appBgWrapperEl.style.right = previousAppBgWrapperRight ? `calc(${previousAppBgWrapperRight} + ${scrollBarGap}px)` : `${scrollBarGap}px`\n }\n document.body.classList.add('scroll-locked')\n }\n })\n}\n\nconst enableBodyScroll = (el) => {\n lockerEls.delete(el)\n setTimeout(() => {\n if (lockerEls.size === 0) {\n if (previousNavPaddingRight !== undefined) {\n document.getElementById('nav').style.paddingRight = previousNavPaddingRight\n // Restore previousNavPaddingRight to undefined so disableBodyScroll knows it can be set again.\n previousNavPaddingRight = undefined\n }\n if (previousAppBgWrapperRight !== undefined) {\n document.getElementById('app_bg_wrapper').style.right = previousAppBgWrapperRight\n // Restore previousAppBgWrapperRight to undefined so disableBodyScroll knows it can be set again.\n previousAppBgWrapperRight = undefined\n }\n document.body.classList.remove('scroll-locked')\n }\n })\n bodyScrollLock.enableBodyScroll(el)\n}\n\nconst directive = {\n inserted: (el, binding) => {\n if (binding.value) {\n disableBodyScroll(el)\n }\n },\n componentUpdated: (el, binding) => {\n if (binding.oldValue === binding.value) {\n return\n }\n\n if (binding.value) {\n disableBodyScroll(el)\n } else {\n enableBodyScroll(el)\n }\n },\n unbind: (el) => {\n enableBodyScroll(el)\n }\n}\n\nexport default (Vue) => {\n Vue.directive('body-scroll-lock', directive)\n}\n","import { reduce, filter, findIndex, clone, get } from 'lodash'\nimport Status from '../status/status.vue'\n\nconst sortById = (a, b) => {\n const idA = a.type === 'retweet' ? a.retweeted_status.id : a.id\n const idB = b.type === 'retweet' ? b.retweeted_status.id : b.id\n const seqA = Number(idA)\n const seqB = Number(idB)\n const isSeqA = !Number.isNaN(seqA)\n const isSeqB = !Number.isNaN(seqB)\n if (isSeqA && isSeqB) {\n return seqA < seqB ? -1 : 1\n } else if (isSeqA && !isSeqB) {\n return -1\n } else if (!isSeqA && isSeqB) {\n return 1\n } else {\n return idA < idB ? -1 : 1\n }\n}\n\nconst sortAndFilterConversation = (conversation, statusoid) => {\n if (statusoid.type === 'retweet') {\n conversation = filter(\n conversation,\n (status) => (status.type === 'retweet' || status.id !== statusoid.retweeted_status.id)\n )\n } else {\n conversation = filter(conversation, (status) => status.type !== 'retweet')\n }\n return conversation.filter(_ => _).sort(sortById)\n}\n\nconst conversation = {\n data () {\n return {\n highlight: null,\n expanded: false\n }\n },\n props: [\n 'statusId',\n 'collapsable',\n 'isPage',\n 'pinnedStatusIdsObject',\n 'inProfile',\n 'profileUserId'\n ],\n created () {\n if (this.isPage) {\n this.fetchConversation()\n }\n },\n computed: {\n status () {\n return this.$store.state.statuses.allStatusesObject[this.statusId]\n },\n originalStatusId () {\n if (this.status.retweeted_status) {\n return this.status.retweeted_status.id\n } else {\n return this.statusId\n }\n },\n conversationId () {\n return this.getConversationId(this.statusId)\n },\n conversation () {\n if (!this.status) {\n return []\n }\n\n if (!this.isExpanded) {\n return [this.status]\n }\n\n const conversation = clone(this.$store.state.statuses.conversationsObject[this.conversationId])\n const statusIndex = findIndex(conversation, { id: this.originalStatusId })\n if (statusIndex !== -1) {\n conversation[statusIndex] = this.status\n }\n\n return sortAndFilterConversation(conversation, this.status)\n },\n replies () {\n let i = 1\n // eslint-disable-next-line camelcase\n return reduce(this.conversation, (result, { id, in_reply_to_status_id }) => {\n /* eslint-disable camelcase */\n const irid = in_reply_to_status_id\n /* eslint-enable camelcase */\n if (irid) {\n result[irid] = result[irid] || []\n result[irid].push({\n name: `#${i}`,\n id: id\n })\n }\n i++\n return result\n }, {})\n },\n isExpanded () {\n return this.expanded || this.isPage\n }\n },\n components: {\n Status\n },\n watch: {\n statusId (newVal, oldVal) {\n const newConversationId = this.getConversationId(newVal)\n const oldConversationId = this.getConversationId(oldVal)\n if (newConversationId && oldConversationId && newConversationId === oldConversationId) {\n this.setHighlight(this.originalStatusId)\n } else {\n this.fetchConversation()\n }\n },\n expanded (value) {\n if (value) {\n this.fetchConversation()\n }\n }\n },\n methods: {\n fetchConversation () {\n if (this.status) {\n this.$store.state.api.backendInteractor.fetchConversation({ id: this.statusId })\n .then(({ ancestors, descendants }) => {\n this.$store.dispatch('addNewStatuses', { statuses: ancestors })\n this.$store.dispatch('addNewStatuses', { statuses: descendants })\n this.setHighlight(this.originalStatusId)\n })\n } else {\n this.$store.state.api.backendInteractor.fetchStatus({ id: this.statusId })\n .then((status) => {\n this.$store.dispatch('addNewStatuses', { statuses: [status] })\n this.fetchConversation()\n })\n }\n },\n getReplies (id) {\n return this.replies[id] || []\n },\n focused (id) {\n return (this.isExpanded) && id === this.statusId\n },\n setHighlight (id) {\n if (!id) return\n this.highlight = id\n this.$store.dispatch('fetchFavsAndRepeats', id)\n this.$store.dispatch('fetchEmojiReactionsBy', id)\n },\n getHighlight () {\n return this.isExpanded ? this.highlight : null\n },\n toggleExpanded () {\n this.expanded = !this.expanded\n },\n getConversationId (statusId) {\n const status = this.$store.state.statuses.allStatusesObject[statusId]\n return get(status, 'retweeted_status.statusnet_conversation_id', get(status, 'statusnet_conversation_id'))\n }\n }\n}\n\nexport default conversation\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./conversation.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./conversation.js\"\nimport __vue_script__ from \"!!babel-loader!./conversation.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-60ce5442\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./conversation.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"Conversation\",class:{ '-expanded' : _vm.isExpanded, 'panel' : _vm.isExpanded }},[(_vm.isExpanded)?_c('div',{staticClass:\"panel-heading conversation-heading\"},[_c('span',{staticClass:\"title\"},[_vm._v(\" \"+_vm._s(_vm.$t('timeline.conversation'))+\" \")]),_vm._v(\" \"),(_vm.collapsable)?_c('span',[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleExpanded($event)}}},[_vm._v(_vm._s(_vm.$t('timeline.collapse')))])]):_vm._e()]):_vm._e(),_vm._v(\" \"),_vm._l((_vm.conversation),function(status){return _c('status',{key:status.id,staticClass:\"conversation-status status-fadein panel-body\",attrs:{\"inline-expanded\":_vm.collapsable && _vm.isExpanded,\"statusoid\":status,\"expandable\":!_vm.isExpanded,\"show-pinned\":_vm.pinnedStatusIdsObject && _vm.pinnedStatusIdsObject[status.id],\"focused\":_vm.focused(status.id),\"in-conversation\":_vm.isExpanded,\"highlight\":_vm.getHighlight(),\"replies\":_vm.getReplies(status.id),\"in-profile\":_vm.inProfile,\"profile-user-id\":_vm.profileUserId},on:{\"goto\":_vm.setHighlight,\"toggleExpanded\":_vm.toggleExpanded}})})],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Popover from '../popover/popover.vue'\nimport { mapState } from 'vuex'\n\n// Route -> i18n key mapping, exported andnot in the computed\n// because nav panel benefits from the same information.\nexport const timelineNames = () => {\n return {\n 'friends': 'nav.timeline',\n 'bookmarks': 'nav.bookmarks',\n 'dms': 'nav.dms',\n 'public-timeline': 'nav.public_tl',\n 'public-external-timeline': 'nav.twkn',\n 'tag-timeline': 'tag'\n }\n}\n\nconst TimelineMenu = {\n components: {\n Popover\n },\n data () {\n return {\n isOpen: false\n }\n },\n created () {\n if (this.currentUser && this.currentUser.locked) {\n this.$store.dispatch('startFetchingFollowRequests')\n }\n if (timelineNames()[this.$route.name]) {\n this.$store.dispatch('setLastTimeline', this.$route.name)\n }\n },\n methods: {\n openMenu () {\n // $nextTick is too fast, animation won't play back but\n // instead starts in fully open position. Low values\n // like 1-5 work on fast machines but not on mobile, 25\n // seems like a good compromise that plays without significant\n // added lag.\n setTimeout(() => {\n this.isOpen = true\n }, 25)\n },\n timelineName () {\n const route = this.$route.name\n if (route === 'tag-timeline') {\n return '#' + this.$route.params.tag\n }\n const i18nkey = timelineNames()[this.$route.name]\n return i18nkey ? this.$t(i18nkey) : route\n }\n },\n computed: {\n ...mapState({\n currentUser: state => state.users.currentUser,\n privateMode: state => state.instance.private,\n federating: state => state.instance.federating\n })\n }\n}\n\nexport default TimelineMenu\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./timeline_menu.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./timeline_menu.js\"\nimport __vue_script__ from \"!!babel-loader!./timeline_menu.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-7ce315d7\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./timeline_menu.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Popover',{staticClass:\"timeline-menu\",class:{ 'open': _vm.isOpen },attrs:{\"trigger\":\"click\",\"margin\":{ left: -15, right: -200 },\"bound-to\":{ x: 'container' },\"popover-class\":\"timeline-menu-popover-wrap\"},on:{\"show\":_vm.openMenu,\"close\":function () { return _vm.isOpen = false; }}},[_c('div',{staticClass:\"timeline-menu-popover panel panel-default\",attrs:{\"slot\":\"content\"},slot:\"content\"},[_c('ul',[(_vm.currentUser)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'friends' }}},[_c('i',{staticClass:\"button-icon icon-home-2\"}),_vm._v(_vm._s(_vm.$t(\"nav.timeline\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'bookmarks'}}},[_c('i',{staticClass:\"button-icon icon-bookmark\"}),_vm._v(_vm._s(_vm.$t(\"nav.bookmarks\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'dms', params: { username: _vm.currentUser.screen_name } }}},[_c('i',{staticClass:\"button-icon icon-mail-alt\"}),_vm._v(_vm._s(_vm.$t(\"nav.dms\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser || !_vm.privateMode)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'public-timeline' }}},[_c('i',{staticClass:\"button-icon icon-users\"}),_vm._v(_vm._s(_vm.$t(\"nav.public_tl\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.federating && (_vm.currentUser || !_vm.privateMode))?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'public-external-timeline' }}},[_c('i',{staticClass:\"button-icon icon-globe\"}),_vm._v(_vm._s(_vm.$t(\"nav.twkn\"))+\"\\n \")])],1):_vm._e()])]),_vm._v(\" \"),_c('div',{staticClass:\"title timeline-menu-title\",attrs:{\"slot\":\"trigger\"},slot:\"trigger\"},[_c('span',[_vm._v(_vm._s(_vm.timelineName()))]),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Status from '../status/status.vue'\nimport timelineFetcher from '../../services/timeline_fetcher/timeline_fetcher.service.js'\nimport Conversation from '../conversation/conversation.vue'\nimport TimelineMenu from '../timeline_menu/timeline_menu.vue'\nimport { throttle, keyBy } from 'lodash'\n\nexport const getExcludedStatusIdsByPinning = (statuses, pinnedStatusIds) => {\n const ids = []\n if (pinnedStatusIds && pinnedStatusIds.length > 0) {\n for (let status of statuses) {\n if (!pinnedStatusIds.includes(status.id)) {\n break\n }\n ids.push(status.id)\n }\n }\n return ids\n}\n\nconst Timeline = {\n props: [\n 'timeline',\n 'timelineName',\n 'title',\n 'userId',\n 'tag',\n 'embedded',\n 'count',\n 'pinnedStatusIds',\n 'inProfile'\n ],\n data () {\n return {\n paused: false,\n unfocused: false,\n bottomedOut: false\n }\n },\n components: {\n Status,\n Conversation,\n TimelineMenu\n },\n computed: {\n timelineError () {\n return this.$store.state.statuses.error\n },\n errorData () {\n return this.$store.state.statuses.errorData\n },\n newStatusCount () {\n return this.timeline.newStatusCount\n },\n showLoadButton () {\n if (this.timelineError || this.errorData) return false\n return this.timeline.newStatusCount > 0 || this.timeline.flushMarker !== 0\n },\n loadButtonString () {\n if (this.timeline.flushMarker !== 0) {\n return this.$t('timeline.reload')\n } else {\n return `${this.$t('timeline.show_new')} (${this.newStatusCount})`\n }\n },\n classes () {\n return {\n root: ['timeline'].concat(!this.embedded ? ['panel', 'panel-default'] : []),\n header: ['timeline-heading'].concat(!this.embedded ? ['panel-heading'] : []),\n body: ['timeline-body'].concat(!this.embedded ? ['panel-body'] : []),\n footer: ['timeline-footer'].concat(!this.embedded ? ['panel-footer'] : [])\n }\n },\n // id map of statuses which need to be hidden in the main list due to pinning logic\n excludedStatusIdsObject () {\n const ids = getExcludedStatusIdsByPinning(this.timeline.visibleStatuses, this.pinnedStatusIds)\n // Convert id array to object\n return keyBy(ids)\n },\n pinnedStatusIdsObject () {\n return keyBy(this.pinnedStatusIds)\n }\n },\n created () {\n const store = this.$store\n const credentials = store.state.users.currentUser.credentials\n const showImmediately = this.timeline.visibleStatuses.length === 0\n\n window.addEventListener('scroll', this.scrollLoad)\n\n if (store.state.api.fetchers[this.timelineName]) { return false }\n\n timelineFetcher.fetchAndUpdate({\n store,\n credentials,\n timeline: this.timelineName,\n showImmediately,\n userId: this.userId,\n tag: this.tag\n })\n },\n mounted () {\n if (typeof document.hidden !== 'undefined') {\n document.addEventListener('visibilitychange', this.handleVisibilityChange, false)\n this.unfocused = document.hidden\n }\n window.addEventListener('keydown', this.handleShortKey)\n },\n destroyed () {\n window.removeEventListener('scroll', this.scrollLoad)\n window.removeEventListener('keydown', this.handleShortKey)\n if (typeof document.hidden !== 'undefined') document.removeEventListener('visibilitychange', this.handleVisibilityChange, false)\n this.$store.commit('setLoading', { timeline: this.timelineName, value: false })\n },\n methods: {\n handleShortKey (e) {\n // Ignore when input fields are focused\n if (['textarea', 'input'].includes(e.target.tagName.toLowerCase())) return\n if (e.key === '.') this.showNewStatuses()\n },\n showNewStatuses () {\n if (this.timeline.flushMarker !== 0) {\n this.$store.commit('clearTimeline', { timeline: this.timelineName, excludeUserId: true })\n this.$store.commit('queueFlush', { timeline: this.timelineName, id: 0 })\n this.fetchOlderStatuses()\n } else {\n this.$store.commit('showNewStatuses', { timeline: this.timelineName })\n this.paused = false\n }\n },\n fetchOlderStatuses: throttle(function () {\n const store = this.$store\n const credentials = store.state.users.currentUser.credentials\n store.commit('setLoading', { timeline: this.timelineName, value: true })\n timelineFetcher.fetchAndUpdate({\n store,\n credentials,\n timeline: this.timelineName,\n older: true,\n showImmediately: true,\n userId: this.userId,\n tag: this.tag\n }).then(({ statuses }) => {\n store.commit('setLoading', { timeline: this.timelineName, value: false })\n if (statuses && statuses.length === 0) {\n this.bottomedOut = true\n }\n })\n }, 1000, this),\n scrollLoad (e) {\n const bodyBRect = document.body.getBoundingClientRect()\n const height = Math.max(bodyBRect.height, -(bodyBRect.y))\n if (this.timeline.loading === false &&\n this.$el.offsetHeight > 0 &&\n (window.innerHeight + window.pageYOffset) >= (height - 750)) {\n this.fetchOlderStatuses()\n }\n },\n handleVisibilityChange () {\n this.unfocused = document.hidden\n }\n },\n watch: {\n newStatusCount (count) {\n if (!this.$store.getters.mergedConfig.streaming) {\n return\n }\n if (count > 0) {\n // only 'stream' them when you're scrolled to the top\n const doc = document.documentElement\n const top = (window.pageYOffset || doc.scrollTop) - (doc.clientTop || 0)\n if (top < 15 &&\n !this.paused &&\n !(this.unfocused && this.$store.getters.mergedConfig.pauseOnUnfocused)\n ) {\n this.showNewStatuses()\n } else {\n this.paused = true\n }\n }\n }\n }\n}\n\nexport default Timeline\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./timeline.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2cd8cea5\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{class:[_vm.classes.root, 'timeline']},[_c('div',{class:_vm.classes.header},[(!_vm.embedded)?_c('TimelineMenu'):_vm._e(),_vm._v(\" \"),(_vm.timelineError)?_c('div',{staticClass:\"loadmore-error alert error\",on:{\"click\":function($event){$event.preventDefault();}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('timeline.error_fetching'))+\"\\n \")]):(_vm.errorData)?_c('div',{staticClass:\"loadmore-error alert error\",on:{\"click\":function($event){$event.preventDefault();}}},[_vm._v(\"\\n \"+_vm._s(_vm.errorData.statusText)+\"\\n \")]):(_vm.showLoadButton)?_c('button',{staticClass:\"loadmore-button\",on:{\"click\":function($event){$event.preventDefault();return _vm.showNewStatuses($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.loadButtonString)+\"\\n \")]):_c('div',{staticClass:\"loadmore-text faint\",on:{\"click\":function($event){$event.preventDefault();}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('timeline.up_to_date'))+\"\\n \")])],1),_vm._v(\" \"),_c('div',{class:_vm.classes.body},[_c('div',{staticClass:\"timeline\"},[_vm._l((_vm.pinnedStatusIds),function(statusId){return [(_vm.timeline.statusesObject[statusId])?_c('conversation',{key:statusId + '-pinned',staticClass:\"status-fadein\",attrs:{\"status-id\":statusId,\"collapsable\":true,\"pinned-status-ids-object\":_vm.pinnedStatusIdsObject,\"in-profile\":_vm.inProfile,\"profile-user-id\":_vm.userId}}):_vm._e()]}),_vm._v(\" \"),_vm._l((_vm.timeline.visibleStatuses),function(status){return [(!_vm.excludedStatusIdsObject[status.id])?_c('conversation',{key:status.id,staticClass:\"status-fadein\",attrs:{\"status-id\":status.id,\"collapsable\":true,\"in-profile\":_vm.inProfile,\"profile-user-id\":_vm.userId}}):_vm._e()]})],2)]),_vm._v(\" \"),_c('div',{class:_vm.classes.footer},[(_vm.count===0)?_c('div',{staticClass:\"new-status-notification text-center panel-footer faint\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('timeline.no_statuses'))+\"\\n \")]):(_vm.bottomedOut)?_c('div',{staticClass:\"new-status-notification text-center panel-footer faint\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('timeline.no_more_statuses'))+\"\\n \")]):(!_vm.timeline.loading && !_vm.errorData)?_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.fetchOlderStatuses()}}},[_c('div',{staticClass:\"new-status-notification text-center panel-footer\"},[_vm._v(_vm._s(_vm.$t('timeline.load_older')))])]):(_vm.errorData)?_c('a',{attrs:{\"href\":\"#\"}},[_c('div',{staticClass:\"new-status-notification text-center panel-footer\"},[_vm._v(_vm._s(_vm.errorData.error))])]):_c('div',{staticClass:\"new-status-notification text-center panel-footer\"},[_c('i',{staticClass:\"icon-spin3 animate-spin\"})])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeline from '../timeline/timeline.vue'\nconst PublicTimeline = {\n components: {\n Timeline\n },\n computed: {\n timeline () { return this.$store.state.statuses.timelines.public }\n },\n created () {\n this.$store.dispatch('startFetchingTimeline', { timeline: 'public' })\n },\n destroyed () {\n this.$store.dispatch('stopFetchingTimeline', 'public')\n }\n\n}\n\nexport default PublicTimeline\n","/* script */\nexport * from \"!!babel-loader!./public_timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./public_timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-5f2a502e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./public_timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Timeline',{attrs:{\"title\":_vm.$t('nav.public_tl'),\"timeline\":_vm.timeline,\"timeline-name\":'public'}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeline from '../timeline/timeline.vue'\nconst PublicAndExternalTimeline = {\n components: {\n Timeline\n },\n computed: {\n timeline () { return this.$store.state.statuses.timelines.publicAndExternal }\n },\n created () {\n this.$store.dispatch('startFetchingTimeline', { timeline: 'publicAndExternal' })\n },\n destroyed () {\n this.$store.dispatch('stopFetchingTimeline', 'publicAndExternal')\n }\n}\n\nexport default PublicAndExternalTimeline\n","/* script */\nexport * from \"!!babel-loader!./public_and_external_timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./public_and_external_timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-f6923484\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./public_and_external_timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Timeline',{attrs:{\"title\":_vm.$t('nav.twkn'),\"timeline\":_vm.timeline,\"timeline-name\":'publicAndExternal'}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeline from '../timeline/timeline.vue'\nconst FriendsTimeline = {\n components: {\n Timeline\n },\n computed: {\n timeline () { return this.$store.state.statuses.timelines.friends }\n }\n}\n\nexport default FriendsTimeline\n","/* script */\nexport * from \"!!babel-loader!./friends_timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./friends_timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-22490669\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./friends_timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Timeline',{attrs:{\"title\":_vm.$t('nav.timeline'),\"timeline\":_vm.timeline,\"timeline-name\":'friends'}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeline from '../timeline/timeline.vue'\n\nconst TagTimeline = {\n created () {\n this.$store.commit('clearTimeline', { timeline: 'tag' })\n this.$store.dispatch('startFetchingTimeline', { timeline: 'tag', tag: this.tag })\n },\n components: {\n Timeline\n },\n computed: {\n tag () { return this.$route.params.tag },\n timeline () { return this.$store.state.statuses.timelines.tag }\n },\n watch: {\n tag () {\n this.$store.commit('clearTimeline', { timeline: 'tag' })\n this.$store.dispatch('startFetchingTimeline', { timeline: 'tag', tag: this.tag })\n }\n },\n destroyed () {\n this.$store.dispatch('stopFetchingTimeline', 'tag')\n }\n}\n\nexport default TagTimeline\n","/* script */\nexport * from \"!!babel-loader!./tag_timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./tag_timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-047310d3\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./tag_timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Timeline',{attrs:{\"title\":_vm.tag,\"timeline\":_vm.timeline,\"timeline-name\":'tag',\"tag\":_vm.tag}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeline from '../timeline/timeline.vue'\n\nconst Bookmarks = {\n computed: {\n timeline () {\n return this.$store.state.statuses.timelines.bookmarks\n }\n },\n components: {\n Timeline\n },\n destroyed () {\n this.$store.commit('clearTimeline', { timeline: 'bookmarks' })\n }\n}\n\nexport default Bookmarks\n","/* script */\nexport * from \"!!babel-loader!./bookmark_timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./bookmark_timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2b9c8ba0\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./bookmark_timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Timeline',{attrs:{\"title\":_vm.$t('nav.bookmarks'),\"timeline\":_vm.timeline,\"timeline-name\":'bookmarks'}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Conversation from '../conversation/conversation.vue'\n\nconst conversationPage = {\n components: {\n Conversation\n },\n computed: {\n statusId () {\n return this.$route.params.id\n }\n }\n}\n\nexport default conversationPage\n","/* script */\nexport * from \"!!babel-loader!./conversation-page.js\"\nimport __vue_script__ from \"!!babel-loader!./conversation-page.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-46654d24\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./conversation-page.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('conversation',{attrs:{\"collapsable\":false,\"is-page\":\"true\",\"status-id\":_vm.statusId}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import StatusContent from '../status_content/status_content.vue'\nimport { mapState } from 'vuex'\nimport Status from '../status/status.vue'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\nimport UserCard from '../user_card/user_card.vue'\nimport Timeago from '../timeago/timeago.vue'\nimport { isStatusNotification } from '../../services/notification_utils/notification_utils.js'\nimport { highlightClass, highlightStyle } from '../../services/user_highlighter/user_highlighter.js'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\n\nconst Notification = {\n data () {\n return {\n userExpanded: false,\n betterShadow: this.$store.state.interface.browserSupport.cssFilter,\n unmuted: false\n }\n },\n props: [ 'notification' ],\n components: {\n StatusContent,\n UserAvatar,\n UserCard,\n Timeago,\n Status\n },\n methods: {\n toggleUserExpanded () {\n this.userExpanded = !this.userExpanded\n },\n generateUserProfileLink (user) {\n return generateProfileLink(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames)\n },\n getUser (notification) {\n return this.$store.state.users.usersObject[notification.from_profile.id]\n },\n toggleMute () {\n this.unmuted = !this.unmuted\n },\n approveUser () {\n this.$store.state.api.backendInteractor.approveUser({ id: this.user.id })\n this.$store.dispatch('removeFollowRequest', this.user)\n this.$store.dispatch('markSingleNotificationAsSeen', { id: this.notification.id })\n this.$store.dispatch('updateNotification', {\n id: this.notification.id,\n updater: notification => {\n notification.type = 'follow'\n }\n })\n },\n denyUser () {\n this.$store.state.api.backendInteractor.denyUser({ id: this.user.id })\n .then(() => {\n this.$store.dispatch('dismissNotificationLocal', { id: this.notification.id })\n this.$store.dispatch('removeFollowRequest', this.user)\n })\n }\n },\n computed: {\n userClass () {\n return highlightClass(this.notification.from_profile)\n },\n userStyle () {\n const highlight = this.$store.getters.mergedConfig.highlight\n const user = this.notification.from_profile\n return highlightStyle(highlight[user.screen_name])\n },\n user () {\n return this.$store.getters.findUser(this.notification.from_profile.id)\n },\n userProfileLink () {\n return this.generateUserProfileLink(this.user)\n },\n targetUser () {\n return this.$store.getters.findUser(this.notification.target.id)\n },\n targetUserProfileLink () {\n return this.generateUserProfileLink(this.targetUser)\n },\n needMute () {\n return this.$store.getters.relationship(this.user.id).muting\n },\n isStatusNotification () {\n return isStatusNotification(this.notification.type)\n },\n ...mapState({\n currentUser: state => state.users.currentUser\n })\n }\n}\n\nexport default Notification\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./notification.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./notification.js\"\nimport __vue_script__ from \"!!babel-loader!./notification.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-ac2c8cb4\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./notification.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.notification.type === 'mention')?_c('status',{attrs:{\"compact\":true,\"statusoid\":_vm.notification.status}}):_c('div',[(_vm.needMute && !_vm.unmuted)?_c('div',{staticClass:\"Notification container -muted\"},[_c('small',[_c('router-link',{attrs:{\"to\":_vm.userProfileLink}},[_vm._v(\"\\n \"+_vm._s(_vm.notification.from_profile.screen_name)+\"\\n \")])],1),_vm._v(\" \"),_c('a',{staticClass:\"unmute\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleMute($event)}}},[_c('i',{staticClass:\"button-icon icon-eye-off\"})])]):_c('div',{staticClass:\"non-mention\",class:[_vm.userClass, { highlighted: _vm.userStyle }],style:([ _vm.userStyle ])},[_c('a',{staticClass:\"avatar-container\",attrs:{\"href\":_vm.notification.from_profile.statusnet_profile_url},on:{\"!click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.toggleUserExpanded($event)}}},[_c('UserAvatar',{attrs:{\"compact\":true,\"better-shadow\":_vm.betterShadow,\"user\":_vm.notification.from_profile}})],1),_vm._v(\" \"),_c('div',{staticClass:\"notification-right\"},[(_vm.userExpanded)?_c('UserCard',{attrs:{\"user-id\":_vm.getUser(_vm.notification).id,\"rounded\":true,\"bordered\":true}}):_vm._e(),_vm._v(\" \"),_c('span',{staticClass:\"notification-details\"},[_c('div',{staticClass:\"name-and-action\"},[(!!_vm.notification.from_profile.name_html)?_c('bdi',{staticClass:\"username\",attrs:{\"title\":'@'+_vm.notification.from_profile.screen_name},domProps:{\"innerHTML\":_vm._s(_vm.notification.from_profile.name_html)}}):_c('span',{staticClass:\"username\",attrs:{\"title\":'@'+_vm.notification.from_profile.screen_name}},[_vm._v(_vm._s(_vm.notification.from_profile.name))]),_vm._v(\" \"),(_vm.notification.type === 'like')?_c('span',[_c('i',{staticClass:\"fa icon-star lit\"}),_vm._v(\" \"),_c('small',[_vm._v(_vm._s(_vm.$t('notifications.favorited_you')))])]):_vm._e(),_vm._v(\" \"),(_vm.notification.type === 'repeat')?_c('span',[_c('i',{staticClass:\"fa icon-retweet lit\",attrs:{\"title\":_vm.$t('tool_tip.repeat')}}),_vm._v(\" \"),_c('small',[_vm._v(_vm._s(_vm.$t('notifications.repeated_you')))])]):_vm._e(),_vm._v(\" \"),(_vm.notification.type === 'follow')?_c('span',[_c('i',{staticClass:\"fa icon-user-plus lit\"}),_vm._v(\" \"),_c('small',[_vm._v(_vm._s(_vm.$t('notifications.followed_you')))])]):_vm._e(),_vm._v(\" \"),(_vm.notification.type === 'follow_request')?_c('span',[_c('i',{staticClass:\"fa icon-user lit\"}),_vm._v(\" \"),_c('small',[_vm._v(_vm._s(_vm.$t('notifications.follow_request')))])]):_vm._e(),_vm._v(\" \"),(_vm.notification.type === 'move')?_c('span',[_c('i',{staticClass:\"fa icon-arrow-curved lit\"}),_vm._v(\" \"),_c('small',[_vm._v(_vm._s(_vm.$t('notifications.migrated_to')))])]):_vm._e(),_vm._v(\" \"),(_vm.notification.type === 'pleroma:emoji_reaction')?_c('span',[_c('small',[_c('i18n',{attrs:{\"path\":\"notifications.reacted_with\"}},[_c('span',{staticClass:\"emoji-reaction-emoji\"},[_vm._v(_vm._s(_vm.notification.emoji))])])],1)]):_vm._e()]),_vm._v(\" \"),(_vm.isStatusNotification)?_c('div',{staticClass:\"timeago\"},[(_vm.notification.status)?_c('router-link',{staticClass:\"faint-link\",attrs:{\"to\":{ name: 'conversation', params: { id: _vm.notification.status.id } }}},[_c('Timeago',{attrs:{\"time\":_vm.notification.created_at,\"auto-update\":240}})],1):_vm._e()],1):_c('div',{staticClass:\"timeago\"},[_c('span',{staticClass:\"faint\"},[_c('Timeago',{attrs:{\"time\":_vm.notification.created_at,\"auto-update\":240}})],1)]),_vm._v(\" \"),(_vm.needMute)?_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleMute($event)}}},[_c('i',{staticClass:\"button-icon icon-eye-off\"})]):_vm._e()]),_vm._v(\" \"),(_vm.notification.type === 'follow' || _vm.notification.type === 'follow_request')?_c('div',{staticClass:\"follow-text\"},[_c('router-link',{staticClass:\"follow-name\",attrs:{\"to\":_vm.userProfileLink}},[_vm._v(\"\\n @\"+_vm._s(_vm.notification.from_profile.screen_name)+\"\\n \")]),_vm._v(\" \"),(_vm.notification.type === 'follow_request')?_c('div',{staticStyle:{\"white-space\":\"nowrap\"}},[_c('i',{staticClass:\"icon-ok button-icon follow-request-accept\",attrs:{\"title\":_vm.$t('tool_tip.accept_follow_request')},on:{\"click\":function($event){return _vm.approveUser()}}}),_vm._v(\" \"),_c('i',{staticClass:\"icon-cancel button-icon follow-request-reject\",attrs:{\"title\":_vm.$t('tool_tip.reject_follow_request')},on:{\"click\":function($event){return _vm.denyUser()}}})]):_vm._e()],1):(_vm.notification.type === 'move')?_c('div',{staticClass:\"move-text\"},[_c('router-link',{attrs:{\"to\":_vm.targetUserProfileLink}},[_vm._v(\"\\n @\"+_vm._s(_vm.notification.target.screen_name)+\"\\n \")])],1):[_c('status-content',{staticClass:\"faint\",attrs:{\"status\":_vm.notification.action}})]],2)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapGetters } from 'vuex'\nimport Notification from '../notification/notification.vue'\nimport notificationsFetcher from '../../services/notifications_fetcher/notifications_fetcher.service.js'\nimport {\n notificationsFromStore,\n filteredNotificationsFromStore,\n unseenNotificationsFromStore\n} from '../../services/notification_utils/notification_utils.js'\n\nconst DEFAULT_SEEN_TO_DISPLAY_COUNT = 30\n\nconst Notifications = {\n props: {\n // Disables display of panel header\n noHeading: Boolean,\n // Disables panel styles, unread mark, potentially other notification-related actions\n // meant for \"Interactions\" timeline\n minimalMode: Boolean,\n // Custom filter mode, an array of strings, possible values 'mention', 'repeat', 'like', 'follow', used to override global filter for use in \"Interactions\" timeline\n filterMode: Array\n },\n data () {\n return {\n bottomedOut: false,\n // How many seen notifications to display in the list. The more there are,\n // the heavier the page becomes. This count is increased when loading\n // older notifications, and cut back to default whenever hitting \"Read!\".\n seenToDisplayCount: DEFAULT_SEEN_TO_DISPLAY_COUNT\n }\n },\n created () {\n const store = this.$store\n const credentials = store.state.users.currentUser.credentials\n notificationsFetcher.fetchAndUpdate({ store, credentials })\n },\n computed: {\n mainClass () {\n return this.minimalMode ? '' : 'panel panel-default'\n },\n notifications () {\n return notificationsFromStore(this.$store)\n },\n error () {\n return this.$store.state.statuses.notifications.error\n },\n unseenNotifications () {\n return unseenNotificationsFromStore(this.$store)\n },\n filteredNotifications () {\n return filteredNotificationsFromStore(this.$store, this.filterMode)\n },\n unseenCount () {\n return this.unseenNotifications.length\n },\n unseenCountTitle () {\n return this.unseenCount + (this.unreadChatCount)\n },\n loading () {\n return this.$store.state.statuses.notifications.loading\n },\n notificationsToDisplay () {\n return this.filteredNotifications.slice(0, this.unseenCount + this.seenToDisplayCount)\n },\n ...mapGetters(['unreadChatCount'])\n },\n components: {\n Notification\n },\n watch: {\n unseenCountTitle (count) {\n if (count > 0) {\n this.$store.dispatch('setPageTitle', `(${count})`)\n } else {\n this.$store.dispatch('setPageTitle', '')\n }\n }\n },\n methods: {\n markAsSeen () {\n this.$store.dispatch('markNotificationsAsSeen')\n this.seenToDisplayCount = DEFAULT_SEEN_TO_DISPLAY_COUNT\n },\n fetchOlderNotifications () {\n if (this.loading) {\n return\n }\n\n const seenCount = this.filteredNotifications.length - this.unseenCount\n if (this.seenToDisplayCount < seenCount) {\n this.seenToDisplayCount = Math.min(this.seenToDisplayCount + 20, seenCount)\n return\n } else if (this.seenToDisplayCount > seenCount) {\n this.seenToDisplayCount = seenCount\n }\n\n const store = this.$store\n const credentials = store.state.users.currentUser.credentials\n store.commit('setNotificationsLoading', { value: true })\n notificationsFetcher.fetchAndUpdate({\n store,\n credentials,\n older: true\n }).then(notifs => {\n store.commit('setNotificationsLoading', { value: false })\n if (notifs.length === 0) {\n this.bottomedOut = true\n }\n this.seenToDisplayCount += notifs.length\n })\n }\n }\n}\n\nexport default Notifications\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./notifications.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./notifications.js\"\nimport __vue_script__ from \"!!babel-loader!./notifications.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4be57e6f\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./notifications.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"notifications\",class:{ minimal: _vm.minimalMode }},[_c('div',{class:_vm.mainClass},[(!_vm.noHeading)?_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('notifications.notifications'))+\"\\n \"),(_vm.unseenCount)?_c('span',{staticClass:\"badge badge-notification unseen-count\"},[_vm._v(_vm._s(_vm.unseenCount))]):_vm._e()]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"loadmore-error alert error\",on:{\"click\":function($event){$event.preventDefault();}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('timeline.error_fetching'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.unseenCount)?_c('button',{staticClass:\"read-button\",on:{\"click\":function($event){$event.preventDefault();return _vm.markAsSeen($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('notifications.read'))+\"\\n \")]):_vm._e()]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},_vm._l((_vm.notificationsToDisplay),function(notification){return _c('div',{key:notification.id,staticClass:\"notification\",class:{\"unseen\": !_vm.minimalMode && !notification.seen}},[_c('div',{staticClass:\"notification-overlay\"}),_vm._v(\" \"),_c('notification',{attrs:{\"notification\":notification}})],1)}),0),_vm._v(\" \"),_c('div',{staticClass:\"panel-footer\"},[(_vm.bottomedOut)?_c('div',{staticClass:\"new-status-notification text-center panel-footer faint\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('notifications.no_more_notifications'))+\"\\n \")]):(!_vm.loading)?_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.fetchOlderNotifications()}}},[_c('div',{staticClass:\"new-status-notification text-center panel-footer\"},[_vm._v(\"\\n \"+_vm._s(_vm.minimalMode ? _vm.$t('interactions.load_older') : _vm.$t('notifications.load_older'))+\"\\n \")])]):_c('div',{staticClass:\"new-status-notification text-center panel-footer\"},[_c('i',{staticClass:\"icon-spin3 animate-spin\"})])])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Notifications from '../notifications/notifications.vue'\n\nconst tabModeDict = {\n mentions: ['mention'],\n 'likes+repeats': ['repeat', 'like'],\n follows: ['follow'],\n moves: ['move']\n}\n\nconst Interactions = {\n data () {\n return {\n allowFollowingMove: this.$store.state.users.currentUser.allow_following_move,\n filterMode: tabModeDict['mentions']\n }\n },\n methods: {\n onModeSwitch (key) {\n this.filterMode = tabModeDict[key]\n }\n },\n components: {\n Notifications\n }\n}\n\nexport default Interactions\n","/* script */\nexport * from \"!!babel-loader!./interactions.js\"\nimport __vue_script__ from \"!!babel-loader!./interactions.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-109005c8\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./interactions.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"nav.interactions\"))+\"\\n \")])]),_vm._v(\" \"),_c('tab-switcher',{ref:\"tabSwitcher\",attrs:{\"on-switch\":_vm.onModeSwitch}},[_c('span',{key:\"mentions\",attrs:{\"label\":_vm.$t('nav.mentions')}}),_vm._v(\" \"),_c('span',{key:\"likes+repeats\",attrs:{\"label\":_vm.$t('interactions.favs_repeats')}}),_vm._v(\" \"),_c('span',{key:\"follows\",attrs:{\"label\":_vm.$t('interactions.follows')}}),_vm._v(\" \"),(!_vm.allowFollowingMove)?_c('span',{key:\"moves\",attrs:{\"label\":_vm.$t('interactions.moves')}}):_vm._e()]),_vm._v(\" \"),_c('Notifications',{ref:\"notifications\",attrs:{\"no-heading\":true,\"minimal-mode\":true,\"filter-mode\":_vm.filterMode}})],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeline from '../timeline/timeline.vue'\n\nconst DMs = {\n computed: {\n timeline () {\n return this.$store.state.statuses.timelines.dms\n }\n },\n components: {\n Timeline\n }\n}\n\nexport default DMs\n","/* script */\nexport * from \"!!babel-loader!./dm_timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./dm_timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-294f8b6d\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./dm_timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Timeline',{attrs:{\"title\":_vm.$t('nav.dms'),\"timeline\":_vm.timeline,\"timeline-name\":'dms'}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Vue from 'vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\n\nexport default Vue.component('chat-title', {\n name: 'ChatTitle',\n components: {\n UserAvatar\n },\n props: [\n 'user', 'withAvatar'\n ],\n computed: {\n title () {\n return this.user ? this.user.screen_name : ''\n },\n htmlTitle () {\n return this.user ? this.user.name_html : ''\n }\n },\n methods: {\n getUserProfileLink (user) {\n return generateProfileLink(user.id, user.screen_name)\n }\n }\n})\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_title.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat_title.js\"\nimport __vue_script__ from \"!!babel-loader!./chat_title.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-392970fa\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_title.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"chat-title\",attrs:{\"title\":_vm.title}},[(_vm.withAvatar && _vm.user)?_c('router-link',{attrs:{\"to\":_vm.getUserProfileLink(_vm.user)}},[_c('UserAvatar',{attrs:{\"user\":_vm.user,\"width\":\"23px\",\"height\":\"23px\"}})],1):_vm._e(),_vm._v(\" \"),_c('span',{staticClass:\"username\",domProps:{\"innerHTML\":_vm._s(_vm.htmlTitle)}})],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState } from 'vuex'\nimport StatusContent from '../status_content/status_content.vue'\nimport fileType from 'src/services/file_type/file_type.service'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\nimport AvatarList from '../avatar_list/avatar_list.vue'\nimport Timeago from '../timeago/timeago.vue'\nimport ChatTitle from '../chat_title/chat_title.vue'\n\nconst ChatListItem = {\n name: 'ChatListItem',\n props: [\n 'chat'\n ],\n components: {\n UserAvatar,\n AvatarList,\n Timeago,\n ChatTitle,\n StatusContent\n },\n computed: {\n ...mapState({\n currentUser: state => state.users.currentUser\n }),\n attachmentInfo () {\n if (this.chat.lastMessage.attachments.length === 0) { return }\n\n const types = this.chat.lastMessage.attachments.map(file => fileType.fileType(file.mimetype))\n if (types.includes('video')) {\n return this.$t('file_type.video')\n } else if (types.includes('audio')) {\n return this.$t('file_type.audio')\n } else if (types.includes('image')) {\n return this.$t('file_type.image')\n } else {\n return this.$t('file_type.file')\n }\n },\n messageForStatusContent () {\n const message = this.chat.lastMessage\n const isYou = message && message.account_id === this.currentUser.id\n const content = message ? (this.attachmentInfo || message.content) : ''\n const messagePreview = isYou ? `<i>${this.$t('chats.you')}</i> ${content}` : content\n return {\n summary: '',\n statusnet_html: messagePreview,\n text: messagePreview,\n attachments: []\n }\n }\n },\n methods: {\n openChat (_e) {\n if (this.chat.id) {\n this.$router.push({\n name: 'chat',\n params: {\n username: this.currentUser.screen_name,\n recipient_id: this.chat.account.id\n }\n })\n }\n }\n }\n}\n\nexport default ChatListItem\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_list_item.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat_list_item.js\"\nimport __vue_script__ from \"!!babel-loader!./chat_list_item.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-0e928dad\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_list_item.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"chat-list-item\",on:{\"!click\":function($event){$event.preventDefault();return _vm.openChat($event)}}},[_c('div',{staticClass:\"chat-list-item-left\"},[_c('UserAvatar',{attrs:{\"user\":_vm.chat.account,\"height\":\"48px\",\"width\":\"48px\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"chat-list-item-center\"},[_c('div',{staticClass:\"heading\"},[(_vm.chat.account)?_c('span',{staticClass:\"name-and-account-name\"},[_c('ChatTitle',{attrs:{\"user\":_vm.chat.account}})],1):_vm._e(),_vm._v(\" \"),_c('span',{staticClass:\"heading-right\"})]),_vm._v(\" \"),_c('div',{staticClass:\"chat-preview\"},[_c('StatusContent',{attrs:{\"status\":_vm.messageForStatusContent,\"single-line\":true}}),_vm._v(\" \"),(_vm.chat.unread > 0)?_c('div',{staticClass:\"badge badge-notification unread-chat-count\"},[_vm._v(\"\\n \"+_vm._s(_vm.chat.unread)+\"\\n \")]):_vm._e()],1)]),_vm._v(\" \"),_c('div',{staticClass:\"time-wrapper\"},[_c('Timeago',{attrs:{\"time\":_vm.chat.updated_at,\"auto-update\":60}})],1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState, mapGetters } from 'vuex'\nimport BasicUserCard from '../basic_user_card/basic_user_card.vue'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\n\nconst chatNew = {\n components: {\n BasicUserCard,\n UserAvatar\n },\n data () {\n return {\n suggestions: [],\n userIds: [],\n loading: false,\n query: ''\n }\n },\n async created () {\n const { chats } = await this.backendInteractor.chats()\n chats.forEach(chat => this.suggestions.push(chat.account))\n },\n computed: {\n users () {\n return this.userIds.map(userId => this.findUser(userId))\n },\n availableUsers () {\n if (this.query.length !== 0) {\n return this.users\n } else {\n return this.suggestions\n }\n },\n ...mapState({\n currentUser: state => state.users.currentUser,\n backendInteractor: state => state.api.backendInteractor\n }),\n ...mapGetters(['findUser'])\n },\n methods: {\n goBack () {\n this.$emit('cancel')\n },\n goToChat (user) {\n this.$router.push({ name: 'chat', params: { recipient_id: user.id } })\n },\n onInput () {\n this.search(this.query)\n },\n addUser (user) {\n this.selectedUserIds.push(user.id)\n this.query = ''\n },\n removeUser (userId) {\n this.selectedUserIds = this.selectedUserIds.filter(id => id !== userId)\n },\n search (query) {\n if (!query) {\n this.loading = false\n return\n }\n\n this.loading = true\n this.userIds = []\n this.$store.dispatch('search', { q: query, resolve: true, type: 'accounts' })\n .then(data => {\n this.loading = false\n this.userIds = data.accounts.map(a => a.id)\n })\n }\n }\n}\n\nexport default chatNew\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_new.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat_new.js\"\nimport __vue_script__ from \"!!babel-loader!./chat_new.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-cea4bed6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_new.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"panel-default panel chat-new\",attrs:{\"id\":\"nav\"}},[_c('div',{ref:\"header\",staticClass:\"panel-heading\"},[_c('a',{staticClass:\"go-back-button\",on:{\"click\":_vm.goBack}},[_c('i',{staticClass:\"button-icon icon-left-open\"})])]),_vm._v(\" \"),_c('div',{staticClass:\"input-wrap\"},[_vm._m(0),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.query),expression:\"query\"}],ref:\"search\",attrs:{\"placeholder\":\"Search people\"},domProps:{\"value\":(_vm.query)},on:{\"input\":[function($event){if($event.target.composing){ return; }_vm.query=$event.target.value},_vm.onInput]}})]),_vm._v(\" \"),_c('div',{staticClass:\"member-list\"},_vm._l((_vm.availableUsers),function(user){return _c('div',{key:user.id,staticClass:\"member\"},[_c('div',{on:{\"!click\":function($event){$event.preventDefault();return _vm.goToChat(user)}}},[_c('BasicUserCard',{attrs:{\"user\":user}})],1)])}),0)])}\nvar staticRenderFns = [function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"input-search\"},[_c('i',{staticClass:\"button-icon icon-search\"})])}]\nexport { render, staticRenderFns }","import { mapState, mapGetters } from 'vuex'\nimport ChatListItem from '../chat_list_item/chat_list_item.vue'\nimport ChatNew from '../chat_new/chat_new.vue'\nimport List from '../list/list.vue'\n\nconst ChatList = {\n components: {\n ChatListItem,\n List,\n ChatNew\n },\n computed: {\n ...mapState({\n currentUser: state => state.users.currentUser\n }),\n ...mapGetters(['sortedChatList'])\n },\n data () {\n return {\n isNew: false\n }\n },\n created () {\n this.$store.dispatch('fetchChats', { latest: true })\n },\n methods: {\n cancelNewChat () {\n this.isNew = false\n this.$store.dispatch('fetchChats', { latest: true })\n },\n newChat () {\n this.isNew = true\n }\n }\n}\n\nexport default ChatList\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_list.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat_list.js\"\nimport __vue_script__ from \"!!babel-loader!./chat_list.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-76b8e1a4\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_list.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.isNew)?_c('div',[_c('ChatNew',{on:{\"cancel\":_vm.cancelNewChat}})],1):_c('div',{staticClass:\"chat-list panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_c('span',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"chats.chats\"))+\"\\n \")]),_vm._v(\" \"),_c('button',{on:{\"click\":_vm.newChat}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"chats.new\"))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[(_vm.sortedChatList.length > 0)?_c('div',{staticClass:\"timeline\"},[_c('List',{attrs:{\"items\":_vm.sortedChatList},scopedSlots:_vm._u([{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('ChatListItem',{key:item.id,attrs:{\"compact\":false,\"chat\":item}})]}}],null,false,1412157271)})],1):_c('div',{staticClass:\"emtpy-chat-list-alert\"},[_c('span',[_vm._v(_vm._s(_vm.$t('chats.empty_chat_list_placeholder')))])])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <time>\n {{ displayDate }}\n </time>\n</template>\n\n<script>\nexport default {\n name: 'Timeago',\n props: ['date'],\n computed: {\n displayDate () {\n const today = new Date()\n today.setHours(0, 0, 0, 0)\n\n if (this.date.getTime() === today.getTime()) {\n return this.$t('display_date.today')\n } else {\n return this.date.toLocaleDateString('en', { day: 'numeric', month: 'long' })\n }\n }\n }\n}\n</script>\n","/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./chat_message_date.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./chat_message_date.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3d70943c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_message_date.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('time',[_vm._v(\"\\n \"+_vm._s(_vm.displayDate)+\"\\n\")])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState, mapGetters } from 'vuex'\nimport Popover from '../popover/popover.vue'\nimport Attachment from '../attachment/attachment.vue'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\nimport Gallery from '../gallery/gallery.vue'\nimport LinkPreview from '../link-preview/link-preview.vue'\nimport StatusContent from '../status_content/status_content.vue'\nimport ChatMessageDate from '../chat_message_date/chat_message_date.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\n\nconst ChatMessage = {\n name: 'ChatMessage',\n props: [\n 'author',\n 'edited',\n 'noHeading',\n 'chatViewItem',\n 'hoveredMessageChain'\n ],\n components: {\n Popover,\n Attachment,\n StatusContent,\n UserAvatar,\n Gallery,\n LinkPreview,\n ChatMessageDate\n },\n computed: {\n // Returns HH:MM (hours and minutes) in local time.\n createdAt () {\n const time = this.chatViewItem.data.created_at\n return time.toLocaleTimeString('en', { hour: '2-digit', minute: '2-digit', hour12: false })\n },\n isCurrentUser () {\n return this.message.account_id === this.currentUser.id\n },\n message () {\n return this.chatViewItem.data\n },\n userProfileLink () {\n return generateProfileLink(this.author.id, this.author.screen_name, this.$store.state.instance.restrictedNicknames)\n },\n isMessage () {\n return this.chatViewItem.type === 'message'\n },\n messageForStatusContent () {\n return {\n summary: '',\n statusnet_html: this.message.content,\n text: this.message.content,\n attachments: this.message.attachments\n }\n },\n hasAttachment () {\n return this.message.attachments.length > 0\n },\n ...mapState({\n betterShadow: state => state.interface.browserSupport.cssFilter,\n currentUser: state => state.users.currentUser,\n restrictedNicknames: state => state.instance.restrictedNicknames\n }),\n popoverMarginStyle () {\n if (this.isCurrentUser) {\n return {}\n } else {\n return { left: 50 }\n }\n },\n ...mapGetters(['mergedConfig', 'findUser'])\n },\n data () {\n return {\n hovered: false,\n menuOpened: false\n }\n },\n methods: {\n onHover (bool) {\n this.$emit('hover', { isHovered: bool, messageChainId: this.chatViewItem.messageChainId })\n },\n async deleteMessage () {\n const confirmed = window.confirm(this.$t('chats.delete_confirm'))\n if (confirmed) {\n await this.$store.dispatch('deleteChatMessage', {\n messageId: this.chatViewItem.data.id,\n chatId: this.chatViewItem.data.chat_id\n })\n }\n this.hovered = false\n this.menuOpened = false\n }\n }\n}\n\nexport default ChatMessage\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_message.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat_message.js\"\nimport __vue_script__ from \"!!babel-loader!./chat_message.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-dd13f2ee\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_message.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.isMessage)?_c('div',{staticClass:\"chat-message-wrapper\",class:{ 'hovered-message-chain': _vm.hoveredMessageChain },on:{\"mouseover\":function($event){return _vm.onHover(true)},\"mouseleave\":function($event){return _vm.onHover(false)}}},[_c('div',{staticClass:\"chat-message\",class:[{ 'outgoing': _vm.isCurrentUser, 'incoming': !_vm.isCurrentUser }]},[(!_vm.isCurrentUser)?_c('div',{staticClass:\"avatar-wrapper\"},[(_vm.chatViewItem.isHead)?_c('router-link',{attrs:{\"to\":_vm.userProfileLink}},[_c('UserAvatar',{attrs:{\"compact\":true,\"better-shadow\":_vm.betterShadow,\"user\":_vm.author}})],1):_vm._e()],1):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"chat-message-inner\"},[_c('div',{staticClass:\"status-body\",style:({ 'min-width': _vm.message.attachment ? '80%' : '' })},[_c('div',{staticClass:\"media status\",class:{ 'without-attachment': !_vm.hasAttachment },staticStyle:{\"position\":\"relative\"},on:{\"mouseenter\":function($event){_vm.hovered = true},\"mouseleave\":function($event){_vm.hovered = false}}},[_c('div',{staticClass:\"chat-message-menu\",class:{ 'visible': _vm.hovered || _vm.menuOpened }},[_c('Popover',{attrs:{\"trigger\":\"click\",\"placement\":\"top\",\"bound-to-selector\":_vm.isCurrentUser ? '' : '.scrollable-message-list',\"bound-to\":{ x: 'container' },\"margin\":_vm.popoverMarginStyle},on:{\"show\":function($event){_vm.menuOpened = true},\"close\":function($event){_vm.menuOpened = false}}},[_c('div',{attrs:{\"slot\":\"content\"},slot:\"content\"},[_c('div',{staticClass:\"dropdown-menu\"},[_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":_vm.deleteMessage}},[_c('i',{staticClass:\"icon-cancel\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"chats.delete\"))+\"\\n \")])])]),_vm._v(\" \"),_c('button',{attrs:{\"slot\":\"trigger\",\"title\":_vm.$t('chats.more')},slot:\"trigger\"},[_c('i',{staticClass:\"icon-ellipsis\"})])])],1),_vm._v(\" \"),_c('StatusContent',{attrs:{\"status\":_vm.messageForStatusContent,\"full-content\":true}},[_c('span',{staticClass:\"created-at\",attrs:{\"slot\":\"footer\"},slot:\"footer\"},[_vm._v(\"\\n \"+_vm._s(_vm.createdAt)+\"\\n \")])])],1)])])])]):_c('div',{staticClass:\"chat-message-date-separator\"},[_c('ChatMessageDate',{attrs:{\"date\":_vm.chatViewItem.date}})],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","// Captures a scroll position\nexport const getScrollPosition = (el) => {\n return {\n scrollTop: el.scrollTop,\n scrollHeight: el.scrollHeight,\n offsetHeight: el.offsetHeight\n }\n}\n\n// A helper function that is used to keep the scroll position fixed as the new elements are added to the top\n// Takes two scroll positions, before and after the update.\nexport const getNewTopPosition = (previousPosition, newPosition) => {\n return previousPosition.scrollTop + (newPosition.scrollHeight - previousPosition.scrollHeight)\n}\n\nexport const isBottomedOut = (el, offset = 0) => {\n if (!el) { return }\n const scrollHeight = el.scrollTop + offset\n const totalHeight = el.scrollHeight - el.offsetHeight\n return totalHeight <= scrollHeight\n}\n\n// Height of the scrollable container. The dynamic height is needed to ensure the mobile browser panel doesn't overlap or hide the posting form.\nexport const scrollableContainerHeight = (inner, header, footer) => {\n return inner.offsetHeight - header.clientHeight - footer.clientHeight\n}\n","import _ from 'lodash'\nimport { WSConnectionStatus } from '../../services/api/api.service.js'\nimport { mapGetters, mapState } from 'vuex'\nimport ChatMessage from '../chat_message/chat_message.vue'\nimport PostStatusForm from '../post_status_form/post_status_form.vue'\nimport ChatTitle from '../chat_title/chat_title.vue'\nimport chatService from '../../services/chat_service/chat_service.js'\nimport { getScrollPosition, getNewTopPosition, isBottomedOut, scrollableContainerHeight } from './chat_layout_utils.js'\n\nconst BOTTOMED_OUT_OFFSET = 10\nconst JUMP_TO_BOTTOM_BUTTON_VISIBILITY_OFFSET = 150\nconst SAFE_RESIZE_TIME_OFFSET = 100\n\nconst Chat = {\n components: {\n ChatMessage,\n ChatTitle,\n PostStatusForm\n },\n data () {\n return {\n jumpToBottomButtonVisible: false,\n hoveredMessageChainId: undefined,\n lastScrollPosition: {},\n scrollableContainerHeight: '100%',\n errorLoadingChat: false\n }\n },\n created () {\n this.startFetching()\n window.addEventListener('resize', this.handleLayoutChange)\n },\n mounted () {\n window.addEventListener('scroll', this.handleScroll)\n if (typeof document.hidden !== 'undefined') {\n document.addEventListener('visibilitychange', this.handleVisibilityChange, false)\n }\n\n this.$nextTick(() => {\n this.updateScrollableContainerHeight()\n this.handleResize()\n })\n this.setChatLayout()\n },\n destroyed () {\n window.removeEventListener('scroll', this.handleScroll)\n window.removeEventListener('resize', this.handleLayoutChange)\n this.unsetChatLayout()\n if (typeof document.hidden !== 'undefined') document.removeEventListener('visibilitychange', this.handleVisibilityChange, false)\n this.$store.dispatch('clearCurrentChat')\n },\n computed: {\n recipient () {\n return this.currentChat && this.currentChat.account\n },\n recipientId () {\n return this.$route.params.recipient_id\n },\n formPlaceholder () {\n if (this.recipient) {\n return this.$t('chats.message_user', { nickname: this.recipient.screen_name })\n } else {\n return ''\n }\n },\n chatViewItems () {\n return chatService.getView(this.currentChatMessageService)\n },\n newMessageCount () {\n return this.currentChatMessageService && this.currentChatMessageService.newMessageCount\n },\n streamingEnabled () {\n return this.mergedConfig.useStreamingApi && this.mastoUserSocketStatus === WSConnectionStatus.JOINED\n },\n ...mapGetters([\n 'currentChat',\n 'currentChatMessageService',\n 'findOpenedChatByRecipientId',\n 'mergedConfig'\n ]),\n ...mapState({\n backendInteractor: state => state.api.backendInteractor,\n mastoUserSocketStatus: state => state.api.mastoUserSocketStatus,\n mobileLayout: state => state.interface.mobileLayout,\n layoutHeight: state => state.interface.layoutHeight,\n currentUser: state => state.users.currentUser\n })\n },\n watch: {\n chatViewItems () {\n // We don't want to scroll to the bottom on a new message when the user is viewing older messages.\n // Therefore we need to know whether the scroll position was at the bottom before the DOM update.\n const bottomedOutBeforeUpdate = this.bottomedOut(BOTTOMED_OUT_OFFSET)\n this.$nextTick(() => {\n if (bottomedOutBeforeUpdate) {\n this.scrollDown({ forceRead: !document.hidden })\n }\n })\n },\n '$route': function () {\n this.startFetching()\n },\n layoutHeight () {\n this.handleResize({ expand: true })\n },\n mastoUserSocketStatus (newValue) {\n if (newValue === WSConnectionStatus.JOINED) {\n this.fetchChat({ isFirstFetch: true })\n }\n }\n },\n methods: {\n // Used to animate the avatar near the first message of the message chain when any message belonging to the chain is hovered\n onMessageHover ({ isHovered, messageChainId }) {\n this.hoveredMessageChainId = isHovered ? messageChainId : undefined\n },\n onFilesDropped () {\n this.$nextTick(() => {\n this.handleResize()\n this.updateScrollableContainerHeight()\n })\n },\n handleVisibilityChange () {\n this.$nextTick(() => {\n if (!document.hidden && this.bottomedOut(BOTTOMED_OUT_OFFSET)) {\n this.scrollDown({ forceRead: true })\n }\n })\n },\n setChatLayout () {\n // This is a hacky way to adjust the global layout to the mobile chat (without modifying the rest of the app).\n // This layout prevents empty spaces from being visible at the bottom\n // of the chat on iOS Safari (`safe-area-inset`) when\n // - the on-screen keyboard appears and the user starts typing\n // - the user selects the text inside the input area\n // - the user selects and deletes the text that is multiple lines long\n // TODO: unify the chat layout with the global layout.\n let html = document.querySelector('html')\n if (html) {\n html.classList.add('chat-layout')\n }\n\n this.$nextTick(() => {\n this.updateScrollableContainerHeight()\n })\n },\n unsetChatLayout () {\n let html = document.querySelector('html')\n if (html) {\n html.classList.remove('chat-layout')\n }\n },\n handleLayoutChange () {\n this.$nextTick(() => {\n this.updateScrollableContainerHeight()\n this.scrollDown()\n })\n },\n // Ensures the proper position of the posting form in the mobile layout (the mobile browser panel does not overlap or hide it)\n updateScrollableContainerHeight () {\n const header = this.$refs.header\n const footer = this.$refs.footer\n const inner = this.mobileLayout ? window.document.body : this.$refs.inner\n this.scrollableContainerHeight = scrollableContainerHeight(inner, header, footer) + 'px'\n },\n // Preserves the scroll position when OSK appears or the posting form changes its height.\n handleResize (opts = {}) {\n const { expand = false, delayed = false } = opts\n\n if (delayed) {\n setTimeout(() => {\n this.handleResize({ ...opts, delayed: false })\n }, SAFE_RESIZE_TIME_OFFSET)\n return\n }\n\n this.$nextTick(() => {\n this.updateScrollableContainerHeight()\n\n const { offsetHeight = undefined } = this.lastScrollPosition\n this.lastScrollPosition = getScrollPosition(this.$refs.scrollable)\n\n const diff = this.lastScrollPosition.offsetHeight - offsetHeight\n if (diff < 0 || (!this.bottomedOut() && expand)) {\n this.$nextTick(() => {\n this.updateScrollableContainerHeight()\n this.$refs.scrollable.scrollTo({\n top: this.$refs.scrollable.scrollTop - diff,\n left: 0\n })\n })\n }\n })\n },\n scrollDown (options = {}) {\n const { behavior = 'auto', forceRead = false } = options\n const scrollable = this.$refs.scrollable\n if (!scrollable) { return }\n this.$nextTick(() => {\n scrollable.scrollTo({ top: scrollable.scrollHeight, left: 0, behavior })\n })\n if (forceRead || this.newMessageCount > 0) {\n this.readChat()\n }\n },\n readChat () {\n if (!(this.currentChatMessageService && this.currentChatMessageService.lastMessage)) { return }\n if (document.hidden) { return }\n const lastReadId = this.currentChatMessageService.lastMessage.id\n this.$store.dispatch('readChat', { id: this.currentChat.id, lastReadId })\n },\n bottomedOut (offset) {\n return isBottomedOut(this.$refs.scrollable, offset)\n },\n reachedTop () {\n const scrollable = this.$refs.scrollable\n return scrollable && scrollable.scrollTop <= 0\n },\n handleScroll: _.throttle(function () {\n if (!this.currentChat) { return }\n\n if (this.reachedTop()) {\n this.fetchChat({ maxId: this.currentChatMessageService.minId })\n } else if (this.bottomedOut(JUMP_TO_BOTTOM_BUTTON_VISIBILITY_OFFSET)) {\n this.jumpToBottomButtonVisible = false\n if (this.newMessageCount > 0) {\n this.readChat()\n }\n } else {\n this.jumpToBottomButtonVisible = true\n }\n }, 100),\n handleScrollUp (positionBeforeLoading) {\n const positionAfterLoading = getScrollPosition(this.$refs.scrollable)\n this.$refs.scrollable.scrollTo({\n top: getNewTopPosition(positionBeforeLoading, positionAfterLoading),\n left: 0\n })\n },\n fetchChat ({ isFirstFetch = false, fetchLatest = false, maxId }) {\n const chatMessageService = this.currentChatMessageService\n if (!chatMessageService) { return }\n if (fetchLatest && this.streamingEnabled) { return }\n\n const chatId = chatMessageService.chatId\n const fetchOlderMessages = !!maxId\n const sinceId = fetchLatest && chatMessageService.lastMessage && chatMessageService.lastMessage.id\n\n this.backendInteractor.chatMessages({ id: chatId, maxId, sinceId })\n .then((messages) => {\n // Clear the current chat in case we're recovering from a ws connection loss.\n if (isFirstFetch) {\n chatService.clear(chatMessageService)\n }\n\n const positionBeforeUpdate = getScrollPosition(this.$refs.scrollable)\n this.$store.dispatch('addChatMessages', { chatId, messages }).then(() => {\n this.$nextTick(() => {\n if (fetchOlderMessages) {\n this.handleScrollUp(positionBeforeUpdate)\n }\n\n if (isFirstFetch) {\n this.updateScrollableContainerHeight()\n }\n })\n })\n })\n },\n async startFetching () {\n let chat = this.findOpenedChatByRecipientId(this.recipientId)\n if (!chat) {\n try {\n chat = await this.backendInteractor.getOrCreateChat({ accountId: this.recipientId })\n } catch (e) {\n console.error('Error creating or getting a chat', e)\n this.errorLoadingChat = true\n }\n }\n if (chat) {\n this.$nextTick(() => {\n this.scrollDown({ forceRead: true })\n })\n this.$store.dispatch('addOpenedChat', { chat })\n this.doStartFetching()\n }\n },\n doStartFetching () {\n this.$store.dispatch('startFetchingCurrentChat', {\n fetcher: () => setInterval(() => this.fetchChat({ fetchLatest: true }), 5000)\n })\n this.fetchChat({ isFirstFetch: true })\n },\n sendMessage ({ status, media }) {\n const params = {\n id: this.currentChat.id,\n content: status\n }\n\n if (media[0]) {\n params.mediaId = media[0].id\n }\n\n return this.backendInteractor.sendChatMessage(params)\n .then(data => {\n this.$store.dispatch('addChatMessages', { chatId: this.currentChat.id, messages: [data] }).then(() => {\n this.$nextTick(() => {\n this.handleResize()\n // When the posting form size changes because of a media attachment, we need an extra resize\n // to account for the potential delay in the DOM update.\n setTimeout(() => {\n this.updateScrollableContainerHeight()\n }, SAFE_RESIZE_TIME_OFFSET)\n this.scrollDown({ forceRead: true })\n })\n })\n\n return data\n })\n .catch(error => {\n console.error('Error sending message', error)\n return {\n error: this.$t('chats.error_sending_message')\n }\n })\n },\n goBack () {\n this.$router.push({ name: 'chats', params: { username: this.currentUser.screen_name } })\n }\n }\n}\n\nexport default Chat\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat.js\"\nimport __vue_script__ from \"!!babel-loader!./chat.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3203ab4e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"chat-view\"},[_c('div',{staticClass:\"chat-view-inner\"},[_c('div',{ref:\"inner\",staticClass:\"panel-default panel chat-view-body\",attrs:{\"id\":\"nav\"}},[_c('div',{ref:\"header\",staticClass:\"panel-heading chat-view-heading mobile-hidden\"},[_c('a',{staticClass:\"go-back-button\",on:{\"click\":_vm.goBack}},[_c('i',{staticClass:\"button-icon icon-left-open\"})]),_vm._v(\" \"),_c('div',{staticClass:\"title text-center\"},[_c('ChatTitle',{attrs:{\"user\":_vm.recipient,\"with-avatar\":true}})],1)]),_vm._v(\" \"),[_c('div',{ref:\"scrollable\",staticClass:\"scrollable-message-list\",style:({ height: _vm.scrollableContainerHeight }),on:{\"scroll\":_vm.handleScroll}},[(!_vm.errorLoadingChat)?_vm._l((_vm.chatViewItems),function(chatViewItem){return _c('ChatMessage',{key:chatViewItem.id,attrs:{\"author\":_vm.recipient,\"chat-view-item\":chatViewItem,\"hovered-message-chain\":chatViewItem.messageChainId === _vm.hoveredMessageChainId},on:{\"hover\":_vm.onMessageHover}})}):_c('div',{staticClass:\"chat-loading-error\"},[_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('chats.error_loading_chat'))+\"\\n \")])])],2),_vm._v(\" \"),_c('div',{ref:\"footer\",staticClass:\"panel-body footer\"},[_c('div',{staticClass:\"jump-to-bottom-button\",class:{ 'visible': _vm.jumpToBottomButtonVisible },on:{\"click\":function($event){return _vm.scrollDown({ behavior: 'smooth' })}}},[_c('i',{staticClass:\"icon-down-open\"},[(_vm.newMessageCount)?_c('div',{staticClass:\"badge badge-notification unread-chat-count unread-message-count\"},[_vm._v(\"\\n \"+_vm._s(_vm.newMessageCount)+\"\\n \")]):_vm._e()])]),_vm._v(\" \"),_c('PostStatusForm',{attrs:{\"disable-subject\":true,\"disable-scope-selector\":true,\"disable-notice\":true,\"disable-lock-warning\":true,\"disable-polls\":true,\"disable-sensitivity-checkbox\":true,\"disable-submit\":_vm.errorLoadingChat || !_vm.currentChat,\"disable-preview\":true,\"post-handler\":_vm.sendMessage,\"submit-on-enter\":!_vm.mobileLayout,\"preserve-focus\":!_vm.mobileLayout,\"auto-focus\":!_vm.mobileLayout,\"placeholder\":_vm.formPlaceholder,\"file-limit\":1,\"max-height\":\"160\",\"emoji-picker-placement\":\"top\"},on:{\"resize\":_vm.handleResize}})],1)]],2)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import BasicUserCard from '../basic_user_card/basic_user_card.vue'\nimport RemoteFollow from '../remote_follow/remote_follow.vue'\nimport FollowButton from '../follow_button/follow_button.vue'\n\nconst FollowCard = {\n props: [\n 'user',\n 'noFollowsYou'\n ],\n components: {\n BasicUserCard,\n RemoteFollow,\n FollowButton\n },\n computed: {\n isMe () {\n return this.$store.state.users.currentUser.id === this.user.id\n },\n loggedIn () {\n return this.$store.state.users.currentUser\n },\n relationship () {\n return this.$store.getters.relationship(this.user.id)\n }\n }\n}\n\nexport default FollowCard\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./follow_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./follow_card.js\"\nimport __vue_script__ from \"!!babel-loader!./follow_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-064803a0\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./follow_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('basic-user-card',{attrs:{\"user\":_vm.user}},[_c('div',{staticClass:\"follow-card-content-container\"},[(_vm.isMe || (!_vm.noFollowsYou && _vm.relationship.followed_by))?_c('span',{staticClass:\"faint\"},[_vm._v(\"\\n \"+_vm._s(_vm.isMe ? _vm.$t('user_card.its_you') : _vm.$t('user_card.follows_you'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(!_vm.loggedIn)?[(!_vm.relationship.following)?_c('div',{staticClass:\"follow-card-follow-button\"},[_c('RemoteFollow',{attrs:{\"user\":_vm.user}})],1):_vm._e()]:(!_vm.isMe)?[_c('FollowButton',{staticClass:\"follow-card-follow-button\",attrs:{\"relationship\":_vm.relationship,\"label-following\":_vm.$t('user_card.follow_unfollow')}})]:_vm._e()],2)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Vue from 'vue'\nimport isEmpty from 'lodash/isEmpty'\nimport { getComponentProps } from '../../services/component_utils/component_utils'\nimport './with_load_more.scss'\n\nconst withLoadMore = ({\n fetch, // function to fetch entries and return a promise\n select, // function to select data from store\n destroy, // function called at \"destroyed\" lifecycle\n childPropName = 'entries', // name of the prop to be passed into the wrapped component\n additionalPropNames = [] // additional prop name list of the wrapper component\n}) => (WrappedComponent) => {\n const originalProps = Object.keys(getComponentProps(WrappedComponent))\n const props = originalProps.filter(v => v !== childPropName).concat(additionalPropNames)\n\n return Vue.component('withLoadMore', {\n props,\n data () {\n return {\n loading: false,\n bottomedOut: false,\n error: false\n }\n },\n computed: {\n entries () {\n return select(this.$props, this.$store) || []\n }\n },\n created () {\n window.addEventListener('scroll', this.scrollLoad)\n if (this.entries.length === 0) {\n this.fetchEntries()\n }\n },\n destroyed () {\n window.removeEventListener('scroll', this.scrollLoad)\n destroy && destroy(this.$props, this.$store)\n },\n methods: {\n fetchEntries () {\n if (!this.loading) {\n this.loading = true\n this.error = false\n fetch(this.$props, this.$store)\n .then((newEntries) => {\n this.loading = false\n this.bottomedOut = isEmpty(newEntries)\n })\n .catch(() => {\n this.loading = false\n this.error = true\n })\n }\n },\n scrollLoad (e) {\n const bodyBRect = document.body.getBoundingClientRect()\n const height = Math.max(bodyBRect.height, -(bodyBRect.y))\n if (this.loading === false &&\n this.bottomedOut === false &&\n this.$el.offsetHeight > 0 &&\n (window.innerHeight + window.pageYOffset) >= (height - 750)\n ) {\n this.fetchEntries()\n }\n }\n },\n render (h) {\n const props = {\n props: {\n ...this.$props,\n [childPropName]: this.entries\n },\n on: this.$listeners,\n scopedSlots: this.$scopedSlots\n }\n const children = Object.entries(this.$slots).map(([key, value]) => h('template', { slot: key }, value))\n return (\n <div class=\"with-load-more\">\n <WrappedComponent {...props}>\n {children}\n </WrappedComponent>\n <div class=\"with-load-more-footer\">\n {this.error && <a onClick={this.fetchEntries} class=\"alert error\">{this.$t('general.generic_error')}</a>}\n {!this.error && this.loading && <i class=\"icon-spin3 animate-spin\"/>}\n {!this.error && !this.loading && !this.bottomedOut && <a onClick={this.fetchEntries}>{this.$t('general.more')}</a>}\n </div>\n </div>\n )\n }\n })\n}\n\nexport default withLoadMore\n","import get from 'lodash/get'\nimport UserCard from '../user_card/user_card.vue'\nimport FollowCard from '../follow_card/follow_card.vue'\nimport Timeline from '../timeline/timeline.vue'\nimport Conversation from '../conversation/conversation.vue'\nimport TabSwitcher from 'src/components/tab_switcher/tab_switcher.js'\nimport List from '../list/list.vue'\nimport withLoadMore from '../../hocs/with_load_more/with_load_more'\n\nconst FollowerList = withLoadMore({\n fetch: (props, $store) => $store.dispatch('fetchFollowers', props.userId),\n select: (props, $store) => get($store.getters.findUser(props.userId), 'followerIds', []).map(id => $store.getters.findUser(id)),\n destroy: (props, $store) => $store.dispatch('clearFollowers', props.userId),\n childPropName: 'items',\n additionalPropNames: ['userId']\n})(List)\n\nconst FriendList = withLoadMore({\n fetch: (props, $store) => $store.dispatch('fetchFriends', props.userId),\n select: (props, $store) => get($store.getters.findUser(props.userId), 'friendIds', []).map(id => $store.getters.findUser(id)),\n destroy: (props, $store) => $store.dispatch('clearFriends', props.userId),\n childPropName: 'items',\n additionalPropNames: ['userId']\n})(List)\n\nconst defaultTabKey = 'statuses'\n\nconst UserProfile = {\n data () {\n return {\n error: false,\n userId: null,\n tab: defaultTabKey\n }\n },\n created () {\n const routeParams = this.$route.params\n this.load(routeParams.name || routeParams.id)\n this.tab = get(this.$route, 'query.tab', defaultTabKey)\n },\n destroyed () {\n this.stopFetching()\n },\n computed: {\n timeline () {\n return this.$store.state.statuses.timelines.user\n },\n favorites () {\n return this.$store.state.statuses.timelines.favorites\n },\n media () {\n return this.$store.state.statuses.timelines.media\n },\n isUs () {\n return this.userId && this.$store.state.users.currentUser.id &&\n this.userId === this.$store.state.users.currentUser.id\n },\n user () {\n return this.$store.getters.findUser(this.userId)\n },\n isExternal () {\n return this.$route.name === 'external-user-profile'\n },\n followsTabVisible () {\n return this.isUs || !this.user.hide_follows\n },\n followersTabVisible () {\n return this.isUs || !this.user.hide_followers\n }\n },\n methods: {\n load (userNameOrId) {\n const startFetchingTimeline = (timeline, userId) => {\n // Clear timeline only if load another user's profile\n if (userId !== this.$store.state.statuses.timelines[timeline].userId) {\n this.$store.commit('clearTimeline', { timeline })\n }\n this.$store.dispatch('startFetchingTimeline', { timeline, userId })\n }\n\n const loadById = (userId) => {\n this.userId = userId\n startFetchingTimeline('user', userId)\n startFetchingTimeline('media', userId)\n if (this.isUs) {\n startFetchingTimeline('favorites', userId)\n }\n // Fetch all pinned statuses immediately\n this.$store.dispatch('fetchPinnedStatuses', userId)\n }\n\n // Reset view\n this.userId = null\n this.error = false\n\n // Check if user data is already loaded in store\n const user = this.$store.getters.findUser(userNameOrId)\n if (user) {\n loadById(user.id)\n } else {\n this.$store.dispatch('fetchUser', userNameOrId)\n .then(({ id }) => loadById(id))\n .catch((reason) => {\n const errorMessage = get(reason, 'error.error')\n if (errorMessage === 'No user with such user_id') { // Known error\n this.error = this.$t('user_profile.profile_does_not_exist')\n } else if (errorMessage) {\n this.error = errorMessage\n } else {\n this.error = this.$t('user_profile.profile_loading_error')\n }\n })\n }\n },\n stopFetching () {\n this.$store.dispatch('stopFetchingTimeline', 'user')\n this.$store.dispatch('stopFetchingTimeline', 'favorites')\n this.$store.dispatch('stopFetchingTimeline', 'media')\n },\n switchUser (userNameOrId) {\n this.stopFetching()\n this.load(userNameOrId)\n },\n onTabSwitch (tab) {\n this.tab = tab\n this.$router.replace({ query: { tab } })\n },\n linkClicked ({ target }) {\n if (target.tagName === 'SPAN') {\n target = target.parentNode\n }\n if (target.tagName === 'A') {\n window.open(target.href, '_blank')\n }\n }\n },\n watch: {\n '$route.params.id': function (newVal) {\n if (newVal) {\n this.switchUser(newVal)\n }\n },\n '$route.params.name': function (newVal) {\n if (newVal) {\n this.switchUser(newVal)\n }\n },\n '$route.query': function (newVal) {\n this.tab = newVal.tab || defaultTabKey\n }\n },\n components: {\n UserCard,\n Timeline,\n FollowerList,\n FriendList,\n FollowCard,\n TabSwitcher,\n Conversation\n }\n}\n\nexport default UserProfile\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_profile.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./user_profile.js\"\nimport __vue_script__ from \"!!babel-loader!./user_profile.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-a7931f60\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_profile.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[(_vm.user)?_c('div',{staticClass:\"user-profile panel panel-default\"},[_c('UserCard',{attrs:{\"user-id\":_vm.userId,\"switcher\":true,\"selected\":_vm.timeline.viewing,\"allow-zooming-avatar\":true,\"rounded\":\"top\"}}),_vm._v(\" \"),(_vm.user.fields_html && _vm.user.fields_html.length > 0)?_c('div',{staticClass:\"user-profile-fields\"},_vm._l((_vm.user.fields_html),function(field,index){return _c('dl',{key:index,staticClass:\"user-profile-field\"},[_c('dt',{staticClass:\"user-profile-field-name\",attrs:{\"title\":_vm.user.fields_text[index].name},on:{\"click\":function($event){$event.preventDefault();return _vm.linkClicked($event)}}},[_vm._v(\"\\n \"+_vm._s(field.name)+\"\\n \")]),_vm._v(\" \"),_c('dd',{staticClass:\"user-profile-field-value\",attrs:{\"title\":_vm.user.fields_text[index].value},domProps:{\"innerHTML\":_vm._s(field.value)},on:{\"click\":function($event){$event.preventDefault();return _vm.linkClicked($event)}}})])}),0):_vm._e(),_vm._v(\" \"),_c('tab-switcher',{attrs:{\"active-tab\":_vm.tab,\"render-only-focused\":true,\"on-switch\":_vm.onTabSwitch}},[_c('Timeline',{key:\"statuses\",attrs:{\"label\":_vm.$t('user_card.statuses'),\"count\":_vm.user.statuses_count,\"embedded\":true,\"title\":_vm.$t('user_profile.timeline_title'),\"timeline\":_vm.timeline,\"timeline-name\":\"user\",\"user-id\":_vm.userId,\"pinned-status-ids\":_vm.user.pinnedStatusIds,\"in-profile\":true}}),_vm._v(\" \"),(_vm.followsTabVisible)?_c('div',{key:\"followees\",attrs:{\"label\":_vm.$t('user_card.followees'),\"disabled\":!_vm.user.friends_count}},[_c('FriendList',{attrs:{\"user-id\":_vm.userId},scopedSlots:_vm._u([{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('FollowCard',{attrs:{\"user\":item}})]}}],null,false,676117295)})],1):_vm._e(),_vm._v(\" \"),(_vm.followersTabVisible)?_c('div',{key:\"followers\",attrs:{\"label\":_vm.$t('user_card.followers'),\"disabled\":!_vm.user.followers_count}},[_c('FollowerList',{attrs:{\"user-id\":_vm.userId},scopedSlots:_vm._u([{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('FollowCard',{attrs:{\"user\":item,\"no-follows-you\":_vm.isUs}})]}}],null,false,3839341157)})],1):_vm._e(),_vm._v(\" \"),_c('Timeline',{key:\"media\",attrs:{\"label\":_vm.$t('user_card.media'),\"disabled\":!_vm.media.visibleStatuses.length,\"embedded\":true,\"title\":_vm.$t('user_card.media'),\"timeline-name\":\"media\",\"timeline\":_vm.media,\"user-id\":_vm.userId,\"in-profile\":true}}),_vm._v(\" \"),(_vm.isUs)?_c('Timeline',{key:\"favorites\",attrs:{\"label\":_vm.$t('user_card.favorites'),\"disabled\":!_vm.favorites.visibleStatuses.length,\"embedded\":true,\"title\":_vm.$t('user_card.favorites'),\"timeline-name\":\"favorites\",\"timeline\":_vm.favorites,\"in-profile\":true}}):_vm._e()],1)],1):_c('div',{staticClass:\"panel user-profile-placeholder\"},[_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.profile_tab'))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[(_vm.error)?_c('span',[_vm._v(_vm._s(_vm.error))]):_c('i',{staticClass:\"icon-spin3 animate-spin\"})])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import FollowCard from '../follow_card/follow_card.vue'\nimport Conversation from '../conversation/conversation.vue'\nimport Status from '../status/status.vue'\nimport map from 'lodash/map'\n\nconst Search = {\n components: {\n FollowCard,\n Conversation,\n Status\n },\n props: [\n 'query'\n ],\n data () {\n return {\n loaded: false,\n loading: false,\n searchTerm: this.query || '',\n userIds: [],\n statuses: [],\n hashtags: [],\n currenResultTab: 'statuses'\n }\n },\n computed: {\n users () {\n return this.userIds.map(userId => this.$store.getters.findUser(userId))\n },\n visibleStatuses () {\n const allStatusesObject = this.$store.state.statuses.allStatusesObject\n\n return this.statuses.filter(status =>\n allStatusesObject[status.id] && !allStatusesObject[status.id].deleted\n )\n }\n },\n mounted () {\n this.search(this.query)\n },\n watch: {\n query (newValue) {\n this.searchTerm = newValue\n this.search(newValue)\n }\n },\n methods: {\n newQuery (query) {\n this.$router.push({ name: 'search', query: { query } })\n this.$refs.searchInput.focus()\n },\n search (query) {\n if (!query) {\n this.loading = false\n return\n }\n\n this.loading = true\n this.userIds = []\n this.statuses = []\n this.hashtags = []\n this.$refs.searchInput.blur()\n\n this.$store.dispatch('search', { q: query, resolve: true })\n .then(data => {\n this.loading = false\n this.userIds = map(data.accounts, 'id')\n this.statuses = data.statuses\n this.hashtags = data.hashtags\n this.currenResultTab = this.getActiveTab()\n this.loaded = true\n })\n },\n resultCount (tabName) {\n const length = this[tabName].length\n return length === 0 ? '' : ` (${length})`\n },\n onResultTabSwitch (key) {\n this.currenResultTab = key\n },\n getActiveTab () {\n if (this.visibleStatuses.length > 0) {\n return 'statuses'\n } else if (this.users.length > 0) {\n return 'people'\n } else if (this.hashtags.length > 0) {\n return 'hashtags'\n }\n\n return 'statuses'\n },\n lastHistoryRecord (hashtag) {\n return hashtag.history && hashtag.history[0]\n }\n }\n}\n\nexport default Search\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./search.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./search.js\"\nimport __vue_script__ from \"!!babel-loader!./search.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3962ec42\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./search.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('nav.search'))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"search-input-container\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.searchTerm),expression:\"searchTerm\"}],ref:\"searchInput\",staticClass:\"search-input\",attrs:{\"placeholder\":_vm.$t('nav.search')},domProps:{\"value\":(_vm.searchTerm)},on:{\"keyup\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }return _vm.newQuery(_vm.searchTerm)},\"input\":function($event){if($event.target.composing){ return; }_vm.searchTerm=$event.target.value}}}),_vm._v(\" \"),_c('button',{staticClass:\"btn search-button\",on:{\"click\":function($event){return _vm.newQuery(_vm.searchTerm)}}},[_c('i',{staticClass:\"icon-search\"})])]),_vm._v(\" \"),(_vm.loading)?_c('div',{staticClass:\"text-center loading-icon\"},[_c('i',{staticClass:\"icon-spin3 animate-spin\"})]):(_vm.loaded)?_c('div',[_c('div',{staticClass:\"search-nav-heading\"},[_c('tab-switcher',{ref:\"tabSwitcher\",attrs:{\"on-switch\":_vm.onResultTabSwitch,\"active-tab\":_vm.currenResultTab}},[_c('span',{key:\"statuses\",attrs:{\"label\":_vm.$t('user_card.statuses') + _vm.resultCount('visibleStatuses')}}),_vm._v(\" \"),_c('span',{key:\"people\",attrs:{\"label\":_vm.$t('search.people') + _vm.resultCount('users')}}),_vm._v(\" \"),_c('span',{key:\"hashtags\",attrs:{\"label\":_vm.$t('search.hashtags') + _vm.resultCount('hashtags')}})])],1)]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[(_vm.currenResultTab === 'statuses')?_c('div',[(_vm.visibleStatuses.length === 0 && !_vm.loading && _vm.loaded)?_c('div',{staticClass:\"search-result-heading\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('search.no_results')))])]):_vm._e(),_vm._v(\" \"),_vm._l((_vm.visibleStatuses),function(status){return _c('Status',{key:status.id,staticClass:\"search-result\",attrs:{\"collapsable\":false,\"expandable\":false,\"compact\":false,\"statusoid\":status,\"no-heading\":false}})})],2):(_vm.currenResultTab === 'people')?_c('div',[(_vm.users.length === 0 && !_vm.loading && _vm.loaded)?_c('div',{staticClass:\"search-result-heading\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('search.no_results')))])]):_vm._e(),_vm._v(\" \"),_vm._l((_vm.users),function(user){return _c('FollowCard',{key:user.id,staticClass:\"list-item search-result\",attrs:{\"user\":user}})})],2):(_vm.currenResultTab === 'hashtags')?_c('div',[(_vm.hashtags.length === 0 && !_vm.loading && _vm.loaded)?_c('div',{staticClass:\"search-result-heading\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('search.no_results')))])]):_vm._e(),_vm._v(\" \"),_vm._l((_vm.hashtags),function(hashtag){return _c('div',{key:hashtag.url,staticClass:\"status trend search-result\"},[_c('div',{staticClass:\"hashtag\"},[_c('router-link',{attrs:{\"to\":{ name: 'tag-timeline', params: { tag: hashtag.name } }}},[_vm._v(\"\\n #\"+_vm._s(hashtag.name)+\"\\n \")]),_vm._v(\" \"),(_vm.lastHistoryRecord(hashtag))?_c('div',[(_vm.lastHistoryRecord(hashtag).accounts == 1)?_c('span',[_vm._v(\"\\n \"+_vm._s(_vm.$t('search.person_talking', { count: _vm.lastHistoryRecord(hashtag).accounts }))+\"\\n \")]):_c('span',[_vm._v(\"\\n \"+_vm._s(_vm.$t('search.people_talking', { count: _vm.lastHistoryRecord(hashtag).accounts }))+\"\\n \")])]):_vm._e()],1),_vm._v(\" \"),(_vm.lastHistoryRecord(hashtag))?_c('div',{staticClass:\"count\"},[_vm._v(\"\\n \"+_vm._s(_vm.lastHistoryRecord(hashtag).uses)+\"\\n \")]):_vm._e()])})],2):_vm._e()]),_vm._v(\" \"),_c('div',{staticClass:\"search-result-footer text-center panel-footer faint\"})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { validationMixin } from 'vuelidate'\nimport { required, requiredIf, sameAs } from 'vuelidate/lib/validators'\nimport { mapActions, mapState } from 'vuex'\n\nconst registration = {\n mixins: [validationMixin],\n data: () => ({\n user: {\n email: '',\n fullname: '',\n username: '',\n password: '',\n confirm: ''\n },\n captcha: {}\n }),\n validations () {\n return {\n user: {\n email: { required: requiredIf(() => this.accountActivationRequired) },\n username: { required },\n fullname: { required },\n password: { required },\n confirm: {\n required,\n sameAsPassword: sameAs('password')\n }\n }\n }\n },\n created () {\n if ((!this.registrationOpen && !this.token) || this.signedIn) {\n this.$router.push({ name: 'root' })\n }\n\n this.setCaptcha()\n },\n computed: {\n token () { return this.$route.params.token },\n bioPlaceholder () {\n return this.$t('registration.bio_placeholder').replace(/\\s*\\n\\s*/g, ' \\n')\n },\n ...mapState({\n registrationOpen: (state) => state.instance.registrationOpen,\n signedIn: (state) => !!state.users.currentUser,\n isPending: (state) => state.users.signUpPending,\n serverValidationErrors: (state) => state.users.signUpErrors,\n termsOfService: (state) => state.instance.tos,\n accountActivationRequired: (state) => state.instance.accountActivationRequired\n })\n },\n methods: {\n ...mapActions(['signUp', 'getCaptcha']),\n async submit () {\n this.user.nickname = this.user.username\n this.user.token = this.token\n\n this.user.captcha_solution = this.captcha.solution\n this.user.captcha_token = this.captcha.token\n this.user.captcha_answer_data = this.captcha.answer_data\n\n this.$v.$touch()\n\n if (!this.$v.$invalid) {\n try {\n await this.signUp(this.user)\n this.$router.push({ name: 'friends' })\n } catch (error) {\n console.warn('Registration failed: ', error)\n this.setCaptcha()\n }\n }\n },\n setCaptcha () {\n this.getCaptcha().then(cpt => { this.captcha = cpt })\n }\n }\n}\n\nexport default registration\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./registration.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./registration.js\"\nimport __vue_script__ from \"!!babel-loader!./registration.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-456dfbf7\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./registration.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"settings panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('registration.registration'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('form',{staticClass:\"registration-form\",on:{\"submit\":function($event){$event.preventDefault();return _vm.submit(_vm.user)}}},[_c('div',{staticClass:\"container\"},[_c('div',{staticClass:\"text-fields\"},[_c('div',{staticClass:\"form-group\",class:{ 'form-group--error': _vm.$v.user.username.$error }},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"sign-up-username\"}},[_vm._v(_vm._s(_vm.$t('login.username')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model.trim\",value:(_vm.$v.user.username.$model),expression:\"$v.user.username.$model\",modifiers:{\"trim\":true}}],staticClass:\"form-control\",attrs:{\"id\":\"sign-up-username\",\"disabled\":_vm.isPending,\"placeholder\":_vm.$t('registration.username_placeholder')},domProps:{\"value\":(_vm.$v.user.username.$model)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.$v.user.username, \"$model\", $event.target.value.trim())},\"blur\":function($event){return _vm.$forceUpdate()}}})]),_vm._v(\" \"),(_vm.$v.user.username.$dirty)?_c('div',{staticClass:\"form-error\"},[_c('ul',[(!_vm.$v.user.username.required)?_c('li',[_c('span',[_vm._v(_vm._s(_vm.$t('registration.validations.username_required')))])]):_vm._e()])]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group\",class:{ 'form-group--error': _vm.$v.user.fullname.$error }},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"sign-up-fullname\"}},[_vm._v(_vm._s(_vm.$t('registration.fullname')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model.trim\",value:(_vm.$v.user.fullname.$model),expression:\"$v.user.fullname.$model\",modifiers:{\"trim\":true}}],staticClass:\"form-control\",attrs:{\"id\":\"sign-up-fullname\",\"disabled\":_vm.isPending,\"placeholder\":_vm.$t('registration.fullname_placeholder')},domProps:{\"value\":(_vm.$v.user.fullname.$model)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.$v.user.fullname, \"$model\", $event.target.value.trim())},\"blur\":function($event){return _vm.$forceUpdate()}}})]),_vm._v(\" \"),(_vm.$v.user.fullname.$dirty)?_c('div',{staticClass:\"form-error\"},[_c('ul',[(!_vm.$v.user.fullname.required)?_c('li',[_c('span',[_vm._v(_vm._s(_vm.$t('registration.validations.fullname_required')))])]):_vm._e()])]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group\",class:{ 'form-group--error': _vm.$v.user.email.$error }},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"email\"}},[_vm._v(_vm._s(_vm.$t('registration.email')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.$v.user.email.$model),expression:\"$v.user.email.$model\"}],staticClass:\"form-control\",attrs:{\"id\":\"email\",\"disabled\":_vm.isPending,\"type\":\"email\"},domProps:{\"value\":(_vm.$v.user.email.$model)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.$v.user.email, \"$model\", $event.target.value)}}})]),_vm._v(\" \"),(_vm.$v.user.email.$dirty)?_c('div',{staticClass:\"form-error\"},[_c('ul',[(!_vm.$v.user.email.required)?_c('li',[_c('span',[_vm._v(_vm._s(_vm.$t('registration.validations.email_required')))])]):_vm._e()])]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"bio\"}},[_vm._v(_vm._s(_vm.$t('registration.bio'))+\" (\"+_vm._s(_vm.$t('general.optional'))+\")\")]),_vm._v(\" \"),_c('textarea',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.user.bio),expression:\"user.bio\"}],staticClass:\"form-control\",attrs:{\"id\":\"bio\",\"disabled\":_vm.isPending,\"placeholder\":_vm.bioPlaceholder},domProps:{\"value\":(_vm.user.bio)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.user, \"bio\", $event.target.value)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\",class:{ 'form-group--error': _vm.$v.user.password.$error }},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"sign-up-password\"}},[_vm._v(_vm._s(_vm.$t('login.password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.user.password),expression:\"user.password\"}],staticClass:\"form-control\",attrs:{\"id\":\"sign-up-password\",\"disabled\":_vm.isPending,\"type\":\"password\"},domProps:{\"value\":(_vm.user.password)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.user, \"password\", $event.target.value)}}})]),_vm._v(\" \"),(_vm.$v.user.password.$dirty)?_c('div',{staticClass:\"form-error\"},[_c('ul',[(!_vm.$v.user.password.required)?_c('li',[_c('span',[_vm._v(_vm._s(_vm.$t('registration.validations.password_required')))])]):_vm._e()])]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group\",class:{ 'form-group--error': _vm.$v.user.confirm.$error }},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"sign-up-password-confirmation\"}},[_vm._v(_vm._s(_vm.$t('registration.password_confirm')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.user.confirm),expression:\"user.confirm\"}],staticClass:\"form-control\",attrs:{\"id\":\"sign-up-password-confirmation\",\"disabled\":_vm.isPending,\"type\":\"password\"},domProps:{\"value\":(_vm.user.confirm)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.user, \"confirm\", $event.target.value)}}})]),_vm._v(\" \"),(_vm.$v.user.confirm.$dirty)?_c('div',{staticClass:\"form-error\"},[_c('ul',[(!_vm.$v.user.confirm.required)?_c('li',[_c('span',[_vm._v(_vm._s(_vm.$t('registration.validations.password_confirmation_required')))])]):_vm._e(),_vm._v(\" \"),(!_vm.$v.user.confirm.sameAsPassword)?_c('li',[_c('span',[_vm._v(_vm._s(_vm.$t('registration.validations.password_confirmation_match')))])]):_vm._e()])]):_vm._e(),_vm._v(\" \"),(_vm.captcha.type != 'none')?_c('div',{staticClass:\"form-group\",attrs:{\"id\":\"captcha-group\"}},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"captcha-label\"}},[_vm._v(_vm._s(_vm.$t('registration.captcha')))]),_vm._v(\" \"),(['kocaptcha', 'native'].includes(_vm.captcha.type))?[_c('img',{attrs:{\"src\":_vm.captcha.url},on:{\"click\":_vm.setCaptcha}}),_vm._v(\" \"),_c('sub',[_vm._v(_vm._s(_vm.$t('registration.new_captcha')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.captcha.solution),expression:\"captcha.solution\"}],staticClass:\"form-control\",attrs:{\"id\":\"captcha-answer\",\"disabled\":_vm.isPending,\"type\":\"text\",\"autocomplete\":\"off\",\"autocorrect\":\"off\",\"autocapitalize\":\"off\",\"spellcheck\":\"false\"},domProps:{\"value\":(_vm.captcha.solution)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.captcha, \"solution\", $event.target.value)}}})]:_vm._e()],2):_vm._e(),_vm._v(\" \"),(_vm.token)?_c('div',{staticClass:\"form-group\"},[_c('label',{attrs:{\"for\":\"token\"}},[_vm._v(_vm._s(_vm.$t('registration.token')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.token),expression:\"token\"}],staticClass:\"form-control\",attrs:{\"id\":\"token\",\"disabled\":\"true\",\"type\":\"text\"},domProps:{\"value\":(_vm.token)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.token=$event.target.value}}})]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.isPending,\"type\":\"submit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")])])]),_vm._v(\" \"),_c('div',{staticClass:\"terms-of-service\",domProps:{\"innerHTML\":_vm._s(_vm.termsOfService)}})]),_vm._v(\" \"),(_vm.serverValidationErrors.length)?_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"alert error\"},_vm._l((_vm.serverValidationErrors),function(error){return _c('span',{key:error},[_vm._v(_vm._s(error))])}),0)]):_vm._e()])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { reduce } from 'lodash'\n\nconst MASTODON_PASSWORD_RESET_URL = `/auth/password`\n\nconst resetPassword = ({ instance, email }) => {\n const params = { email }\n const query = reduce(params, (acc, v, k) => {\n const encoded = `${k}=${encodeURIComponent(v)}`\n return `${acc}&${encoded}`\n }, '')\n const url = `${instance}${MASTODON_PASSWORD_RESET_URL}?${query}`\n\n return window.fetch(url, {\n method: 'POST'\n })\n}\n\nexport default resetPassword\n","import { mapState } from 'vuex'\nimport passwordResetApi from '../../services/new_api/password_reset.js'\n\nconst passwordReset = {\n data: () => ({\n user: {\n email: ''\n },\n isPending: false,\n success: false,\n throttled: false,\n error: null\n }),\n computed: {\n ...mapState({\n signedIn: (state) => !!state.users.currentUser,\n instance: state => state.instance\n }),\n mailerEnabled () {\n return this.instance.mailerEnabled\n }\n },\n created () {\n if (this.signedIn) {\n this.$router.push({ name: 'root' })\n }\n },\n props: {\n passwordResetRequested: {\n default: false,\n type: Boolean\n }\n },\n methods: {\n dismissError () {\n this.error = null\n },\n submit () {\n this.isPending = true\n const email = this.user.email\n const instance = this.instance.server\n\n passwordResetApi({ instance, email }).then(({ status }) => {\n this.isPending = false\n this.user.email = ''\n\n if (status === 204) {\n this.success = true\n this.error = null\n } else if (status === 429) {\n this.throttled = true\n this.error = this.$t('password_reset.too_many_requests')\n }\n }).catch(() => {\n this.isPending = false\n this.user.email = ''\n this.error = this.$t('general.generic_error')\n })\n }\n }\n}\n\nexport default passwordReset\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./password_reset.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./password_reset.js\"\nimport __vue_script__ from \"!!babel-loader!./password_reset.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-750c6ec4\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./password_reset.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"settings panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.password_reset'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('form',{staticClass:\"password-reset-form\",on:{\"submit\":function($event){$event.preventDefault();return _vm.submit($event)}}},[_c('div',{staticClass:\"container\"},[(!_vm.mailerEnabled)?_c('div',[(_vm.passwordResetRequested)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.password_reset_required_but_mailer_is_disabled'))+\"\\n \")]):_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.password_reset_disabled'))+\"\\n \")])]):(_vm.success || _vm.throttled)?_c('div',[(_vm.success)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.check_email'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group text-center\"},[_c('router-link',{attrs:{\"to\":{name: 'root'}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.return_home'))+\"\\n \")])],1)]):_c('div',[(_vm.passwordResetRequested)?_c('p',{staticClass:\"password-reset-required error\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.password_reset_required'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.instruction'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.user.email),expression:\"user.email\"}],ref:\"email\",staticClass:\"form-control\",attrs:{\"disabled\":_vm.isPending,\"placeholder\":_vm.$t('password_reset.placeholder'),\"type\":\"input\"},domProps:{\"value\":(_vm.user.email)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.user, \"email\", $event.target.value)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('button',{staticClass:\"btn btn-default btn-block\",attrs:{\"disabled\":_vm.isPending,\"type\":\"submit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")])])]),_vm._v(\" \"),(_vm.error)?_c('p',{staticClass:\"alert error notice-dismissible\"},[_c('span',[_vm._v(_vm._s(_vm.error))]),_vm._v(\" \"),_c('a',{staticClass:\"button-icon dismiss\",on:{\"click\":function($event){$event.preventDefault();return _vm.dismissError()}}},[_c('i',{staticClass:\"icon-cancel\"})])]):_vm._e()])])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import BasicUserCard from '../basic_user_card/basic_user_card.vue'\nimport { notificationsFromStore } from '../../services/notification_utils/notification_utils.js'\n\nconst FollowRequestCard = {\n props: ['user'],\n components: {\n BasicUserCard\n },\n methods: {\n findFollowRequestNotificationId () {\n const notif = notificationsFromStore(this.$store).find(\n (notif) => notif.from_profile.id === this.user.id && notif.type === 'follow_request'\n )\n return notif && notif.id\n },\n approveUser () {\n this.$store.state.api.backendInteractor.approveUser({ id: this.user.id })\n this.$store.dispatch('removeFollowRequest', this.user)\n\n const notifId = this.findFollowRequestNotificationId()\n this.$store.dispatch('markSingleNotificationAsSeen', { id: notifId })\n this.$store.dispatch('updateNotification', {\n id: notifId,\n updater: notification => {\n notification.type = 'follow'\n }\n })\n },\n denyUser () {\n const notifId = this.findFollowRequestNotificationId()\n this.$store.state.api.backendInteractor.denyUser({ id: this.user.id })\n .then(() => {\n this.$store.dispatch('dismissNotificationLocal', { id: notifId })\n this.$store.dispatch('removeFollowRequest', this.user)\n })\n }\n }\n}\n\nexport default FollowRequestCard\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./follow_request_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./follow_request_card.js\"\nimport __vue_script__ from \"!!babel-loader!./follow_request_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1edf2e22\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./follow_request_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","import FollowRequestCard from '../follow_request_card/follow_request_card.vue'\n\nconst FollowRequests = {\n components: {\n FollowRequestCard\n },\n computed: {\n requests () {\n return this.$store.state.api.followRequests\n }\n }\n}\n\nexport default FollowRequests\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('basic-user-card',{attrs:{\"user\":_vm.user}},[_c('div',{staticClass:\"follow-request-card-content-container\"},[_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.approveUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.approve'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.denyUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.deny'))+\"\\n \")])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","/* script */\nexport * from \"!!babel-loader!./follow_requests.js\"\nimport __vue_script__ from \"!!babel-loader!./follow_requests.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-9c427644\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./follow_requests.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"settings panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('nav.friend_requests'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},_vm._l((_vm.requests),function(request){return _c('FollowRequestCard',{key:request.id,staticClass:\"list-item\",attrs:{\"user\":request}})}),1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import oauth from '../../services/new_api/oauth.js'\n\nconst oac = {\n props: ['code'],\n mounted () {\n if (this.code) {\n const { clientId, clientSecret } = this.$store.state.oauth\n\n oauth.getToken({\n clientId,\n clientSecret,\n instance: this.$store.state.instance.server,\n code: this.code\n }).then((result) => {\n this.$store.commit('setToken', result.access_token)\n this.$store.dispatch('loginUser', result.access_token)\n this.$router.push({ name: 'friends' })\n })\n }\n }\n}\n\nexport default oac\n","/* script */\nexport * from \"!!babel-loader!./oauth_callback.js\"\nimport __vue_script__ from \"!!babel-loader!./oauth_callback.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-f514124c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./oauth_callback.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('h1',[_vm._v(\"...\")])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState, mapGetters, mapActions, mapMutations } from 'vuex'\nimport oauthApi from '../../services/new_api/oauth.js'\n\nconst LoginForm = {\n data: () => ({\n user: {},\n error: false\n }),\n computed: {\n isPasswordAuth () { return this.requiredPassword },\n isTokenAuth () { return this.requiredToken },\n ...mapState({\n registrationOpen: state => state.instance.registrationOpen,\n instance: state => state.instance,\n loggingIn: state => state.users.loggingIn,\n oauth: state => state.oauth\n }),\n ...mapGetters(\n 'authFlow', ['requiredPassword', 'requiredToken', 'requiredMFA']\n )\n },\n methods: {\n ...mapMutations('authFlow', ['requireMFA']),\n ...mapActions({ login: 'authFlow/login' }),\n submit () {\n this.isTokenAuth ? this.submitToken() : this.submitPassword()\n },\n submitToken () {\n const { clientId, clientSecret } = this.oauth\n const data = {\n clientId,\n clientSecret,\n instance: this.instance.server,\n commit: this.$store.commit\n }\n\n oauthApi.getOrCreateApp(data)\n .then((app) => { oauthApi.login({ ...app, ...data }) })\n },\n submitPassword () {\n const { clientId } = this.oauth\n const data = {\n clientId,\n oauth: this.oauth,\n instance: this.instance.server,\n commit: this.$store.commit\n }\n this.error = false\n\n oauthApi.getOrCreateApp(data).then((app) => {\n oauthApi.getTokenWithCredentials(\n {\n ...app,\n instance: data.instance,\n username: this.user.username,\n password: this.user.password\n }\n ).then((result) => {\n if (result.error) {\n if (result.error === 'mfa_required') {\n this.requireMFA({ settings: result })\n } else if (result.identifier === 'password_reset_required') {\n this.$router.push({ name: 'password-reset', params: { passwordResetRequested: true } })\n } else {\n this.error = result.error\n this.focusOnPasswordInput()\n }\n return\n }\n this.login(result).then(() => {\n this.$router.push({ name: 'friends' })\n })\n })\n })\n },\n clearError () { this.error = false },\n focusOnPasswordInput () {\n let passwordInput = this.$refs.passwordInput\n passwordInput.focus()\n passwordInput.setSelectionRange(0, passwordInput.value.length)\n }\n }\n}\n\nexport default LoginForm\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./login_form.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./login_form.js\"\nimport __vue_script__ from \"!!babel-loader!./login_form.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-38aaa196\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./login_form.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"login panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.login'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('form',{staticClass:\"login-form\",on:{\"submit\":function($event){$event.preventDefault();return _vm.submit($event)}}},[(_vm.isPasswordAuth)?[_c('div',{staticClass:\"form-group\"},[_c('label',{attrs:{\"for\":\"username\"}},[_vm._v(_vm._s(_vm.$t('login.username')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.user.username),expression:\"user.username\"}],staticClass:\"form-control\",attrs:{\"id\":\"username\",\"disabled\":_vm.loggingIn,\"placeholder\":_vm.$t('login.placeholder')},domProps:{\"value\":(_vm.user.username)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.user, \"username\", $event.target.value)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('label',{attrs:{\"for\":\"password\"}},[_vm._v(_vm._s(_vm.$t('login.password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.user.password),expression:\"user.password\"}],ref:\"passwordInput\",staticClass:\"form-control\",attrs:{\"id\":\"password\",\"disabled\":_vm.loggingIn,\"type\":\"password\"},domProps:{\"value\":(_vm.user.password)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.user, \"password\", $event.target.value)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('router-link',{attrs:{\"to\":{name: 'password-reset'}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.forgot_password'))+\"\\n \")])],1)]:_vm._e(),_vm._v(\" \"),(_vm.isTokenAuth)?_c('div',{staticClass:\"form-group\"},[_c('p',[_vm._v(_vm._s(_vm.$t('login.description')))])]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"login-bottom\"},[_c('div',[(_vm.registrationOpen)?_c('router-link',{staticClass:\"register\",attrs:{\"to\":{name: 'registration'}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.register'))+\"\\n \")]):_vm._e()],1),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.loggingIn,\"type\":\"submit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.login'))+\"\\n \")])])])],2)]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.error)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":_vm.clearError}})])]):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const verifyOTPCode = ({ clientId, clientSecret, instance, mfaToken, code }) => {\n const url = `${instance}/oauth/mfa/challenge`\n const form = new window.FormData()\n\n form.append('client_id', clientId)\n form.append('client_secret', clientSecret)\n form.append('mfa_token', mfaToken)\n form.append('code', code)\n form.append('challenge_type', 'totp')\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst verifyRecoveryCode = ({ clientId, clientSecret, instance, mfaToken, code }) => {\n const url = `${instance}/oauth/mfa/challenge`\n const form = new window.FormData()\n\n form.append('client_id', clientId)\n form.append('client_secret', clientSecret)\n form.append('mfa_token', mfaToken)\n form.append('code', code)\n form.append('challenge_type', 'recovery')\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst mfa = {\n verifyOTPCode,\n verifyRecoveryCode\n}\n\nexport default mfa\n","import mfaApi from '../../services/new_api/mfa.js'\nimport { mapState, mapGetters, mapActions, mapMutations } from 'vuex'\n\nexport default {\n data: () => ({\n code: null,\n error: false\n }),\n computed: {\n ...mapGetters({\n authSettings: 'authFlow/settings'\n }),\n ...mapState({\n instance: 'instance',\n oauth: 'oauth'\n })\n },\n methods: {\n ...mapMutations('authFlow', ['requireTOTP', 'abortMFA']),\n ...mapActions({ login: 'authFlow/login' }),\n clearError () { this.error = false },\n submit () {\n const { clientId, clientSecret } = this.oauth\n\n const data = {\n clientId,\n clientSecret,\n instance: this.instance.server,\n mfaToken: this.authSettings.mfa_token,\n code: this.code\n }\n\n mfaApi.verifyRecoveryCode(data).then((result) => {\n if (result.error) {\n this.error = result.error\n this.code = null\n return\n }\n\n this.login(result).then(() => {\n this.$router.push({ name: 'friends' })\n })\n })\n }\n }\n}\n","/* script */\nexport * from \"!!babel-loader!./recovery_form.js\"\nimport __vue_script__ from \"!!babel-loader!./recovery_form.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-129661d4\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./recovery_form.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"login panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.heading.recovery'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('form',{staticClass:\"login-form\",on:{\"submit\":function($event){$event.preventDefault();return _vm.submit($event)}}},[_c('div',{staticClass:\"form-group\"},[_c('label',{attrs:{\"for\":\"code\"}},[_vm._v(_vm._s(_vm.$t('login.recovery_code')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.code),expression:\"code\"}],staticClass:\"form-control\",attrs:{\"id\":\"code\"},domProps:{\"value\":(_vm.code)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.code=$event.target.value}}})]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"login-bottom\"},[_c('div',[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.requireTOTP($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.enter_two_factor_code'))+\"\\n \")]),_vm._v(\" \"),_c('br'),_vm._v(\" \"),_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.abortMFA($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.cancel'))+\"\\n \")])]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"type\":\"submit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.verify'))+\"\\n \")])])])])]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.error)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":_vm.clearError}})])]):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import mfaApi from '../../services/new_api/mfa.js'\nimport { mapState, mapGetters, mapActions, mapMutations } from 'vuex'\nexport default {\n data: () => ({\n code: null,\n error: false\n }),\n computed: {\n ...mapGetters({\n authSettings: 'authFlow/settings'\n }),\n ...mapState({\n instance: 'instance',\n oauth: 'oauth'\n })\n },\n methods: {\n ...mapMutations('authFlow', ['requireRecovery', 'abortMFA']),\n ...mapActions({ login: 'authFlow/login' }),\n clearError () { this.error = false },\n submit () {\n const { clientId, clientSecret } = this.oauth\n\n const data = {\n clientId,\n clientSecret,\n instance: this.instance.server,\n mfaToken: this.authSettings.mfa_token,\n code: this.code\n }\n\n mfaApi.verifyOTPCode(data).then((result) => {\n if (result.error) {\n this.error = result.error\n this.code = null\n return\n }\n\n this.login(result).then(() => {\n this.$router.push({ name: 'friends' })\n })\n })\n }\n }\n}\n","/* script */\nexport * from \"!!babel-loader!./totp_form.js\"\nimport __vue_script__ from \"!!babel-loader!./totp_form.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-b4428228\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./totp_form.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"login panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.heading.totp'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('form',{staticClass:\"login-form\",on:{\"submit\":function($event){$event.preventDefault();return _vm.submit($event)}}},[_c('div',{staticClass:\"form-group\"},[_c('label',{attrs:{\"for\":\"code\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.authentication_code'))+\"\\n \")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.code),expression:\"code\"}],staticClass:\"form-control\",attrs:{\"id\":\"code\"},domProps:{\"value\":(_vm.code)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.code=$event.target.value}}})]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"login-bottom\"},[_c('div',[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.requireRecovery($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.enter_recovery_code'))+\"\\n \")]),_vm._v(\" \"),_c('br'),_vm._v(\" \"),_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.abortMFA($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.cancel'))+\"\\n \")])]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"type\":\"submit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.verify'))+\"\\n \")])])])])]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.error)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":_vm.clearError}})])]):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import LoginForm from '../login_form/login_form.vue'\nimport MFARecoveryForm from '../mfa_form/recovery_form.vue'\nimport MFATOTPForm from '../mfa_form/totp_form.vue'\nimport { mapGetters } from 'vuex'\n\nconst AuthForm = {\n name: 'AuthForm',\n render (createElement) {\n return createElement('component', { is: this.authForm })\n },\n computed: {\n authForm () {\n if (this.requiredTOTP) { return 'MFATOTPForm' }\n if (this.requiredRecovery) { return 'MFARecoveryForm' }\n return 'LoginForm'\n },\n ...mapGetters('authFlow', ['requiredTOTP', 'requiredRecovery'])\n },\n components: {\n MFARecoveryForm,\n MFATOTPForm,\n LoginForm\n }\n}\n\nexport default AuthForm\n","import generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\n\nconst chatPanel = {\n props: [ 'floating' ],\n data () {\n return {\n currentMessage: '',\n channel: null,\n collapsed: true\n }\n },\n computed: {\n messages () {\n return this.$store.state.chat.messages\n }\n },\n methods: {\n submit (message) {\n this.$store.state.chat.channel.push('new_msg', { text: message }, 10000)\n this.currentMessage = ''\n },\n togglePanel () {\n this.collapsed = !this.collapsed\n },\n userProfileLink (user) {\n return generateProfileLink(user.id, user.username, this.$store.state.instance.restrictedNicknames)\n }\n }\n}\n\nexport default chatPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./chat_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-796ab36c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (!_vm.collapsed || !_vm.floating)?_c('div',{staticClass:\"chat-panel\"},[_c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-heading timeline-heading\",class:{ 'chat-heading': _vm.floating },on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.togglePanel($event)}}},[_c('div',{staticClass:\"title\"},[_c('span',[_vm._v(_vm._s(_vm.$t('shoutbox.title')))]),_vm._v(\" \"),(_vm.floating)?_c('i',{staticClass:\"icon-cancel\"}):_vm._e()])]),_vm._v(\" \"),_c('div',{directives:[{name:\"chat-scroll\",rawName:\"v-chat-scroll\"}],staticClass:\"chat-window\"},_vm._l((_vm.messages),function(message){return _c('div',{key:message.id,staticClass:\"chat-message\"},[_c('span',{staticClass:\"chat-avatar\"},[_c('img',{attrs:{\"src\":message.author.avatar}})]),_vm._v(\" \"),_c('div',{staticClass:\"chat-content\"},[_c('router-link',{staticClass:\"chat-name\",attrs:{\"to\":_vm.userProfileLink(message.author)}},[_vm._v(\"\\n \"+_vm._s(message.author.username)+\"\\n \")]),_vm._v(\" \"),_c('br'),_vm._v(\" \"),_c('span',{staticClass:\"chat-text\"},[_vm._v(\"\\n \"+_vm._s(message.text)+\"\\n \")])],1)])}),0),_vm._v(\" \"),_c('div',{staticClass:\"chat-input\"},[_c('textarea',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.currentMessage),expression:\"currentMessage\"}],staticClass:\"chat-input-textarea\",attrs:{\"rows\":\"1\"},domProps:{\"value\":(_vm.currentMessage)},on:{\"keyup\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }return _vm.submit(_vm.currentMessage)},\"input\":function($event){if($event.target.composing){ return; }_vm.currentMessage=$event.target.value}}})])])]):_c('div',{staticClass:\"chat-panel\"},[_c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-heading stub timeline-heading chat-heading\",on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.togglePanel($event)}}},[_c('div',{staticClass:\"title\"},[_c('i',{staticClass:\"icon-comment-empty\"}),_vm._v(\"\\n \"+_vm._s(_vm.$t('shoutbox.title'))+\"\\n \")])])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import apiService from '../../services/api/api.service.js'\nimport FollowCard from '../follow_card/follow_card.vue'\n\nconst WhoToFollow = {\n components: {\n FollowCard\n },\n data () {\n return {\n users: []\n }\n },\n mounted () {\n this.getWhoToFollow()\n },\n methods: {\n showWhoToFollow (reply) {\n reply.forEach((i, index) => {\n this.$store.state.api.backendInteractor.fetchUser({ id: i.acct })\n .then((externalUser) => {\n if (!externalUser.error) {\n this.$store.commit('addNewUsers', [externalUser])\n this.users.push(externalUser)\n }\n })\n })\n },\n getWhoToFollow () {\n const credentials = this.$store.state.users.currentUser.credentials\n if (credentials) {\n apiService.suggestions({ credentials: credentials })\n .then((reply) => {\n this.showWhoToFollow(reply)\n })\n }\n }\n }\n}\n\nexport default WhoToFollow\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./who_to_follow.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./who_to_follow.js\"\nimport __vue_script__ from \"!!babel-loader!./who_to_follow.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4f8c3288\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./who_to_follow.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('who_to_follow.who_to_follow'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},_vm._l((_vm.users),function(user){return _c('FollowCard',{key:user.id,staticClass:\"list-item\",attrs:{\"user\":user}})}),1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const InstanceSpecificPanel = {\n computed: {\n instanceSpecificPanelContent () {\n return this.$store.state.instance.instanceSpecificPanelContent\n }\n }\n}\n\nexport default InstanceSpecificPanel\n","/* script */\nexport * from \"!!babel-loader!./instance_specific_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./instance_specific_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-5b01187b\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./instance_specific_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"instance-specific-panel\"},[_c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-body\"},[_c('div',{domProps:{\"innerHTML\":_vm._s(_vm.instanceSpecificPanelContent)}})])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const FeaturesPanel = {\n computed: {\n chat: function () { return this.$store.state.instance.chatAvailable },\n pleromaChatMessages: function () { return this.$store.state.instance.pleromaChatMessagesAvailable },\n gopher: function () { return this.$store.state.instance.gopherAvailable },\n whoToFollow: function () { return this.$store.state.instance.suggestionsEnabled },\n mediaProxy: function () { return this.$store.state.instance.mediaProxyAvailable },\n minimalScopesMode: function () { return this.$store.state.instance.minimalScopesMode },\n textlimit: function () { return this.$store.state.instance.textlimit }\n }\n}\n\nexport default FeaturesPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./features_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./features_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./features_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3274ef49\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./features_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"features-panel\"},[_c('div',{staticClass:\"panel panel-default base01-background\"},[_c('div',{staticClass:\"panel-heading timeline-heading base02-background base04\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('features_panel.title'))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body features-panel\"},[_c('ul',[(_vm.chat)?_c('li',[_vm._v(\"\\n \"+_vm._s(_vm.$t('features_panel.chat'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.pleromaChatMessages)?_c('li',[_vm._v(\"\\n \"+_vm._s(_vm.$t('features_panel.pleroma_chat_messages'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.gopher)?_c('li',[_vm._v(\"\\n \"+_vm._s(_vm.$t('features_panel.gopher'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.whoToFollow)?_c('li',[_vm._v(\"\\n \"+_vm._s(_vm.$t('features_panel.who_to_follow'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.mediaProxy)?_c('li',[_vm._v(\"\\n \"+_vm._s(_vm.$t('features_panel.media_proxy'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('li',[_vm._v(_vm._s(_vm.$t('features_panel.scope_options')))]),_vm._v(\" \"),_c('li',[_vm._v(_vm._s(_vm.$t('features_panel.text_limit'))+\" = \"+_vm._s(_vm.textlimit))])])])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const TermsOfServicePanel = {\n computed: {\n content () {\n return this.$store.state.instance.tos\n }\n }\n}\n\nexport default TermsOfServicePanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./terms_of_service_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./terms_of_service_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./terms_of_service_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-687e38f6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./terms_of_service_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-body\"},[_c('div',{staticClass:\"tos-content\",domProps:{\"innerHTML\":_vm._s(_vm.content)}})])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import map from 'lodash/map'\nimport BasicUserCard from '../basic_user_card/basic_user_card.vue'\n\nconst StaffPanel = {\n created () {\n const nicknames = this.$store.state.instance.staffAccounts\n nicknames.forEach(nickname => this.$store.dispatch('fetchUserIfMissing', nickname))\n },\n components: {\n BasicUserCard\n },\n computed: {\n staffAccounts () {\n return map(this.$store.state.instance.staffAccounts, nickname => this.$store.getters.findUser(nickname)).filter(_ => _)\n }\n }\n}\n\nexport default StaffPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./staff_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./staff_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./staff_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-0a6a2c3a\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./staff_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"staff-panel\"},[_c('div',{staticClass:\"panel panel-default base01-background\"},[_c('div',{staticClass:\"panel-heading timeline-heading base02-background\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"about.staff\"))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},_vm._l((_vm.staffAccounts),function(user){return _c('basic-user-card',{key:user.screen_name,attrs:{\"user\":user}})}),1)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState } from 'vuex'\nimport { get } from 'lodash'\n\nconst MRFTransparencyPanel = {\n computed: {\n ...mapState({\n federationPolicy: state => get(state, 'instance.federationPolicy'),\n mrfPolicies: state => get(state, 'instance.federationPolicy.mrf_policies', []),\n quarantineInstances: state => get(state, 'instance.federationPolicy.quarantined_instances', []),\n acceptInstances: state => get(state, 'instance.federationPolicy.mrf_simple.accept', []),\n rejectInstances: state => get(state, 'instance.federationPolicy.mrf_simple.reject', []),\n ftlRemovalInstances: state => get(state, 'instance.federationPolicy.mrf_simple.federated_timeline_removal', []),\n mediaNsfwInstances: state => get(state, 'instance.federationPolicy.mrf_simple.media_nsfw', []),\n mediaRemovalInstances: state => get(state, 'instance.federationPolicy.mrf_simple.media_removal', []),\n keywordsFtlRemoval: state => get(state, 'instance.federationPolicy.mrf_keyword.federated_timeline_removal', []),\n keywordsReject: state => get(state, 'instance.federationPolicy.mrf_keyword.reject', []),\n keywordsReplace: state => get(state, 'instance.federationPolicy.mrf_keyword.replace', [])\n }),\n hasInstanceSpecificPolicies () {\n return this.quarantineInstances.length ||\n this.acceptInstances.length ||\n this.rejectInstances.length ||\n this.ftlRemovalInstances.length ||\n this.mediaNsfwInstances.length ||\n this.mediaRemovalInstances.length\n },\n hasKeywordPolicies () {\n return this.keywordsFtlRemoval.length ||\n this.keywordsReject.length ||\n this.keywordsReplace.length\n }\n }\n}\n\nexport default MRFTransparencyPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./mrf_transparency_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./mrf_transparency_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./mrf_transparency_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3de10442\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mrf_transparency_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","import InstanceSpecificPanel from '../instance_specific_panel/instance_specific_panel.vue'\nimport FeaturesPanel from '../features_panel/features_panel.vue'\nimport TermsOfServicePanel from '../terms_of_service_panel/terms_of_service_panel.vue'\nimport StaffPanel from '../staff_panel/staff_panel.vue'\nimport MRFTransparencyPanel from '../mrf_transparency_panel/mrf_transparency_panel.vue'\n\nconst About = {\n components: {\n InstanceSpecificPanel,\n FeaturesPanel,\n TermsOfServicePanel,\n StaffPanel,\n MRFTransparencyPanel\n },\n computed: {\n showFeaturesPanel () { return this.$store.state.instance.showFeaturesPanel },\n showInstanceSpecificPanel () {\n return this.$store.state.instance.showInstanceSpecificPanel &&\n !this.$store.getters.mergedConfig.hideISP &&\n this.$store.state.instance.instanceSpecificPanelContent\n }\n }\n}\n\nexport default About\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.federationPolicy)?_c('div',{staticClass:\"mrf-transparency-panel\"},[_c('div',{staticClass:\"panel panel-default base01-background\"},[_c('div',{staticClass:\"panel-heading timeline-heading base02-background\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"about.mrf.federation\"))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('div',{staticClass:\"mrf-section\"},[_c('h2',[_vm._v(_vm._s(_vm.$t(\"about.mrf.mrf_policies\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.mrf_policies_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.mrfPolicies),function(policy){return _c('li',{key:policy,domProps:{\"textContent\":_vm._s(policy)}})}),0),_vm._v(\" \"),(_vm.hasInstanceSpecificPolicies)?_c('h2',[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"about.mrf.simple.simple_policies\"))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.acceptInstances.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.accept\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.accept_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.acceptInstances),function(instance){return _c('li',{key:instance,domProps:{\"textContent\":_vm._s(instance)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.rejectInstances.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.reject\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.reject_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.rejectInstances),function(instance){return _c('li',{key:instance,domProps:{\"textContent\":_vm._s(instance)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.quarantineInstances.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.quarantine\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.quarantine_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.quarantineInstances),function(instance){return _c('li',{key:instance,domProps:{\"textContent\":_vm._s(instance)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.ftlRemovalInstances.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.ftl_removal\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.ftl_removal_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.ftlRemovalInstances),function(instance){return _c('li',{key:instance,domProps:{\"textContent\":_vm._s(instance)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.mediaNsfwInstances.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.media_nsfw\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.media_nsfw_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.mediaNsfwInstances),function(instance){return _c('li',{key:instance,domProps:{\"textContent\":_vm._s(instance)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.mediaRemovalInstances.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.media_removal\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.media_removal_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.mediaRemovalInstances),function(instance){return _c('li',{key:instance,domProps:{\"textContent\":_vm._s(instance)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.hasKeywordPolicies)?_c('h2',[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"about.mrf.keyword.keyword_policies\"))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.keywordsFtlRemoval.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.keyword.ftl_removal\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.keywordsFtlRemoval),function(keyword){return _c('li',{key:keyword,domProps:{\"textContent\":_vm._s(keyword)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.keywordsReject.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.keyword.reject\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.keywordsReject),function(keyword){return _c('li',{key:keyword,domProps:{\"textContent\":_vm._s(keyword)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.keywordsReplace.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.keyword.replace\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.keywordsReplace),function(keyword){return _c('li',{key:keyword},[_vm._v(\"\\n \"+_vm._s(keyword.pattern)+\"\\n \"+_vm._s(_vm.$t(\"about.mrf.keyword.is_replaced_by\"))+\"\\n \"+_vm._s(keyword.replacement)+\"\\n \")])}),0)]):_vm._e()])])])]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./about.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./about.js\"\nimport __vue_script__ from \"!!babel-loader!./about.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-acd3d67e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./about.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"sidebar\"},[(_vm.showInstanceSpecificPanel)?_c('instance-specific-panel'):_vm._e(),_vm._v(\" \"),_c('staff-panel'),_vm._v(\" \"),_c('terms-of-service-panel'),_vm._v(\" \"),_c('MRFTransparencyPanel'),_vm._v(\" \"),(_vm.showFeaturesPanel)?_c('features-panel'):_vm._e()],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const RemoteUserResolver = {\n data: () => ({\n error: false\n }),\n mounted () {\n this.redirect()\n },\n methods: {\n redirect () {\n const acct = this.$route.params.username + '@' + this.$route.params.hostname\n this.$store.state.api.backendInteractor.fetchUser({ id: acct })\n .then((externalUser) => {\n if (externalUser.error) {\n this.error = true\n } else {\n this.$store.commit('addNewUsers', [externalUser])\n const id = externalUser.id\n this.$router.replace({\n name: 'external-user-profile',\n params: { id }\n })\n }\n })\n .catch(() => {\n this.error = true\n })\n }\n }\n}\n\nexport default RemoteUserResolver\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./remote_user_resolver.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./remote_user_resolver.js\"\nimport __vue_script__ from \"!!babel-loader!./remote_user_resolver.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-198402c4\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./remote_user_resolver.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('remote_user_resolver.remote_user_resolver'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('remote_user_resolver.searching_for'))+\" @\"+_vm._s(_vm.$route.params.username)+\"@\"+_vm._s(_vm.$route.params.hostname)+\"\\n \")]),_vm._v(\" \"),(_vm.error)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('remote_user_resolver.error'))+\"\\n \")]):_vm._e()])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import PublicTimeline from 'components/public_timeline/public_timeline.vue'\nimport PublicAndExternalTimeline from 'components/public_and_external_timeline/public_and_external_timeline.vue'\nimport FriendsTimeline from 'components/friends_timeline/friends_timeline.vue'\nimport TagTimeline from 'components/tag_timeline/tag_timeline.vue'\nimport BookmarkTimeline from 'components/bookmark_timeline/bookmark_timeline.vue'\nimport ConversationPage from 'components/conversation-page/conversation-page.vue'\nimport Interactions from 'components/interactions/interactions.vue'\nimport DMs from 'components/dm_timeline/dm_timeline.vue'\nimport ChatList from 'components/chat_list/chat_list.vue'\nimport Chat from 'components/chat/chat.vue'\nimport UserProfile from 'components/user_profile/user_profile.vue'\nimport Search from 'components/search/search.vue'\nimport Registration from 'components/registration/registration.vue'\nimport PasswordReset from 'components/password_reset/password_reset.vue'\nimport FollowRequests from 'components/follow_requests/follow_requests.vue'\nimport OAuthCallback from 'components/oauth_callback/oauth_callback.vue'\nimport Notifications from 'components/notifications/notifications.vue'\nimport AuthForm from 'components/auth_form/auth_form.js'\nimport ChatPanel from 'components/chat_panel/chat_panel.vue'\nimport WhoToFollow from 'components/who_to_follow/who_to_follow.vue'\nimport About from 'components/about/about.vue'\nimport RemoteUserResolver from 'components/remote_user_resolver/remote_user_resolver.vue'\n\nexport default (store) => {\n const validateAuthenticatedRoute = (to, from, next) => {\n if (store.state.users.currentUser) {\n next()\n } else {\n next(store.state.instance.redirectRootNoLogin || '/main/all')\n }\n }\n\n let routes = [\n { name: 'root',\n path: '/',\n redirect: _to => {\n return (store.state.users.currentUser\n ? store.state.instance.redirectRootLogin\n : store.state.instance.redirectRootNoLogin) || '/main/all'\n }\n },\n { name: 'public-external-timeline', path: '/main/all', component: PublicAndExternalTimeline },\n { name: 'public-timeline', path: '/main/public', component: PublicTimeline },\n { name: 'friends', path: '/main/friends', component: FriendsTimeline, beforeEnter: validateAuthenticatedRoute },\n { name: 'tag-timeline', path: '/tag/:tag', component: TagTimeline },\n { name: 'bookmarks', path: '/bookmarks', component: BookmarkTimeline },\n { name: 'conversation', path: '/notice/:id', component: ConversationPage, meta: { dontScroll: true } },\n { name: 'remote-user-profile-acct',\n path: '/remote-users/(@?):username([^/@]+)@:hostname([^/@]+)',\n component: RemoteUserResolver,\n beforeEnter: validateAuthenticatedRoute\n },\n { name: 'remote-user-profile',\n path: '/remote-users/:hostname/:username',\n component: RemoteUserResolver,\n beforeEnter: validateAuthenticatedRoute\n },\n { name: 'external-user-profile', path: '/users/:id', component: UserProfile },\n { name: 'interactions', path: '/users/:username/interactions', component: Interactions, beforeEnter: validateAuthenticatedRoute },\n { name: 'dms', path: '/users/:username/dms', component: DMs, beforeEnter: validateAuthenticatedRoute },\n { name: 'registration', path: '/registration', component: Registration },\n { name: 'password-reset', path: '/password-reset', component: PasswordReset, props: true },\n { name: 'registration-token', path: '/registration/:token', component: Registration },\n { name: 'friend-requests', path: '/friend-requests', component: FollowRequests, beforeEnter: validateAuthenticatedRoute },\n { name: 'notifications', path: '/:username/notifications', component: Notifications, beforeEnter: validateAuthenticatedRoute },\n { name: 'login', path: '/login', component: AuthForm },\n { name: 'chat-panel', path: '/chat-panel', component: ChatPanel, props: () => ({ floating: false }) },\n { name: 'oauth-callback', path: '/oauth-callback', component: OAuthCallback, props: (route) => ({ code: route.query.code }) },\n { name: 'search', path: '/search', component: Search, props: (route) => ({ query: route.query.query }) },\n { name: 'who-to-follow', path: '/who-to-follow', component: WhoToFollow, beforeEnter: validateAuthenticatedRoute },\n { name: 'about', path: '/about', component: About },\n { name: 'user-profile', path: '/(users/)?:name', component: UserProfile }\n ]\n\n if (store.state.instance.pleromaChatMessagesAvailable) {\n routes = routes.concat([\n { name: 'chat', path: '/users/:username/chats/:recipient_id', component: Chat, meta: { dontScroll: false }, beforeEnter: validateAuthenticatedRoute },\n { name: 'chats', path: '/users/:username/chats', component: ChatList, meta: { dontScroll: false }, beforeEnter: validateAuthenticatedRoute }\n ])\n }\n\n return routes\n}\n","import AuthForm from '../auth_form/auth_form.js'\nimport PostStatusForm from '../post_status_form/post_status_form.vue'\nimport UserCard from '../user_card/user_card.vue'\nimport { mapState } from 'vuex'\n\nconst UserPanel = {\n computed: {\n signedIn () { return this.user },\n ...mapState({ user: state => state.users.currentUser })\n },\n components: {\n AuthForm,\n PostStatusForm,\n UserCard\n }\n}\n\nexport default UserPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./user_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./user_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-d2d72c5e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"user-panel\"},[(_vm.signedIn)?_c('div',{key:\"user-panel\",staticClass:\"panel panel-default signed-in\"},[_c('UserCard',{attrs:{\"user-id\":_vm.user.id,\"hide-bio\":true,\"rounded\":\"top\"}}),_vm._v(\" \"),_c('PostStatusForm')],1):_c('auth-form',{key:\"user-panel\"})],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { timelineNames } from '../timeline_menu/timeline_menu.js'\nimport { mapState, mapGetters } from 'vuex'\n\nconst NavPanel = {\n created () {\n if (this.currentUser && this.currentUser.locked) {\n this.$store.dispatch('startFetchingFollowRequests')\n }\n },\n computed: {\n onTimelineRoute () {\n return !!timelineNames()[this.$route.name]\n },\n timelinesRoute () {\n if (this.$store.state.interface.lastTimeline) {\n return this.$store.state.interface.lastTimeline\n }\n return this.currentUser ? 'friends' : 'public-timeline'\n },\n ...mapState({\n currentUser: state => state.users.currentUser,\n followRequestCount: state => state.api.followRequests.length,\n privateMode: state => state.instance.private,\n federating: state => state.instance.federating,\n pleromaChatMessagesAvailable: state => state.instance.pleromaChatMessagesAvailable\n }),\n ...mapGetters(['unreadChatCount'])\n }\n}\n\nexport default NavPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./nav_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./nav_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./nav_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-d69fec2a\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./nav_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"nav-panel\"},[_c('div',{staticClass:\"panel panel-default\"},[_c('ul',[(_vm.currentUser || !_vm.privateMode)?_c('li',[_c('router-link',{class:_vm.onTimelineRoute && 'router-link-active',attrs:{\"to\":{ name: _vm.timelinesRoute }}},[_c('i',{staticClass:\"button-icon icon-home-2\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.timelines\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'interactions', params: { username: _vm.currentUser.screen_name } }}},[_c('i',{staticClass:\"button-icon icon-bell-alt\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.interactions\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser && _vm.pleromaChatMessagesAvailable)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'chats', params: { username: _vm.currentUser.screen_name } }}},[(_vm.unreadChatCount)?_c('div',{staticClass:\"badge badge-notification unread-chat-count\"},[_vm._v(\"\\n \"+_vm._s(_vm.unreadChatCount)+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('i',{staticClass:\"button-icon icon-chat\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.chats\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser && _vm.currentUser.locked)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'friend-requests' }}},[_c('i',{staticClass:\"button-icon icon-user-plus\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.friend_requests\"))+\"\\n \"),(_vm.followRequestCount > 0)?_c('span',{staticClass:\"badge follow-request-count\"},[_vm._v(\"\\n \"+_vm._s(_vm.followRequestCount)+\"\\n \")]):_vm._e()])],1):_vm._e(),_vm._v(\" \"),_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'about' }}},[_c('i',{staticClass:\"button-icon icon-info-circled\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.about\"))+\"\\n \")])],1)])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const SearchBar = {\n data: () => ({\n searchTerm: undefined,\n hidden: true,\n error: false,\n loading: false\n }),\n watch: {\n '$route': function (route) {\n if (route.name === 'search') {\n this.searchTerm = route.query.query\n }\n }\n },\n methods: {\n find (searchTerm) {\n this.$router.push({ name: 'search', query: { query: searchTerm } })\n this.$refs.searchInput.focus()\n },\n toggleHidden () {\n this.hidden = !this.hidden\n this.$emit('toggled', this.hidden)\n this.$nextTick(() => {\n if (!this.hidden) {\n this.$refs.searchInput.focus()\n }\n })\n }\n }\n}\n\nexport default SearchBar\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./search_bar.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./search_bar.js\"\nimport __vue_script__ from \"!!babel-loader!./search_bar.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-723d6cec\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./search_bar.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('div',{staticClass:\"search-bar-container\"},[(_vm.loading)?_c('i',{staticClass:\"icon-spin4 finder-icon animate-spin-slow\"}):_vm._e(),_vm._v(\" \"),(_vm.hidden)?_c('a',{attrs:{\"href\":\"#\",\"title\":_vm.$t('nav.search')}},[_c('i',{staticClass:\"button-icon icon-search\",on:{\"click\":function($event){$event.preventDefault();$event.stopPropagation();return _vm.toggleHidden($event)}}})]):[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.searchTerm),expression:\"searchTerm\"}],ref:\"searchInput\",staticClass:\"search-bar-input\",attrs:{\"id\":\"search-bar-input\",\"placeholder\":_vm.$t('nav.search'),\"type\":\"text\"},domProps:{\"value\":(_vm.searchTerm)},on:{\"keyup\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }return _vm.find(_vm.searchTerm)},\"input\":function($event){if($event.target.composing){ return; }_vm.searchTerm=$event.target.value}}}),_vm._v(\" \"),_c('button',{staticClass:\"btn search-button\",on:{\"click\":function($event){return _vm.find(_vm.searchTerm)}}},[_c('i',{staticClass:\"icon-search\"})]),_vm._v(\" \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":function($event){$event.preventDefault();$event.stopPropagation();return _vm.toggleHidden($event)}}})]],2)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import apiService from '../../services/api/api.service.js'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\nimport { shuffle } from 'lodash'\n\nfunction showWhoToFollow (panel, reply) {\n const shuffled = shuffle(reply)\n\n panel.usersToFollow.forEach((toFollow, index) => {\n let user = shuffled[index]\n let img = user.avatar || this.$store.state.instance.defaultAvatar\n let name = user.acct\n\n toFollow.img = img\n toFollow.name = name\n\n panel.$store.state.api.backendInteractor.fetchUser({ id: name })\n .then((externalUser) => {\n if (!externalUser.error) {\n panel.$store.commit('addNewUsers', [externalUser])\n toFollow.id = externalUser.id\n }\n })\n })\n}\n\nfunction getWhoToFollow (panel) {\n var credentials = panel.$store.state.users.currentUser.credentials\n if (credentials) {\n panel.usersToFollow.forEach(toFollow => {\n toFollow.name = 'Loading...'\n })\n apiService.suggestions({ credentials: credentials })\n .then((reply) => {\n showWhoToFollow(panel, reply)\n })\n }\n}\n\nconst WhoToFollowPanel = {\n data: () => ({\n usersToFollow: []\n }),\n computed: {\n user: function () {\n return this.$store.state.users.currentUser.screen_name\n },\n suggestionsEnabled () {\n return this.$store.state.instance.suggestionsEnabled\n }\n },\n methods: {\n userProfileLink (id, name) {\n return generateProfileLink(id, name, this.$store.state.instance.restrictedNicknames)\n }\n },\n watch: {\n user: function (user, oldUser) {\n if (this.suggestionsEnabled) {\n getWhoToFollow(this)\n }\n }\n },\n mounted:\n function () {\n this.usersToFollow = new Array(3).fill().map(x => (\n {\n img: this.$store.state.instance.defaultAvatar,\n name: '',\n id: 0\n }\n ))\n if (this.suggestionsEnabled) {\n getWhoToFollow(this)\n }\n }\n}\n\nexport default WhoToFollowPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./who_to_follow_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./who_to_follow_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./who_to_follow_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-b4d31272\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./who_to_follow_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"who-to-follow-panel\"},[_c('div',{staticClass:\"panel panel-default base01-background\"},[_c('div',{staticClass:\"panel-heading timeline-heading base02-background base04\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('who_to_follow.who_to_follow'))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"who-to-follow\"},[_vm._l((_vm.usersToFollow),function(user){return _c('p',{key:user.id,staticClass:\"who-to-follow-items\"},[_c('img',{attrs:{\"src\":user.img}}),_vm._v(\" \"),_c('router-link',{attrs:{\"to\":_vm.userProfileLink(user.id, user.name)}},[_vm._v(\"\\n \"+_vm._s(user.name)+\"\\n \")]),_c('br')],1)}),_vm._v(\" \"),_c('p',{staticClass:\"who-to-follow-more\"},[_c('router-link',{attrs:{\"to\":{ name: 'who-to-follow' }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('who_to_follow.more'))+\"\\n \")])],1)],2)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <div\n v-show=\"isOpen\"\n v-body-scroll-lock=\"isOpen && !noBackground\"\n class=\"modal-view\"\n :class=\"classes\"\n @click.self=\"$emit('backdropClicked')\"\n >\n <slot />\n </div>\n</template>\n\n<script>\nexport default {\n props: {\n isOpen: {\n type: Boolean,\n default: true\n },\n noBackground: {\n type: Boolean,\n default: false\n }\n },\n computed: {\n classes () {\n return {\n 'modal-background': !this.noBackground,\n 'open': this.isOpen\n }\n }\n }\n}\n</script>\n\n<style lang=\"scss\">\n.modal-view {\n z-index: 1000;\n position: fixed;\n top: 0;\n left: 0;\n right: 0;\n bottom: 0;\n display: flex;\n justify-content: center;\n align-items: center;\n overflow: auto;\n pointer-events: none;\n animation-duration: 0.2s;\n animation-name: modal-background-fadein;\n opacity: 0;\n\n > * {\n pointer-events: initial;\n }\n\n &.modal-background {\n pointer-events: initial;\n background-color: rgba(0, 0, 0, 0.5);\n }\n\n &.open {\n opacity: 1;\n }\n}\n\n@keyframes modal-background-fadein {\n from {\n background-color: rgba(0, 0, 0, 0);\n }\n to {\n background-color: rgba(0, 0, 0, 0.5);\n }\n}\n</style>\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./modal.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./modal.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./modal.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-d9413504\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./modal.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.isOpen),expression:\"isOpen\"},{name:\"body-scroll-lock\",rawName:\"v-body-scroll-lock\",value:(_vm.isOpen && !_vm.noBackground),expression:\"isOpen && !noBackground\"}],staticClass:\"modal-view\",class:_vm.classes,on:{\"click\":function($event){if($event.target !== $event.currentTarget){ return null; }return _vm.$emit('backdropClicked')}}},[_vm._t(\"default\")],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./panel_loading.vue\")\n}\n/* script */\nvar __vue_script__ = null\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-30e5dfc0\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./panel_loading.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./async_component_error.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./async_component_error.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./async_component_error.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-147f6d2c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./async_component_error.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","import Vue from 'vue'\n\n/* By default async components don't have any way to recover, if component is\n * failed, it is failed forever. This helper tries to remedy that by recreating\n * async component when retry is requested (by user). You need to emit the\n * `resetAsyncComponent` event from child to reset the component. Generally,\n * this should be done from error component but could be done from loading or\n * actual target component itself if needs to be.\n */\nfunction getResettableAsyncComponent (asyncComponent, options) {\n const asyncComponentFactory = () => () => ({\n component: asyncComponent(),\n ...options\n })\n\n const observe = Vue.observable({ c: asyncComponentFactory() })\n\n return {\n functional: true,\n render (createElement, { data, children }) {\n // emit event resetAsyncComponent to reloading\n data.on = {}\n data.on.resetAsyncComponent = () => {\n observe.c = asyncComponentFactory()\n // parent.$forceUpdate()\n }\n return createElement(observe.c, data, children)\n }\n }\n}\n\nexport default getResettableAsyncComponent\n","import Modal from 'src/components/modal/modal.vue'\nimport PanelLoading from 'src/components/panel_loading/panel_loading.vue'\nimport AsyncComponentError from 'src/components/async_component_error/async_component_error.vue'\nimport getResettableAsyncComponent from 'src/services/resettable_async_component.js'\n\nconst SettingsModal = {\n components: {\n Modal,\n SettingsModalContent: getResettableAsyncComponent(\n () => import('./settings_modal_content.vue'),\n {\n loading: PanelLoading,\n error: AsyncComponentError,\n delay: 0\n }\n )\n },\n methods: {\n closeModal () {\n this.$store.dispatch('closeSettingsModal')\n },\n peekModal () {\n this.$store.dispatch('togglePeekSettingsModal')\n }\n },\n computed: {\n currentSaveStateNotice () {\n return this.$store.state.interface.settings.currentSaveStateNotice\n },\n modalActivated () {\n return this.$store.state.interface.settingsModalState !== 'hidden'\n },\n modalOpenedOnce () {\n return this.$store.state.interface.settingsModalLoaded\n },\n modalPeeked () {\n return this.$store.state.interface.settingsModalState === 'minimized'\n }\n }\n}\n\nexport default SettingsModal\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"panel-loading\"},[_c('span',{staticClass:\"loading-text\"},[_c('i',{staticClass:\"icon-spin4 animate-spin\"}),_vm._v(\"\\n \"+_vm._s(_vm.$t('general.loading'))+\"\\n \")])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <div class=\"async-component-error\">\n <div>\n <h4>\n {{ $t('general.generic_error') }}\n </h4>\n <p>\n {{ $t('general.error_retry') }}\n </p>\n <button\n class=\"btn\"\n @click=\"retry\"\n >\n {{ $t('general.retry') }}\n </button>\n </div>\n </div>\n</template>\n\n<script>\nexport default {\n methods: {\n retry () {\n this.$emit('resetAsyncComponent')\n }\n }\n}\n</script>\n\n<style lang=\"scss\">\n.async-component-error {\n display: flex;\n height: 100%;\n align-items: center;\n justify-content: center;\n .btn {\n margin: .5em;\n padding: .5em 2em;\n }\n}\n</style>\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"async-component-error\"},[_c('div',[_c('h4',[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.generic_error'))+\"\\n \")]),_vm._v(\" \"),_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.error_retry'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.retry}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.retry'))+\"\\n \")])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./settings_modal.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./settings_modal.js\"\nimport __vue_script__ from \"!!babel-loader!./settings_modal.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-720c870a\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./settings_modal.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Modal',{staticClass:\"settings-modal\",class:{ peek: _vm.modalPeeked },attrs:{\"is-open\":_vm.modalActivated,\"no-background\":_vm.modalPeeked}},[_c('div',{staticClass:\"settings-modal-panel panel\"},[_c('div',{staticClass:\"panel-heading\"},[_c('span',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.settings'))+\"\\n \")]),_vm._v(\" \"),_c('transition',{attrs:{\"name\":\"fade\"}},[(_vm.currentSaveStateNotice)?[(_vm.currentSaveStateNotice.error)?_c('div',{staticClass:\"alert error\",on:{\"click\":function($event){$event.preventDefault();}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.saving_err'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(!_vm.currentSaveStateNotice.error)?_c('div',{staticClass:\"alert transparent\",on:{\"click\":function($event){$event.preventDefault();}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.saving_ok'))+\"\\n \")]):_vm._e()]:_vm._e()],2),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.peekModal}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.peek'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.closeModal}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.close'))+\"\\n \")])],1),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[(_vm.modalOpenedOnce)?_c('SettingsModalContent'):_vm._e()],1)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","\nconst DIRECTION_LEFT = [-1, 0]\nconst DIRECTION_RIGHT = [1, 0]\nconst DIRECTION_UP = [0, -1]\nconst DIRECTION_DOWN = [0, 1]\n\nconst deltaCoord = (oldCoord, newCoord) => [newCoord[0] - oldCoord[0], newCoord[1] - oldCoord[1]]\n\nconst touchEventCoord = e => ([e.touches[0].screenX, e.touches[0].screenY])\n\nconst vectorLength = v => Math.sqrt(v[0] * v[0] + v[1] * v[1])\n\nconst perpendicular = v => [v[1], -v[0]]\n\nconst dotProduct = (v1, v2) => v1[0] * v2[0] + v1[1] * v2[1]\n\nconst project = (v1, v2) => {\n const scalar = (dotProduct(v1, v2) / dotProduct(v2, v2))\n return [scalar * v2[0], scalar * v2[1]]\n}\n\n// direction: either use the constants above or an arbitrary 2d vector.\n// threshold: how many Px to move from touch origin before checking if the\n// callback should be called.\n// divergentTolerance: a scalar for much of divergent direction we tolerate when\n// above threshold. for example, with 1.0 we only call the callback if\n// divergent component of delta is < 1.0 * direction component of delta.\nconst swipeGesture = (direction, onSwipe, threshold = 30, perpendicularTolerance = 1.0) => {\n return {\n direction,\n onSwipe,\n threshold,\n perpendicularTolerance,\n _startPos: [0, 0],\n _swiping: false\n }\n}\n\nconst beginSwipe = (event, gesture) => {\n gesture._startPos = touchEventCoord(event)\n gesture._swiping = true\n}\n\nconst updateSwipe = (event, gesture) => {\n if (!gesture._swiping) return\n // movement too small\n const delta = deltaCoord(gesture._startPos, touchEventCoord(event))\n if (vectorLength(delta) < gesture.threshold) return\n // movement is opposite from direction\n if (dotProduct(delta, gesture.direction) < 0) return\n // movement perpendicular to direction is too much\n const towardsDir = project(delta, gesture.direction)\n const perpendicularDir = perpendicular(gesture.direction)\n const towardsPerpendicular = project(delta, perpendicularDir)\n if (\n vectorLength(towardsDir) * gesture.perpendicularTolerance <\n vectorLength(towardsPerpendicular)\n ) return\n\n gesture.onSwipe()\n gesture._swiping = false\n}\n\nconst GestureService = {\n DIRECTION_LEFT,\n DIRECTION_RIGHT,\n DIRECTION_UP,\n DIRECTION_DOWN,\n swipeGesture,\n beginSwipe,\n updateSwipe\n}\n\nexport default GestureService\n","import StillImage from '../still-image/still-image.vue'\nimport VideoAttachment from '../video_attachment/video_attachment.vue'\nimport Modal from '../modal/modal.vue'\nimport fileTypeService from '../../services/file_type/file_type.service.js'\nimport GestureService from '../../services/gesture_service/gesture_service'\n\nconst MediaModal = {\n components: {\n StillImage,\n VideoAttachment,\n Modal\n },\n computed: {\n showing () {\n return this.$store.state.mediaViewer.activated\n },\n media () {\n return this.$store.state.mediaViewer.media\n },\n currentIndex () {\n return this.$store.state.mediaViewer.currentIndex\n },\n currentMedia () {\n return this.media[this.currentIndex]\n },\n canNavigate () {\n return this.media.length > 1\n },\n type () {\n return this.currentMedia ? fileTypeService.fileType(this.currentMedia.mimetype) : null\n }\n },\n created () {\n this.mediaSwipeGestureRight = GestureService.swipeGesture(\n GestureService.DIRECTION_RIGHT,\n this.goPrev,\n 50\n )\n this.mediaSwipeGestureLeft = GestureService.swipeGesture(\n GestureService.DIRECTION_LEFT,\n this.goNext,\n 50\n )\n },\n methods: {\n mediaTouchStart (e) {\n GestureService.beginSwipe(e, this.mediaSwipeGestureRight)\n GestureService.beginSwipe(e, this.mediaSwipeGestureLeft)\n },\n mediaTouchMove (e) {\n GestureService.updateSwipe(e, this.mediaSwipeGestureRight)\n GestureService.updateSwipe(e, this.mediaSwipeGestureLeft)\n },\n hide () {\n this.$store.dispatch('closeMediaViewer')\n },\n goPrev () {\n if (this.canNavigate) {\n const prevIndex = this.currentIndex === 0 ? this.media.length - 1 : (this.currentIndex - 1)\n this.$store.dispatch('setCurrent', this.media[prevIndex])\n }\n },\n goNext () {\n if (this.canNavigate) {\n const nextIndex = this.currentIndex === this.media.length - 1 ? 0 : (this.currentIndex + 1)\n this.$store.dispatch('setCurrent', this.media[nextIndex])\n }\n },\n handleKeyupEvent (e) {\n if (this.showing && e.keyCode === 27) { // escape\n this.hide()\n }\n },\n handleKeydownEvent (e) {\n if (!this.showing) {\n return\n }\n\n if (e.keyCode === 39) { // arrow right\n this.goNext()\n } else if (e.keyCode === 37) { // arrow left\n this.goPrev()\n }\n }\n },\n mounted () {\n window.addEventListener('popstate', this.hide)\n document.addEventListener('keyup', this.handleKeyupEvent)\n document.addEventListener('keydown', this.handleKeydownEvent)\n },\n destroyed () {\n window.removeEventListener('popstate', this.hide)\n document.removeEventListener('keyup', this.handleKeyupEvent)\n document.removeEventListener('keydown', this.handleKeydownEvent)\n }\n}\n\nexport default MediaModal\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./media_modal.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./media_modal.js\"\nimport __vue_script__ from \"!!babel-loader!./media_modal.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3fecfdc9\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./media_modal.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.showing)?_c('Modal',{staticClass:\"media-modal-view\",on:{\"backdropClicked\":_vm.hide}},[(_vm.type === 'image')?_c('img',{staticClass:\"modal-image\",attrs:{\"src\":_vm.currentMedia.url,\"alt\":_vm.currentMedia.description,\"title\":_vm.currentMedia.description},on:{\"touchstart\":function($event){$event.stopPropagation();return _vm.mediaTouchStart($event)},\"touchmove\":function($event){$event.stopPropagation();return _vm.mediaTouchMove($event)},\"click\":_vm.hide}}):_vm._e(),_vm._v(\" \"),(_vm.type === 'video')?_c('VideoAttachment',{staticClass:\"modal-image\",attrs:{\"attachment\":_vm.currentMedia,\"controls\":true}}):_vm._e(),_vm._v(\" \"),(_vm.type === 'audio')?_c('audio',{staticClass:\"modal-image\",attrs:{\"src\":_vm.currentMedia.url,\"alt\":_vm.currentMedia.description,\"title\":_vm.currentMedia.description,\"controls\":\"\"}}):_vm._e(),_vm._v(\" \"),(_vm.canNavigate)?_c('button',{staticClass:\"modal-view-button-arrow modal-view-button-arrow--prev\",attrs:{\"title\":_vm.$t('media_modal.previous')},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.goPrev($event)}}},[_c('i',{staticClass:\"icon-left-open arrow-icon\"})]):_vm._e(),_vm._v(\" \"),(_vm.canNavigate)?_c('button',{staticClass:\"modal-view-button-arrow modal-view-button-arrow--next\",attrs:{\"title\":_vm.$t('media_modal.next')},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.goNext($event)}}},[_c('i',{staticClass:\"icon-right-open arrow-icon\"})]):_vm._e()],1):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState, mapGetters } from 'vuex'\nimport UserCard from '../user_card/user_card.vue'\nimport { unseenNotificationsFromStore } from '../../services/notification_utils/notification_utils'\nimport GestureService from '../../services/gesture_service/gesture_service'\n\nconst SideDrawer = {\n props: [ 'logout' ],\n data: () => ({\n closed: true,\n closeGesture: undefined\n }),\n created () {\n this.closeGesture = GestureService.swipeGesture(GestureService.DIRECTION_LEFT, this.toggleDrawer)\n\n if (this.currentUser && this.currentUser.locked) {\n this.$store.dispatch('startFetchingFollowRequests')\n }\n },\n components: { UserCard },\n computed: {\n currentUser () {\n return this.$store.state.users.currentUser\n },\n chat () { return this.$store.state.chat.channel.state === 'joined' },\n unseenNotifications () {\n return unseenNotificationsFromStore(this.$store)\n },\n unseenNotificationsCount () {\n return this.unseenNotifications.length\n },\n suggestionsEnabled () {\n return this.$store.state.instance.suggestionsEnabled\n },\n logo () {\n return this.$store.state.instance.logo\n },\n hideSitename () {\n return this.$store.state.instance.hideSitename\n },\n sitename () {\n return this.$store.state.instance.name\n },\n followRequestCount () {\n return this.$store.state.api.followRequests.length\n },\n privateMode () {\n return this.$store.state.instance.private\n },\n federating () {\n return this.$store.state.instance.federating\n },\n timelinesRoute () {\n if (this.$store.state.interface.lastTimeline) {\n return this.$store.state.interface.lastTimeline\n }\n return this.currentUser ? 'friends' : 'public-timeline'\n },\n ...mapState({\n pleromaChatMessagesAvailable: state => state.instance.pleromaChatMessagesAvailable\n }),\n ...mapGetters(['unreadChatCount'])\n },\n methods: {\n toggleDrawer () {\n this.closed = !this.closed\n },\n doLogout () {\n this.logout()\n this.toggleDrawer()\n },\n touchStart (e) {\n GestureService.beginSwipe(e, this.closeGesture)\n },\n touchMove (e) {\n GestureService.updateSwipe(e, this.closeGesture)\n },\n openSettingsModal () {\n this.$store.dispatch('openSettingsModal')\n }\n }\n}\n\nexport default SideDrawer\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./side_drawer.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./side_drawer.js\"\nimport __vue_script__ from \"!!babel-loader!./side_drawer.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4e6471b0\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./side_drawer.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"side-drawer-container\",class:{ 'side-drawer-container-closed': _vm.closed, 'side-drawer-container-open': !_vm.closed }},[_c('div',{staticClass:\"side-drawer-darken\",class:{ 'side-drawer-darken-closed': _vm.closed}}),_vm._v(\" \"),_c('div',{staticClass:\"side-drawer\",class:{'side-drawer-closed': _vm.closed},on:{\"touchstart\":_vm.touchStart,\"touchmove\":_vm.touchMove}},[_c('div',{staticClass:\"side-drawer-heading\",on:{\"click\":_vm.toggleDrawer}},[(_vm.currentUser)?_c('UserCard',{attrs:{\"user-id\":_vm.currentUser.id,\"hide-bio\":true}}):_c('div',{staticClass:\"side-drawer-logo-wrapper\"},[_c('img',{attrs:{\"src\":_vm.logo}}),_vm._v(\" \"),(!_vm.hideSitename)?_c('span',[_vm._v(_vm._s(_vm.sitename))]):_vm._e()])],1),_vm._v(\" \"),_c('ul',[(!_vm.currentUser)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: 'login' }}},[_c('i',{staticClass:\"button-icon icon-login\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"login.login\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser || !_vm.privateMode)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: _vm.timelinesRoute }}},[_c('i',{staticClass:\"button-icon icon-home-2\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.timelines\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser && _vm.pleromaChatMessagesAvailable)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{staticStyle:{\"position\":\"relative\"},attrs:{\"to\":{ name: 'chats', params: { username: _vm.currentUser.screen_name } }}},[_c('i',{staticClass:\"button-icon icon-chat\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.chats\"))+\"\\n \"),(_vm.unreadChatCount)?_c('span',{staticClass:\"badge badge-notification unread-chat-count\"},[_vm._v(\"\\n \"+_vm._s(_vm.unreadChatCount)+\"\\n \")]):_vm._e()])],1):_vm._e()]),_vm._v(\" \"),(_vm.currentUser)?_c('ul',[_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: 'interactions', params: { username: _vm.currentUser.screen_name } }}},[_c('i',{staticClass:\"button-icon icon-bell-alt\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.interactions\"))+\"\\n \")])],1),_vm._v(\" \"),(_vm.currentUser.locked)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":\"/friend-requests\"}},[_c('i',{staticClass:\"button-icon icon-user-plus\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.friend_requests\"))+\"\\n \"),(_vm.followRequestCount > 0)?_c('span',{staticClass:\"badge follow-request-count\"},[_vm._v(\"\\n \"+_vm._s(_vm.followRequestCount)+\"\\n \")]):_vm._e()])],1):_vm._e(),_vm._v(\" \"),(_vm.chat)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: 'chat' }}},[_c('i',{staticClass:\"button-icon icon-chat\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.chat\"))+\"\\n \")])],1):_vm._e()]):_vm._e(),_vm._v(\" \"),_c('ul',[(_vm.currentUser || !_vm.privateMode)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: 'search' }}},[_c('i',{staticClass:\"button-icon icon-search\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.search\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser && _vm.suggestionsEnabled)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: 'who-to-follow' }}},[_c('i',{staticClass:\"button-icon icon-user-plus\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.who_to_follow\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":_vm.openSettingsModal}},[_c('i',{staticClass:\"button-icon icon-cog\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"settings.settings\"))+\"\\n \")])]),_vm._v(\" \"),_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: 'about'}}},[_c('i',{staticClass:\"button-icon icon-info-circled\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.about\"))+\"\\n \")])],1),_vm._v(\" \"),(_vm.currentUser && _vm.currentUser.role === 'admin')?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('a',{attrs:{\"href\":\"/pleroma/admin/#/login-pleroma\",\"target\":\"_blank\"}},[_c('i',{staticClass:\"button-icon icon-gauge\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.administration\"))+\"\\n \")])]):_vm._e(),_vm._v(\" \"),(_vm.currentUser)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":_vm.doLogout}},[_c('i',{staticClass:\"button-icon icon-logout\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"login.logout\"))+\"\\n \")])]):_vm._e()])]),_vm._v(\" \"),_c('div',{staticClass:\"side-drawer-click-outside\",class:{'side-drawer-click-outside-closed': _vm.closed},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.toggleDrawer($event)}}})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { debounce } from 'lodash'\n\nconst HIDDEN_FOR_PAGES = new Set([\n 'chats',\n 'chat'\n])\n\nconst MobilePostStatusButton = {\n data () {\n return {\n hidden: false,\n scrollingDown: false,\n inputActive: false,\n oldScrollPos: 0,\n amountScrolled: 0\n }\n },\n created () {\n if (this.autohideFloatingPostButton) {\n this.activateFloatingPostButtonAutohide()\n }\n window.addEventListener('resize', this.handleOSK)\n },\n destroyed () {\n if (this.autohideFloatingPostButton) {\n this.deactivateFloatingPostButtonAutohide()\n }\n window.removeEventListener('resize', this.handleOSK)\n },\n computed: {\n isLoggedIn () {\n return !!this.$store.state.users.currentUser\n },\n isHidden () {\n if (HIDDEN_FOR_PAGES.has(this.$route.name)) { return true }\n\n return this.autohideFloatingPostButton && (this.hidden || this.inputActive)\n },\n autohideFloatingPostButton () {\n return !!this.$store.getters.mergedConfig.autohideFloatingPostButton\n }\n },\n watch: {\n autohideFloatingPostButton: function (isEnabled) {\n if (isEnabled) {\n this.activateFloatingPostButtonAutohide()\n } else {\n this.deactivateFloatingPostButtonAutohide()\n }\n }\n },\n methods: {\n activateFloatingPostButtonAutohide () {\n window.addEventListener('scroll', this.handleScrollStart)\n window.addEventListener('scroll', this.handleScrollEnd)\n },\n deactivateFloatingPostButtonAutohide () {\n window.removeEventListener('scroll', this.handleScrollStart)\n window.removeEventListener('scroll', this.handleScrollEnd)\n },\n openPostForm () {\n this.$store.dispatch('openPostStatusModal')\n },\n handleOSK () {\n // This is a big hack: we're guessing from changed window sizes if the\n // on-screen keyboard is active or not. This is only really important\n // for phones in portrait mode and it's more important to show the button\n // in normal scenarios on all phones, than it is to hide it when the\n // keyboard is active.\n // Guesswork based on https://www.mydevice.io/#compare-devices\n\n // for example, iphone 4 and android phones from the same time period\n const smallPhone = window.innerWidth < 350\n const smallPhoneKbOpen = smallPhone && window.innerHeight < 345\n\n const biggerPhone = !smallPhone && window.innerWidth < 450\n const biggerPhoneKbOpen = biggerPhone && window.innerHeight < 560\n if (smallPhoneKbOpen || biggerPhoneKbOpen) {\n this.inputActive = true\n } else {\n this.inputActive = false\n }\n },\n handleScrollStart: debounce(function () {\n if (window.scrollY > this.oldScrollPos) {\n this.hidden = true\n } else {\n this.hidden = false\n }\n this.oldScrollPos = window.scrollY\n }, 100, { leading: true, trailing: false }),\n\n handleScrollEnd: debounce(function () {\n this.hidden = false\n this.oldScrollPos = window.scrollY\n }, 100, { leading: false, trailing: true })\n }\n}\n\nexport default MobilePostStatusButton\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./mobile_post_status_button.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./mobile_post_status_button.js\"\nimport __vue_script__ from \"!!babel-loader!./mobile_post_status_button.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-336b066e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mobile_post_status_button.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.isLoggedIn)?_c('div',[_c('button',{staticClass:\"new-status-button\",class:{ 'hidden': _vm.isHidden },on:{\"click\":_vm.openPostForm}},[_c('i',{staticClass:\"icon-edit\"})])]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import SideDrawer from '../side_drawer/side_drawer.vue'\nimport Notifications from '../notifications/notifications.vue'\nimport { unseenNotificationsFromStore } from '../../services/notification_utils/notification_utils'\nimport GestureService from '../../services/gesture_service/gesture_service'\nimport { mapGetters } from 'vuex'\n\nconst MobileNav = {\n components: {\n SideDrawer,\n Notifications\n },\n data: () => ({\n notificationsCloseGesture: undefined,\n notificationsOpen: false\n }),\n created () {\n this.notificationsCloseGesture = GestureService.swipeGesture(\n GestureService.DIRECTION_RIGHT,\n this.closeMobileNotifications,\n 50\n )\n },\n computed: {\n currentUser () {\n return this.$store.state.users.currentUser\n },\n unseenNotifications () {\n return unseenNotificationsFromStore(this.$store)\n },\n unseenNotificationsCount () {\n return this.unseenNotifications.length\n },\n hideSitename () { return this.$store.state.instance.hideSitename },\n sitename () { return this.$store.state.instance.name },\n isChat () {\n return this.$route.name === 'chat'\n },\n ...mapGetters(['unreadChatCount'])\n },\n methods: {\n toggleMobileSidebar () {\n this.$refs.sideDrawer.toggleDrawer()\n },\n openMobileNotifications () {\n this.notificationsOpen = true\n },\n closeMobileNotifications () {\n if (this.notificationsOpen) {\n // make sure to mark notifs seen only when the notifs were open and not\n // from close-calls.\n this.notificationsOpen = false\n this.markNotificationsAsSeen()\n }\n },\n notificationsTouchStart (e) {\n GestureService.beginSwipe(e, this.notificationsCloseGesture)\n },\n notificationsTouchMove (e) {\n GestureService.updateSwipe(e, this.notificationsCloseGesture)\n },\n scrollToTop () {\n window.scrollTo(0, 0)\n },\n logout () {\n this.$router.replace('/main/public')\n this.$store.dispatch('logout')\n },\n markNotificationsAsSeen () {\n this.$refs.notifications.markAsSeen()\n },\n onScroll ({ target: { scrollTop, clientHeight, scrollHeight } }) {\n if (scrollTop + clientHeight >= scrollHeight) {\n this.$refs.notifications.fetchOlderNotifications()\n }\n }\n },\n watch: {\n $route () {\n // handles closing notificaitons when you press any router-link on the\n // notifications.\n this.closeMobileNotifications()\n }\n }\n}\n\nexport default MobileNav\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./mobile_nav.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./mobile_nav.js\"\nimport __vue_script__ from \"!!babel-loader!./mobile_nav.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-42774b36\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mobile_nav.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('nav',{staticClass:\"nav-bar container\",class:{ 'mobile-hidden': _vm.isChat },attrs:{\"id\":\"nav\"}},[_c('div',{staticClass:\"mobile-inner-nav\",on:{\"click\":function($event){return _vm.scrollToTop()}}},[_c('div',{staticClass:\"item\"},[_c('a',{staticClass:\"mobile-nav-button\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.toggleMobileSidebar()}}},[_c('i',{staticClass:\"button-icon icon-menu\"}),_vm._v(\" \"),(_vm.unreadChatCount)?_c('div',{staticClass:\"alert-dot\"}):_vm._e()]),_vm._v(\" \"),(!_vm.hideSitename)?_c('router-link',{staticClass:\"site-name\",attrs:{\"to\":{ name: 'root' },\"active-class\":\"home\"}},[_vm._v(\"\\n \"+_vm._s(_vm.sitename)+\"\\n \")]):_vm._e()],1),_vm._v(\" \"),_c('div',{staticClass:\"item right\"},[(_vm.currentUser)?_c('a',{staticClass:\"mobile-nav-button\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.openMobileNotifications()}}},[_c('i',{staticClass:\"button-icon icon-bell-alt\"}),_vm._v(\" \"),(_vm.unseenNotificationsCount)?_c('div',{staticClass:\"alert-dot\"}):_vm._e()]):_vm._e()])])]),_vm._v(\" \"),(_vm.currentUser)?_c('div',{staticClass:\"mobile-notifications-drawer\",class:{ 'closed': !_vm.notificationsOpen },on:{\"touchstart\":function($event){$event.stopPropagation();return _vm.notificationsTouchStart($event)},\"touchmove\":function($event){$event.stopPropagation();return _vm.notificationsTouchMove($event)}}},[_c('div',{staticClass:\"mobile-notifications-header\"},[_c('span',{staticClass:\"title\"},[_vm._v(_vm._s(_vm.$t('notifications.notifications')))]),_vm._v(\" \"),_c('a',{staticClass:\"mobile-nav-button\",on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.closeMobileNotifications()}}},[_c('i',{staticClass:\"button-icon icon-cancel\"})])]),_vm._v(\" \"),_c('div',{staticClass:\"mobile-notifications\",on:{\"scroll\":_vm.onScroll}},[_c('Notifications',{ref:\"notifications\",attrs:{\"no-heading\":true}})],1)]):_vm._e(),_vm._v(\" \"),_c('SideDrawer',{ref:\"sideDrawer\",attrs:{\"logout\":_vm.logout}})],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","\nimport Status from '../status/status.vue'\nimport List from '../list/list.vue'\nimport Checkbox from '../checkbox/checkbox.vue'\nimport Modal from '../modal/modal.vue'\n\nconst UserReportingModal = {\n components: {\n Status,\n List,\n Checkbox,\n Modal\n },\n data () {\n return {\n comment: '',\n forward: false,\n statusIdsToReport: [],\n processing: false,\n error: false\n }\n },\n computed: {\n isLoggedIn () {\n return !!this.$store.state.users.currentUser\n },\n isOpen () {\n return this.isLoggedIn && this.$store.state.reports.modalActivated\n },\n userId () {\n return this.$store.state.reports.userId\n },\n user () {\n return this.$store.getters.findUser(this.userId)\n },\n remoteInstance () {\n return !this.user.is_local && this.user.screen_name.substr(this.user.screen_name.indexOf('@') + 1)\n },\n statuses () {\n return this.$store.state.reports.statuses\n }\n },\n watch: {\n userId: 'resetState'\n },\n methods: {\n resetState () {\n // Reset state\n this.comment = ''\n this.forward = false\n this.statusIdsToReport = []\n this.processing = false\n this.error = false\n },\n closeModal () {\n this.$store.dispatch('closeUserReportingModal')\n },\n reportUser () {\n this.processing = true\n this.error = false\n const params = {\n userId: this.userId,\n comment: this.comment,\n forward: this.forward,\n statusIds: this.statusIdsToReport\n }\n this.$store.state.api.backendInteractor.reportUser({ ...params })\n .then(() => {\n this.processing = false\n this.resetState()\n this.closeModal()\n })\n .catch(() => {\n this.processing = false\n this.error = true\n })\n },\n clearError () {\n this.error = false\n },\n isChecked (statusId) {\n return this.statusIdsToReport.indexOf(statusId) !== -1\n },\n toggleStatus (checked, statusId) {\n if (checked === this.isChecked(statusId)) {\n return\n }\n\n if (checked) {\n this.statusIdsToReport.push(statusId)\n } else {\n this.statusIdsToReport.splice(this.statusIdsToReport.indexOf(statusId), 1)\n }\n },\n resize (e) {\n const target = e.target || e\n if (!(target instanceof window.Element)) { return }\n // Auto is needed to make textbox shrink when removing lines\n target.style.height = 'auto'\n target.style.height = `${target.scrollHeight}px`\n if (target.value === '') {\n target.style.height = null\n }\n }\n }\n}\n\nexport default UserReportingModal\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_reporting_modal.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./user_reporting_modal.js\"\nimport __vue_script__ from \"!!babel-loader!./user_reporting_modal.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-00714aeb\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_reporting_modal.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.isOpen)?_c('Modal',{on:{\"backdropClicked\":_vm.closeModal}},[_c('div',{staticClass:\"user-reporting-panel panel\"},[_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_reporting.title', [_vm.user.screen_name]))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('div',{staticClass:\"user-reporting-panel-left\"},[_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('user_reporting.add_comment_description')))]),_vm._v(\" \"),_c('textarea',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.comment),expression:\"comment\"}],staticClass:\"form-control\",attrs:{\"placeholder\":_vm.$t('user_reporting.additional_comments'),\"rows\":\"1\"},domProps:{\"value\":(_vm.comment)},on:{\"input\":[function($event){if($event.target.composing){ return; }_vm.comment=$event.target.value},_vm.resize]}})]),_vm._v(\" \"),(!_vm.user.is_local)?_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('user_reporting.forward_description')))]),_vm._v(\" \"),_c('Checkbox',{model:{value:(_vm.forward),callback:function ($$v) {_vm.forward=$$v},expression:\"forward\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_reporting.forward_to', [_vm.remoteInstance]))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),_c('div',[_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.processing},on:{\"click\":_vm.reportUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_reporting.submit'))+\"\\n \")]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_reporting.generic_error'))+\"\\n \")]):_vm._e()])]),_vm._v(\" \"),_c('div',{staticClass:\"user-reporting-panel-right\"},[_c('List',{attrs:{\"items\":_vm.statuses},scopedSlots:_vm._u([{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('div',{staticClass:\"status-fadein user-reporting-panel-sitem\"},[_c('Status',{attrs:{\"in-conversation\":false,\"focused\":false,\"statusoid\":item}}),_vm._v(\" \"),_c('Checkbox',{attrs:{\"checked\":_vm.isChecked(item.id)},on:{\"change\":function (checked) { return _vm.toggleStatus(checked, item.id); }}})],1)]}}],null,false,2514683306)})],1)])])]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import PostStatusForm from '../post_status_form/post_status_form.vue'\nimport Modal from '../modal/modal.vue'\nimport get from 'lodash/get'\n\nconst PostStatusModal = {\n components: {\n PostStatusForm,\n Modal\n },\n data () {\n return {\n resettingForm: false\n }\n },\n computed: {\n isLoggedIn () {\n return !!this.$store.state.users.currentUser\n },\n modalActivated () {\n return this.$store.state.postStatus.modalActivated\n },\n isFormVisible () {\n return this.isLoggedIn && !this.resettingForm && this.modalActivated\n },\n params () {\n return this.$store.state.postStatus.params || {}\n }\n },\n watch: {\n params (newVal, oldVal) {\n if (get(newVal, 'repliedUser.id') !== get(oldVal, 'repliedUser.id')) {\n this.resettingForm = true\n this.$nextTick(() => {\n this.resettingForm = false\n })\n }\n },\n isFormVisible (val) {\n if (val) {\n this.$nextTick(() => this.$el && this.$el.querySelector('textarea').focus())\n }\n }\n },\n methods: {\n closeModal () {\n this.$store.dispatch('closePostStatusModal')\n }\n }\n}\n\nexport default PostStatusModal\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./post_status_modal.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./post_status_modal.js\"\nimport __vue_script__ from \"!!babel-loader!./post_status_modal.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-b6b8d3a2\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./post_status_modal.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.isLoggedIn && !_vm.resettingForm)?_c('Modal',{staticClass:\"post-form-modal-view\",attrs:{\"is-open\":_vm.modalActivated},on:{\"backdropClicked\":_vm.closeModal}},[_c('div',{staticClass:\"post-form-modal-panel panel\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('post_status.new_status'))+\"\\n \")]),_vm._v(\" \"),_c('PostStatusForm',_vm._b({staticClass:\"panel-body\",on:{\"posted\":_vm.closeModal}},'PostStatusForm',_vm.params,false))],1)]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","\nconst GlobalNoticeList = {\n computed: {\n notices () {\n return this.$store.state.interface.globalNotices\n }\n },\n methods: {\n closeNotice (notice) {\n this.$store.dispatch('removeGlobalNotice', notice)\n }\n }\n}\n\nexport default GlobalNoticeList\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./global_notice_list.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./global_notice_list.js\"\nimport __vue_script__ from \"!!babel-loader!./global_notice_list.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3e1bec88\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./global_notice_list.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"global-notice-list\"},_vm._l((_vm.notices),function(notice,index){\nvar _obj;\nreturn _c('div',{key:index,staticClass:\"alert global-notice\",class:( _obj = {}, _obj['global-' + notice.level] = true, _obj )},[_c('div',{staticClass:\"notice-message\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t(notice.messageKey, notice.messageArgs))+\"\\n \")]),_vm._v(\" \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":function($event){return _vm.closeNotice(notice)}}})])}),0)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","\nexport const windowWidth = () =>\n window.innerWidth ||\n document.documentElement.clientWidth ||\n document.body.clientWidth\n\nexport const windowHeight = () =>\n window.innerHeight ||\n document.documentElement.clientHeight ||\n document.body.clientHeight\n","import UserPanel from './components/user_panel/user_panel.vue'\nimport NavPanel from './components/nav_panel/nav_panel.vue'\nimport Notifications from './components/notifications/notifications.vue'\nimport SearchBar from './components/search_bar/search_bar.vue'\nimport InstanceSpecificPanel from './components/instance_specific_panel/instance_specific_panel.vue'\nimport FeaturesPanel from './components/features_panel/features_panel.vue'\nimport WhoToFollowPanel from './components/who_to_follow_panel/who_to_follow_panel.vue'\nimport ChatPanel from './components/chat_panel/chat_panel.vue'\nimport SettingsModal from './components/settings_modal/settings_modal.vue'\nimport MediaModal from './components/media_modal/media_modal.vue'\nimport SideDrawer from './components/side_drawer/side_drawer.vue'\nimport MobilePostStatusButton from './components/mobile_post_status_button/mobile_post_status_button.vue'\nimport MobileNav from './components/mobile_nav/mobile_nav.vue'\nimport UserReportingModal from './components/user_reporting_modal/user_reporting_modal.vue'\nimport PostStatusModal from './components/post_status_modal/post_status_modal.vue'\nimport GlobalNoticeList from './components/global_notice_list/global_notice_list.vue'\nimport { windowWidth, windowHeight } from './services/window_utils/window_utils'\n\nexport default {\n name: 'app',\n components: {\n UserPanel,\n NavPanel,\n Notifications,\n SearchBar,\n InstanceSpecificPanel,\n FeaturesPanel,\n WhoToFollowPanel,\n ChatPanel,\n MediaModal,\n SideDrawer,\n MobilePostStatusButton,\n MobileNav,\n SettingsModal,\n UserReportingModal,\n PostStatusModal,\n GlobalNoticeList\n },\n data: () => ({\n mobileActivePanel: 'timeline',\n searchBarHidden: true,\n supportsMask: window.CSS && window.CSS.supports && (\n window.CSS.supports('mask-size', 'contain') ||\n window.CSS.supports('-webkit-mask-size', 'contain') ||\n window.CSS.supports('-moz-mask-size', 'contain') ||\n window.CSS.supports('-ms-mask-size', 'contain') ||\n window.CSS.supports('-o-mask-size', 'contain')\n )\n }),\n created () {\n // Load the locale from the storage\n const val = this.$store.getters.mergedConfig.interfaceLanguage\n this.$store.dispatch('setOption', { name: 'interfaceLanguage', value: val })\n window.addEventListener('resize', this.updateMobileState)\n },\n destroyed () {\n window.removeEventListener('resize', this.updateMobileState)\n },\n computed: {\n currentUser () { return this.$store.state.users.currentUser },\n background () {\n return this.currentUser.background_image || this.$store.state.instance.background\n },\n enableMask () { return this.supportsMask && this.$store.state.instance.logoMask },\n logoStyle () {\n return {\n 'visibility': this.enableMask ? 'hidden' : 'visible'\n }\n },\n logoMaskStyle () {\n return this.enableMask ? {\n 'mask-image': `url(${this.$store.state.instance.logo})`\n } : {\n 'background-color': this.enableMask ? '' : 'transparent'\n }\n },\n logoBgStyle () {\n return Object.assign({\n 'margin': `${this.$store.state.instance.logoMargin} 0`,\n opacity: this.searchBarHidden ? 1 : 0\n }, this.enableMask ? {} : {\n 'background-color': this.enableMask ? '' : 'transparent'\n })\n },\n logo () { return this.$store.state.instance.logo },\n bgStyle () {\n return {\n 'background-image': `url(${this.background})`\n }\n },\n bgAppStyle () {\n return {\n '--body-background-image': `url(${this.background})`\n }\n },\n sitename () { return this.$store.state.instance.name },\n chat () { return this.$store.state.chat.channel.state === 'joined' },\n hideSitename () { return this.$store.state.instance.hideSitename },\n suggestionsEnabled () { return this.$store.state.instance.suggestionsEnabled },\n showInstanceSpecificPanel () {\n return this.$store.state.instance.showInstanceSpecificPanel &&\n !this.$store.getters.mergedConfig.hideISP &&\n this.$store.state.instance.instanceSpecificPanelContent\n },\n showFeaturesPanel () { return this.$store.state.instance.showFeaturesPanel },\n isMobileLayout () { return this.$store.state.interface.mobileLayout },\n privateMode () { return this.$store.state.instance.private },\n sidebarAlign () {\n return {\n 'order': this.$store.state.instance.sidebarRight ? 99 : 0\n }\n }\n },\n methods: {\n scrollToTop () {\n window.scrollTo(0, 0)\n },\n logout () {\n this.$router.replace('/main/public')\n this.$store.dispatch('logout')\n },\n onSearchBarToggled (hidden) {\n this.searchBarHidden = hidden\n },\n openSettingsModal () {\n this.$store.dispatch('openSettingsModal')\n },\n updateMobileState () {\n const mobileLayout = windowWidth() <= 800\n const layoutHeight = windowHeight()\n const changed = mobileLayout !== this.isMobileLayout\n if (changed) {\n this.$store.dispatch('setMobileLayout', mobileLayout)\n }\n this.$store.dispatch('setLayoutHeight', layoutHeight)\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./App.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./App.js\"\nimport __vue_script__ from \"!!babel-loader!./App.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-87f8a228\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../node_modules/vue-loader/lib/selector?type=template&index=0!./App.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{style:(_vm.bgAppStyle),attrs:{\"id\":\"app\"}},[_c('div',{staticClass:\"app-bg-wrapper\",style:(_vm.bgStyle),attrs:{\"id\":\"app_bg_wrapper\"}}),_vm._v(\" \"),(_vm.isMobileLayout)?_c('MobileNav'):_c('nav',{staticClass:\"nav-bar container\",attrs:{\"id\":\"nav\"},on:{\"click\":function($event){return _vm.scrollToTop()}}},[_c('div',{staticClass:\"inner-nav\"},[_c('div',{staticClass:\"logo\",style:(_vm.logoBgStyle)},[_c('div',{staticClass:\"mask\",style:(_vm.logoMaskStyle)}),_vm._v(\" \"),_c('img',{style:(_vm.logoStyle),attrs:{\"src\":_vm.logo}})]),_vm._v(\" \"),_c('div',{staticClass:\"item\"},[(!_vm.hideSitename)?_c('router-link',{staticClass:\"site-name\",attrs:{\"to\":{ name: 'root' },\"active-class\":\"home\"}},[_vm._v(\"\\n \"+_vm._s(_vm.sitename)+\"\\n \")]):_vm._e()],1),_vm._v(\" \"),_c('div',{staticClass:\"item right\"},[(_vm.currentUser || !_vm.privateMode)?_c('search-bar',{staticClass:\"nav-icon mobile-hidden\",on:{\"toggled\":_vm.onSearchBarToggled},nativeOn:{\"click\":function($event){$event.stopPropagation();}}}):_vm._e(),_vm._v(\" \"),_c('a',{staticClass:\"mobile-hidden\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.stopPropagation();return _vm.openSettingsModal($event)}}},[_c('i',{staticClass:\"button-icon icon-cog nav-icon\",attrs:{\"title\":_vm.$t('nav.preferences')}})]),_vm._v(\" \"),(_vm.currentUser && _vm.currentUser.role === 'admin')?_c('a',{staticClass:\"mobile-hidden\",attrs:{\"href\":\"/pleroma/admin/#/login-pleroma\",\"target\":\"_blank\"}},[_c('i',{staticClass:\"button-icon icon-gauge nav-icon\",attrs:{\"title\":_vm.$t('nav.administration')}})]):_vm._e(),_vm._v(\" \"),(_vm.currentUser)?_c('a',{staticClass:\"mobile-hidden\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.logout($event)}}},[_c('i',{staticClass:\"button-icon icon-logout nav-icon\",attrs:{\"title\":_vm.$t('login.logout')}})]):_vm._e()],1)])]),_vm._v(\" \"),_c('div',{staticClass:\"app-bg-wrapper app-container-wrapper\"}),_vm._v(\" \"),_c('div',{staticClass:\"container underlay\",attrs:{\"id\":\"content\"}},[_c('div',{staticClass:\"sidebar-flexer mobile-hidden\",style:(_vm.sidebarAlign)},[_c('div',{staticClass:\"sidebar-bounds\"},[_c('div',{staticClass:\"sidebar-scroller\"},[_c('div',{staticClass:\"sidebar\"},[_c('user-panel'),_vm._v(\" \"),(!_vm.isMobileLayout)?_c('div',[_c('nav-panel'),_vm._v(\" \"),(_vm.showInstanceSpecificPanel)?_c('instance-specific-panel'):_vm._e(),_vm._v(\" \"),(!_vm.currentUser && _vm.showFeaturesPanel)?_c('features-panel'):_vm._e(),_vm._v(\" \"),(_vm.currentUser && _vm.suggestionsEnabled)?_c('who-to-follow-panel'):_vm._e(),_vm._v(\" \"),(_vm.currentUser)?_c('notifications'):_vm._e()],1):_vm._e()],1)])])]),_vm._v(\" \"),_c('div',{staticClass:\"main\"},[(!_vm.currentUser)?_c('div',{staticClass:\"login-hint panel panel-default\"},[_c('router-link',{staticClass:\"panel-body\",attrs:{\"to\":{ name: 'login' }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"login.hint\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),_c('router-view')],1),_vm._v(\" \"),_c('media-modal')],1),_vm._v(\" \"),(_vm.currentUser && _vm.chat)?_c('chat-panel',{staticClass:\"floating-chat mobile-hidden\",attrs:{\"floating\":true}}):_vm._e(),_vm._v(\" \"),_c('MobilePostStatusButton'),_vm._v(\" \"),_c('UserReportingModal'),_vm._v(\" \"),_c('PostStatusModal'),_vm._v(\" \"),_c('SettingsModal'),_vm._v(\" \"),_c('portal-target',{attrs:{\"name\":\"modal\"}}),_vm._v(\" \"),_c('GlobalNoticeList')],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Vue from 'vue'\nimport VueRouter from 'vue-router'\nimport routes from './routes'\nimport App from '../App.vue'\nimport { windowWidth } from '../services/window_utils/window_utils'\nimport { getOrCreateApp, getClientToken } from '../services/new_api/oauth.js'\nimport backendInteractorService from '../services/backend_interactor_service/backend_interactor_service.js'\nimport { CURRENT_VERSION } from '../services/theme_data/theme_data.service.js'\nimport { applyTheme } from '../services/style_setter/style_setter.js'\n\nlet staticInitialResults = null\n\nconst parsedInitialResults = () => {\n if (!document.getElementById('initial-results')) {\n return null\n }\n if (!staticInitialResults) {\n staticInitialResults = JSON.parse(document.getElementById('initial-results').textContent)\n }\n return staticInitialResults\n}\n\nconst decodeUTF8Base64 = (data) => {\n const rawData = atob(data)\n const array = Uint8Array.from([...rawData].map((char) => char.charCodeAt(0)))\n const text = new TextDecoder().decode(array)\n return text\n}\n\nconst preloadFetch = async (request) => {\n const data = parsedInitialResults()\n if (!data || !data[request]) {\n return window.fetch(request)\n }\n const decoded = decodeUTF8Base64(data[request])\n const requestData = JSON.parse(decoded)\n return {\n ok: true,\n json: () => requestData,\n text: () => requestData\n }\n}\n\nconst getInstanceConfig = async ({ store }) => {\n try {\n const res = await preloadFetch('/api/v1/instance')\n if (res.ok) {\n const data = await res.json()\n const textlimit = data.max_toot_chars\n const vapidPublicKey = data.pleroma.vapid_public_key\n\n store.dispatch('setInstanceOption', { name: 'textlimit', value: textlimit })\n\n if (vapidPublicKey) {\n store.dispatch('setInstanceOption', { name: 'vapidPublicKey', value: vapidPublicKey })\n }\n } else {\n throw (res)\n }\n } catch (error) {\n console.error('Could not load instance config, potentially fatal')\n console.error(error)\n }\n}\n\nconst getBackendProvidedConfig = async ({ store }) => {\n try {\n const res = await window.fetch('/api/pleroma/frontend_configurations')\n if (res.ok) {\n const data = await res.json()\n return data.pleroma_fe\n } else {\n throw (res)\n }\n } catch (error) {\n console.error('Could not load backend-provided frontend config, potentially fatal')\n console.error(error)\n }\n}\n\nconst getStaticConfig = async () => {\n try {\n const res = await window.fetch('/static/config.json')\n if (res.ok) {\n return res.json()\n } else {\n throw (res)\n }\n } catch (error) {\n console.warn('Failed to load static/config.json, continuing without it.')\n console.warn(error)\n return {}\n }\n}\n\nconst setSettings = async ({ apiConfig, staticConfig, store }) => {\n const overrides = window.___pleromafe_dev_overrides || {}\n const env = window.___pleromafe_mode.NODE_ENV\n\n // This takes static config and overrides properties that are present in apiConfig\n let config = {}\n if (overrides.staticConfigPreference && env === 'development') {\n console.warn('OVERRIDING API CONFIG WITH STATIC CONFIG')\n config = Object.assign({}, apiConfig, staticConfig)\n } else {\n config = Object.assign({}, staticConfig, apiConfig)\n }\n\n const copyInstanceOption = (name) => {\n store.dispatch('setInstanceOption', { name, value: config[name] })\n }\n\n copyInstanceOption('nsfwCensorImage')\n copyInstanceOption('background')\n copyInstanceOption('hidePostStats')\n copyInstanceOption('hideUserStats')\n copyInstanceOption('hideFilteredStatuses')\n copyInstanceOption('logo')\n\n store.dispatch('setInstanceOption', {\n name: 'logoMask',\n value: typeof config.logoMask === 'undefined'\n ? true\n : config.logoMask\n })\n\n store.dispatch('setInstanceOption', {\n name: 'logoMargin',\n value: typeof config.logoMargin === 'undefined'\n ? 0\n : config.logoMargin\n })\n store.commit('authFlow/setInitialStrategy', config.loginMethod)\n\n copyInstanceOption('redirectRootNoLogin')\n copyInstanceOption('redirectRootLogin')\n copyInstanceOption('showInstanceSpecificPanel')\n copyInstanceOption('minimalScopesMode')\n copyInstanceOption('hideMutedPosts')\n copyInstanceOption('collapseMessageWithSubject')\n copyInstanceOption('scopeCopy')\n copyInstanceOption('subjectLineBehavior')\n copyInstanceOption('postContentType')\n copyInstanceOption('alwaysShowSubjectInput')\n copyInstanceOption('showFeaturesPanel')\n copyInstanceOption('hideSitename')\n copyInstanceOption('sidebarRight')\n\n return store.dispatch('setTheme', config['theme'])\n}\n\nconst getTOS = async ({ store }) => {\n try {\n const res = await window.fetch('/static/terms-of-service.html')\n if (res.ok) {\n const html = await res.text()\n store.dispatch('setInstanceOption', { name: 'tos', value: html })\n } else {\n throw (res)\n }\n } catch (e) {\n console.warn(\"Can't load TOS\")\n console.warn(e)\n }\n}\n\nconst getInstancePanel = async ({ store }) => {\n try {\n const res = await preloadFetch('/instance/panel.html')\n if (res.ok) {\n const html = await res.text()\n store.dispatch('setInstanceOption', { name: 'instanceSpecificPanelContent', value: html })\n } else {\n throw (res)\n }\n } catch (e) {\n console.warn(\"Can't load instance panel\")\n console.warn(e)\n }\n}\n\nconst getStickers = async ({ store }) => {\n try {\n const res = await window.fetch('/static/stickers.json')\n if (res.ok) {\n const values = await res.json()\n const stickers = (await Promise.all(\n Object.entries(values).map(async ([name, path]) => {\n const resPack = await window.fetch(path + 'pack.json')\n var meta = {}\n if (resPack.ok) {\n meta = await resPack.json()\n }\n return {\n pack: name,\n path,\n meta\n }\n })\n )).sort((a, b) => {\n return a.meta.title.localeCompare(b.meta.title)\n })\n store.dispatch('setInstanceOption', { name: 'stickers', value: stickers })\n } else {\n throw (res)\n }\n } catch (e) {\n console.warn(\"Can't load stickers\")\n console.warn(e)\n }\n}\n\nconst getAppSecret = async ({ store }) => {\n const { state, commit } = store\n const { oauth, instance } = state\n return getOrCreateApp({ ...oauth, instance: instance.server, commit })\n .then((app) => getClientToken({ ...app, instance: instance.server }))\n .then((token) => {\n commit('setAppToken', token.access_token)\n commit('setBackendInteractor', backendInteractorService(store.getters.getToken()))\n })\n}\n\nconst resolveStaffAccounts = ({ store, accounts }) => {\n const nicknames = accounts.map(uri => uri.split('/').pop())\n store.dispatch('setInstanceOption', { name: 'staffAccounts', value: nicknames })\n}\n\nconst getNodeInfo = async ({ store }) => {\n try {\n const res = await preloadFetch('/nodeinfo/2.0.json')\n if (res.ok) {\n const data = await res.json()\n const metadata = data.metadata\n const features = metadata.features\n store.dispatch('setInstanceOption', { name: 'name', value: metadata.nodeName })\n store.dispatch('setInstanceOption', { name: 'registrationOpen', value: data.openRegistrations })\n store.dispatch('setInstanceOption', { name: 'mediaProxyAvailable', value: features.includes('media_proxy') })\n store.dispatch('setInstanceOption', { name: 'safeDM', value: features.includes('safe_dm_mentions') })\n store.dispatch('setInstanceOption', { name: 'chatAvailable', value: features.includes('chat') })\n store.dispatch('setInstanceOption', { name: 'pleromaChatMessagesAvailable', value: features.includes('pleroma_chat_messages') })\n store.dispatch('setInstanceOption', { name: 'gopherAvailable', value: features.includes('gopher') })\n store.dispatch('setInstanceOption', { name: 'pollsAvailable', value: features.includes('polls') })\n store.dispatch('setInstanceOption', { name: 'pollLimits', value: metadata.pollLimits })\n store.dispatch('setInstanceOption', { name: 'mailerEnabled', value: metadata.mailerEnabled })\n\n const uploadLimits = metadata.uploadLimits\n store.dispatch('setInstanceOption', { name: 'uploadlimit', value: parseInt(uploadLimits.general) })\n store.dispatch('setInstanceOption', { name: 'avatarlimit', value: parseInt(uploadLimits.avatar) })\n store.dispatch('setInstanceOption', { name: 'backgroundlimit', value: parseInt(uploadLimits.background) })\n store.dispatch('setInstanceOption', { name: 'bannerlimit', value: parseInt(uploadLimits.banner) })\n store.dispatch('setInstanceOption', { name: 'fieldsLimits', value: metadata.fieldsLimits })\n\n store.dispatch('setInstanceOption', { name: 'restrictedNicknames', value: metadata.restrictedNicknames })\n store.dispatch('setInstanceOption', { name: 'postFormats', value: metadata.postFormats })\n\n const suggestions = metadata.suggestions\n store.dispatch('setInstanceOption', { name: 'suggestionsEnabled', value: suggestions.enabled })\n store.dispatch('setInstanceOption', { name: 'suggestionsWeb', value: suggestions.web })\n\n const software = data.software\n store.dispatch('setInstanceOption', { name: 'backendVersion', value: software.version })\n store.dispatch('setInstanceOption', { name: 'pleromaBackend', value: software.name === 'pleroma' })\n\n const priv = metadata.private\n store.dispatch('setInstanceOption', { name: 'private', value: priv })\n\n const frontendVersion = window.___pleromafe_commit_hash\n store.dispatch('setInstanceOption', { name: 'frontendVersion', value: frontendVersion })\n\n const federation = metadata.federation\n\n store.dispatch('setInstanceOption', {\n name: 'tagPolicyAvailable',\n value: typeof federation.mrf_policies === 'undefined'\n ? false\n : metadata.federation.mrf_policies.includes('TagPolicy')\n })\n\n store.dispatch('setInstanceOption', { name: 'federationPolicy', value: federation })\n store.dispatch('setInstanceOption', {\n name: 'federating',\n value: typeof federation.enabled === 'undefined'\n ? true\n : federation.enabled\n })\n\n const accountActivationRequired = metadata.accountActivationRequired\n store.dispatch('setInstanceOption', { name: 'accountActivationRequired', value: accountActivationRequired })\n\n const accounts = metadata.staffAccounts\n resolveStaffAccounts({ store, accounts })\n } else {\n throw (res)\n }\n } catch (e) {\n console.warn('Could not load nodeinfo')\n console.warn(e)\n }\n}\n\nconst setConfig = async ({ store }) => {\n // apiConfig, staticConfig\n const configInfos = await Promise.all([getBackendProvidedConfig({ store }), getStaticConfig()])\n const apiConfig = configInfos[0]\n const staticConfig = configInfos[1]\n\n await setSettings({ store, apiConfig, staticConfig }).then(getAppSecret({ store }))\n}\n\nconst checkOAuthToken = async ({ store }) => {\n return new Promise(async (resolve, reject) => {\n if (store.getters.getUserToken()) {\n try {\n await store.dispatch('loginUser', store.getters.getUserToken())\n } catch (e) {\n console.error(e)\n }\n }\n resolve()\n })\n}\n\nconst afterStoreSetup = async ({ store, i18n }) => {\n const width = windowWidth()\n store.dispatch('setMobileLayout', width <= 800)\n\n const overrides = window.___pleromafe_dev_overrides || {}\n const server = (typeof overrides.target !== 'undefined') ? overrides.target : window.location.origin\n store.dispatch('setInstanceOption', { name: 'server', value: server })\n\n await setConfig({ store })\n\n const { customTheme, customThemeSource } = store.state.config\n const { theme } = store.state.instance\n const customThemePresent = customThemeSource || customTheme\n\n if (customThemePresent) {\n if (customThemeSource && customThemeSource.themeEngineVersion === CURRENT_VERSION) {\n applyTheme(customThemeSource)\n } else {\n applyTheme(customTheme)\n }\n } else if (theme) {\n // do nothing, it will load asynchronously\n } else {\n console.error('Failed to load any theme!')\n }\n\n // Now we can try getting the server settings and logging in\n // Most of these are preloaded into the index.html so blocking is minimized\n await Promise.all([\n checkOAuthToken({ store }),\n getInstancePanel({ store }),\n getNodeInfo({ store }),\n getInstanceConfig({ store })\n ])\n\n // Start fetching things that don't need to block the UI\n store.dispatch('fetchMutes')\n getTOS({ store })\n getStickers({ store })\n\n const router = new VueRouter({\n mode: 'history',\n routes: routes(store),\n scrollBehavior: (to, _from, savedPosition) => {\n if (to.matched.some(m => m.meta.dontScroll)) {\n return false\n }\n return savedPosition || { x: 0, y: 0 }\n }\n })\n\n /* eslint-disable no-new */\n return new Vue({\n router,\n store,\n i18n,\n el: '#app',\n render: h => h(App)\n })\n}\n\nexport default afterStoreSetup\n","import Vue from 'vue'\nimport VueRouter from 'vue-router'\nimport Vuex from 'vuex'\n\nimport 'custom-event-polyfill'\nimport './lib/event_target_polyfill.js'\n\nimport interfaceModule from './modules/interface.js'\nimport instanceModule from './modules/instance.js'\nimport statusesModule from './modules/statuses.js'\nimport usersModule from './modules/users.js'\nimport apiModule from './modules/api.js'\nimport configModule from './modules/config.js'\nimport chatModule from './modules/chat.js'\nimport oauthModule from './modules/oauth.js'\nimport authFlowModule from './modules/auth_flow.js'\nimport mediaViewerModule from './modules/media_viewer.js'\nimport oauthTokensModule from './modules/oauth_tokens.js'\nimport reportsModule from './modules/reports.js'\nimport pollsModule from './modules/polls.js'\nimport postStatusModule from './modules/postStatus.js'\nimport chatsModule from './modules/chats.js'\n\nimport VueI18n from 'vue-i18n'\n\nimport createPersistedState from './lib/persisted_state.js'\nimport pushNotifications from './lib/push_notifications_plugin.js'\n\nimport messages from './i18n/messages.js'\n\nimport VueChatScroll from 'vue-chat-scroll'\nimport VueClickOutside from 'v-click-outside'\nimport PortalVue from 'portal-vue'\nimport VBodyScrollLock from './directives/body_scroll_lock'\n\nimport afterStoreSetup from './boot/after_store.js'\n\nconst currentLocale = (window.navigator.language || 'en').split('-')[0]\n\nVue.use(Vuex)\nVue.use(VueRouter)\nVue.use(VueI18n)\nVue.use(VueChatScroll)\nVue.use(VueClickOutside)\nVue.use(PortalVue)\nVue.use(VBodyScrollLock)\n\nconst i18n = new VueI18n({\n // By default, use the browser locale, we will update it if neccessary\n locale: 'en',\n fallbackLocale: 'en',\n messages: messages.default\n})\n\nmessages.setLanguage(i18n, currentLocale)\n\nconst persistedStateOptions = {\n paths: [\n 'config',\n 'users.lastLoginName',\n 'oauth'\n ]\n};\n\n(async () => {\n let storageError = false\n const plugins = [pushNotifications]\n try {\n const persistedState = await createPersistedState(persistedStateOptions)\n plugins.push(persistedState)\n } catch (e) {\n console.error(e)\n storageError = true\n }\n const store = new Vuex.Store({\n modules: {\n i18n: {\n getters: {\n i18n: () => i18n\n }\n },\n interface: interfaceModule,\n instance: instanceModule,\n statuses: statusesModule,\n users: usersModule,\n api: apiModule,\n config: configModule,\n chat: chatModule,\n oauth: oauthModule,\n authFlow: authFlowModule,\n mediaViewer: mediaViewerModule,\n oauthTokens: oauthTokensModule,\n reports: reportsModule,\n polls: pollsModule,\n postStatus: postStatusModule,\n chats: chatsModule\n },\n plugins,\n strict: false // Socket modifies itself, let's ignore this for now.\n // strict: process.env.NODE_ENV !== 'production'\n })\n if (storageError) {\n store.dispatch('pushGlobalNotice', { messageKey: 'errors.storage_unavailable', level: 'error' })\n }\n afterStoreSetup({ store, i18n })\n})()\n\n// These are inlined by webpack's DefinePlugin\n/* eslint-disable */\nwindow.___pleromafe_mode = process.env\nwindow.___pleromafe_commit_hash = COMMIT_HASH\nwindow.___pleromafe_dev_overrides = DEV_OVERRIDES\n"],"sourceRoot":""} -\ No newline at end of file diff --git a/priv/static/static/js/app.826c44232e0a76bbd9ba.js b/priv/static/static/js/app.826c44232e0a76bbd9ba.js @@ -0,0 +1,2 @@ +!function(t){function e(e){for(var i,o,a=e[0],c=e[1],l=e[2],u=0,p=[];u<a.length;u++)o=a[u],r[o]&&p.push(r[o][0]),r[o]=0;for(i in c)Object.prototype.hasOwnProperty.call(c,i)&&(t[i]=c[i]);for(d&&d(e);p.length;)p.shift()();return s.push.apply(s,l||[]),n()}function n(){for(var t,e=0;e<s.length;e++){for(var n=s[e],i=!0,o=1;o<n.length;o++){var c=n[o];0!==r[c]&&(i=!1)}i&&(s.splice(e--,1),t=a(a.s=n[0]))}return t}var i={},o={0:0},r={0:0},s=[];function a(e){if(i[e])return i[e].exports;var n=i[e]={i:e,l:!1,exports:{}};return t[e].call(n.exports,n,n.exports,a),n.l=!0,n.exports}a.e=function(t){var e=[];o[t]?e.push(o[t]):0!==o[t]&&{2:1,3:1}[t]&&e.push(o[t]=new Promise(function(e,n){for(var i="static/css/"+({}[t]||t)+"."+{2:"0778a6a864a1307a6c41",3:"b2603a50868c68a1c192",4:"31d6cfe0d16ae931b73c",5:"31d6cfe0d16ae931b73c",6:"31d6cfe0d16ae931b73c",7:"31d6cfe0d16ae931b73c",8:"31d6cfe0d16ae931b73c",9:"31d6cfe0d16ae931b73c",10:"31d6cfe0d16ae931b73c",11:"31d6cfe0d16ae931b73c",12:"31d6cfe0d16ae931b73c",13:"31d6cfe0d16ae931b73c",14:"31d6cfe0d16ae931b73c",15:"31d6cfe0d16ae931b73c",16:"31d6cfe0d16ae931b73c",17:"31d6cfe0d16ae931b73c",18:"31d6cfe0d16ae931b73c",19:"31d6cfe0d16ae931b73c",20:"31d6cfe0d16ae931b73c",21:"31d6cfe0d16ae931b73c",22:"31d6cfe0d16ae931b73c",23:"31d6cfe0d16ae931b73c",24:"31d6cfe0d16ae931b73c",25:"31d6cfe0d16ae931b73c",26:"31d6cfe0d16ae931b73c",27:"31d6cfe0d16ae931b73c",28:"31d6cfe0d16ae931b73c",29:"31d6cfe0d16ae931b73c",30:"31d6cfe0d16ae931b73c"}[t]+".css",r=a.p+i,s=document.getElementsByTagName("link"),c=0;c<s.length;c++){var l=(d=s[c]).getAttribute("data-href")||d.getAttribute("href");if("stylesheet"===d.rel&&(l===i||l===r))return e()}var u=document.getElementsByTagName("style");for(c=0;c<u.length;c++){var d;if((l=(d=u[c]).getAttribute("data-href"))===i||l===r)return e()}var p=document.createElement("link");p.rel="stylesheet",p.type="text/css",p.onload=e,p.onerror=function(e){var i=e&&e.target&&e.target.src||r,s=new Error("Loading CSS chunk "+t+" failed.\n("+i+")");s.request=i,delete o[t],p.parentNode.removeChild(p),n(s)},p.href=r,document.getElementsByTagName("head")[0].appendChild(p)}).then(function(){o[t]=0}));var n=r[t];if(0!==n)if(n)e.push(n[2]);else{var i=new Promise(function(e,i){n=r[t]=[e,i]});e.push(n[2]=i);var s,c=document.createElement("script");c.charset="utf-8",c.timeout=120,a.nc&&c.setAttribute("nonce",a.nc),c.src=function(t){return a.p+"static/js/"+({}[t]||t)+"."+{2:"e852a6b4b3bba752b838",3:"7d21accf4e5bd07e3ebf",4:"5719922a4e807145346d",5:"cf05c5ddbdbac890ae35",6:"ecfd3302a692de148391",7:"dd44c3d58fb9dced093d",8:"636322a87bb10a1754f8",9:"6010dbcce7b4d7c05a18",10:"46fbbdfaf0d4800f349b",11:"708cc2513c53879a92cc",12:"b3bf0bc313861d6ec36b",13:"adb8a942514d735722c4",14:"d015d9b2ea16407e389c",15:"19866e6a366ccf982284",16:"38a984effd54736f6a2c",17:"9c25507194320db2e85b",18:"94946caca48930c224c7",19:"233c81ac2c28d55e9f13",20:"818c38d27369c3a4d677",21:"ce4cda179d888ca6bc2a",22:"2ea93c6cc569ef0256ab",23:"a57a7845cc20fafd06d1",24:"35eb55a657b5485f8491",25:"5a9efe20e3ae1352e6d2",26:"cf13231d524e5ca3b3e6",27:"fca8d4f6e444bd14f376",28:"e0f9f164e0bfd890dc61",29:"0b69359f0fe5c0785746",30:"fce58be0b52ca3e32fa4"}[t]+".js"}(t);var l=new Error;s=function(e){c.onerror=c.onload=null,clearTimeout(u);var n=r[t];if(0!==n){if(n){var i=e&&("load"===e.type?"missing":e.type),o=e&&e.target&&e.target.src;l.message="Loading chunk "+t+" failed.\n("+i+": "+o+")",l.type=i,l.request=o,n[1](l)}r[t]=void 0}};var u=setTimeout(function(){s({type:"timeout",target:c})},12e4);c.onerror=c.onload=s,document.head.appendChild(c)}return Promise.all(e)},a.m=t,a.c=i,a.d=function(t,e,n){a.o(t,e)||Object.defineProperty(t,e,{enumerable:!0,get:n})},a.r=function(t){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},a.t=function(t,e){if(1&e&&(t=a(t)),8&e)return t;if(4&e&&"object"==typeof t&&t&&t.__esModule)return t;var n=Object.create(null);if(a.r(n),Object.defineProperty(n,"default",{enumerable:!0,value:t}),2&e&&"string"!=typeof t)for(var i in t)a.d(n,i,function(e){return t[e]}.bind(null,i));return n},a.n=function(t){var e=t&&t.__esModule?function(){return t.default}:function(){return t};return a.d(e,"a",e),e},a.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},a.p="/",a.oe=function(t){throw console.error(t),t};var c=window.webpackJsonp=window.webpackJsonp||[],l=c.push.bind(c);c.push=e,c=c.slice();for(var u=0;u<c.length;u++)e(c[u]);var d=l;s.push([562,1]),n()}([,,,,,,,,function(t,e,n){"use strict";n.d(e,"g",function(){return d}),n.d(e,"a",function(){return p}),n.d(e,"f",function(){return h}),n.d(e,"e",function(){return m}),n.d(e,"d",function(){return v}),n.d(e,"b",function(){return b}),n.d(e,"c",function(){return w});var i=n(1),o=n.n(i),r=n(136),s=n.n(r),a=n(198),c=n.n(a),l=n(19);function u(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var d=function(t){var e={},n=t.hasOwnProperty("acct"),i=n&&!t.hasOwnProperty("avatar");if(e.id=String(t.id),n){if(e.screen_name=t.acct,e.statusnet_profile_url=t.url,i)return e;if(e.name=t.display_name,e.name_html=f(s()(t.display_name),t.emojis),e.description=t.note,e.description_html=f(t.note,t.emojis),e.fields=t.fields,e.fields_html=t.fields.map(function(e){return{name:f(e.name,t.emojis),value:f(e.value,t.emojis)}}),e.fields_text=t.fields.map(function(t){return{name:unescape(t.name.replace(/<[^>]*>/g,"")),value:unescape(t.value.replace(/<[^>]*>/g,""))}}),e.profile_image_url=t.avatar,e.profile_image_url_original=t.avatar,e.cover_photo=t.header,e.friends_count=t.following_count,e.bot=t.bot,t.pleroma){var o=t.pleroma.relationship;e.background_image=t.pleroma.background_image,e.favicon=t.pleroma.favicon,e.token=t.pleroma.chat_token,o&&(e.relationship=o),e.allow_following_move=t.pleroma.allow_following_move,e.hide_follows=t.pleroma.hide_follows,e.hide_followers=t.pleroma.hide_followers,e.hide_follows_count=t.pleroma.hide_follows_count,e.hide_followers_count=t.pleroma.hide_followers_count,e.rights={moderator:t.pleroma.is_moderator,admin:t.pleroma.is_admin},e.rights.admin?e.role="admin":e.rights.moderator?e.role="moderator":e.role="member"}t.source&&(e.description=t.source.note,e.default_scope=t.source.privacy,e.fields=t.source.fields,t.source.pleroma&&(e.no_rich_text=t.source.pleroma.no_rich_text,e.show_role=t.source.pleroma.show_role,e.discoverable=t.source.pleroma.discoverable)),e.is_local=!e.screen_name.includes("@")}else e.screen_name=t.screen_name,e.name=t.name,e.name_html=t.name_html,e.description=t.description,e.description_html=t.description_html,e.profile_image_url=t.profile_image_url,e.profile_image_url_original=t.profile_image_url_original,e.cover_photo=t.cover_photo,e.friends_count=t.friends_count,e.statusnet_profile_url=t.statusnet_profile_url,e.is_local=t.is_local,e.role=t.role,e.show_role=t.show_role,t.rights&&(e.rights={moderator:t.rights.delete_others_notice,admin:t.rights.admin}),e.no_rich_text=t.no_rich_text,e.default_scope=t.default_scope,e.hide_follows=t.hide_follows,e.hide_followers=t.hide_followers,e.hide_follows_count=t.hide_follows_count,e.hide_followers_count=t.hide_followers_count,e.background_image=t.background_image,e.token=t.token,e.relationship={muting:t.muted,blocking:t.statusnet_blocking,followed_by:t.follows_you,following:t.following};return e.created_at=new Date(t.created_at),e.locked=t.locked,e.followers_count=t.followers_count,e.statuses_count=t.statuses_count,e.friendIds=[],e.followerIds=[],e.pinnedStatusIds=[],t.pleroma&&(e.follow_request_count=t.pleroma.follow_request_count,e.tags=t.pleroma.tags,e.deactivated=t.pleroma.deactivated,e.notification_settings=t.pleroma.notification_settings,e.unread_chat_count=t.pleroma.unread_chat_count),e.tags=e.tags||[],e.rights=e.rights||{},e.notification_settings=e.notification_settings||{},e},p=function(t){var e={};return!t.hasOwnProperty("oembed")?(e.mimetype=t.pleroma?t.pleroma.mime_type:t.type,e.meta=t.meta,e.id=t.id):e.mimetype=t.mimetype,e.url=t.url,e.large_thumb_url=t.preview_url,e.description=t.description,e},f=function(t,e){var n=/[|\\{}()[\]^$+*?.-]/g;return e.reduce(function(t,e){var i=e.shortcode.replace(n,"\\$&");return t.replace(new RegExp(":".concat(i,":"),"g"),"<img src='".concat(e.url,"' alt=':").concat(e.shortcode,":' title=':").concat(e.shortcode,":' class='emoji' />"))},t)},h=function t(e){var n,i={},r=e.hasOwnProperty("account");if(r){if(i.favorited=e.favourited,i.fave_num=e.favourites_count,i.repeated=e.reblogged,i.repeat_num=e.reblogs_count,i.bookmarked=e.bookmarked,i.type=e.reblog?"retweet":"status",i.nsfw=e.sensitive,i.statusnet_html=f(e.content,e.emojis),i.tags=e.tags,e.pleroma){var a=e.pleroma;i.text=a.content?e.pleroma.content["text/plain"]:e.content,i.summary=a.spoiler_text?e.pleroma.spoiler_text["text/plain"]:e.spoiler_text,i.statusnet_conversation_id=e.pleroma.conversation_id,i.is_local=a.local,i.in_reply_to_screen_name=e.pleroma.in_reply_to_account_acct,i.thread_muted=a.thread_muted,i.emoji_reactions=a.emoji_reactions,i.parent_visible=void 0===a.parent_visible||a.parent_visible}else i.text=e.content,i.summary=e.spoiler_text;i.in_reply_to_status_id=e.in_reply_to_id,i.in_reply_to_user_id=e.in_reply_to_account_id,i.replies_count=e.replies_count,"retweet"===i.type&&(i.retweeted_status=t(e.reblog)),i.summary_html=f(s()(e.spoiler_text),e.emojis),i.external_url=e.url,i.poll=e.poll,i.poll&&(i.poll.options=(i.poll.options||[]).map(function(t){return function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?u(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):u(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},t,{title_html:f(t.title,e.emojis)})})),i.pinned=e.pinned,i.muted=e.muted}else i.favorited=e.favorited,i.fave_num=e.fave_num,i.repeated=e.repeated,i.repeat_num=e.repeat_num,i.type=(n=e).is_post_verb?"status":n.retweeted_status?"retweet":"string"==typeof n.uri&&n.uri.match(/(fave|objectType=Favourite)/)||"string"==typeof n.text&&n.text.match(/favorited/)?"favorite":n.text.match(/deleted notice {{tag/)||n.qvitter_delete_notice?"deletion":n.text.match(/started following/)||"follow"===n.activity_type?"follow":"unknown",void 0===e.nsfw?(i.nsfw=g(e),e.retweeted_status&&(i.nsfw=e.retweeted_status.nsfw)):i.nsfw=e.nsfw,i.statusnet_html=e.statusnet_html,i.text=e.text,i.in_reply_to_status_id=e.in_reply_to_status_id,i.in_reply_to_user_id=e.in_reply_to_user_id,i.in_reply_to_screen_name=e.in_reply_to_screen_name,i.statusnet_conversation_id=e.statusnet_conversation_id,"retweet"===i.type&&(i.retweeted_status=t(e.retweeted_status)),i.summary=e.summary,i.summary_html=e.summary_html,i.external_url=e.external_url,i.is_local=e.is_local;i.id=String(e.id),i.visibility=e.visibility,i.card=e.card,i.created_at=new Date(e.created_at),i.in_reply_to_status_id=i.in_reply_to_status_id?String(i.in_reply_to_status_id):null,i.in_reply_to_user_id=i.in_reply_to_user_id?String(i.in_reply_to_user_id):null,i.user=d(r?e.account:e.user),i.attentions=((r?e.mentions:e.attentions)||[]).map(d),i.attachments=((r?e.media_attachments:e.attachments)||[]).map(p);var c=r?e.reblog:e.retweeted_status;return c&&(i.retweeted_status=t(c)),i.favoritedBy=[],i.rebloggedBy=[],i},m=function(t){var e={};if(!t.hasOwnProperty("ntype"))e.type={favourite:"like",reblog:"repeat"}[t.type]||t.type,e.seen=t.pleroma.is_seen,e.status=Object(l.b)(e.type)?h(t.status):null,e.action=e.status,e.target="move"!==e.type?null:d(t.target),e.from_profile=d(t.account),e.emoji=t.emoji;else{var n=h(t.notice);e.type=t.ntype,e.seen=Boolean(t.is_seen),e.status="like"===e.type?h(t.notice.favorited_status):n,e.action=n,e.from_profile="pleroma:chat_mention"===e.type?d(t.account):d(t.from_profile)}return e.created_at=new Date(t.created_at),e.id=parseInt(t.id),e},g=function(t){return(t.tags||[]).includes("nsfw")||!!(t.text||"").match(/#nsfw/i)},v=function(t){var e=(arguments.length>1&&void 0!==arguments[1]?arguments[1]:{}).flakeId,n=c()(t);if(n){var i=n.next.max_id,o=n.prev.min_id;return{maxId:e?i:parseInt(i,10),minId:e?o:parseInt(o,10)}}},b=function(t){var e={};return e.id=t.id,e.account=d(t.account),e.unread=t.unread,e.lastMessage=w(t.last_message),e.updated_at=new Date(t.updated_at),e},w=function(t){if(t){if(t.isNormalized)return t;var e=t;return e.id=t.id,e.created_at=new Date(t.created_at),e.chat_id=t.chat_id,t.content?e.content=f(t.content,t.emojis):e.content="",t.attachment?e.attachments=[p(t.attachment)]:e.attachments=[],e.isNormalized=!0,e}}},function(t,e,n){"use strict";n.d(e,"i",function(){return d}),n.d(e,"h",function(){return f}),n.d(e,"c",function(){return m}),n.d(e,"a",function(){return g}),n.d(e,"b",function(){return v}),n.d(e,"f",function(){return b}),n.d(e,"g",function(){return w}),n.d(e,"j",function(){return _}),n.d(e,"e",function(){return x}),n.d(e,"d",function(){return y});var i=n(1),o=n.n(i),r=n(7),s=n.n(r),a=n(27),c=n.n(a),l=n(14);function u(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var d=function(t,e,n){if(null!=t){if("#"===t[0]||"transparent"===t)return t;if("object"===c()(t)){var i=t;t=i.r,e=i.g,n=i.b}var o=[t,e,n].map(function(t){return t=(t=(t=Math.ceil(t))<0?0:t)>255?255:t}),r=s()(o,3);return t=r[0],e=r[1],n=r[2],"#".concat(((1<<24)+(t<<16)+(e<<8)+n).toString(16).slice(1))}},p=function(t){return"rgb".split("").reduce(function(e,n){return e[n]=function(t){var e=t/255;return e<.03928?e/12.92:Math.pow((e+.055)/1.055,2.4)}(t[n]),e},{})},f=function(t){var e=p(t);return.2126*e.r+.7152*e.g+.0722*e.b},h=function(t,e){var n=f(t),i=f(e),o=n>i?[n,i]:[i,n],r=s()(o,2);return(r[0]+.05)/(r[1]+.05)},m=function(t,e,n){return h(v(n,e),t)},g=function(t,e,n){return 1===e||void 0===e?t:"rgb".split("").reduce(function(i,o){return i[o]=t[o]*e+n[o]*(1-e),i},{})},v=function(t,e){return e.reduce(function(t,e){var n=s()(e,2),i=n[0],o=n[1];return g(i,o,t)},t)},b=function(t){var e=/^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i.exec(t);return e?{r:parseInt(e[1],16),g:parseInt(e[2],16),b:parseInt(e[3],16)}:null},w=function(t,e){return"rgb".split("").reduce(function(n,i){return n[i]=(t[i]+e[i])/2,n},{})},_=function(t){return"rgba(".concat(Math.floor(t.r),", ").concat(Math.floor(t.g),", ").concat(Math.floor(t.b),", ").concat(t.a,")")},x=function(t,e,n){if(h(t,e)<4.5){var i=void 0!==e.a?{a:e.a}:{},o=Object.assign(i,Object(l.invertLightness)(e).rgb);return!n&&h(t,o)<4.5?Object(l.contrastRatio)(t,e).rgb:o}return e},y=function(t,e){var n={};if("object"===c()(t))n=t;else if("string"==typeof t){if(!t.startsWith("#"))return t;n=b(t)}return _(function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?u(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):u(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},n,{a:e}))}},,function(t,e,n){"use strict";var i=n(3),o=n.n(i),r=n(75),s=n.n(r),a=n(7),c=n.n(a),l=n(1),u=n.n(l),d=n(12),p=n.n(d),f=n(23),h=n.n(f),m=n(76),g=n.n(m),v=n(15),b=n.n(v),w=n(24),_=n.n(w),x=n(8),y=n(27),k=n.n(y),C=n(199),S=n.n(C),j=n(200),O=n.n(j),P=n(132),$=n.n(P),T=n(131),I=n.n(T),E=n(201),M=n.n(E),U=n(202),F=n.n(U),D=n(10),L=n.n(D),N=n(133),R=n.n(N);function A(t,e,n,i){this.name="StatusCodeError",this.statusCode=t,this.message=t+" - "+(JSON&&JSON.stringify?JSON.stringify(e):e),this.error=e,this.options=n,this.response=i,Error.captureStackTrace&&Error.captureStackTrace(this)}A.prototype=Object.create(Error.prototype),A.prototype.constructor=A;var B=function(t){function e(t){var n,i;S()(this,e),n=O()(this,$()(e).call(this)),Error.captureStackTrace&&Error.captureStackTrace(I()(n));try{if("string"==typeof t&&(t=JSON.parse(t)).hasOwnProperty("error")&&(t=JSON.parse(t.error)),"object"===k()(t)){var o=JSON.parse(t.error);o.ap_id&&(o.username=o.ap_id,delete o.ap_id),n.message=(i=o,Object.entries(i).reduce(function(t,e){var n=c()(e,2),i=n[0],o=n[1].reduce(function(t,e){return t+[R()(i.replace(/_/g," ")),e].join(" ")+". "},"");return[].concat(L()(t),[o])},[]))}else n.message=t}catch(e){n.message=t}return n}return M()(e,t),e}(F()(Error));function z(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function H(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?z(Object(n),!0).forEach(function(e){u()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):z(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}n.d(e,"d",function(){return xt}),n.d(e,"a",function(){return Ct}),n.d(e,"b",function(){return jt});var q=function(t,e){return"/api/pleroma/admin/users/".concat(t,"/permission_group/").concat(e)},W=function(t){return"/api/v1/notifications/".concat(t,"/dismiss")},V=function(t){return"/api/v1/statuses/".concat(t,"/favourite")},G=function(t){return"/api/v1/statuses/".concat(t,"/unfavourite")},K=function(t){return"/api/v1/statuses/".concat(t,"/reblog")},Y=function(t){return"/api/v1/statuses/".concat(t,"/unreblog")},J=function(t){return"/api/v1/accounts/".concat(t,"/statuses")},X=function(t){return"/api/v1/timelines/tag/".concat(t)},Q=function(t){return"/api/v1/accounts/".concat(t,"/mute")},Z=function(t){return"/api/v1/accounts/".concat(t,"/unmute")},tt=function(t){return"/api/v1/pleroma/accounts/".concat(t,"/subscribe")},et=function(t){return"/api/v1/pleroma/accounts/".concat(t,"/unsubscribe")},nt=function(t){return"/api/v1/statuses/".concat(t,"/bookmark")},it=function(t){return"/api/v1/statuses/".concat(t,"/unbookmark")},ot=function(t){return"/api/v1/statuses/".concat(t,"/favourited_by")},rt=function(t){return"/api/v1/statuses/".concat(t,"/reblogged_by")},st=function(t){return"/api/v1/statuses/".concat(t,"/pin")},at=function(t){return"/api/v1/statuses/".concat(t,"/unpin")},ct=function(t){return"/api/v1/statuses/".concat(t,"/mute")},lt=function(t){return"/api/v1/statuses/".concat(t,"/unmute")},ut=function(t){return"/api/v1/pleroma/statuses/".concat(t,"/reactions")},dt=function(t,e){return"/api/v1/pleroma/statuses/".concat(t,"/reactions/").concat(e)},pt=function(t,e){return"/api/v1/pleroma/statuses/".concat(t,"/reactions/").concat(e)},ft=function(t){return"/api/v1/pleroma/chats/".concat(t,"/messages")},ht=function(t){return"/api/v1/pleroma/chats/".concat(t,"/read")},mt=function(t,e){return"/api/v1/pleroma/chats/".concat(t,"/messages/").concat(e)},gt=window.fetch,vt=function(t,e){var n=""+t;return(e=e||{}).credentials="same-origin",gt(n,e)},bt=function(t){var e=t.method,n=t.url,i=t.params,o=t.payload,r=t.credentials,s=t.headers,a={method:e,headers:H({Accept:"application/json","Content-Type":"application/json"},void 0===s?{}:s)};return i&&(n+="?"+Object.entries(i).map(function(t){var e=c()(t,2),n=e[0],i=e[1];return encodeURIComponent(n)+"="+encodeURIComponent(i)}).join("&")),o&&(a.body=JSON.stringify(o)),r&&(a.headers=H({},a.headers,{},wt(r))),vt(n,a).then(function(t){return new Promise(function(e,i){return t.json().then(function(o){return t.ok?e(o):i(new A(t.status,o,{url:n,options:a},t))})})})},wt=function(t){return t?{Authorization:"Bearer ".concat(t)}:{}},_t=function(t){var e=t.id,n=t.maxId,i=t.sinceId,o=t.limit,r=void 0===o?20:o,s=t.credentials,a=function(t){return"/api/v1/accounts/".concat(t,"/following")}(e),c=[n&&"max_id=".concat(n),i&&"since_id=".concat(i),r&&"limit=".concat(r),"with_relationships=true"].filter(function(t){return t}).join("&");return vt(a+=c?"?"+c:"",{headers:wt(s)}).then(function(t){return t.json()}).then(function(t){return t.map(x.g)})},xt=function(t){var e=t.credentials,n=t.stream,i=t.args,o=void 0===i?{}:i;return Object.entries(H({},e?{access_token:e}:{},{stream:n},o)).reduce(function(t,e){var n=c()(e,2),i=n[0],o=n[1];return t+"".concat(i,"=").concat(o,"&")},"/api/v1/streaming?")},yt=new Set(["update","notification","delete","filters_changed"]),kt=new Set(["pleroma:chat_update"]),Ct=function(t){var e=t.url,n=t.preprocessor,i=void 0===n?St:n,o=t.id,r=void 0===o?"Unknown":o,s=new EventTarget,a=new WebSocket(e);if(!a)throw new Error("Failed to create socket ".concat(r));var c=function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:function(t){return t};t.addEventListener(e,function(t){s.dispatchEvent(new CustomEvent(e,{detail:n(t)}))})};return a.addEventListener("open",function(t){console.debug("[WS][".concat(r,"] Socket connected"),t)}),a.addEventListener("error",function(t){console.debug("[WS][".concat(r,"] Socket errored"),t)}),a.addEventListener("close",function(t){console.debug("[WS][".concat(r,"] Socket disconnected with code ").concat(t.code),t)}),c(a,"open"),c(a,"close"),c(a,"message",i),c(a,"error"),s.close=function(){a.close(1e3,"Shutting down socket")},s},St=function(t){var e=t.data;if(e){var n=JSON.parse(e),i=n.event,o=n.payload;if(!yt.has(i)&&!kt.has(i))return console.warn("Unknown event",t),null;if("delete"===i)return{event:i,id:o};var r=o?JSON.parse(o):null;return"update"===i?{event:i,status:Object(x.f)(r)}:"notification"===i?{event:i,notification:Object(x.e)(r)}:"pleroma:chat_update"===i?{event:i,chatUpdate:Object(x.b)(r)}:void 0}},jt=Object.freeze({JOINED:1,CLOSED:2,ERROR:3}),Ot={verifyCredentials:function(t){return vt("/api/v1/accounts/verify_credentials",{headers:wt(t)}).then(function(t){return t.ok?t.json():{error:t}}).then(function(t){return t.error?t:Object(x.g)(t)})},fetchTimeline:function(t){var e=t.timeline,n=t.credentials,i=t.since,o=void 0!==i&&i,r=t.until,s=void 0!==r&&r,a=t.userId,c=void 0!==a&&a,l=t.tag,u=void 0!==l&&l,d=t.withMuted,p=void 0!==d&&d,f=t.replyVisibility,h=void 0===f?"all":f,m="notifications"===e,g=[],v={public:"/api/v1/timelines/public",friends:"/api/v1/timelines/home",dms:"/api/v1/timelines/direct",notifications:"/api/v1/notifications",publicAndExternal:"/api/v1/timelines/public",user:J,media:J,favorites:"/api/v1/favourites",tag:X,bookmarks:"/api/v1/bookmarks"}[e];"user"!==e&&"media"!==e||(v=v(c)),o&&g.push(["since_id",o]),s&&g.push(["max_id",s]),u&&(v=v(u)),"media"===e&&g.push(["only_media",1]),"public"===e&&g.push(["local",!0]),"public"!==e&&"publicAndExternal"!==e||g.push(["only_media",!1]),"favorites"!==e&&"bookmarks"!==e&&g.push(["with_muted",p]),"all"!==h&&g.push(["reply_visibility",h]),g.push(["limit",20]);var w=b()(g,function(t){return"".concat(t[0],"=").concat(t[1])}).join("&");v+="?".concat(w);var _="",y="",k={};return vt(v,{headers:wt(n)}).then(function(t){return _=t.status,y=t.statusText,k=Object(x.d)(t.headers.get("Link"),{flakeId:"bookmarks"!==e&&"notifications"!==e}),t}).then(function(t){return t.json()}).then(function(t){return t.error?(t.status=_,t.statusText=y,t):{data:t.map(m?x.e:x.f),pagination:k}})},fetchPinnedStatuses:function(t){var e=t.id,n=t.credentials,i=J(e)+"?pinned=true";return bt({url:i,credentials:n}).then(function(t){return t.map(x.f)})},fetchConversation:function(t){var e=t.id,n=t.credentials,i=function(t){return"/api/v1/statuses/".concat(t,"/context")}(e);return vt(i,{headers:wt(n)}).then(function(t){if(t.ok)return t;throw new Error("Error fetching timeline",t)}).then(function(t){return t.json()}).then(function(t){var e=t.ancestors,n=t.descendants;return{ancestors:e.map(x.f),descendants:n.map(x.f)}})},fetchStatus:function(t){var e=t.id,n=t.credentials,i=function(t){return"/api/v1/statuses/".concat(t)}(e);return vt(i,{headers:wt(n)}).then(function(t){if(t.ok)return t;throw new Error("Error fetching timeline",t)}).then(function(t){return t.json()}).then(function(t){return Object(x.f)(t)})},fetchFriends:_t,exportFriends:function(t){var e=t.id,n=t.credentials;return new Promise(function(t,i){var r,s,a,c;return o.a.async(function(l){for(;;)switch(l.prev=l.next){case 0:l.prev=0,r=[],s=!0;case 3:if(!s){l.next=12;break}return a=r.length>0?h()(r).id:void 0,l.next=7,o.a.awrap(_t({id:e,maxId:a,credentials:n}));case 7:c=l.sent,r=g()(r,c),0===c.length&&(s=!1),l.next=3;break;case 12:t(r),l.next=18;break;case 15:l.prev=15,l.t0=l.catch(0),i(l.t0);case 18:case"end":return l.stop()}},null,null,[[0,15]])})},fetchFollowers:function(t){var e=t.id,n=t.maxId,i=t.sinceId,o=t.limit,r=void 0===o?20:o,s=t.credentials,a=function(t){return"/api/v1/accounts/".concat(t,"/followers")}(e),c=[n&&"max_id=".concat(n),i&&"since_id=".concat(i),r&&"limit=".concat(r),"with_relationships=true"].filter(function(t){return t}).join("&");return vt(a+=c?"?"+c:"",{headers:wt(s)}).then(function(t){return t.json()}).then(function(t){return t.map(x.g)})},followUser:function(t){var e=t.id,n=t.credentials,i=s()(t,["id","credentials"]),o=function(t){return"/api/v1/accounts/".concat(t,"/follow")}(e),r={};return void 0!==i.reblogs&&(r.reblogs=i.reblogs),vt(o,{body:JSON.stringify(r),headers:H({},wt(n),{"Content-Type":"application/json"}),method:"POST"}).then(function(t){return t.json()})},unfollowUser:function(t){var e=t.id,n=t.credentials,i=function(t){return"/api/v1/accounts/".concat(t,"/unfollow")}(e);return vt(i,{headers:wt(n),method:"POST"}).then(function(t){return t.json()})},pinOwnStatus:function(t){var e=t.id,n=t.credentials;return bt({url:st(e),credentials:n,method:"POST"}).then(function(t){return Object(x.f)(t)})},unpinOwnStatus:function(t){var e=t.id,n=t.credentials;return bt({url:at(e),credentials:n,method:"POST"}).then(function(t){return Object(x.f)(t)})},muteConversation:function(t){var e=t.id,n=t.credentials;return bt({url:ct(e),credentials:n,method:"POST"}).then(function(t){return Object(x.f)(t)})},unmuteConversation:function(t){var e=t.id,n=t.credentials;return bt({url:lt(e),credentials:n,method:"POST"}).then(function(t){return Object(x.f)(t)})},blockUser:function(t){var e=t.id,n=t.credentials;return vt(function(t){return"/api/v1/accounts/".concat(t,"/block")}(e),{headers:wt(n),method:"POST"}).then(function(t){return t.json()})},unblockUser:function(t){var e=t.id,n=t.credentials;return vt(function(t){return"/api/v1/accounts/".concat(t,"/unblock")}(e),{headers:wt(n),method:"POST"}).then(function(t){return t.json()})},fetchUser:function(t){var e=t.id,n=t.credentials,i="".concat("/api/v1/accounts","/").concat(e);return bt({url:i,credentials:n}).then(function(t){return Object(x.g)(t)})},fetchUserRelationship:function(t){var e=t.id,n=t.credentials,i="".concat("/api/v1/accounts/relationships","/?id=").concat(e);return vt(i,{headers:wt(n)}).then(function(t){return new Promise(function(e,n){return t.json().then(function(o){return t.ok?e(o):n(new A(t.status,o,{url:i},t))})})})},favorite:function(t){var e=t.id,n=t.credentials;return bt({url:V(e),method:"POST",credentials:n}).then(function(t){return Object(x.f)(t)})},unfavorite:function(t){var e=t.id,n=t.credentials;return bt({url:G(e),method:"POST",credentials:n}).then(function(t){return Object(x.f)(t)})},retweet:function(t){var e=t.id,n=t.credentials;return bt({url:K(e),method:"POST",credentials:n}).then(function(t){return Object(x.f)(t)})},unretweet:function(t){var e=t.id,n=t.credentials;return bt({url:Y(e),method:"POST",credentials:n}).then(function(t){return Object(x.f)(t)})},bookmarkStatus:function(t){var e=t.id,n=t.credentials;return bt({url:nt(e),headers:wt(n),method:"POST"})},unbookmarkStatus:function(t){var e=t.id,n=t.credentials;return bt({url:it(e),headers:wt(n),method:"POST"})},postStatus:function(t){var e=t.credentials,n=t.status,i=t.spoilerText,o=t.visibility,r=t.sensitive,s=t.poll,a=t.mediaIds,c=void 0===a?[]:a,l=t.inReplyToStatusId,u=t.contentType,d=t.preview,p=t.idempotencyKey,f=new FormData,h=s.options||[];if(f.append("status",n),f.append("source","Pleroma FE"),i&&f.append("spoiler_text",i),o&&f.append("visibility",o),r&&f.append("sensitive",r),u&&f.append("content_type",u),c.forEach(function(t){f.append("media_ids[]",t)}),h.some(function(t){return""!==t})){var m={expires_in:s.expiresIn,multiple:s.multiple};Object.keys(m).forEach(function(t){f.append("poll[".concat(t,"]"),m[t])}),h.forEach(function(t){f.append("poll[options][]",t)})}l&&f.append("in_reply_to_id",l),d&&f.append("preview","true");var g=wt(e);return p&&(g["idempotency-key"]=p),vt("/api/v1/statuses",{body:f,method:"POST",headers:g}).then(function(t){return t.json()}).then(function(t){return t.error?t:Object(x.f)(t)})},deleteStatus:function(t){var e=t.id,n=t.credentials;return vt(function(t){return"/api/v1/statuses/".concat(t)}(e),{headers:wt(n),method:"DELETE"})},uploadMedia:function(t){var e=t.formData,n=t.credentials;return vt("/api/v1/media",{body:e,method:"POST",headers:wt(n)}).then(function(t){return t.json()}).then(function(t){return Object(x.a)(t)})},setMediaDescription:function(t){var e=t.id,n=t.description,i=t.credentials;return bt({url:"".concat("/api/v1/media","/").concat(e),method:"PUT",headers:wt(i),payload:{description:n}}).then(function(t){return Object(x.a)(t)})},fetchMutes:function(t){var e=t.credentials;return bt({url:"/api/v1/mutes/",credentials:e}).then(function(t){return t.map(x.g)})},muteUser:function(t){var e=t.id,n=t.credentials;return bt({url:Q(e),credentials:n,method:"POST"})},unmuteUser:function(t){var e=t.id,n=t.credentials;return bt({url:Z(e),credentials:n,method:"POST"})},subscribeUser:function(t){var e=t.id,n=t.credentials;return bt({url:tt(e),credentials:n,method:"POST"})},unsubscribeUser:function(t){var e=t.id,n=t.credentials;return bt({url:et(e),credentials:n,method:"POST"})},fetchBlocks:function(t){var e=t.credentials;return bt({url:"/api/v1/blocks/",credentials:e}).then(function(t){return t.map(x.g)})},fetchOAuthTokens:function(t){var e=t.credentials;return vt("/api/oauth_tokens.json",{headers:wt(e)}).then(function(t){if(t.ok)return t.json();throw new Error("Error fetching auth tokens",t)})},revokeOAuthToken:function(t){var e=t.id,n=t.credentials,i="/api/oauth_tokens/".concat(e);return vt(i,{headers:wt(n),method:"DELETE"})},tagUser:function(t){var e=t.tag,n=t.credentials,i={nicknames:[t.user.screen_name],tags:[e]},o=wt(n);return o["Content-Type"]="application/json",vt("/api/pleroma/admin/users/tag",{method:"PUT",headers:o,body:JSON.stringify(i)})},untagUser:function(t){var e=t.tag,n=t.credentials,i={nicknames:[t.user.screen_name],tags:[e]},o=wt(n);return o["Content-Type"]="application/json",vt("/api/pleroma/admin/users/tag",{method:"DELETE",headers:o,body:JSON.stringify(i)})},deleteUser:function(t){var e=t.credentials,n=t.user.screen_name,i=wt(e);return vt("".concat("/api/pleroma/admin/users","?nickname=").concat(n),{method:"DELETE",headers:i})},addRight:function(t){var e=t.right,n=t.credentials,i=t.user.screen_name;return vt(q(i,e),{method:"POST",headers:wt(n),body:{}})},deleteRight:function(t){var e=t.right,n=t.credentials,i=t.user.screen_name;return vt(q(i,e),{method:"DELETE",headers:wt(n),body:{}})},activateUser:function(t){var e=t.credentials,n=t.user.screen_name;return bt({url:"/api/pleroma/admin/users/activate",method:"PATCH",credentials:e,payload:{nicknames:[n]}}).then(function(t){return p()(t,"users.0")})},deactivateUser:function(t){var e=t.credentials,n=t.user.screen_name;return bt({url:"/api/pleroma/admin/users/deactivate",method:"PATCH",credentials:e,payload:{nicknames:[n]}}).then(function(t){return p()(t,"users.0")})},register:function(t){var e=t.params,n=t.credentials,i=e.nickname,o=s()(e,["nickname"]);return vt("/api/v1/accounts",{method:"POST",headers:H({},wt(n),{"Content-Type":"application/json"}),body:JSON.stringify(H({nickname:i,locale:"en_US",agreement:!0},o))}).then(function(t){return t.ok?t.json():t.json().then(function(t){throw new B(t)})})},getCaptcha:function(){return vt("/api/pleroma/captcha").then(function(t){return t.json()})},updateProfileImages:function(t){var e=t.credentials,n=t.avatar,i=void 0===n?null:n,o=t.banner,r=void 0===o?null:o,s=t.background,a=void 0===s?null:s,c=new FormData;return null!==i&&c.append("avatar",i),null!==r&&c.append("header",r),null!==a&&c.append("pleroma_background_image",a),vt("/api/v1/accounts/update_credentials",{headers:wt(e),method:"PATCH",body:c}).then(function(t){return t.json()}).then(function(t){return Object(x.g)(t)})},updateProfile:function(t){var e=t.credentials,n=t.params;return bt({url:"/api/v1/accounts/update_credentials",method:"PATCH",payload:n,credentials:e}).then(function(t){return Object(x.g)(t)})},importBlocks:function(t){var e=t.file,n=t.credentials,i=new FormData;return i.append("list",e),vt("/api/pleroma/blocks_import",{body:i,method:"POST",headers:wt(n)}).then(function(t){return t.ok})},importFollows:function(t){var e=t.file,n=t.credentials,i=new FormData;return i.append("list",e),vt("/api/pleroma/follow_import",{body:i,method:"POST",headers:wt(n)}).then(function(t){return t.ok})},deleteAccount:function(t){var e=t.credentials,n=t.password,i=new FormData;return i.append("password",n),vt("/api/pleroma/delete_account",{body:i,method:"POST",headers:wt(e)}).then(function(t){return t.json()})},changeEmail:function(t){var e=t.credentials,n=t.email,i=t.password,o=new FormData;return o.append("email",n),o.append("password",i),vt("/api/pleroma/change_email",{body:o,method:"POST",headers:wt(e)}).then(function(t){return t.json()})},changePassword:function(t){var e=t.credentials,n=t.password,i=t.newPassword,o=t.newPasswordConfirmation,r=new FormData;return r.append("password",n),r.append("new_password",i),r.append("new_password_confirmation",o),vt("/api/pleroma/change_password",{body:r,method:"POST",headers:wt(e)}).then(function(t){return t.json()})},settingsMFA:function(t){var e=t.credentials;return vt("/api/pleroma/accounts/mfa",{headers:wt(e),method:"GET"}).then(function(t){return t.json()})},mfaDisableOTP:function(t){var e=t.credentials,n=t.password,i=new FormData;return i.append("password",n),vt("/api/pleroma/accounts/mfa/totp",{body:i,method:"DELETE",headers:wt(e)}).then(function(t){return t.json()})},generateMfaBackupCodes:function(t){var e=t.credentials;return vt("/api/pleroma/accounts/mfa/backup_codes",{headers:wt(e),method:"GET"}).then(function(t){return t.json()})},mfaSetupOTP:function(t){var e=t.credentials;return vt("/api/pleroma/accounts/mfa/setup/totp",{headers:wt(e),method:"GET"}).then(function(t){return t.json()})},mfaConfirmOTP:function(t){var e=t.credentials,n=t.password,i=t.token,o=new FormData;return o.append("password",n),o.append("code",i),vt("/api/pleroma/accounts/mfa/confirm/totp",{body:o,headers:wt(e),method:"POST"}).then(function(t){return t.json()})},fetchFollowRequests:function(t){var e=t.credentials;return vt("/api/v1/follow_requests",{headers:wt(e)}).then(function(t){return t.json()}).then(function(t){return t.map(x.g)})},approveUser:function(t){var e=t.id,n=t.credentials,i=function(t){return"/api/v1/follow_requests/".concat(t,"/authorize")}(e);return vt(i,{headers:wt(n),method:"POST"}).then(function(t){return t.json()})},denyUser:function(t){var e=t.id,n=t.credentials,i=function(t){return"/api/v1/follow_requests/".concat(t,"/reject")}(e);return vt(i,{headers:wt(n),method:"POST"}).then(function(t){return t.json()})},suggestions:function(t){var e=t.credentials;return vt("/api/v1/suggestions",{headers:wt(e)}).then(function(t){return t.json()})},markNotificationsAsSeen:function(t){var e=t.id,n=t.credentials,i=t.single,o=void 0!==i&&i,r=new FormData;return o?r.append("id",e):r.append("max_id",e),vt("/api/v1/pleroma/notifications/read",{body:r,headers:wt(n),method:"POST"}).then(function(t){return t.json()})},dismissNotification:function(t){var e=t.credentials,n=t.id;return bt({url:W(n),method:"POST",payload:{id:n},credentials:e})},vote:function(t){var e,n=t.pollId,i=t.choices,o=t.credentials;return(new FormData).append("choices",i),bt({url:(e=encodeURIComponent(n),"/api/v1/polls/".concat(e,"/votes")),method:"POST",credentials:o,payload:{choices:i}})},fetchPoll:function(t){var e,n=t.pollId,i=t.credentials;return bt({url:(e=encodeURIComponent(n),"/api/v1/polls/".concat(e)),method:"GET",credentials:i})},fetchFavoritedByUsers:function(t){var e=t.id,n=t.credentials;return bt({url:ot(e),method:"GET",credentials:n}).then(function(t){return t.map(x.g)})},fetchRebloggedByUsers:function(t){var e=t.id,n=t.credentials;return bt({url:rt(e),method:"GET",credentials:n}).then(function(t){return t.map(x.g)})},fetchEmojiReactions:function(t){var e=t.id,n=t.credentials;return bt({url:ut(e),credentials:n}).then(function(t){return t.map(function(t){return t.accounts=t.accounts.map(x.g),t})})},reactWithEmoji:function(t){var e=t.id,n=t.emoji,i=t.credentials;return bt({url:dt(e,n),method:"PUT",credentials:i}).then(x.f)},unreactWithEmoji:function(t){var e=t.id,n=t.emoji,i=t.credentials;return bt({url:pt(e,n),method:"DELETE",credentials:i}).then(x.f)},reportUser:function(t){var e=t.credentials,n=t.userId,i=t.statusIds,o=t.comment,r=t.forward;return bt({url:"/api/v1/reports",method:"POST",payload:{account_id:n,status_ids:i,comment:o,forward:r},credentials:e})},updateNotificationSettings:function(t){var e=t.credentials,n=t.settings,i=new FormData;return _()(n,function(t,e){i.append(e,t)}),vt("/api/pleroma/notification_settings",{headers:wt(e),method:"PUT",body:i}).then(function(t){return t.json()})},search2:function(t){var e=t.credentials,n=t.q,i=t.resolve,o=t.limit,r=t.offset,s=t.following,a="/api/v2/search",c=[];n&&c.push(["q",encodeURIComponent(n)]),i&&c.push(["resolve",i]),o&&c.push(["limit",o]),r&&c.push(["offset",r]),s&&c.push(["following",!0]),c.push(["with_relationships",!0]);var l=b()(c,function(t){return"".concat(t[0],"=").concat(t[1])}).join("&");return a+="?".concat(l),vt(a,{headers:wt(e)}).then(function(t){if(t.ok)return t;throw new Error("Error fetching search result",t)}).then(function(t){return t.json()}).then(function(t){return t.accounts=t.accounts.slice(0,o).map(function(t){return Object(x.g)(t)}),t.statuses=t.statuses.slice(0,o).map(function(t){return Object(x.f)(t)}),t})},searchUsers:function(t){var e=t.credentials,n=t.query;return bt({url:"/api/v1/accounts/search",params:{q:n,resolve:!0},credentials:e}).then(function(t){return t.map(x.g)})},fetchKnownDomains:function(t){var e=t.credentials;return bt({url:"/api/v1/instance/peers",credentials:e})},fetchDomainMutes:function(t){var e=t.credentials;return bt({url:"/api/v1/domain_blocks",credentials:e})},muteDomain:function(t){var e=t.domain,n=t.credentials;return bt({url:"/api/v1/domain_blocks",method:"POST",payload:{domain:e},credentials:n})},unmuteDomain:function(t){var e=t.domain,n=t.credentials;return bt({url:"/api/v1/domain_blocks",method:"DELETE",payload:{domain:e},credentials:n})},chats:function(t){var e=t.credentials;return vt("/api/v1/pleroma/chats",{headers:wt(e)}).then(function(t){return t.json()}).then(function(t){return{chats:t.map(x.b).filter(function(t){return t})}})},getOrCreateChat:function(t){var e,n=t.accountId,i=t.credentials;return bt({url:(e=n,"/api/v1/pleroma/chats/by-account-id/".concat(e)),method:"POST",credentials:i})},chatMessages:function(t){var e=t.id,n=t.credentials,i=t.maxId,o=t.sinceId,r=t.limit,s=void 0===r?20:r,a=ft(e),c=[i&&"max_id=".concat(i),o&&"since_id=".concat(o),s&&"limit=".concat(s)].filter(function(t){return t}).join("&");return bt({url:a+=c?"?"+c:"",method:"GET",credentials:n})},sendChatMessage:function(t){var e=t.id,n=t.content,i=t.mediaId,o=void 0===i?null:i,r=t.credentials,s={content:n};return o&&(s.media_id=o),bt({url:ft(e),method:"POST",payload:s,credentials:r})},readChat:function(t){var e=t.id,n=t.lastReadId,i=t.credentials;return bt({url:ht(e),method:"POST",payload:{last_read_id:n},credentials:i})},deleteChatMessage:function(t){var e=t.chatId,n=t.messageId,i=t.credentials;return bt({url:mt(e,n),method:"DELETE",credentials:i})}};e.c=Ot},,,,,,function(t,e,n){"use strict";var i=n(97),o=n.n(i),r=function(t){return t&&t.includes("@")};e.a=function(t,e,n){var i=!e||r(e)||o()(n,e);return{name:i?"external-user-profile":"user-profile",params:i?{id:t}:{name:e}}}},function(t,e,n){"use strict";n.r(e);var i={props:["user","betterShadow","compact"],data:function(){return{showPlaceholder:!1,defaultAvatar:"".concat(this.$store.state.instance.server+this.$store.state.instance.defaultAvatar)}},components:{StillImage:n(62).a},methods:{imgSrc:function(t){return!t||this.showPlaceholder?this.defaultAvatar:t},imageLoadError:function(){this.showPlaceholder=!0}}},o=n(0);var r=function(t){n(415)},s=Object(o.a)(i,function(){var t=this.$createElement;return(this._self._c||t)("StillImage",{staticClass:"Avatar",class:{"avatar-compact":this.compact,"better-shadow":this.betterShadow},attrs:{alt:this.user.screen_name,title:this.user.screen_name,src:this.imgSrc(this.user.profile_image_url_original),"image-load-error":this.imageLoadError}})},[],!1,r,null,null);e.default=s.exports},function(t,e,n){"use strict";n.d(e,"d",function(){return d}),n.d(e,"b",function(){return h}),n.d(e,"c",function(){return g}),n.d(e,"a",function(){return v}),n.d(e,"e",function(){return b});var i=n(97),o=n.n(i),r=n(98),s=n.n(r),a=n(37),c=n.n(a),l=n(99),u=n(100),d=function(t){return t.state.statuses.notifications.data},p=function(t){var e=t.rootState||t.state;return[e.config.notificationVisibility.likes&&"like",e.config.notificationVisibility.mentions&&"mention",e.config.notificationVisibility.repeats&&"repeat",e.config.notificationVisibility.follows&&"follow",e.config.notificationVisibility.followRequest&&"follow_request",e.config.notificationVisibility.moves&&"move",e.config.notificationVisibility.emojiReactions&&"pleroma:emoji_reaction"].filter(function(t){return t})},f=["like","mention","repeat","pleroma:emoji_reaction"],h=function(t){return o()(f,t)},m=function(t,e){var n=Number(t.id),i=Number(e.id),o=!Number.isNaN(n),r=!Number.isNaN(i);return o&&r?n>i?-1:1:o&&!r?1:!o&&r?-1:t.id>e.id?-1:1},g=function(t,e){var n=t.rootState||t.state;if(!e.seen&&p(t).includes(e.type)&&("mention"!==e.type||!function(t,e){if(e.status)return e.status.muted||Object(l.a)(e.status,t.rootGetters.mergedConfig.muteWords).length>0}(t,e))){var i=w(e,t.rootGetters.i18n);Object(u.a)(n,i)}},v=function(t,e){var n=d(t).map(function(t){return t}).sort(m);return(n=s()(n,"seen")).filter(function(n){return(e||p(t)).includes(n.type)})},b=function(t){return c()(v(t),function(t){return!t.seen})},w=function(t,e){var n,i={tag:t.id},o=t.status,r=t.from_profile.name;switch(i.title=r,i.icon=t.from_profile.profile_image_url,t.type){case"like":n="favorited_you";break;case"repeat":n="repeated_you";break;case"follow":n="followed_you";break;case"move":n="migrated_to";break;case"follow_request":n="follow_request"}return"pleroma:emoji_reaction"===t.type?i.body=e.t("notifications.reacted_with",[t.emoji]):n?i.body=e.t("notifications."+n):h(t.type)&&(i.body=t.status.text),o&&o.attachments&&o.attachments.length>0&&!o.nsfw&&o.attachments[0].mimetype.startsWith("image/")&&(i.image=o.attachments[0].url),i}},,function(t,e,n){"use strict";var i=function(t){return t.match(/text\/html/)?"html":t.match(/image/)?"image":t.match(/video/)?"video":t.match(/audio/)?"audio":"unknown"},o={fileType:i,fileMatchesSomeType:function(t,e){return t.some(function(t){return i(e.mimetype)===t})}};e.a=o},function(t,e,n){"use strict";n.r(e);var i={name:"Popover",props:{trigger:String,placement:String,boundTo:Object,boundToSelector:String,margin:Object,offset:Object,popoverClass:String},data:function(){return{hidden:!0,styles:{opacity:0},oldSize:{width:0,height:0}}},methods:{containerBoundingClientRect:function(){return(this.boundToSelector?this.$el.closest(this.boundToSelector):this.$el.offsetParent).getBoundingClientRect()},updateStyles:function(){if(this.hidden)this.styles={opacity:0};else{var t=this.$refs.trigger&&this.$refs.trigger.children[0]||this.$el,e=t.getBoundingClientRect(),n=e.left+.5*e.width,i=e.top,o=this.$refs.content,r=this.boundTo&&("container"===this.boundTo.x||"container"===this.boundTo.y)&&this.containerBoundingClientRect(),s=this.margin||{},a=this.boundTo&&"container"===this.boundTo.x?{min:r.left+(s.left||0),max:r.right-(s.right||0)}:{min:0+(s.left||10),max:window.innerWidth-(s.right||10)},c=this.boundTo&&"container"===this.boundTo.y?{min:r.top+(s.top||0),max:r.bottom-(s.bottom||0)}:{min:0+(s.top||50),max:window.innerHeight-(s.bottom||5)},l=0;n-.5*o.offsetWidth<a.min&&(l+=-(n-.5*o.offsetWidth)+a.min),n+l+.5*o.offsetWidth>a.max&&(l-=n+l+.5*o.offsetWidth-a.max);var u="bottom"!==this.placement;i+o.offsetHeight>c.max&&(u=!0),i-o.offsetHeight<c.min&&(u=!1);var d=this.offset&&this.offset.y||0,p=u?-t.offsetHeight-d-o.offsetHeight:d,f=this.offset&&this.offset.x||0,h=.5*t.offsetWidth-.5*o.offsetWidth+l+f;this.styles={opacity:1,transform:"translateX(".concat(Math.round(h),"px) translateY(").concat(Math.round(p),"px)")}}},showPopover:function(){this.hidden&&this.$emit("show"),this.hidden=!1,this.$nextTick(this.updateStyles)},hidePopover:function(){this.hidden||this.$emit("close"),this.hidden=!0,this.styles={opacity:0}},onMouseenter:function(t){"hover"===this.trigger&&this.showPopover()},onMouseleave:function(t){"hover"===this.trigger&&this.hidePopover()},onClick:function(t){"click"===this.trigger&&(this.hidden?this.showPopover():this.hidePopover())},onClickOutside:function(t){this.hidden||this.$el.contains(t.target)||this.hidePopover()}},updated:function(){var t=this.$refs.content;t&&(this.oldSize.width===t.offsetWidth&&this.oldSize.height===t.offsetHeight||(this.updateStyles(),this.oldSize={width:t.offsetWidth,height:t.offsetHeight}))},created:function(){document.addEventListener("click",this.onClickOutside)},destroyed:function(){document.removeEventListener("click",this.onClickOutside),this.hidePopover()}},o=n(0);var r=function(t){n(381)},s=Object(o.a)(i,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{on:{mouseenter:t.onMouseenter,mouseleave:t.onMouseleave}},[n("div",{ref:"trigger",on:{click:t.onClick}},[t._t("trigger")],2),t._v(" "),t.hidden?t._e():n("div",{ref:"content",staticClass:"popover",class:t.popoverClass||"popover-default",style:t.styles},[t._t("content",null,{close:t.hidePopover})],2)])},[],!1,r,null,null);e.default=s.exports},,,,,,function(t,e,n){"use strict";var i=n(1),o=n.n(i),r=n(18),s=n(113),a=n(78),c=n(109),l={props:{darkOverlay:{default:!0,type:Boolean},onCancel:{default:function(){},type:Function}}},u=n(0);var d=function(t){n(421)},p=Object(u.a)(l,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("span",{class:{"dark-overlay":t.darkOverlay},on:{click:function(e){return e.target!==e.currentTarget?null:(e.stopPropagation(),t.onCancel())}}},[n("div",{staticClass:"dialog-modal panel panel-default",on:{click:function(t){t.stopPropagation()}}},[n("div",{staticClass:"panel-heading dialog-modal-heading"},[n("div",{staticClass:"title"},[t._t("header")],2)]),t._v(" "),n("div",{staticClass:"dialog-modal-content"},[t._t("default")],2),t._v(" "),n("div",{staticClass:"dialog-modal-footer user-interactions panel-footer"},[t._t("footer")],2)])])},[],!1,d,null,null).exports,f=n(22),h={props:["user"],data:function(){return{tags:{FORCE_NSFW:"mrf_tag:media-force-nsfw",STRIP_MEDIA:"mrf_tag:media-strip",FORCE_UNLISTED:"mrf_tag:force-unlisted",DISABLE_REMOTE_SUBSCRIPTION:"mrf_tag:disable-remote-subscription",DISABLE_ANY_SUBSCRIPTION:"mrf_tag:disable-any-subscription",SANDBOX:"mrf_tag:sandbox",QUARANTINE:"mrf_tag:quarantine"},showDeleteUserDialog:!1,toggled:!1}},components:{DialogModal:p,Popover:f.default},computed:{tagsSet:function(){return new Set(this.user.tags)},hasTagPolicy:function(){return this.$store.state.instance.tagPolicyAvailable}},methods:{hasTag:function(t){return this.tagsSet.has(t)},toggleTag:function(t){var e=this,n=this.$store;this.tagsSet.has(t)?n.state.api.backendInteractor.untagUser({user:this.user,tag:t}).then(function(i){i.ok&&n.commit("untagUser",{user:e.user,tag:t})}):n.state.api.backendInteractor.tagUser({user:this.user,tag:t}).then(function(i){i.ok&&n.commit("tagUser",{user:e.user,tag:t})})},toggleRight:function(t){var e=this,n=this.$store;this.user.rights[t]?n.state.api.backendInteractor.deleteRight({user:this.user,right:t}).then(function(i){i.ok&&n.commit("updateRight",{user:e.user,right:t,value:!1})}):n.state.api.backendInteractor.addRight({user:this.user,right:t}).then(function(i){i.ok&&n.commit("updateRight",{user:e.user,right:t,value:!0})})},toggleActivationStatus:function(){this.$store.dispatch("toggleActivationStatus",{user:this.user})},deleteUserDialog:function(t){this.showDeleteUserDialog=t},deleteUser:function(){var t=this,e=this.$store,n=this.user,i=n.id,o=n.name;e.state.api.backendInteractor.deleteUser({user:n}).then(function(e){t.$store.dispatch("markStatusesAsDeleted",function(t){return n.id===t.user.id});var r="external-user-profile"===t.$route.name||"user-profile"===t.$route.name,s=t.$route.params.name===o||t.$route.params.id===i;r&&s&&window.history.back()})},setToggled:function(t){this.toggled=t}}};var m=function(t){n(419)},g=Object(u.a)(h,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",[n("Popover",{staticClass:"moderation-tools-popover",attrs:{trigger:"click",placement:"bottom",offset:{y:5}},on:{show:function(e){return t.setToggled(!0)},close:function(e){return t.setToggled(!1)}}},[n("div",{attrs:{slot:"content"},slot:"content"},[n("div",{staticClass:"dropdown-menu"},[t.user.is_local?n("span",[n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleRight("admin")}}},[t._v("\n "+t._s(t.$t(t.user.rights.admin?"user_card.admin_menu.revoke_admin":"user_card.admin_menu.grant_admin"))+"\n ")]),t._v(" "),n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleRight("moderator")}}},[t._v("\n "+t._s(t.$t(t.user.rights.moderator?"user_card.admin_menu.revoke_moderator":"user_card.admin_menu.grant_moderator"))+"\n ")]),t._v(" "),n("div",{staticClass:"dropdown-divider",attrs:{role:"separator"}})]):t._e(),t._v(" "),n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleActivationStatus()}}},[t._v("\n "+t._s(t.$t(t.user.deactivated?"user_card.admin_menu.activate_account":"user_card.admin_menu.deactivate_account"))+"\n ")]),t._v(" "),n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.deleteUserDialog(!0)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.delete_account"))+"\n ")]),t._v(" "),t.hasTagPolicy?n("div",{staticClass:"dropdown-divider",attrs:{role:"separator"}}):t._e(),t._v(" "),t.hasTagPolicy?n("span",[n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.FORCE_NSFW)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.force_nsfw"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.FORCE_NSFW)}})]),t._v(" "),n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.STRIP_MEDIA)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.strip_media"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.STRIP_MEDIA)}})]),t._v(" "),n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.FORCE_UNLISTED)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.force_unlisted"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.FORCE_UNLISTED)}})]),t._v(" "),n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.SANDBOX)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.sandbox"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.SANDBOX)}})]),t._v(" "),t.user.is_local?n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.DISABLE_REMOTE_SUBSCRIPTION)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.disable_remote_subscription"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.DISABLE_REMOTE_SUBSCRIPTION)}})]):t._e(),t._v(" "),t.user.is_local?n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.DISABLE_ANY_SUBSCRIPTION)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.disable_any_subscription"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.DISABLE_ANY_SUBSCRIPTION)}})]):t._e(),t._v(" "),t.user.is_local?n("button",{staticClass:"dropdown-item",on:{click:function(e){return t.toggleTag(t.tags.QUARANTINE)}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.quarantine"))+"\n "),n("span",{staticClass:"menu-checkbox",class:{"menu-checkbox-checked":t.hasTag(t.tags.QUARANTINE)}})]):t._e()]):t._e()])]),t._v(" "),n("button",{staticClass:"btn btn-default btn-block",class:{toggled:t.toggled},attrs:{slot:"trigger"},slot:"trigger"},[t._v("\n "+t._s(t.$t("user_card.admin_menu.moderation"))+"\n ")])]),t._v(" "),n("portal",{attrs:{to:"modal"}},[t.showDeleteUserDialog?n("DialogModal",{attrs:{"on-cancel":t.deleteUserDialog.bind(this,!1)}},[n("template",{slot:"header"},[t._v("\n "+t._s(t.$t("user_card.admin_menu.delete_user"))+"\n ")]),t._v(" "),n("p",[t._v(t._s(t.$t("user_card.admin_menu.delete_user_confirmation")))]),t._v(" "),n("template",{slot:"footer"},[n("button",{staticClass:"btn btn-default",on:{click:function(e){return t.deleteUserDialog(!1)}}},[t._v("\n "+t._s(t.$t("general.cancel"))+"\n ")]),t._v(" "),n("button",{staticClass:"btn btn-default danger",on:{click:function(e){return t.deleteUser()}}},[t._v("\n "+t._s(t.$t("user_card.admin_menu.delete_user"))+"\n ")])])],2):t._e()],1)],1)},[],!1,m,null,null).exports,v=n(2);function b(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var w={props:["user","relationship"],data:function(){return{}},components:{ProgressButton:a.a,Popover:f.default},methods:{showRepeats:function(){this.$store.dispatch("showReblogs",this.user.id)},hideRepeats:function(){this.$store.dispatch("hideReblogs",this.user.id)},blockUser:function(){this.$store.dispatch("blockUser",this.user.id)},unblockUser:function(){this.$store.dispatch("unblockUser",this.user.id)},reportUser:function(){this.$store.dispatch("openUserReportingModal",this.user.id)},openChat:function(){this.$router.push({name:"chat",params:{recipient_id:this.user.id}})}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?b(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):b(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},Object(v.e)({pleromaChatMessagesAvailable:function(t){return t.instance.pleromaChatMessagesAvailable}}))};var _=function(t){n(423)},x=Object(u.a)(w,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"account-actions"},[n("Popover",{attrs:{trigger:"click",placement:"bottom","bound-to":{x:"container"}}},[n("div",{staticClass:"account-tools-popover",attrs:{slot:"content"},slot:"content"},[n("div",{staticClass:"dropdown-menu"},[t.relationship.following?[t.relationship.showing_reblogs?n("button",{staticClass:"btn btn-default dropdown-item",on:{click:t.hideRepeats}},[t._v("\n "+t._s(t.$t("user_card.hide_repeats"))+"\n ")]):t._e(),t._v(" "),t.relationship.showing_reblogs?t._e():n("button",{staticClass:"btn btn-default dropdown-item",on:{click:t.showRepeats}},[t._v("\n "+t._s(t.$t("user_card.show_repeats"))+"\n ")]),t._v(" "),n("div",{staticClass:"dropdown-divider",attrs:{role:"separator"}})]:t._e(),t._v(" "),t.relationship.blocking?n("button",{staticClass:"btn btn-default btn-block dropdown-item",on:{click:t.unblockUser}},[t._v("\n "+t._s(t.$t("user_card.unblock"))+"\n ")]):n("button",{staticClass:"btn btn-default btn-block dropdown-item",on:{click:t.blockUser}},[t._v("\n "+t._s(t.$t("user_card.block"))+"\n ")]),t._v(" "),n("button",{staticClass:"btn btn-default btn-block dropdown-item",on:{click:t.reportUser}},[t._v("\n "+t._s(t.$t("user_card.report"))+"\n ")]),t._v(" "),t.pleromaChatMessagesAvailable?n("button",{staticClass:"btn btn-default btn-block dropdown-item",on:{click:t.openChat}},[t._v("\n "+t._s(t.$t("user_card.message"))+"\n ")]):t._e()],2)]),t._v(" "),n("div",{staticClass:"btn btn-default ellipsis-button",attrs:{slot:"trigger"},slot:"trigger"},[n("i",{staticClass:"icon-ellipsis trigger-button"})])])],1)},[],!1,_,null,null).exports,y=n(17);function k(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function C(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?k(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):k(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var S={props:["userId","switcher","selected","hideBio","rounded","bordered","allowZoomingAvatar"],data:function(){return{followRequestInProgress:!1,betterShadow:this.$store.state.interface.browserSupport.cssFilter}},created:function(){this.$store.dispatch("fetchUserRelationship",this.user.id)},computed:C({user:function(){return this.$store.getters.findUser(this.userId)},relationship:function(){return this.$store.getters.relationship(this.userId)},classes:function(){return[{"user-card-rounded-t":"top"===this.rounded,"user-card-rounded":!0===this.rounded,"user-card-bordered":!0===this.bordered}]},style:function(){return{backgroundImage:["linear-gradient(to bottom, var(--profileTint), var(--profileTint))","url(".concat(this.user.cover_photo,")")].join(", ")}},isOtherUser:function(){return this.user.id!==this.$store.state.users.currentUser.id},subscribeUrl:function(){var t=new URL(this.user.statusnet_profile_url);return"".concat(t.protocol,"//").concat(t.host,"/main/ostatus")},loggedIn:function(){return this.$store.state.users.currentUser},dailyAvg:function(){var t=Math.ceil((new Date-new Date(this.user.created_at))/864e5);return Math.round(this.user.statuses_count/t)},userHighlightType:C({get:function(){var t=this.$store.getters.mergedConfig.highlight[this.user.screen_name];return t&&t.type||"disabled"},set:function(t){var e=this.$store.getters.mergedConfig.highlight[this.user.screen_name];"disabled"!==t?this.$store.dispatch("setHighlight",{user:this.user.screen_name,color:e&&e.color||"#FFFFFF",type:t}):this.$store.dispatch("setHighlight",{user:this.user.screen_name,color:void 0})}},Object(v.c)(["mergedConfig"])),userHighlightColor:{get:function(){var t=this.$store.getters.mergedConfig.highlight[this.user.screen_name];return t&&t.color},set:function(t){this.$store.dispatch("setHighlight",{user:this.user.screen_name,color:t})}},visibleRole:function(){var t=this.user.rights;if(t){var e=t.admin||t.moderator,n=t.admin?"admin":"moderator";return e&&n}},hideFollowsCount:function(){return this.isOtherUser&&this.user.hide_follows_count},hideFollowersCount:function(){return this.isOtherUser&&this.user.hide_followers_count}},Object(v.c)(["mergedConfig"])),components:{UserAvatar:r.default,RemoteFollow:s.a,ModerationTools:g,AccountActions:x,ProgressButton:a.a,FollowButton:c.a},methods:{muteUser:function(){this.$store.dispatch("muteUser",this.user.id)},unmuteUser:function(){this.$store.dispatch("unmuteUser",this.user.id)},subscribeUser:function(){return this.$store.dispatch("subscribeUser",this.user.id)},unsubscribeUser:function(){return this.$store.dispatch("unsubscribeUser",this.user.id)},setProfileView:function(t){this.switcher&&this.$store.commit("setProfileView",{v:t})},linkClicked:function(t){var e=t.target;"SPAN"===e.tagName&&(e=e.parentNode),"A"===e.tagName&&window.open(e.href,"_blank")},userProfileLink:function(t){return Object(y.a)(t.id,t.screen_name,this.$store.state.instance.restrictedNicknames)},zoomAvatar:function(){var t={url:this.user.profile_image_url_original,mimetype:"image"};this.$store.dispatch("setMedia",[t]),this.$store.dispatch("setCurrent",t)},mentionUser:function(){this.$store.dispatch("openPostStatusModal",{replyTo:!0,repliedUser:this.user})}}};var j=function(t){n(413)},O=Object(u.a)(S,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"user-card",class:t.classes},[n("div",{staticClass:"background-image",class:{"hide-bio":t.hideBio},style:t.style}),t._v(" "),n("div",{staticClass:"panel-heading"},[n("div",{staticClass:"user-info"},[n("div",{staticClass:"container"},[t.allowZoomingAvatar?n("a",{staticClass:"user-info-avatar-link",on:{click:t.zoomAvatar}},[n("UserAvatar",{attrs:{"better-shadow":t.betterShadow,user:t.user}}),t._v(" "),t._m(0)],1):n("router-link",{attrs:{to:t.userProfileLink(t.user)}},[n("UserAvatar",{attrs:{"better-shadow":t.betterShadow,user:t.user}})],1),t._v(" "),n("div",{staticClass:"user-summary"},[n("div",{staticClass:"top-line"},[t.user.name_html?n("div",{staticClass:"user-name",attrs:{title:t.user.name},domProps:{innerHTML:t._s(t.user.name_html)}}):n("div",{staticClass:"user-name",attrs:{title:t.user.name}},[t._v("\n "+t._s(t.user.name)+"\n ")]),t._v(" "),t.isOtherUser&&!t.user.is_local?n("a",{attrs:{href:t.user.statusnet_profile_url,target:"_blank"}},[n("i",{staticClass:"icon-link-ext usersettings"})]):t._e(),t._v(" "),t.isOtherUser&&t.loggedIn?n("AccountActions",{attrs:{user:t.user,relationship:t.relationship}}):t._e()],1),t._v(" "),n("div",{staticClass:"bottom-line"},[n("router-link",{staticClass:"user-screen-name",attrs:{title:t.user.screen_name,to:t.userProfileLink(t.user)}},[t._v("\n @"+t._s(t.user.screen_name)+"\n ")]),t._v(" "),t.hideBio?t._e():[t.visibleRole?n("span",{staticClass:"alert user-role"},[t._v("\n "+t._s(t.visibleRole)+"\n ")]):t._e(),t._v(" "),t.user.bot?n("span",{staticClass:"alert user-role"},[t._v("\n bot\n ")]):t._e()],t._v(" "),t.user.locked?n("span",[n("i",{staticClass:"icon icon-lock"})]):t._e(),t._v(" "),t.mergedConfig.hideUserStats||t.hideBio?t._e():n("span",{staticClass:"dailyAvg"},[t._v(t._s(t.dailyAvg)+" "+t._s(t.$t("user_card.per_day")))])],2)])],1),t._v(" "),n("div",{staticClass:"user-meta"},[t.relationship.followed_by&&t.loggedIn&&t.isOtherUser?n("div",{staticClass:"following"},[t._v("\n "+t._s(t.$t("user_card.follows_you"))+"\n ")]):t._e(),t._v(" "),!t.isOtherUser||!t.loggedIn&&t.switcher?t._e():n("div",{staticClass:"highlighter"},["disabled"!==t.userHighlightType?n("input",{directives:[{name:"model",rawName:"v-model",value:t.userHighlightColor,expression:"userHighlightColor"}],staticClass:"userHighlightText",attrs:{id:"userHighlightColorTx"+t.user.id,type:"text"},domProps:{value:t.userHighlightColor},on:{input:function(e){e.target.composing||(t.userHighlightColor=e.target.value)}}}):t._e(),t._v(" "),"disabled"!==t.userHighlightType?n("input",{directives:[{name:"model",rawName:"v-model",value:t.userHighlightColor,expression:"userHighlightColor"}],staticClass:"userHighlightCl",attrs:{id:"userHighlightColor"+t.user.id,type:"color"},domProps:{value:t.userHighlightColor},on:{input:function(e){e.target.composing||(t.userHighlightColor=e.target.value)}}}):t._e(),t._v(" "),n("label",{staticClass:"userHighlightSel select",attrs:{for:"theme_tab"}},[n("select",{directives:[{name:"model",rawName:"v-model",value:t.userHighlightType,expression:"userHighlightType"}],staticClass:"userHighlightSel",attrs:{id:"userHighlightSel"+t.user.id},on:{change:function(e){var n=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.userHighlightType=e.target.multiple?n:n[0]}}},[n("option",{attrs:{value:"disabled"}},[t._v("No highlight")]),t._v(" "),n("option",{attrs:{value:"solid"}},[t._v("Solid bg")]),t._v(" "),n("option",{attrs:{value:"striped"}},[t._v("Striped bg")]),t._v(" "),n("option",{attrs:{value:"side"}},[t._v("Side stripe")])]),t._v(" "),n("i",{staticClass:"icon-down-open"})])])]),t._v(" "),t.loggedIn&&t.isOtherUser?n("div",{staticClass:"user-interactions"},[n("div",{staticClass:"btn-group"},[n("FollowButton",{attrs:{relationship:t.relationship}}),t._v(" "),t.relationship.following?[t.relationship.subscribing?n("ProgressButton",{staticClass:"btn btn-default toggled",attrs:{click:t.unsubscribeUser,title:t.$t("user_card.unsubscribe")}},[n("i",{staticClass:"icon-bell-ringing-o"})]):n("ProgressButton",{staticClass:"btn btn-default",attrs:{click:t.subscribeUser,title:t.$t("user_card.subscribe")}},[n("i",{staticClass:"icon-bell-alt"})])]:t._e()],2),t._v(" "),n("div",[t.relationship.muting?n("button",{staticClass:"btn btn-default btn-block toggled",on:{click:t.unmuteUser}},[t._v("\n "+t._s(t.$t("user_card.muted"))+"\n ")]):n("button",{staticClass:"btn btn-default btn-block",on:{click:t.muteUser}},[t._v("\n "+t._s(t.$t("user_card.mute"))+"\n ")])]),t._v(" "),n("div",[n("button",{staticClass:"btn btn-default btn-block",on:{click:t.mentionUser}},[t._v("\n "+t._s(t.$t("user_card.mention"))+"\n ")])]),t._v(" "),"admin"===t.loggedIn.role?n("ModerationTools",{attrs:{user:t.user}}):t._e()],1):t._e(),t._v(" "),!t.loggedIn&&t.user.is_local?n("div",{staticClass:"user-interactions"},[n("RemoteFollow",{attrs:{user:t.user}})],1):t._e()])]),t._v(" "),t.hideBio?t._e():n("div",{staticClass:"panel-body"},[!t.mergedConfig.hideUserStats&&t.switcher?n("div",{staticClass:"user-counts"},[n("div",{staticClass:"user-count",on:{click:function(e){return e.preventDefault(),t.setProfileView("statuses")}}},[n("h5",[t._v(t._s(t.$t("user_card.statuses")))]),t._v(" "),n("span",[t._v(t._s(t.user.statuses_count)+" "),n("br")])]),t._v(" "),n("div",{staticClass:"user-count",on:{click:function(e){return e.preventDefault(),t.setProfileView("friends")}}},[n("h5",[t._v(t._s(t.$t("user_card.followees")))]),t._v(" "),n("span",[t._v(t._s(t.hideFollowsCount?t.$t("user_card.hidden"):t.user.friends_count))])]),t._v(" "),n("div",{staticClass:"user-count",on:{click:function(e){return e.preventDefault(),t.setProfileView("followers")}}},[n("h5",[t._v(t._s(t.$t("user_card.followers")))]),t._v(" "),n("span",[t._v(t._s(t.hideFollowersCount?t.$t("user_card.hidden"):t.user.followers_count))])])]):t._e(),t._v(" "),!t.hideBio&&t.user.description_html?n("p",{staticClass:"user-card-bio",domProps:{innerHTML:t._s(t.user.description_html)},on:{click:function(e){return e.preventDefault(),t.linkClicked(e)}}}):t.hideBio?t._e():n("p",{staticClass:"user-card-bio"},[t._v("\n "+t._s(t.user.description)+"\n ")])])])},[function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"user-info-avatar-link-overlay"},[e("i",{staticClass:"button-icon icon-zoom-in"})])}],!1,j,null,null);e.a=O.exports},function(t,e,n){"use strict";n.d(e,"b",function(){return r}),n.d(e,"a",function(){return s}),n.d(e,"c",function(){return a});var i=n(14),o=n(9),r={undelay:null,topBar:null,badge:null,profileTint:null,fg:null,bg:"underlay",highlight:"bg",panel:"bg",popover:"bg",selectedMenu:"popover",btn:"bg",btnPanel:"panel",btnTopBar:"topBar",input:"bg",inputPanel:"panel",inputTopBar:"topBar",alert:"bg",alertPanel:"panel",poll:"bg",chatBg:"underlay",chatMessage:"chatBg"},s={profileTint:.5,alert:.5,input:.5,faint:.5,underlay:.15,alertPopup:.95},a={bg:{depends:[],opacity:"bg",priority:1},fg:{depends:[],priority:1},text:{depends:[],layer:"bg",opacity:null,priority:1},underlay:{default:"#000000",opacity:"underlay"},link:{depends:["accent"],priority:1},accent:{depends:["link"],priority:1},faint:{depends:["text"],opacity:"faint"},faintLink:{depends:["link"],opacity:"faint"},postFaintLink:{depends:["postLink"],opacity:"faint"},cBlue:"#0000ff",cRed:"#FF0000",cGreen:"#00FF00",cOrange:"#E3FF00",profileBg:{depends:["bg"],color:function(t,e){return{r:Math.floor(.53*e.r),g:Math.floor(.56*e.g),b:Math.floor(.59*e.b)}}},profileTint:{depends:["bg"],layer:"profileTint",opacity:"profileTint"},highlight:{depends:["bg"],color:function(t,e){return Object(i.brightness)(5*t,e).rgb}},highlightLightText:{depends:["lightText"],layer:"highlight",textColor:!0},highlightPostLink:{depends:["postLink"],layer:"highlight",textColor:"preserve"},highlightFaintText:{depends:["faint"],layer:"highlight",textColor:!0},highlightFaintLink:{depends:["faintLink"],layer:"highlight",textColor:"preserve"},highlightPostFaintLink:{depends:["postFaintLink"],layer:"highlight",textColor:"preserve"},highlightText:{depends:["text"],layer:"highlight",textColor:!0},highlightLink:{depends:["link"],layer:"highlight",textColor:"preserve"},highlightIcon:{depends:["highlight","highlightText"],color:function(t,e,n){return Object(o.g)(e,n)}},popover:{depends:["bg"],opacity:"popover"},popoverLightText:{depends:["lightText"],layer:"popover",textColor:!0},popoverPostLink:{depends:["postLink"],layer:"popover",textColor:"preserve"},popoverFaintText:{depends:["faint"],layer:"popover",textColor:!0},popoverFaintLink:{depends:["faintLink"],layer:"popover",textColor:"preserve"},popoverPostFaintLink:{depends:["postFaintLink"],layer:"popover",textColor:"preserve"},popoverText:{depends:["text"],layer:"popover",textColor:!0},popoverLink:{depends:["link"],layer:"popover",textColor:"preserve"},popoverIcon:{depends:["popover","popoverText"],color:function(t,e,n){return Object(o.g)(e,n)}},selectedPost:"--highlight",selectedPostFaintText:{depends:["highlightFaintText"],layer:"highlight",variant:"selectedPost",textColor:!0},selectedPostLightText:{depends:["highlightLightText"],layer:"highlight",variant:"selectedPost",textColor:!0},selectedPostPostLink:{depends:["highlightPostLink"],layer:"highlight",variant:"selectedPost",textColor:"preserve"},selectedPostFaintLink:{depends:["highlightFaintLink"],layer:"highlight",variant:"selectedPost",textColor:"preserve"},selectedPostText:{depends:["highlightText"],layer:"highlight",variant:"selectedPost",textColor:!0},selectedPostLink:{depends:["highlightLink"],layer:"highlight",variant:"selectedPost",textColor:"preserve"},selectedPostIcon:{depends:["selectedPost","selectedPostText"],color:function(t,e,n){return Object(o.g)(e,n)}},selectedMenu:{depends:["bg"],color:function(t,e){return Object(i.brightness)(5*t,e).rgb}},selectedMenuLightText:{depends:["highlightLightText"],layer:"selectedMenu",variant:"selectedMenu",textColor:!0},selectedMenuFaintText:{depends:["highlightFaintText"],layer:"selectedMenu",variant:"selectedMenu",textColor:!0},selectedMenuFaintLink:{depends:["highlightFaintLink"],layer:"selectedMenu",variant:"selectedMenu",textColor:"preserve"},selectedMenuText:{depends:["highlightText"],layer:"selectedMenu",variant:"selectedMenu",textColor:!0},selectedMenuLink:{depends:["highlightLink"],layer:"selectedMenu",variant:"selectedMenu",textColor:"preserve"},selectedMenuIcon:{depends:["selectedMenu","selectedMenuText"],color:function(t,e,n){return Object(o.g)(e,n)}},selectedMenuPopover:{depends:["popover"],color:function(t,e){return Object(i.brightness)(5*t,e).rgb}},selectedMenuPopoverLightText:{depends:["selectedMenuLightText"],layer:"selectedMenuPopover",variant:"selectedMenuPopover",textColor:!0},selectedMenuPopoverFaintText:{depends:["selectedMenuFaintText"],layer:"selectedMenuPopover",variant:"selectedMenuPopover",textColor:!0},selectedMenuPopoverFaintLink:{depends:["selectedMenuFaintLink"],layer:"selectedMenuPopover",variant:"selectedMenuPopover",textColor:"preserve"},selectedMenuPopoverText:{depends:["selectedMenuText"],layer:"selectedMenuPopover",variant:"selectedMenuPopover",textColor:!0},selectedMenuPopoverLink:{depends:["selectedMenuLink"],layer:"selectedMenuPopover",variant:"selectedMenuPopover",textColor:"preserve"},selectedMenuPopoverIcon:{depends:["selectedMenuPopover","selectedMenuText"],color:function(t,e,n){return Object(o.g)(e,n)}},lightText:{depends:["text"],layer:"bg",textColor:"preserve",color:function(t,e){return Object(i.brightness)(20*t,e).rgb}},postLink:{depends:["link"],layer:"bg",textColor:"preserve"},postGreentext:{depends:["cGreen"],layer:"bg",textColor:"preserve"},border:{depends:["fg"],opacity:"border",color:function(t,e){return Object(i.brightness)(2*t,e).rgb}},poll:{depends:["accent","bg"],copacity:"poll",color:function(t,e,n){return Object(o.a)(e,.4,n)}},pollText:{depends:["text"],layer:"poll",textColor:!0},icon:{depends:["bg","text"],inheritsOpacity:!1,color:function(t,e,n){return Object(o.g)(e,n)}},fgText:{depends:["text"],layer:"fg",textColor:!0},fgLink:{depends:["link"],layer:"fg",textColor:"preserve"},panel:{depends:["fg"],opacity:"panel"},panelText:{depends:["text"],layer:"panel",textColor:!0},panelFaint:{depends:["fgText"],layer:"panel",opacity:"faint",textColor:!0},panelLink:{depends:["fgLink"],layer:"panel",textColor:"preserve"},topBar:"--fg",topBarText:{depends:["fgText"],layer:"topBar",textColor:!0},topBarLink:{depends:["fgLink"],layer:"topBar",textColor:"preserve"},tab:{depends:["btn"]},tabText:{depends:["btnText"],layer:"btn",textColor:!0},tabActiveText:{depends:["text"],layer:"bg",textColor:!0},btn:{depends:["fg"],variant:"btn",opacity:"btn"},btnText:{depends:["fgText"],layer:"btn",textColor:!0},btnPanelText:{depends:["btnText"],layer:"btnPanel",variant:"btn",textColor:!0},btnTopBarText:{depends:["btnText"],layer:"btnTopBar",variant:"btn",textColor:!0},btnPressed:{depends:["btn"],layer:"btn"},btnPressedText:{depends:["btnText"],layer:"btn",variant:"btnPressed",textColor:!0},btnPressedPanel:{depends:["btnPressed"],layer:"btn"},btnPressedPanelText:{depends:["btnPanelText"],layer:"btnPanel",variant:"btnPressed",textColor:!0},btnPressedTopBar:{depends:["btnPressed"],layer:"btn"},btnPressedTopBarText:{depends:["btnTopBarText"],layer:"btnTopBar",variant:"btnPressed",textColor:!0},btnToggled:{depends:["btn"],layer:"btn",color:function(t,e){return Object(i.brightness)(20*t,e).rgb}},btnToggledText:{depends:["btnText"],layer:"btn",variant:"btnToggled",textColor:!0},btnToggledPanelText:{depends:["btnPanelText"],layer:"btnPanel",variant:"btnToggled",textColor:!0},btnToggledTopBarText:{depends:["btnTopBarText"],layer:"btnTopBar",variant:"btnToggled",textColor:!0},btnDisabled:{depends:["btn","bg"],color:function(t,e,n){return Object(o.a)(e,.25,n)}},btnDisabledText:{depends:["btnText","btnDisabled"],layer:"btn",variant:"btnDisabled",color:function(t,e,n){return Object(o.a)(e,.25,n)}},btnDisabledPanelText:{depends:["btnPanelText","btnDisabled"],layer:"btnPanel",variant:"btnDisabled",color:function(t,e,n){return Object(o.a)(e,.25,n)}},btnDisabledTopBarText:{depends:["btnTopBarText","btnDisabled"],layer:"btnTopBar",variant:"btnDisabled",color:function(t,e,n){return Object(o.a)(e,.25,n)}},input:{depends:["fg"],opacity:"input"},inputText:{depends:["text"],layer:"input",textColor:!0},inputPanelText:{depends:["panelText"],layer:"inputPanel",variant:"input",textColor:!0},inputTopbarText:{depends:["topBarText"],layer:"inputTopBar",variant:"input",textColor:!0},alertError:{depends:["cRed"],opacity:"alert"},alertErrorText:{depends:["text"],layer:"alert",variant:"alertError",textColor:!0},alertErrorPanelText:{depends:["panelText"],layer:"alertPanel",variant:"alertError",textColor:!0},alertWarning:{depends:["cOrange"],opacity:"alert"},alertWarningText:{depends:["text"],layer:"alert",variant:"alertWarning",textColor:!0},alertWarningPanelText:{depends:["panelText"],layer:"alertPanel",variant:"alertWarning",textColor:!0},alertNeutral:{depends:["text"],opacity:"alert"},alertNeutralText:{depends:["text"],layer:"alert",variant:"alertNeutral",color:function(t,e){return Object(i.invertLightness)(e).rgb},textColor:!0},alertNeutralPanelText:{depends:["panelText"],layer:"alertPanel",variant:"alertNeutral",textColor:!0},alertPopupError:{depends:["alertError"],opacity:"alertPopup"},alertPopupErrorText:{depends:["alertErrorText"],layer:"popover",variant:"alertPopupError",textColor:!0},alertPopupWarning:{depends:["alertWarning"],opacity:"alertPopup"},alertPopupWarningText:{depends:["alertWarningText"],layer:"popover",variant:"alertPopupWarning",textColor:!0},alertPopupNeutral:{depends:["alertNeutral"],opacity:"alertPopup"},alertPopupNeutralText:{depends:["alertNeutralText"],layer:"popover",variant:"alertPopupNeutral",textColor:!0},badgeNotification:"--cRed",badgeNotificationText:{depends:["text","badgeNotification"],layer:"badge",variant:"badgeNotification",textColor:"bw"},chatBg:{depends:["bg"]},chatMessageIncomingBg:{depends:["chatBg"]},chatMessageIncomingText:{depends:["text"],layer:"chatMessage",variant:"chatMessageIncomingBg",textColor:!0},chatMessageIncomingLink:{depends:["link"],layer:"chatMessage",variant:"chatMessageIncomingBg",textColor:"preserve"},chatMessageIncomingBorder:{depends:["border"],opacity:"border",color:function(t,e){return Object(i.brightness)(2*t,e).rgb}},chatMessageOutgoingBg:{depends:["chatMessageIncomingBg"],color:function(t,e){return Object(i.brightness)(5*t,e).rgb}},chatMessageOutgoingText:{depends:["text"],layer:"chatMessage",variant:"chatMessageOutgoingBg",textColor:!0},chatMessageOutgoingLink:{depends:["link"],layer:"chatMessage",variant:"chatMessageOutgoingBg",textColor:"preserve"},chatMessageOutgoingBorder:{depends:["chatMessageOutgoingBg"],opacity:"border",color:function(t,e){return Object(i.brightness)(2*t,e).rgb}}}},,,function(t,e,n){"use strict";n.d(e,"b",function(){return g}),n.d(e,"i",function(){return v}),n.d(e,"e",function(){return b}),n.d(e,"g",function(){return w}),n.d(e,"f",function(){return _}),n.d(e,"a",function(){return S}),n.d(e,"h",function(){return j}),n.d(e,"d",function(){return O}),n.d(e,"k",function(){return $}),n.d(e,"c",function(){return T}),n.d(e,"m",function(){return I}),n.d(e,"j",function(){return E}),n.d(e,"l",function(){return M});var i=n(27),o=n.n(i),r=n(10),s=n.n(r),a=n(1),c=n.n(a),l=n(7),u=n.n(l),d=n(14),p=n(9),f=n(39);function h(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function m(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?h(Object(n),!0).forEach(function(e){c()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):h(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var g=function(t){var e=P(t).rules,n=document.head,i=document.body;i.classList.add("hidden");var o=document.createElement("style");n.appendChild(o);var r=o.sheet;r.toString(),r.insertRule("body { ".concat(e.radii," }"),"index-max"),r.insertRule("body { ".concat(e.colors," }"),"index-max"),r.insertRule("body { ".concat(e.shadows," }"),"index-max"),r.insertRule("body { ".concat(e.fonts," }"),"index-max"),i.classList.remove("hidden")},v=function(t,e){return 0===t.length?"none":t.filter(function(t){return e?t.inset:t}).map(function(t){return[t.x,t.y,t.blur,t.spread].map(function(t){return t+"px"}).concat([Object(p.d)(t.color,t.alpha),t.inset?"inset":""]).join(" ")}).join(", ")},b=function(t){var e=t.themeEngineVersion?t.colors||t:T(t.colors||t),n=Object(f.d)(e,t.opacity||{}),i=n.colors,o=n.opacity,r=Object.entries(i).reduce(function(t,e){var n=u()(e,2),i=n[0],o=n[1];return o?(t.solid[i]=Object(p.i)(o),t.complete[i]=void 0===o.a?Object(p.i)(o):Object(p.j)(o),t):t},{complete:{},solid:{}});return{rules:{colors:Object.entries(r.complete).filter(function(t){var e=u()(t,2);e[0];return e[1]}).map(function(t){var e=u()(t,2),n=e[0],i=e[1];return"--".concat(n,": ").concat(i)}).join(";")},theme:{colors:r.solid,opacity:o}}},w=function(t){var e=t.radii||{};void 0!==t.btnRadius&&(e=Object.entries(t).filter(function(t){var e=u()(t,2),n=e[0];e[1];return n.endsWith("Radius")}).reduce(function(t,e){return t[e[0].split("Radius")[0]]=e[1],t},{}));var n=Object.entries(e).filter(function(t){var e=u()(t,2);e[0];return e[1]}).reduce(function(t,e){var n=u()(e,2),i=n[0],o=n[1];return t[i]=o,t},{btn:4,input:4,checkbox:2,panel:10,avatar:5,avatarAlt:50,tooltip:2,attachment:5,chatMessage:e.panel});return{rules:{radii:Object.entries(n).filter(function(t){var e=u()(t,2);e[0];return e[1]}).map(function(t){var e=u()(t,2),n=e[0],i=e[1];return"--".concat(n,"Radius: ").concat(i,"px")}).join(";")},theme:{radii:n}}},_=function(t){var e=Object.entries(t.fonts||{}).filter(function(t){var e=u()(t,2);e[0];return e[1]}).reduce(function(t,e){var n=u()(e,2),i=n[0],o=n[1];return t[i]=Object.entries(o).filter(function(t){var e=u()(t,2);e[0];return e[1]}).reduce(function(t,e){var n=u()(e,2),i=n[0],o=n[1];return t[i]=o,t},t[i]),t},{interface:{family:"sans-serif"},input:{family:"inherit"},post:{family:"inherit"},postCode:{family:"monospace"}});return{rules:{fonts:Object.entries(e).filter(function(t){var e=u()(t,2);e[0];return e[1]}).map(function(t){var e=u()(t,2),n=e[0],i=e[1];return"--".concat(n,"Font: ").concat(i.family)}).join(";")},theme:{fonts:e}}},x=function(t,e){return{x:0,y:t?1:-1,blur:0,spread:0,color:e?"#000000":"#FFFFFF",alpha:.2,inset:!0}},y=[x(!0,!1),x(!1,!0)],k=[x(!0,!0),x(!1,!1)],C={x:0,y:0,blur:4,spread:0,color:"--faint",alpha:1},S={panel:[{x:1,y:1,blur:4,spread:0,color:"#000000",alpha:.6}],topBar:[{x:0,y:0,blur:4,spread:0,color:"#000000",alpha:.6}],popup:[{x:2,y:2,blur:3,spread:0,color:"#000000",alpha:.5}],avatar:[{x:0,y:1,blur:8,spread:0,color:"#000000",alpha:.7}],avatarStatus:[],panelHeader:[],button:[{x:0,y:0,blur:2,spread:0,color:"#000000",alpha:1}].concat(y),buttonHover:[C].concat(y),buttonPressed:[C].concat(k),input:[].concat(k,[{x:0,y:0,blur:2,inset:!0,spread:0,color:"#000000",alpha:1}])},j=function(t,e){var n={button:"btn",panel:"bg",top:"topBar",popup:"popover",avatar:"bg",panelHeader:"panel",input:"input"},i=t.shadows&&!t.themeEngineVersion?I(t.shadows,t.opacity):t.shadows||{},o=Object.entries(m({},S,{},i)).reduce(function(t,i){var o=u()(i,2),r=o[0],a=o[1],l=r.replace(/[A-Z].*$/,""),h=n[l],g=Object(p.h)(Object(d.convert)(e[h]).rgb)<.5?1:-1,v=a.reduce(function(t,n){return[].concat(s()(t),[m({},n,{color:Object(p.i)(Object(f.c)(n.color,function(t){return Object(d.convert)(e[t]).rgb},g))})])},[]);return m({},t,c()({},r,v))},{});return{rules:{shadows:Object.entries(o).map(function(t){var e,n=u()(t,2),i=n[0],o=n[1];return["--".concat(i,"Shadow: ").concat(v(o)),"--".concat(i,"ShadowFilter: ").concat((e=o,0===e.length?"none":e.filter(function(t){return!t.inset&&0===Number(t.spread)}).map(function(t){return[t.x,t.y,t.blur/2].map(function(t){return t+"px"}).concat([Object(p.d)(t.color,t.alpha)]).join(" ")}).map(function(t){return"drop-shadow(".concat(t,")")}).join(" "))),"--".concat(i,"ShadowInset: ").concat(v(o,!0))].join(";")}).join(";")},theme:{shadows:o}}},O=function(t,e,n,i){return{rules:m({},n.rules,{},t.rules,{},e.rules,{},i.rules),theme:m({},n.theme,{},t.theme,{},e.theme,{},i.theme)}},P=function(t){var e=b(t);return O(e,w(t),j(t,e.theme.colors,e.mod),_(t))},$=function(){return window.fetch("/static/styles.json",{cache:"no-store"}).then(function(t){return t.json()}).then(function(t){return Object.entries(t).map(function(t){var e=u()(t,2),n=e[0],i=e[1],r=null;return"object"===o()(i)?r=Promise.resolve(i):"string"==typeof i&&(r=window.fetch(i,{cache:"no-store"}).then(function(t){return t.json()}).catch(function(t){return console.error(t),null})),[n,r]})}).then(function(t){return t.reduce(function(t,e){var n=u()(e,2),i=n[0],o=n[1];return t[i]=o,t},{})})},T=function(t){return Object.entries(t).reduce(function(t,e){var n=u()(e,2),i=n[0],o=n[1];switch(i){case"lightBg":return m({},t,{highlight:o});case"btnText":return m({},t,{},["","Panel","TopBar"].reduce(function(t,e){return m({},t,c()({},"btn"+e+"Text",o))},{}));default:return m({},t,c()({},i,o))}},{})},I=function(t,e){return Object.entries(t).reduce(function(t,n){var i=u()(n,2),o=i[0],r=i[1],a=r.reduce(function(t,n){return[].concat(s()(t),[m({},n,{alpha:(r=n,r.color.startsWith("--")?(i=n,o=i.color,e[Object(f.f)(o.substring(2).split(",")[0])]||1):n.alpha)})]);var i,o,r},[]);return m({},t,c()({},o,a))},{})},E=function(t){return $().then(function(e){return e[t]?e[t]:e["pleroma-dark"]}).then(function(t){var e=Array.isArray(t),n=e?{}:t.theme;if(e){var i=Object(p.f)(t[1]),o=Object(p.f)(t[2]),r=Object(p.f)(t[3]),s=Object(p.f)(t[4]),a=Object(p.f)(t[5]||"#FF0000"),c=Object(p.f)(t[6]||"#00FF00"),l=Object(p.f)(t[7]||"#0000FF"),u=Object(p.f)(t[8]||"#E3FF00");n.colors={bg:i,fg:o,text:r,link:s,cRed:a,cBlue:l,cGreen:c,cOrange:u}}return{theme:n,source:t.source}})},M=function(t){return E(t).then(function(t){return g(t.theme)})}},function(t,e,n){"use strict";n.r(e);var i=n(1),o=n.n(i),r=n(106),s=n.n(r),a=n(188),c=n.n(a),l=n(2);function u(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var d={props:["status","loggedIn"],data:function(){return{animated:!1}},methods:{favorite:function(){var t=this;this.status.favorited?this.$store.dispatch("unfavorite",{id:this.status.id}):this.$store.dispatch("favorite",{id:this.status.id}),this.animated=!0,setTimeout(function(){t.animated=!1},500)}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?u(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):u(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({classes:function(){return{"icon-star-empty":!this.status.favorited,"icon-star":this.status.favorited,"animate-spin":this.animated}}},Object(l.c)(["mergedConfig"]))},p=n(0);var f=function(t){n(377)},h=Object(p.a)(d,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.loggedIn?n("div",[n("i",{staticClass:"button-icon favorite-button fav-active",class:t.classes,attrs:{title:t.$t("tool_tip.favorite")},on:{click:function(e){return e.preventDefault(),t.favorite()}}}),t._v(" "),!t.mergedConfig.hidePostStats&&t.status.fave_num>0?n("span",[t._v(t._s(t.status.fave_num))]):t._e()]):n("div",[n("i",{staticClass:"button-icon favorite-button",class:t.classes,attrs:{title:t.$t("tool_tip.favorite")}}),t._v(" "),!t.mergedConfig.hidePostStats&&t.status.fave_num>0?n("span",[t._v(t._s(t.status.fave_num))]):t._e()])},[],!1,f,null,null).exports,m=n(22);function g(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var v={props:["status"],data:function(){return{filterWord:""}},components:{Popover:m.default},methods:{addReaction:function(t,e,n){var i=this.status.emoji_reactions.find(function(t){return t.name===e});i&&i.me?this.$store.dispatch("unreactWithEmoji",{id:this.status.id,emoji:e}):this.$store.dispatch("reactWithEmoji",{id:this.status.id,emoji:e}),n()}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?g(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):g(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({commonEmojis:function(){return["👍","😠","👀","😂","🔥"]},emojis:function(){if(""!==this.filterWord){var t=this.filterWord.toLowerCase();return this.$store.state.instance.emoji.filter(function(e){return e.displayText.toLowerCase().includes(t)})}return this.$store.state.instance.emoji||[]}},Object(l.c)(["mergedConfig"]))};var b=function(t){n(379)},w=Object(p.a)(v,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("Popover",{staticClass:"react-button-popover",attrs:{trigger:"click",placement:"top",offset:{y:5}},scopedSlots:t._u([{key:"content",fn:function(e){var i=e.close;return n("div",{},[n("div",{staticClass:"reaction-picker-filter"},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.filterWord,expression:"filterWord"}],attrs:{placeholder:t.$t("emoji.search_emoji")},domProps:{value:t.filterWord},on:{input:function(e){e.target.composing||(t.filterWord=e.target.value)}}})]),t._v(" "),n("div",{staticClass:"reaction-picker"},[t._l(t.commonEmojis,function(e){return n("span",{key:e,staticClass:"emoji-button",on:{click:function(n){return t.addReaction(n,e,i)}}},[t._v("\n "+t._s(e)+"\n ")])}),t._v(" "),n("div",{staticClass:"reaction-picker-divider"}),t._v(" "),t._l(t.emojis,function(e,o){return n("span",{key:o,staticClass:"emoji-button",on:{click:function(n){return t.addReaction(n,e.replacement,i)}}},[t._v("\n "+t._s(e.replacement)+"\n ")])}),t._v(" "),n("div",{staticClass:"reaction-bottom-fader"})],2)])}}])},[t._v(" "),n("i",{staticClass:"icon-smile button-icon add-reaction-button",attrs:{slot:"trigger",title:t.$t("tool_tip.add_reaction")},slot:"trigger"})])},[],!1,b,null,null).exports;function _(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var x={props:["status","loggedIn","visibility"],data:function(){return{animated:!1}},methods:{retweet:function(){var t=this;this.status.repeated?this.$store.dispatch("unretweet",{id:this.status.id}):this.$store.dispatch("retweet",{id:this.status.id}),this.animated=!0,setTimeout(function(){t.animated=!1},500)}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?_(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):_(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({classes:function(){return{retweeted:this.status.repeated,"retweeted-empty":!this.status.repeated,"animate-spin":this.animated}}},Object(l.c)(["mergedConfig"]))};var y=function(t){n(383)},k=Object(p.a)(x,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.loggedIn?n("div",["private"!==t.visibility&&"direct"!==t.visibility?[n("i",{staticClass:"button-icon retweet-button icon-retweet rt-active",class:t.classes,attrs:{title:t.$t("tool_tip.repeat")},on:{click:function(e){return e.preventDefault(),t.retweet()}}}),t._v(" "),!t.mergedConfig.hidePostStats&&t.status.repeat_num>0?n("span",[t._v(t._s(t.status.repeat_num))]):t._e()]:[n("i",{staticClass:"button-icon icon-lock",class:t.classes,attrs:{title:t.$t("timeline.no_retweet_hint")}})]],2):t.loggedIn?t._e():n("div",[n("i",{staticClass:"button-icon icon-retweet",class:t.classes,attrs:{title:t.$t("tool_tip.repeat")}}),t._v(" "),!t.mergedConfig.hidePostStats&&t.status.repeat_num>0?n("span",[t._v(t._s(t.status.repeat_num))]):t._e()])},[],!1,y,null,null).exports,C={props:["status"],components:{Popover:m.default},methods:{deleteStatus:function(){window.confirm(this.$t("status.delete_confirm"))&&this.$store.dispatch("deleteStatus",{id:this.status.id})},pinStatus:function(){var t=this;this.$store.dispatch("pinStatus",this.status.id).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})},unpinStatus:function(){var t=this;this.$store.dispatch("unpinStatus",this.status.id).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})},muteConversation:function(){var t=this;this.$store.dispatch("muteConversation",this.status.id).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})},unmuteConversation:function(){var t=this;this.$store.dispatch("unmuteConversation",this.status.id).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})},copyLink:function(){var t=this;navigator.clipboard.writeText(this.statusLink).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})},bookmarkStatus:function(){var t=this;this.$store.dispatch("bookmark",{id:this.status.id}).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})},unbookmarkStatus:function(){var t=this;this.$store.dispatch("unbookmark",{id:this.status.id}).then(function(){return t.$emit("onSuccess")}).catch(function(e){return t.$emit("onError",e.error.error)})}},computed:{currentUser:function(){return this.$store.state.users.currentUser},canDelete:function(){if(this.currentUser)return this.currentUser.rights.moderator||this.currentUser.rights.admin||this.status.user.id===this.currentUser.id},ownStatus:function(){return this.status.user.id===this.currentUser.id},canPin:function(){return this.ownStatus&&("public"===this.status.visibility||"unlisted"===this.status.visibility)},canMute:function(){return!!this.currentUser},statusLink:function(){return"".concat(this.$store.state.instance.server).concat(this.$router.resolve({name:"conversation",params:{id:this.status.id}}).href)}}};var S=function(t){n(385)},j=Object(p.a)(C,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("Popover",{staticClass:"extra-button-popover",attrs:{trigger:"click",placement:"top","bound-to":{x:"container"}},scopedSlots:t._u([{key:"content",fn:function(e){var i=e.close;return n("div",{},[n("div",{staticClass:"dropdown-menu"},[t.canMute&&!t.status.thread_muted?n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:function(e){return e.preventDefault(),t.muteConversation(e)}}},[n("i",{staticClass:"icon-eye-off"}),n("span",[t._v(t._s(t.$t("status.mute_conversation")))])]):t._e(),t._v(" "),t.canMute&&t.status.thread_muted?n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:function(e){return e.preventDefault(),t.unmuteConversation(e)}}},[n("i",{staticClass:"icon-eye-off"}),n("span",[t._v(t._s(t.$t("status.unmute_conversation")))])]):t._e(),t._v(" "),!t.status.pinned&&t.canPin?n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:[function(e){return e.preventDefault(),t.pinStatus(e)},i]}},[n("i",{staticClass:"icon-pin"}),n("span",[t._v(t._s(t.$t("status.pin")))])]):t._e(),t._v(" "),t.status.pinned&&t.canPin?n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:[function(e){return e.preventDefault(),t.unpinStatus(e)},i]}},[n("i",{staticClass:"icon-pin"}),n("span",[t._v(t._s(t.$t("status.unpin")))])]):t._e(),t._v(" "),t.status.bookmarked?t._e():n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:[function(e){return e.preventDefault(),t.bookmarkStatus(e)},i]}},[n("i",{staticClass:"icon-bookmark-empty"}),n("span",[t._v(t._s(t.$t("status.bookmark")))])]),t._v(" "),t.status.bookmarked?n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:[function(e){return e.preventDefault(),t.unbookmarkStatus(e)},i]}},[n("i",{staticClass:"icon-bookmark"}),n("span",[t._v(t._s(t.$t("status.unbookmark")))])]):t._e(),t._v(" "),t.canDelete?n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:[function(e){return e.preventDefault(),t.deleteStatus(e)},i]}},[n("i",{staticClass:"icon-cancel"}),n("span",[t._v(t._s(t.$t("status.delete")))])]):t._e(),t._v(" "),n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:[function(e){return e.preventDefault(),t.copyLink(e)},i]}},[n("i",{staticClass:"icon-share"}),n("span",[t._v(t._s(t.$t("status.copy_link")))])])])])}}])},[t._v(" "),n("i",{staticClass:"icon-ellipsis button-icon",attrs:{slot:"trigger"},slot:"trigger"})])},[],!1,S,null,null).exports,O=n(42),P=n(28),$=n(18),T=n(114),I=n(44),E=n(34),M=n(25),U=n.n(M),F={name:"StatusPopover",props:["statusId"],data:function(){return{error:!1}},computed:{status:function(){return U()(this.$store.state.statuses.allStatuses,{id:this.statusId})}},components:{Status:function(){return Promise.resolve().then(n.bind(null,33))},Popover:function(){return Promise.resolve().then(n.bind(null,22))}},methods:{enter:function(){var t=this;if(!this.status){if(!this.statusId)return void(this.error=!0);this.$store.dispatch("fetchStatus",this.statusId).then(function(e){return t.error=!1}).catch(function(e){return t.error=!0})}}}};var D=function(t){n(427)},L=Object(p.a)(F,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("Popover",{attrs:{trigger:"hover","popover-class":"popover-default status-popover","bound-to":{x:"container"}},on:{show:t.enter}},[n("template",{slot:"trigger"},[t._t("default")],2),t._v(" "),n("div",{attrs:{slot:"content"},slot:"content"},[t.status?n("Status",{attrs:{"is-preview":!0,statusoid:t.status,compact:!0}}):t.error?n("div",{staticClass:"status-preview-no-content faint"},[t._v("\n "+t._s(t.$t("status.status_unavailable"))+"\n ")]):n("div",{staticClass:"status-preview-no-content"},[n("i",{staticClass:"icon-spin4 animate-spin"})])],1)],2)},[],!1,D,null,null).exports,N={name:"UserListPopover",props:["users"],components:{Popover:function(){return Promise.resolve().then(n.bind(null,22))},UserAvatar:function(){return Promise.resolve().then(n.bind(null,18))}},computed:{usersCapped:function(){return this.users.slice(0,16)}}};var R=function(t){n(429)},A=Object(p.a)(N,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("Popover",{attrs:{trigger:"hover",placement:"top",offset:{y:5}}},[n("template",{slot:"trigger"},[t._t("default")],2),t._v(" "),n("div",{staticClass:"user-list-popover",attrs:{slot:"content"},slot:"content"},[t.users.length?n("div",t._l(t.usersCapped,function(e){return n("div",{key:e.id,staticClass:"user-list-row"},[n("UserAvatar",{staticClass:"avatar-small",attrs:{user:e,compact:!0}}),t._v(" "),n("div",{staticClass:"user-list-names"},[n("span",{domProps:{innerHTML:t._s(e.name_html)}}),t._v(" "),n("span",{staticClass:"user-list-screen-name"},[t._v(t._s(e.screen_name))])])],1)}),0):n("div",[n("i",{staticClass:"icon-spin4 animate-spin"})])])],2)},[],!1,R,null,null).exports,B={name:"EmojiReactions",components:{UserAvatar:$.default,UserListPopover:A},props:["status"],data:function(){return{showAll:!1}},computed:{tooManyReactions:function(){return this.status.emoji_reactions.length>12},emojiReactions:function(){return this.showAll?this.status.emoji_reactions:this.status.emoji_reactions.slice(0,12)},showMoreString:function(){return"+".concat(this.status.emoji_reactions.length-12)},accountsForEmoji:function(){return this.status.emoji_reactions.reduce(function(t,e){return t[e.name]=e.accounts||[],t},{})},loggedIn:function(){return!!this.$store.state.users.currentUser}},methods:{toggleShowAll:function(){this.showAll=!this.showAll},reactedWith:function(t){return this.status.emoji_reactions.find(function(e){return e.name===t}).me},fetchEmojiReactionsByIfMissing:function(){this.status.emoji_reactions.find(function(t){return!t.accounts})&&this.$store.dispatch("fetchEmojiReactionsBy",this.status.id)},reactWith:function(t){this.$store.dispatch("reactWithEmoji",{id:this.status.id,emoji:t})},unreact:function(t){this.$store.dispatch("unreactWithEmoji",{id:this.status.id,emoji:t})},emojiOnClick:function(t,e){this.loggedIn&&(this.reactedWith(t)?this.unreact(t):this.reactWith(t))}}};var z=function(t){n(431)},H=Object(p.a)(B,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"emoji-reactions"},[t._l(t.emojiReactions,function(e){return n("UserListPopover",{key:e.name,attrs:{users:t.accountsForEmoji[e.name]}},[n("button",{staticClass:"emoji-reaction btn btn-default",class:{"picked-reaction":t.reactedWith(e.name),"not-clickable":!t.loggedIn},on:{click:function(n){return t.emojiOnClick(e.name,n)},mouseenter:function(e){return t.fetchEmojiReactionsByIfMissing()}}},[n("span",{staticClass:"reaction-emoji"},[t._v(t._s(e.name))]),t._v(" "),n("span",[t._v(t._s(e.count))])])])}),t._v(" "),t.tooManyReactions?n("a",{staticClass:"emoji-reaction-expand faint",attrs:{href:"javascript:void(0)"},on:{click:t.toggleShowAll}},[t._v("\n "+t._s(t.showAll?t.$t("general.show_less"):t.showMoreString)+"\n ")]):t._e()],2)},[],!1,z,null,null).exports,q=n(17),W=n(46),V=n(99);function G(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var K={name:"Status",components:{FavoriteButton:h,ReactButton:w,RetweetButton:k,ExtraButtons:j,PostStatusForm:O.a,UserCard:P.a,UserAvatar:$.default,AvatarList:T.a,Timeago:I.a,StatusPopover:L,UserListPopover:A,EmojiReactions:H,StatusContent:E.a},props:["statusoid","expandable","inConversation","focused","highlight","compact","replies","isPreview","noHeading","inlineExpanded","showPinned","inProfile","profileUserId"],data:function(){return{replying:!1,unmuted:!1,userExpanded:!1,error:null}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?G(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):G(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({muteWords:function(){return this.mergedConfig.muteWords},showReasonMutedThread:function(){return(this.status.thread_muted||this.status.reblog&&this.status.reblog.thread_muted)&&!this.inConversation},repeaterClass:function(){var t=this.statusoid.user;return Object(W.a)(t)},userClass:function(){var t=this.retweet?this.statusoid.retweeted_status.user:this.statusoid.user;return Object(W.a)(t)},deleted:function(){return this.statusoid.deleted},repeaterStyle:function(){var t=this.statusoid.user,e=this.mergedConfig.highlight;return Object(W.b)(e[t.screen_name])},userStyle:function(){if(!this.noHeading){var t=this.retweet?this.statusoid.retweeted_status.user:this.statusoid.user,e=this.mergedConfig.highlight;return Object(W.b)(e[t.screen_name])}},userProfileLink:function(){return this.generateUserProfileLink(this.status.user.id,this.status.user.screen_name)},replyProfileLink:function(){if(this.isReply)return this.generateUserProfileLink(this.status.in_reply_to_user_id,this.replyToName)},retweet:function(){return!!this.statusoid.retweeted_status},retweeter:function(){return this.statusoid.user.name||this.statusoid.user.screen_name},retweeterHtml:function(){return this.statusoid.user.name_html},retweeterProfileLink:function(){return this.generateUserProfileLink(this.statusoid.user.id,this.statusoid.user.screen_name)},status:function(){return this.retweet?this.statusoid.retweeted_status:this.statusoid},statusFromGlobalRepository:function(){return this.$store.state.statuses.allStatusesObject[this.status.id]},loggedIn:function(){return!!this.currentUser},muteWordHits:function(){return Object(V.a)(this.status,this.muteWords)},muted:function(){var t=this.status,e=t.reblog,n=this.$store.getters.relationship(t.user.id),i=e&&this.$store.getters.relationship(e.user.id),o=t.muted||e&&e.muted||n.muting||i&&i.muting||t.thread_muted||this.muteWordHits.length>0,r=(this.inProfile&&(!e&&t.user.id===this.profileUserId||e&&e.user.id===this.profileUserId)||this.inConversation&&t.thread_muted)&&!this.muteWordHits.length>0;return!this.unmuted&&!r&&o},hideFilteredStatuses:function(){return this.mergedConfig.hideFilteredStatuses},hideStatus:function(){return this.deleted||this.muted&&this.hideFilteredStatuses},isFocused:function(){return!!this.focused||!!this.inConversation&&this.status.id===this.highlight},isReply:function(){return!(!this.status.in_reply_to_status_id||!this.status.in_reply_to_user_id)},replyToName:function(){if(this.status.in_reply_to_screen_name)return this.status.in_reply_to_screen_name;var t=this.$store.getters.findUser(this.status.in_reply_to_user_id);return t&&t.screen_name},replySubject:function(){if(!this.status.summary)return"";var t=c()(this.status.summary),e=this.mergedConfig.subjectLineBehavior,n=t.match(/^re[: ]/i);return"noop"!==e&&n||"masto"===e?t:"email"===e?"re: ".concat(t):"noop"===e?"":void 0},combinedFavsAndRepeatsUsers:function(){var t=[].concat(this.statusFromGlobalRepository.favoritedBy,this.statusFromGlobalRepository.rebloggedBy);return s()(t,"id")},tags:function(){return this.status.tags.filter(function(t){return t.hasOwnProperty("name")}).map(function(t){return t.name}).join(" ")},hidePostStats:function(){return this.mergedConfig.hidePostStats}},Object(l.c)(["mergedConfig"]),{},Object(l.e)({betterShadow:function(t){return t.interface.browserSupport.cssFilter},currentUser:function(t){return t.users.currentUser}})),methods:{visibilityIcon:function(t){switch(t){case"private":return"icon-lock";case"unlisted":return"icon-lock-open-alt";case"direct":return"icon-mail-alt";default:return"icon-globe"}},showError:function(t){this.error=t},clearError:function(){this.error=void 0},toggleReplying:function(){this.replying=!this.replying},gotoOriginal:function(t){this.inConversation&&this.$emit("goto",t)},toggleExpanded:function(){this.$emit("toggleExpanded")},toggleMute:function(){this.unmuted=!this.unmuted},toggleUserExpanded:function(){this.userExpanded=!this.userExpanded},generateUserProfileLink:function(t,e){return Object(q.a)(t,e,this.$store.state.instance.restrictedNicknames)}},watch:{highlight:function(t){if(this.status.id===t){var e=this.$el.getBoundingClientRect();e.top<100?window.scrollBy(0,e.top-100):e.height>=window.innerHeight-50?window.scrollBy(0,e.top-100):e.bottom>window.innerHeight-50&&window.scrollBy(0,e.bottom-window.innerHeight+50)}},"status.repeat_num":function(t){this.isFocused&&this.statusFromGlobalRepository.rebloggedBy&&this.statusFromGlobalRepository.rebloggedBy.length!==t&&this.$store.dispatch("fetchRepeats",this.status.id)},"status.fave_num":function(t){this.isFocused&&this.statusFromGlobalRepository.favoritedBy&&this.statusFromGlobalRepository.favoritedBy.length!==t&&this.$store.dispatch("fetchFavs",this.status.id)}},filters:{capitalize:function(t){return t.charAt(0).toUpperCase()+t.slice(1)}}};var Y=function(t){n(374)},J=Object(p.a)(K,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.hideStatus?t._e():n("div",{staticClass:"Status",class:[{"-focused":t.isFocused},{"-conversation":t.inlineExpanded}]},[t.error?n("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.error)+"\n "),n("i",{staticClass:"button-icon icon-cancel",on:{click:t.clearError}})]):t._e(),t._v(" "),t.muted&&!t.isPreview?[n("div",{staticClass:"status-csontainer muted"},[n("small",{staticClass:"status-username"},[t.muted&&t.retweet?n("i",{staticClass:"button-icon icon-retweet"}):t._e(),t._v(" "),n("router-link",{attrs:{to:t.userProfileLink}},[t._v("\n "+t._s(t.status.user.screen_name)+"\n ")])],1),t._v(" "),t.showReasonMutedThread?n("small",{staticClass:"mute-thread"},[t._v("\n "+t._s(t.$t("status.thread_muted"))+"\n ")]):t._e(),t._v(" "),t.showReasonMutedThread&&t.muteWordHits.length>0?n("small",{staticClass:"mute-thread"},[t._v("\n "+t._s(t.$t("status.thread_muted_and_words"))+"\n ")]):t._e(),t._v(" "),n("small",{staticClass:"mute-words",attrs:{title:t.muteWordHits.join(", ")}},[t._v("\n "+t._s(t.muteWordHits.join(", "))+"\n ")]),t._v(" "),n("a",{staticClass:"unmute",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleMute(e)}}},[n("i",{staticClass:"button-icon icon-eye-off"})])])]:[t.showPinned?n("div",{staticClass:"pin"},[n("i",{staticClass:"fa icon-pin faint"}),t._v(" "),n("span",{staticClass:"faint"},[t._v(t._s(t.$t("status.pinned")))])]):t._e(),t._v(" "),!t.retweet||t.noHeading||t.inConversation?t._e():n("div",{staticClass:"status-container repeat-info",class:[t.repeaterClass,{highlighted:t.repeaterStyle}],style:[t.repeaterStyle]},[t.retweet?n("UserAvatar",{staticClass:"left-side repeater-avatar",attrs:{"better-shadow":t.betterShadow,user:t.statusoid.user}}):t._e(),t._v(" "),n("div",{staticClass:"right-side faint"},[n("span",{staticClass:"status-username repeater-name",attrs:{title:t.retweeter}},[t.retweeterHtml?n("router-link",{attrs:{to:t.retweeterProfileLink},domProps:{innerHTML:t._s(t.retweeterHtml)}}):n("router-link",{attrs:{to:t.retweeterProfileLink}},[t._v(t._s(t.retweeter))])],1),t._v(" "),n("i",{staticClass:"fa icon-retweet retweeted",attrs:{title:t.$t("tool_tip.repeat")}}),t._v("\n "+t._s(t.$t("timeline.repeated"))+"\n ")])],1),t._v(" "),n("div",{staticClass:"status-container",class:[t.userClass,{highlighted:t.userStyle,"-repeat":t.retweet&&!t.inConversation}],style:[t.userStyle],attrs:{"data-tags":t.tags}},[t.noHeading?t._e():n("div",{staticClass:"left-side"},[n("router-link",{attrs:{to:t.userProfileLink},nativeOn:{"!click":function(e){return e.stopPropagation(),e.preventDefault(),t.toggleUserExpanded(e)}}},[n("UserAvatar",{attrs:{compact:t.compact,"better-shadow":t.betterShadow,user:t.status.user}})],1)],1),t._v(" "),n("div",{staticClass:"right-side"},[t.userExpanded?n("UserCard",{staticClass:"usercard",attrs:{"user-id":t.status.user.id,rounded:!0,bordered:!0}}):t._e(),t._v(" "),t.noHeading?t._e():n("div",{staticClass:"status-heading"},[n("div",{staticClass:"heading-name-row"},[n("div",{staticClass:"heading-left"},[t.status.user.name_html?n("h4",{staticClass:"status-username",attrs:{title:t.status.user.name},domProps:{innerHTML:t._s(t.status.user.name_html)}}):n("h4",{staticClass:"status-username",attrs:{title:t.status.user.name}},[t._v("\n "+t._s(t.status.user.name)+"\n ")]),t._v(" "),n("router-link",{staticClass:"account-name",attrs:{title:t.status.user.screen_name,to:t.userProfileLink}},[t._v("\n "+t._s(t.status.user.screen_name)+"\n ")]),t._v(" "),t.status.user&&t.status.user.favicon?n("img",{staticClass:"status-favicon",attrs:{src:t.status.user.favicon}}):t._e()],1),t._v(" "),n("span",{staticClass:"heading-right"},[n("router-link",{staticClass:"timeago faint-link",attrs:{to:{name:"conversation",params:{id:t.status.id}}}},[n("Timeago",{attrs:{time:t.status.created_at,"auto-update":60}})],1),t._v(" "),t.status.visibility?n("div",{staticClass:"button-icon visibility-icon"},[n("i",{class:t.visibilityIcon(t.status.visibility),attrs:{title:t._f("capitalize")(t.status.visibility)}})]):t._e(),t._v(" "),t.status.is_local||t.isPreview?t._e():n("a",{staticClass:"source_url",attrs:{href:t.status.external_url,target:"_blank",title:"Source"}},[n("i",{staticClass:"button-icon icon-link-ext-alt"})]),t._v(" "),t.expandable&&!t.isPreview?[n("a",{attrs:{href:"#",title:"Expand"},on:{click:function(e){return e.preventDefault(),t.toggleExpanded(e)}}},[n("i",{staticClass:"button-icon icon-plus-squared"})])]:t._e(),t._v(" "),t.unmuted?n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleMute(e)}}},[n("i",{staticClass:"button-icon icon-eye-off"})]):t._e()],2)]),t._v(" "),n("div",{staticClass:"heading-reply-row"},[t.isReply?n("div",{staticClass:"reply-to-and-accountname"},[t.isPreview?n("span",{staticClass:"reply-to-no-popover"},[n("span",{staticClass:"reply-to-text"},[t._v(t._s(t.$t("status.reply_to")))])]):n("StatusPopover",{staticClass:"reply-to-popover",class:{"-strikethrough":!t.status.parent_visible},staticStyle:{"min-width":"0"},attrs:{"status-id":t.status.parent_visible&&t.status.in_reply_to_status_id}},[n("a",{staticClass:"reply-to",attrs:{href:"#","aria-label":t.$t("tool_tip.reply")},on:{click:function(e){return e.preventDefault(),t.gotoOriginal(t.status.in_reply_to_status_id)}}},[n("i",{staticClass:"button-icon reply-button icon-reply"}),t._v(" "),n("span",{staticClass:"faint-link reply-to-text"},[t._v("\n "+t._s(t.$t("status.reply_to"))+"\n ")])])]),t._v(" "),n("router-link",{staticClass:"reply-to-link",attrs:{title:t.replyToName,to:t.replyProfileLink}},[t._v("\n "+t._s(t.replyToName)+"\n ")]),t._v(" "),t.replies&&t.replies.length?n("span",{staticClass:"faint replies-separator"},[t._v("\n -\n ")]):t._e()],1):t._e(),t._v(" "),t.inConversation&&!t.isPreview&&t.replies&&t.replies.length?n("div",{staticClass:"replies"},[n("span",{staticClass:"faint"},[t._v(t._s(t.$t("status.replies_list")))]),t._v(" "),t._l(t.replies,function(e){return n("StatusPopover",{key:e.id,attrs:{"status-id":e.id}},[n("a",{staticClass:"reply-link",attrs:{href:"#"},on:{click:function(n){return n.preventDefault(),t.gotoOriginal(e.id)}}},[t._v(t._s(e.name))])])})],2):t._e()])]),t._v(" "),n("StatusContent",{attrs:{status:t.status,"no-heading":t.noHeading,highlight:t.highlight,focused:t.isFocused}}),t._v(" "),n("transition",{attrs:{name:"fade"}},[!t.hidePostStats&&t.isFocused&&t.combinedFavsAndRepeatsUsers.length>0?n("div",{staticClass:"favs-repeated-users"},[n("div",{staticClass:"stats"},[t.statusFromGlobalRepository.rebloggedBy&&t.statusFromGlobalRepository.rebloggedBy.length>0?n("UserListPopover",{attrs:{users:t.statusFromGlobalRepository.rebloggedBy}},[n("div",{staticClass:"stat-count"},[n("a",{staticClass:"stat-title"},[t._v(t._s(t.$t("status.repeats")))]),t._v(" "),n("div",{staticClass:"stat-number"},[t._v("\n "+t._s(t.statusFromGlobalRepository.rebloggedBy.length)+"\n ")])])]):t._e(),t._v(" "),t.statusFromGlobalRepository.favoritedBy&&t.statusFromGlobalRepository.favoritedBy.length>0?n("UserListPopover",{attrs:{users:t.statusFromGlobalRepository.favoritedBy}},[n("div",{staticClass:"stat-count"},[n("a",{staticClass:"stat-title"},[t._v(t._s(t.$t("status.favorites")))]),t._v(" "),n("div",{staticClass:"stat-number"},[t._v("\n "+t._s(t.statusFromGlobalRepository.favoritedBy.length)+"\n ")])])]):t._e(),t._v(" "),n("div",{staticClass:"avatar-row"},[n("AvatarList",{attrs:{users:t.combinedFavsAndRepeatsUsers}})],1)],1)]):t._e()]),t._v(" "),!t.mergedConfig.emojiReactionsOnTimeline&&!t.isFocused||t.noHeading||t.isPreview?t._e():n("EmojiReactions",{attrs:{status:t.status}}),t._v(" "),t.noHeading||t.isPreview?t._e():n("div",{staticClass:"status-actions"},[n("div",[t.loggedIn?n("i",{staticClass:"button-icon button-reply icon-reply",class:{"-active":t.replying},attrs:{title:t.$t("tool_tip.reply")},on:{click:function(e){return e.preventDefault(),t.toggleReplying(e)}}}):n("i",{staticClass:"button-icon button-reply -disabled icon-reply",attrs:{title:t.$t("tool_tip.reply")}}),t._v(" "),t.status.replies_count>0?n("span",[t._v(t._s(t.status.replies_count))]):t._e()]),t._v(" "),n("retweet-button",{attrs:{visibility:t.status.visibility,"logged-in":t.loggedIn,status:t.status}}),t._v(" "),n("favorite-button",{attrs:{"logged-in":t.loggedIn,status:t.status}}),t._v(" "),t.loggedIn?n("ReactButton",{attrs:{status:t.status}}):t._e(),t._v(" "),n("extra-buttons",{attrs:{status:t.status},on:{onError:t.showError,onSuccess:t.clearError}})],1)],1)]),t._v(" "),t.replying?n("div",{staticClass:"status-container reply-form"},[n("PostStatusForm",{staticClass:"reply-body",attrs:{"reply-to":t.status.id,attentions:t.status.attentions,"replied-user":t.status.user,"copy-message-scope":t.status.visibility,subject:t.replySubject},on:{posted:t.toggleReplying}})],1):t._e()]],2)},[],!1,Y,null,null);e.default=J.exports},function(t,e,n){"use strict";var i=n(1),o=n.n(i),r=n(43),s=n(15),a=n.n(s),c=n(130),l=n.n(c),u={name:"Poll",props:["basePoll"],components:{Timeago:n(44).a},data:function(){return{loading:!1,choices:[]}},created:function(){this.$store.state.polls.pollsObject[this.pollId]||this.$store.dispatch("mergeOrAddPoll",this.basePoll),this.$store.dispatch("trackPoll",this.pollId)},destroyed:function(){this.$store.dispatch("untrackPoll",this.pollId)},computed:{pollId:function(){return this.basePoll.id},poll:function(){return this.$store.state.polls.pollsObject[this.pollId]||{}},options:function(){return this.poll&&this.poll.options||[]},expiresAt:function(){return this.poll&&this.poll.expires_at||0},expired:function(){return this.poll&&this.poll.expired||!1},loggedIn:function(){return this.$store.state.users.currentUser},showResults:function(){return this.poll.voted||this.expired||!this.loggedIn},totalVotesCount:function(){return this.poll.votes_count},containerClass:function(){return{loading:this.loading}},choiceIndices:function(){return this.choices.map(function(t,e){return t&&e}).filter(function(t){return"number"==typeof t})},isDisabled:function(){var t=0===this.choiceIndices.length;return this.loading||t}},methods:{percentageForOption:function(t){return 0===this.totalVotesCount?0:Math.round(t/this.totalVotesCount*100)},resultTitle:function(t){return"".concat(t.votes_count,"/").concat(this.totalVotesCount," ").concat(this.$t("polls.votes"))},fetchPoll:function(){this.$store.dispatch("refreshPoll",{id:this.statusId,pollId:this.poll.id})},activateOption:function(t){var e=this.$el.querySelectorAll("input"),n=this.$el.querySelector('input[value="'.concat(t,'"]'));this.poll.multiple?n.checked=!n.checked:(l()(e,function(t){t.checked=!1}),n.checked=!0),this.choices=a()(e,function(t){return t.checked})},optionId:function(t){return"poll".concat(this.poll.id,"-").concat(t)},vote:function(){var t=this;0!==this.choiceIndices.length&&(this.loading=!0,this.$store.dispatch("votePoll",{id:this.statusId,pollId:this.poll.id,choices:this.choiceIndices}).then(function(e){t.loading=!1}))}}},d=n(0);var p=function(t){n(407)},f=Object(d.a)(u,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"poll",class:t.containerClass},[t._l(t.options,function(e,i){return n("div",{key:i,staticClass:"poll-option"},[t.showResults?n("div",{staticClass:"option-result",attrs:{title:t.resultTitle(e)}},[n("div",{staticClass:"option-result-label"},[n("span",{staticClass:"result-percentage"},[t._v("\n "+t._s(t.percentageForOption(e.votes_count))+"%\n ")]),t._v(" "),n("span",{domProps:{innerHTML:t._s(e.title_html)}})]),t._v(" "),n("div",{staticClass:"result-fill",style:{width:t.percentageForOption(e.votes_count)+"%"}})]):n("div",{on:{click:function(e){return t.activateOption(i)}}},[t.poll.multiple?n("input",{attrs:{type:"checkbox",disabled:t.loading},domProps:{value:i}}):n("input",{attrs:{type:"radio",disabled:t.loading},domProps:{value:i}}),t._v(" "),n("label",{staticClass:"option-vote"},[n("div",[t._v(t._s(e.title))])])])])}),t._v(" "),n("div",{staticClass:"footer faint"},[t.showResults?t._e():n("button",{staticClass:"btn btn-default poll-vote-button",attrs:{type:"button",disabled:t.isDisabled},on:{click:t.vote}},[t._v("\n "+t._s(t.$t("polls.vote"))+"\n ")]),t._v(" "),n("div",{staticClass:"total"},[t._v("\n "+t._s(t.totalVotesCount)+" "+t._s(t.$t("polls.votes"))+" · \n ")]),t._v(" "),n("i18n",{attrs:{path:t.expired?"polls.expired":"polls.expires_in"}},[n("Timeago",{attrs:{time:t.expiresAt,"auto-update":60,"now-threshold":0}})],1)],1)],2)},[],!1,p,null,null).exports,h=n(111),m=n(112),g=n(17),v=n(21),b=n(7),w=n.n(b),_=n(2);function x(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var y={name:"StatusContent",props:["status","focused","noHeading","fullContent","singleLine"],data:function(){return{showingTall:this.fullContent||this.inConversation&&this.focused,showingLongSubject:!1,expandingSubject:!this.$store.getters.mergedConfig.collapseMessageWithSubject}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?x(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):x(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({localCollapseSubjectDefault:function(){return this.mergedConfig.collapseMessageWithSubject},hideAttachments:function(){return this.mergedConfig.hideAttachments&&!this.inConversation||this.mergedConfig.hideAttachmentsInConv&&this.inConversation},tallStatus:function(){return this.status.statusnet_html.split(/<p|<br/).length+this.status.text.length/80>20},longSubject:function(){return this.status.summary.length>240},mightHideBecauseSubject:function(){return!!this.status.summary&&this.localCollapseSubjectDefault},mightHideBecauseTall:function(){return this.tallStatus&&!(this.status.summary&&this.localCollapseSubjectDefault)},hideSubjectStatus:function(){return this.mightHideBecauseSubject&&!this.expandingSubject},hideTallStatus:function(){return this.mightHideBecauseTall&&!this.showingTall},showingMore:function(){return this.mightHideBecauseTall&&this.showingTall||this.mightHideBecauseSubject&&this.expandingSubject},nsfwClickthrough:function(){return!!this.status.nsfw&&(!this.status.summary||!this.localCollapseSubjectDefault)},attachmentSize:function(){return this.mergedConfig.hideAttachments&&!this.inConversation||this.mergedConfig.hideAttachmentsInConv&&this.inConversation||this.status.attachments.length>this.maxThumbnails?"hide":this.compact?"small":"normal"},galleryTypes:function(){return"hide"===this.attachmentSize?[]:this.mergedConfig.playVideosInModal?["image","video"]:["image"]},galleryAttachments:function(){var t=this;return this.status.attachments.filter(function(e){return v.a.fileMatchesSomeType(t.galleryTypes,e)})},nonGalleryAttachments:function(){var t=this;return this.status.attachments.filter(function(e){return!v.a.fileMatchesSomeType(t.galleryTypes,e)})},attachmentTypes:function(){return this.status.attachments.map(function(t){return v.a.fileType(t.mimetype)})},maxThumbnails:function(){return this.mergedConfig.maxThumbnails},postBodyHtml:function(){var t=this.status.statusnet_html;if(!this.mergedConfig.greentext)return t;try{return t.includes("&gt;")?function(t,e){for(var n,i=new Set(["p","br","div"]),o=new Set(["p","div"]),r="",s=[],a="",c=null,l=function(){a.trim().length>0?r+=e(a):r+=a,a=""},u=function(t){l(),r+=t},d=function(t){l(),r+=t,s.push(t)},p=function(t){l(),r+=t,s[s.length-1]===t&&s.pop()},f=0;f<t.length;f++){var h=t[f];if("<"===h&&null===c)c=h;else if(">"!==h&&null!==c)c+=h;else if(">"===h&&null!==c){var m=c+=h;c=null;var g=(n=void 0,(n=/(?:<\/(\w+)>|<(\w+)\s?[^/]*?\/?>)/gi.exec(m))&&(n[1]||n[2]));i.has(g)?"br"===g?u(m):o.has(g)&&("/"===m[1]?p(m):"/"===m[m.length-2]?u(m):d(m)):a+=m}else"\n"===h?u(h):a+=h}return c&&(a+=c),l(),r}(t,function(t){return t.includes("&gt;")&&t.replace(/<[^>]+?>/gi,"").replace(/@\w+/gi,"").trim().startsWith("&gt;")?"<span class='greentext'>".concat(t,"</span>"):t}):t}catch(e){return console.err("Failed to process status html",e),t}}},Object(_.c)(["mergedConfig"]),{},Object(_.e)({betterShadow:function(t){return t.interface.browserSupport.cssFilter},currentUser:function(t){return t.users.currentUser}})),components:{Attachment:r.a,Poll:f,Gallery:h.a,LinkPreview:m.a},methods:{linkClicked:function(t){var e,n,i=t.target.closest(".status-content a");if(i){if(i.className.match(/mention/)){var o=i.href,r=this.status.attentions.find(function(t){return function(t,e){if(e===t.statusnet_profile_url)return!0;var n=t.screen_name.split("@"),i=w()(n,2),o=i[0],r=i[1],s=new RegExp("://"+r+"/.*"+o+"$","g");return!!e.match(s)}(t,o)});if(r){t.stopPropagation(),t.preventDefault();var s=this.generateUserProfileLink(r.id,r.screen_name);return void this.$router.push(s)}}if(i.rel.match(/(?:^|\s)tag(?:$|\s)/)||i.className.match(/hashtag/)){var a=i.dataset.tag||(e=i.href,!!(n=/tag[s]*\/(\w+)$/g.exec(e))&&n[1]);if(a){var c=this.generateTagLink(a);return void this.$router.push(c)}}window.open(i.href,"_blank")}},toggleShowMore:function(){this.mightHideBecauseTall?this.showingTall=!this.showingTall:this.mightHideBecauseSubject&&(this.expandingSubject=!this.expandingSubject)},generateUserProfileLink:function(t,e){return Object(g.a)(t,e,this.$store.state.instance.restrictedNicknames)},generateTagLink:function(t){return"/tag/".concat(t)},setMedia:function(){var t=this,e="hide"===this.attachmentSize?this.status.attachments:this.galleryAttachments;return function(){return t.$store.dispatch("setMedia",e)}}}};var k=function(t){n(405)},C=Object(d.a)(y,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"StatusContent"},[t._t("header"),t._v(" "),t.status.summary_html?n("div",{staticClass:"summary-wrapper",class:{"tall-subject":t.longSubject&&!t.showingLongSubject}},[n("div",{staticClass:"media-body summary",domProps:{innerHTML:t._s(t.status.summary_html)},on:{click:function(e){return e.preventDefault(),t.linkClicked(e)}}}),t._v(" "),t.longSubject&&t.showingLongSubject?n("a",{staticClass:"tall-subject-hider",attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.showingLongSubject=!1}}},[t._v(t._s(t.$t("status.hide_full_subject")))]):t.longSubject?n("a",{staticClass:"tall-subject-hider",class:{"tall-subject-hider_focused":t.focused},attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.showingLongSubject=!0}}},[t._v("\n "+t._s(t.$t("status.show_full_subject"))+"\n ")]):t._e()]):t._e(),t._v(" "),n("div",{staticClass:"status-content-wrapper",class:{"tall-status":t.hideTallStatus}},[t.hideTallStatus?n("a",{staticClass:"tall-status-hider",class:{"tall-status-hider_focused":t.focused},attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleShowMore(e)}}},[t._v("\n "+t._s(t.$t("general.show_more"))+"\n ")]):t._e(),t._v(" "),t.hideSubjectStatus?t._e():n("div",{staticClass:"status-content media-body",class:{"single-line":t.singleLine},domProps:{innerHTML:t._s(t.postBodyHtml)},on:{click:function(e){return e.preventDefault(),t.linkClicked(e)}}}),t._v(" "),t.hideSubjectStatus?n("a",{staticClass:"cw-status-hider",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleShowMore(e)}}},[t._v("\n "+t._s(t.$t("status.show_content"))+"\n "),t.attachmentTypes.includes("image")?n("span",{staticClass:"icon-picture"}):t._e(),t._v(" "),t.attachmentTypes.includes("video")?n("span",{staticClass:"icon-video"}):t._e(),t._v(" "),t.attachmentTypes.includes("audio")?n("span",{staticClass:"icon-music"}):t._e(),t._v(" "),t.attachmentTypes.includes("unknown")?n("span",{staticClass:"icon-doc"}):t._e(),t._v(" "),t.status.poll&&t.status.poll.options?n("span",{staticClass:"icon-chart-bar"}):t._e(),t._v(" "),t.status.card?n("span",{staticClass:"icon-link"}):t._e()]):t._e(),t._v(" "),t.showingMore&&!t.fullContent?n("a",{staticClass:"status-unhider",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleShowMore(e)}}},[t._v("\n "+t._s(t.tallStatus?t.$t("general.show_less"):t.$t("status.hide_content"))+"\n ")]):t._e()]),t._v(" "),t.status.poll&&t.status.poll.options&&!t.hideSubjectStatus?n("div",[n("poll",{attrs:{"base-poll":t.status.poll}})],1):t._e(),t._v(" "),0===t.status.attachments.length||t.hideSubjectStatus&&!t.showingLongSubject?t._e():n("div",{staticClass:"attachments media-body"},[t._l(t.nonGalleryAttachments,function(e){return n("attachment",{key:e.id,staticClass:"non-gallery",attrs:{size:t.attachmentSize,nsfw:t.nsfwClickthrough,attachment:e,"allow-play":!0,"set-media":t.setMedia()}})}),t._v(" "),t.galleryAttachments.length>0?n("gallery",{attrs:{nsfw:t.nsfwClickthrough,attachments:t.galleryAttachments,"set-media":t.setMedia()}}):t._e()],2),t._v(" "),!t.status.card||t.hideSubjectStatus||t.noHeading?t._e():n("div",{staticClass:"link-preview media-body"},[n("link-preview",{attrs:{card:t.status.card,size:t.attachmentSize,nsfw:t.nsfwClickthrough}})],1),t._v(" "),t._t("footer")],2)},[],!1,k,null,null);e.a=C.exports},function(t,e,n){"use strict";n.d(e,"c",function(){return i}),n.d(e,"b",function(){return o}),n.d(e,"a",function(){return r}),n.d(e,"d",function(){return l}),n.d(e,"e",function(){return u});var i=6e4,o=60*i,r=24*o,s=7*r,a=30*r,c=365.25*r,l=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:1;"string"==typeof t&&(t=Date.parse(t));var n=Date.now()>t?Math.floor:Math.ceil,l=Math.abs(Date.now()-t),u={num:n(l/c),key:"time.years"};return l<1e3*e?(u.num=0,u.key="time.now"):l<i?(u.num=n(l/1e3),u.key="time.seconds"):l<o?(u.num=n(l/i),u.key="time.minutes"):l<r?(u.num=n(l/o),u.key="time.hours"):l<s?(u.num=n(l/r),u.key="time.days"):l<a?(u.num=n(l/s),u.key="time.weeks"):l<c&&(u.num=n(l/a),u.key="time.months"),1===u.num&&(u.key=u.key.slice(0,-1)),u},u=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:1,n=l(t,e);return n.key+="_short",n}},,,function(t,e,n){"use strict";var i=n(28),o=n(18),r=n(17),s={props:["user"],data:function(){return{userExpanded:!1}},components:{UserCard:i.a,UserAvatar:o.default},methods:{toggleUserExpanded:function(){this.userExpanded=!this.userExpanded},userProfileLink:function(t){return Object(r.a)(t.id,t.screen_name,this.$store.state.instance.restrictedNicknames)}}},a=n(0);var c=function(t){n(463)},l=Object(a.a)(s,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"basic-user-card"},[n("router-link",{attrs:{to:t.userProfileLink(t.user)}},[n("UserAvatar",{staticClass:"avatar",attrs:{user:t.user},nativeOn:{click:function(e){return e.preventDefault(),t.toggleUserExpanded(e)}}})],1),t._v(" "),t.userExpanded?n("div",{staticClass:"basic-user-card-expanded-content"},[n("UserCard",{attrs:{"user-id":t.user.id,rounded:!0,bordered:!0}})],1):n("div",{staticClass:"basic-user-card-collapsed-content"},[n("div",{staticClass:"basic-user-card-user-name",attrs:{title:t.user.name}},[t.user.name_html?n("span",{staticClass:"basic-user-card-user-name-value",domProps:{innerHTML:t._s(t.user.name_html)}}):n("span",{staticClass:"basic-user-card-user-name-value"},[t._v(t._s(t.user.name))])]),t._v(" "),n("div",[n("router-link",{staticClass:"basic-user-card-screen-name",attrs:{to:t.userProfileLink(t.user)}},[t._v("\n @"+t._s(t.user.screen_name)+"\n ")])],1),t._v(" "),t._t("default")],2)],1)},[],!1,c,null,null);e.a=l.exports},function(t,e,n){"use strict";n.d(e,"a",function(){return g}),n.d(e,"e",function(){return b}),n.d(e,"f",function(){return x}),n.d(e,"b",function(){return C}),n.d(e,"c",function(){return S}),n.d(e,"d",function(){return j});var i=n(1),o=n.n(i),r=n(7),s=n.n(r),a=n(27),c=n.n(a),l=n(10),u=n.n(l),d=n(14),p=n(9),f=n(29);function h(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function m(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?h(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):h(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var g=3,v=function(t){for(var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:f.b,n=[t],i=e[t];i;)n.unshift(i),i=e[i];return n},b=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:t,n=arguments.length>2?arguments[2]:void 0,i=arguments.length>3?arguments[3]:void 0,o=arguments.length>4?arguments[4]:void 0;return v(t).map(function(r){return[r===t?i[e]:i[r],r===t?o[n]||1:o[r]]})},w=function(t,e){var n=e[t];if("string"==typeof n&&n.startsWith("--"))return[n.substring(2)];if(null===n)return[];var i=n.depends,o=n.layer,r=n.variant,s=o?v(o).map(function(t){return t===o?r||o:t}):[];return Array.isArray(i)?[].concat(u()(i),u()(s)):u()(s)},_=function(t){return"object"===c()(t)?t:{depends:t.startsWith("--")?[t.substring(2)]:[],default:t.startsWith("#")?t:void 0}},x=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:f.c,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:w,i=_(e[t]);if(null!==i.opacity){if(i.opacity)return i.opacity;return i.depends?function i(o){var r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[t],s=n(o,e)[0];if(void 0!==s){var a=e[s];if(void 0!==a)return a.opacity||null===a?a.opacity:a.depends&&r.includes(s)?i(s,[].concat(u()(r),[s])):null}}(t):void 0}},y=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:f.c,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:w,i=_(e[t]);if(f.b[t])return t;if(null!==i.layer){if(i.layer)return i.layer;return i.depends?function i(o){var r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[t],s=n(o,e)[0];if(void 0!==s){var a=e[s];if(void 0!==a)return a.layer||null===a?a.layer:a.depends?i(a,[].concat(u()(r),[s])):null}}(t):void 0}},k=function(){for(var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:f.c,e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:w,n=Object.keys(t),i=new Set(n),o=new Set,r=new Set,s=u()(n),a=[],c=function n(s){if(i.has(s))i.delete(s),o.add(s),e(s,t).forEach(n),o.delete(s),r.add(s),a.push(s);else if(o.has(s))console.debug("Cyclic depenency in topoSort, ignoring"),a.push(s);else if(!r.has(s))throw new Error("Unintended condition in topoSort!")};s.length>0;)c(s.pop());return a.map(function(t,e){return{data:t,index:e}}).sort(function(n,i){var o=n.data,r=n.index,s=i.data,a=i.index,c=e(o,t).length,l=e(s,t).length;return c===l||0!==l&&0!==c?r-a:0===c&&0!==l?-1:0===l&&0!==c?1:void 0}).map(function(t){return t.data})}(Object.entries(f.c).sort(function(t,e){var n=s()(t,2),i=(n[0],n[1]),o=s()(e,2),r=(o[0],o[1]);return(i&&i.priority||0)-(r&&r.priority||0)}).reduce(function(t,e){var n=s()(e,2),i=n[0],r=n[1];return m({},t,o()({},i,r))},{})),C=Object.entries(f.c).reduce(function(t,e){var n=s()(e,2),i=n[0],r=(n[1],x(i,f.c,w));return r?m({},t,o()({},r,{defaultValue:f.a[r]||1,affectedSlots:[].concat(u()(t[r]&&t[r].affectedSlots||[]),[i])})):t},{}),S=function(t,e,n){if("string"!=typeof t||!t.startsWith("--"))return t;var i=null,o=t.split(/,/g).map(function(t){return t.trim()}),r=s()(o,2),a=r[0],c=r[1];return i=e(a.substring(2)),c&&(i=Object(d.brightness)(Number.parseFloat(c)*n,i).rgb),i},j=function(t,e){return k.reduce(function(n,i){var r=n.colors,s=n.opacity,a=t[i],c=_(f.c[i]),l=w(i,f.c),h=!!c.textColor,g=c.variant||c.layer,v=null;v=h?Object(p.b)(m({},r[l[0]]||Object(d.convert)(t[i]||"#FF00FF").rgb),b(y(i)||"bg",g||"bg",x(g),r,s)):g&&g!==i?r[g]||Object(d.convert)(t[g]).rgb:r.bg||Object(d.convert)(t.bg);var k=Object(p.h)(v)<.5?1:-1,j=null;if(a){var O=a;if("transparent"===O){var P=b(y(i),i,x(i)||i,r,s).slice(0,-1);O=m({},Object(p.b)(Object(d.convert)("#FF00FF").rgb,P),{a:0})}else"string"==typeof a&&a.startsWith("--")?O=S(a,function(e){return r[e]||t[e]},k):"string"==typeof a&&a.startsWith("#")&&(O=Object(d.convert)(O).rgb);j=m({},O)}else if(c.default)j=Object(d.convert)(c.default).rgb;else{var $=c.color||function(t,e){return m({},e)};if(c.textColor)if("bw"===c.textColor)j=Object(d.contrastRatio)(v).rgb;else{var T=m({},r[l[0]]);c.color&&(T=$.apply(void 0,[k].concat(u()(l.map(function(t){return m({},r[t])}))))),j=Object(p.e)(v,m({},T),"preserve"===c.textColor)}else j=$.apply(void 0,[k].concat(u()(l.map(function(t){return m({},r[t])}))))}if(!j)throw new Error("Couldn't generate color for "+i);var I=c.opacity||x(i),E=c.opacity;if(null===E)j.a=1;else if("transparent"===a)j.a=0;else{var M=E&&void 0!==e[I],U=l[0],F=U&&r[U];E||!F||c.textColor||null===E?F||I?F&&0===F.a?j.a=0:j.a=Number(M?e[I]:(C[I]||{}).defaultValue):delete j.a:j.a=F.a}return(Number.isNaN(j.a)||void 0===j.a)&&(j.a=1),I?{colors:m({},r,o()({},i,j)),opacity:m({},s,o()({},I,j.a))}:{colors:m({},r,o()({},i,j)),opacity:s}},{colors:{},opacity:{}})}},,,function(t,e,n){"use strict";var i=n(3),o=n.n(i),r=n(1),s=n.n(r),a=n(10),c=n.n(a),l=n(41),u=n.n(l),d=n(106),p=n.n(d),f=n(15),h=n.n(f),m=n(189),g=n.n(m),v=n(61),b=n(134),w={data:function(){return{uploadCount:0,uploadReady:!0}},computed:{uploading:function(){return this.uploadCount>0}},methods:{uploadFile:function(t){var e=this,n=this.$store;if(t.size>n.state.instance.uploadlimit){var i=b.a.fileSizeFormat(t.size),o=b.a.fileSizeFormat(n.state.instance.uploadlimit);e.$emit("upload-failed","file_too_big",{filesize:i.num,filesizeunit:i.unit,allowedsize:o.num,allowedsizeunit:o.unit})}else{var r=new FormData;r.append("file",t),e.$emit("uploading"),e.uploadCount++,v.a.uploadMedia({store:n,formData:r}).then(function(t){e.$emit("uploaded",t),e.decreaseUploadCount()},function(t){e.$emit("upload-failed","default"),e.decreaseUploadCount()})}},decreaseUploadCount:function(){this.uploadCount--,0===this.uploadCount&&this.$emit("all-uploaded")},clearFile:function(){var t=this;this.uploadReady=!1,this.$nextTick(function(){t.uploadReady=!0})},multiUpload:function(t){var e=!0,n=!1,i=void 0;try{for(var o,r=t[Symbol.iterator]();!(e=(o=r.next()).done);e=!0){var s=o.value;this.uploadFile(s)}}catch(t){n=!0,i=t}finally{try{e||null==r.return||r.return()}finally{if(n)throw i}}},change:function(t){var e=t.target;this.multiUpload(e.files)}},props:["dropFiles","disabled"],watch:{dropFiles:function(t){this.uploading||this.multiUpload(t)}}},_=n(0);var x=function(t){n(389)},y=Object(_.a)(w,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"media-upload",class:{disabled:t.disabled}},[n("label",{staticClass:"label",attrs:{title:t.$t("tool_tip.media_upload")}},[t.uploading?n("i",{staticClass:"progress-icon icon-spin4 animate-spin"}):t._e(),t._v(" "),t.uploading?t._e():n("i",{staticClass:"new-icon icon-upload"}),t._v(" "),t.uploadReady?n("input",{staticStyle:{position:"fixed",top:"-100em"},attrs:{disabled:t.disabled,type:"file",multiple:"true"},on:{change:t.change}}):t._e()])])},[],!1,x,null,null).exports,k=n(196),C=n(195),S=n(77),j=n.n(S),O=n(35),P={name:"PollForm",props:["visible"],data:function(){return{pollType:"single",options:["",""],expiryAmount:10,expiryUnit:"minutes"}},computed:{pollLimits:function(){return this.$store.state.instance.pollLimits},maxOptions:function(){return this.pollLimits.max_options},maxLength:function(){return this.pollLimits.max_option_chars},expiryUnits:function(){var t=this,e=this.convertExpiryFromUnit;return["minutes","hours","days"].filter(function(n){return t.pollLimits.max_expiration>=e(n,1)})},minExpirationInCurrentUnit:function(){return Math.ceil(this.convertExpiryToUnit(this.expiryUnit,this.pollLimits.min_expiration))},maxExpirationInCurrentUnit:function(){return Math.floor(this.convertExpiryToUnit(this.expiryUnit,this.pollLimits.max_expiration))}},methods:{clear:function(){this.pollType="single",this.options=["",""],this.expiryAmount=10,this.expiryUnit="minutes"},nextOption:function(t){var e=this.$el.querySelector("#poll-".concat(t+1));e?e.focus():this.addOption()&&this.$nextTick(function(){this.nextOption(t)})},addOption:function(){return this.options.length<this.maxOptions&&(this.options.push(""),!0)},deleteOption:function(t,e){this.options.length>2&&(this.options.splice(t,1),this.updatePollToParent())},convertExpiryToUnit:function(t,e){switch(t){case"minutes":return 1e3*e/O.c;case"hours":return 1e3*e/O.b;case"days":return 1e3*e/O.a}},convertExpiryFromUnit:function(t,e){switch(t){case"minutes":return.001*e*O.c;case"hours":return.001*e*O.b;case"days":return.001*e*O.a}},expiryAmountChange:function(){this.expiryAmount=Math.max(this.minExpirationInCurrentUnit,this.expiryAmount),this.expiryAmount=Math.min(this.maxExpirationInCurrentUnit,this.expiryAmount),this.updatePollToParent()},updatePollToParent:function(){var t=this.convertExpiryFromUnit(this.expiryUnit,this.expiryAmount),e=j()(this.options.filter(function(t){return""!==t}));e.length<2?this.$emit("update-poll",{error:this.$t("polls.not_enough_options")}):this.$emit("update-poll",{options:e,multiple:"multiple"===this.pollType,expiresIn:t})}}};var $=function(t){n(399)},T=Object(_.a)(P,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.visible?n("div",{staticClass:"poll-form"},[t._l(t.options,function(e,i){return n("div",{key:i,staticClass:"poll-option"},[n("div",{staticClass:"input-container"},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.options[i],expression:"options[index]"}],staticClass:"poll-option-input",attrs:{id:"poll-"+i,type:"text",placeholder:t.$t("polls.option"),maxlength:t.maxLength},domProps:{value:t.options[i]},on:{change:t.updatePollToParent,keydown:function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:(e.stopPropagation(),e.preventDefault(),t.nextOption(i))},input:function(e){e.target.composing||t.$set(t.options,i,e.target.value)}}})]),t._v(" "),t.options.length>2?n("div",{staticClass:"icon-container"},[n("i",{staticClass:"icon-cancel",on:{click:function(e){return t.deleteOption(i)}}})]):t._e()])}),t._v(" "),t.options.length<t.maxOptions?n("a",{staticClass:"add-option faint",on:{click:t.addOption}},[n("i",{staticClass:"icon-plus"}),t._v("\n "+t._s(t.$t("polls.add_option"))+"\n ")]):t._e(),t._v(" "),n("div",{staticClass:"poll-type-expiry"},[n("div",{staticClass:"poll-type",attrs:{title:t.$t("polls.type")}},[n("label",{staticClass:"select",attrs:{for:"poll-type-selector"}},[n("select",{directives:[{name:"model",rawName:"v-model",value:t.pollType,expression:"pollType"}],staticClass:"select",on:{change:[function(e){var n=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.pollType=e.target.multiple?n:n[0]},t.updatePollToParent]}},[n("option",{attrs:{value:"single"}},[t._v(t._s(t.$t("polls.single_choice")))]),t._v(" "),n("option",{attrs:{value:"multiple"}},[t._v(t._s(t.$t("polls.multiple_choices")))])]),t._v(" "),n("i",{staticClass:"icon-down-open"})])]),t._v(" "),n("div",{staticClass:"poll-expiry",attrs:{title:t.$t("polls.expiry")}},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.expiryAmount,expression:"expiryAmount"}],staticClass:"expiry-amount hide-number-spinner",attrs:{type:"number",min:t.minExpirationInCurrentUnit,max:t.maxExpirationInCurrentUnit},domProps:{value:t.expiryAmount},on:{change:t.expiryAmountChange,input:function(e){e.target.composing||(t.expiryAmount=e.target.value)}}}),t._v(" "),n("label",{staticClass:"expiry-unit select"},[n("select",{directives:[{name:"model",rawName:"v-model",value:t.expiryUnit,expression:"expiryUnit"}],on:{change:[function(e){var n=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.expiryUnit=e.target.multiple?n:n[0]},t.expiryAmountChange]}},t._l(t.expiryUnits,function(e){return n("option",{key:e,domProps:{value:e}},[t._v("\n "+t._s(t.$t("time."+e+"_short",[""]))+"\n ")])}),0),t._v(" "),n("i",{staticClass:"icon-down-open"})])])])],2):t._e()},[],!1,$,null,null).exports,I=n(43),E=n(34),M=n(21),U=n(107),F=n(135),D=n(2),L=n(54);function N(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var R=function(t){return Number(t.substring(0,t.length-2))},A={props:["replyTo","repliedUser","attentions","copyMessageScope","subject","disableSubject","disableScopeSelector","disableNotice","disableLockWarning","disablePolls","disableSensitivityCheckbox","disableSubmit","disablePreview","placeholder","maxHeight","postHandler","preserveFocus","autoFocus","fileLimit","submitOnEnter","emojiPickerPlacement"],components:{MediaUpload:y,EmojiInput:C.a,PollForm:T,ScopeSelector:k.a,Checkbox:L.a,Attachment:I.a,StatusContent:E.a},mounted:function(){if(this.updateIdempotencyKey(),this.resize(this.$refs.textarea),this.replyTo){var t=this.$refs.textarea.value.length;this.$refs.textarea.setSelectionRange(t,t)}(this.replyTo||this.autoFocus)&&this.$refs.textarea.focus()},data:function(){var t=this.$route.query.message||"",e=this.$store.getters.mergedConfig.scopeCopy;if(this.replyTo){var n=this.$store.state.users.currentUser;t=function(t,e){var n=t.user,i=t.attentions,o=void 0===i?[]:i,r=c()(o);r.unshift(n),r=p()(r,"id"),r=g()(r,{id:e.id});var s=h()(r,function(t){return"@".concat(t.screen_name)});return s.length>0?s.join(" ")+" ":""}({user:this.repliedUser,attentions:this.attentions},n)}var i=this.copyMessageScope&&e||"direct"===this.copyMessageScope?this.copyMessageScope:this.$store.state.users.currentUser.default_scope,o=this.$store.getters.mergedConfig.postContentType;return{dropFiles:[],uploadingFiles:!1,error:null,posting:!1,highlighted:0,newStatus:{spoilerText:this.subject||"",status:t,nsfw:!1,files:[],poll:{},mediaDescriptions:{},visibility:i,contentType:o},caret:0,pollFormVisible:!1,showDropIcon:"hide",dropStopTimeout:null,preview:null,previewLoading:!1,emojiInputShown:!1,idempotencyKey:""}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?N(Object(n),!0).forEach(function(e){s()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):N(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({users:function(){return this.$store.state.users.users},userDefaultScope:function(){return this.$store.state.users.currentUser.default_scope},showAllScopes:function(){return!this.mergedConfig.minimalScopesMode},emojiUserSuggestor:function(){var t=this;return Object(F.a)({emoji:[].concat(c()(this.$store.state.instance.emoji),c()(this.$store.state.instance.customEmoji)),users:this.$store.state.users.users,updateUsersList:function(e){return t.$store.dispatch("searchUsers",{query:e})}})},emojiSuggestor:function(){return Object(F.a)({emoji:[].concat(c()(this.$store.state.instance.emoji),c()(this.$store.state.instance.customEmoji))})},emoji:function(){return this.$store.state.instance.emoji||[]},customEmoji:function(){return this.$store.state.instance.customEmoji||[]},statusLength:function(){return this.newStatus.status.length},spoilerTextLength:function(){return this.newStatus.spoilerText.length},statusLengthLimit:function(){return this.$store.state.instance.textlimit},hasStatusLengthLimit:function(){return this.statusLengthLimit>0},charactersLeft:function(){return this.statusLengthLimit-(this.statusLength+this.spoilerTextLength)},isOverLengthLimit:function(){return this.hasStatusLengthLimit&&this.charactersLeft<0},minimalScopesMode:function(){return this.$store.state.instance.minimalScopesMode},alwaysShowSubject:function(){return this.mergedConfig.alwaysShowSubjectInput},postFormats:function(){return this.$store.state.instance.postFormats||[]},safeDMEnabled:function(){return this.$store.state.instance.safeDM},pollsAvailable:function(){return this.$store.state.instance.pollsAvailable&&this.$store.state.instance.pollLimits.max_options>=2&&!0!==this.disablePolls},hideScopeNotice:function(){return this.disableNotice||this.$store.getters.mergedConfig.hideScopeNotice},pollContentError:function(){return this.pollFormVisible&&this.newStatus.poll&&this.newStatus.poll.error},showPreview:function(){return!this.disablePreview&&(!!this.preview||this.previewLoading)},emptyStatus:function(){return""===this.newStatus.status.trim()&&0===this.newStatus.files.length},uploadFileLimitReached:function(){return this.newStatus.files.length>=this.fileLimit}},Object(D.c)(["mergedConfig"]),{},Object(D.e)({mobileLayout:function(t){return t.interface.mobileLayout}})),watch:{newStatus:{deep:!0,handler:function(){this.statusChanged()}}},methods:{statusChanged:function(){this.autoPreview(),this.updateIdempotencyKey()},clearStatus:function(){var t=this,e=this.newStatus;this.newStatus={status:"",spoilerText:"",files:[],visibility:e.visibility,contentType:e.contentType,poll:{},mediaDescriptions:{}},this.pollFormVisible=!1,this.$refs.mediaUpload&&this.$refs.mediaUpload.clearFile(),this.clearPollForm(),this.preserveFocus&&this.$nextTick(function(){t.$refs.textarea.focus()});var n=this.$el.querySelector("textarea");n.style.height="auto",n.style.height=void 0,this.error=null,this.preview&&this.previewStatus()},postStatus:function(t,e){var n,i,r=this,s=arguments;return o.a.async(function(a){for(;;)switch(a.prev=a.next){case 0:if(s.length>2&&void 0!==s[2]?s[2]:{},!this.posting){a.next=3;break}return a.abrupt("return");case 3:if(!this.disableSubmit){a.next=5;break}return a.abrupt("return");case 5:if(!this.emojiInputShown){a.next=7;break}return a.abrupt("return");case 7:if(this.submitOnEnter&&(t.stopPropagation(),t.preventDefault()),!this.emptyStatus){a.next=11;break}return this.error=this.$t("post_status.empty_status_error"),a.abrupt("return");case 11:if(n=this.pollFormVisible?this.newStatus.poll:{},!this.pollContentError){a.next=15;break}return this.error=this.pollContentError,a.abrupt("return");case 15:return this.posting=!0,a.prev=16,a.next=19,o.a.awrap(this.setAllMediaDescriptions());case 19:a.next=26;break;case 21:return a.prev=21,a.t0=a.catch(16),this.error=this.$t("post_status.media_description_error"),this.posting=!1,a.abrupt("return");case 26:i={status:e.status,spoilerText:e.spoilerText||null,visibility:e.visibility,sensitive:e.nsfw,media:e.files,store:this.$store,inReplyToStatusId:this.replyTo,contentType:e.contentType,poll:n,idempotencyKey:this.idempotencyKey},(this.postHandler?this.postHandler:v.a.postStatus)(i).then(function(t){t.error?r.error=t.error:(r.clearStatus(),r.$emit("posted",t)),r.posting=!1});case 29:case"end":return a.stop()}},null,this,[[16,21]])},previewStatus:function(){var t=this;if(this.emptyStatus&&""===this.newStatus.spoilerText.trim())return this.preview={error:this.$t("post_status.preview_empty")},void(this.previewLoading=!1);var e=this.newStatus;this.previewLoading=!0,v.a.postStatus({status:e.status,spoilerText:e.spoilerText||null,visibility:e.visibility,sensitive:e.nsfw,media:[],store:this.$store,inReplyToStatusId:this.replyTo,contentType:e.contentType,poll:{},preview:!0}).then(function(e){t.previewLoading&&(e.error?t.preview={error:e.error}:t.preview=e)}).catch(function(e){t.preview={error:e}}).finally(function(){t.previewLoading=!1})},debouncePreviewStatus:u()(function(){this.previewStatus()},500),autoPreview:function(){this.preview&&(this.previewLoading=!0,this.debouncePreviewStatus())},closePreview:function(){this.preview=null,this.previewLoading=!1},togglePreview:function(){this.showPreview?this.closePreview():this.previewStatus()},addMediaFile:function(t){this.newStatus.files.push(t),this.$emit("resize",{delayed:!0})},removeMediaFile:function(t){var e=this.newStatus.files.indexOf(t);this.newStatus.files.splice(e,1),this.$emit("resize")},uploadFailed:function(t,e){e=e||{},this.error=this.$t("upload.error.base")+" "+this.$t("upload.error."+t,e)},startedUploadingFiles:function(){this.uploadingFiles=!0},finishedUploadingFiles:function(){this.$emit("resize"),this.uploadingFiles=!1},type:function(t){return M.a.fileType(t.mimetype)},paste:function(t){this.autoPreview(),this.resize(t),t.clipboardData.files.length>0&&(t.preventDefault(),this.dropFiles=[t.clipboardData.files[0]])},fileDrop:function(t){t.dataTransfer&&t.dataTransfer.types.includes("Files")&&(t.preventDefault(),this.dropFiles=t.dataTransfer.files,clearTimeout(this.dropStopTimeout),this.showDropIcon="hide")},fileDragStop:function(t){var e=this;clearTimeout(this.dropStopTimeout),this.showDropIcon="fade",this.dropStopTimeout=setTimeout(function(){return e.showDropIcon="hide"},500)},fileDrag:function(t){t.dataTransfer.dropEffect=this.uploadFileLimitReached?"none":"copy",t.dataTransfer&&t.dataTransfer.types.includes("Files")&&(clearTimeout(this.dropStopTimeout),this.showDropIcon="show")},onEmojiInputInput:function(t){var e=this;this.$nextTick(function(){e.resize(e.$refs.textarea)})},resize:function(t){var e=t.target||t;if(e instanceof window.Element){if(""===e.value)return e.style.height=null,this.$emit("resize"),void this.$refs["emoji-input"].resize();var n=this.$refs.form,i=this.$refs.bottom,o=window.getComputedStyle(i)["padding-bottom"],r=R(o),s=this.$el.closest(".sidebar-scroller")||this.$el.closest(".post-form-modal-view")||window,a=window.getComputedStyle(e)["padding-top"],c=window.getComputedStyle(e)["padding-bottom"],l=R(a)+R(c),u=R(e.style.height),d=s===window?s.scrollY:s.scrollTop,p=s===window?s.innerHeight:s.offsetHeight,f=d+p;e.style.height="auto";var h=Math.floor(e.scrollHeight-l),m=this.maxHeight?Math.min(h,this.maxHeight):h;Math.abs(m-u)<=1&&(m=u),e.style.height="".concat(m,"px"),this.$emit("resize",m);var g=i.offsetHeight+Object(U.a)(i,s).top+r,v=f<g,b=p<n.offsetHeight,w=g-f,_=d+(v&&!(b&&this.$refs.textarea.selectionStart!==this.$refs.textarea.value.length)?w:0);s===window?s.scroll(0,_):s.scrollTop=_,this.$refs["emoji-input"].resize()}},showEmojiPicker:function(){this.$refs.textarea.focus(),this.$refs["emoji-input"].triggerShowPicker()},clearError:function(){this.error=null},changeVis:function(t){this.newStatus.visibility=t},togglePollForm:function(){this.pollFormVisible=!this.pollFormVisible},setPoll:function(t){this.newStatus.poll=t},clearPollForm:function(){this.$refs.pollForm&&this.$refs.pollForm.clear()},dismissScopeNotice:function(){this.$store.dispatch("setOption",{name:"hideScopeNotice",value:!0})},setMediaDescription:function(t){var e=this.newStatus.mediaDescriptions[t];if(e&&""!==e.trim())return v.a.setMediaDescription({store:this.$store,id:t,description:e})},setAllMediaDescriptions:function(){var t=this,e=this.newStatus.files.map(function(t){return t.id});return Promise.all(e.map(function(e){return t.setMediaDescription(e)}))},handleEmojiInputShow:function(t){this.emojiInputShown=t},updateIdempotencyKey:function(){this.idempotencyKey=Date.now().toString()},openProfileTab:function(){this.$store.dispatch("openSettingsModalTab","profile")}}};var B=function(t){n(387)},z=Object(_.a)(A,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{ref:"form",staticClass:"post-status-form"},[n("form",{attrs:{autocomplete:"off"},on:{submit:function(t){t.preventDefault()},dragover:function(e){return e.preventDefault(),t.fileDrag(e)}}},[n("div",{directives:[{name:"show",rawName:"v-show",value:"hide"!==t.showDropIcon,expression:"showDropIcon !== 'hide'"}],staticClass:"drop-indicator",class:[t.uploadFileLimitReached?"icon-block":"icon-upload"],style:{animation:"show"===t.showDropIcon?"fade-in 0.25s":"fade-out 0.5s"},on:{dragleave:t.fileDragStop,drop:function(e){return e.stopPropagation(),t.fileDrop(e)}}}),t._v(" "),n("div",{staticClass:"form-group"},[t.$store.state.users.currentUser.locked||"private"!=t.newStatus.visibility||t.disableLockWarning?t._e():n("i18n",{staticClass:"visibility-notice",attrs:{path:"post_status.account_not_locked_warning",tag:"p"}},[n("a",{attrs:{href:"#"},on:{click:t.openProfileTab}},[t._v("\n "+t._s(t.$t("post_status.account_not_locked_warning_link"))+"\n ")])]),t._v(" "),t.hideScopeNotice||"public"!==t.newStatus.visibility?t.hideScopeNotice||"unlisted"!==t.newStatus.visibility?!t.hideScopeNotice&&"private"===t.newStatus.visibility&&t.$store.state.users.currentUser.locked?n("p",{staticClass:"visibility-notice notice-dismissible"},[n("span",[t._v(t._s(t.$t("post_status.scope_notice.private")))]),t._v(" "),n("a",{staticClass:"button-icon dismiss",on:{click:function(e){return e.preventDefault(),t.dismissScopeNotice()}}},[n("i",{staticClass:"icon-cancel"})])]):"direct"===t.newStatus.visibility?n("p",{staticClass:"visibility-notice"},[t.safeDMEnabled?n("span",[t._v(t._s(t.$t("post_status.direct_warning_to_first_only")))]):n("span",[t._v(t._s(t.$t("post_status.direct_warning_to_all")))])]):t._e():n("p",{staticClass:"visibility-notice notice-dismissible"},[n("span",[t._v(t._s(t.$t("post_status.scope_notice.unlisted")))]),t._v(" "),n("a",{staticClass:"button-icon dismiss",on:{click:function(e){return e.preventDefault(),t.dismissScopeNotice()}}},[n("i",{staticClass:"icon-cancel"})])]):n("p",{staticClass:"visibility-notice notice-dismissible"},[n("span",[t._v(t._s(t.$t("post_status.scope_notice.public")))]),t._v(" "),n("a",{staticClass:"button-icon dismiss",on:{click:function(e){return e.preventDefault(),t.dismissScopeNotice()}}},[n("i",{staticClass:"icon-cancel"})])]),t._v(" "),t.disablePreview?t._e():n("div",{staticClass:"preview-heading faint"},[n("a",{staticClass:"preview-toggle faint",on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.togglePreview(e)}}},[t._v("\n "+t._s(t.$t("post_status.preview"))+"\n "),n("i",{class:t.showPreview?"icon-left-open":"icon-right-open"})]),t._v(" "),n("i",{directives:[{name:"show",rawName:"v-show",value:t.previewLoading,expression:"previewLoading"}],staticClass:"icon-spin3 animate-spin"})]),t._v(" "),t.showPreview?n("div",{staticClass:"preview-container"},[t.preview?t.preview.error?n("div",{staticClass:"preview-status preview-error"},[t._v("\n "+t._s(t.preview.error)+"\n ")]):n("StatusContent",{staticClass:"preview-status",attrs:{status:t.preview}}):n("div",{staticClass:"preview-status"},[t._v("\n "+t._s(t.$t("general.loading"))+"\n ")])],1):t._e(),t._v(" "),t.disableSubject||!t.newStatus.spoilerText&&!t.alwaysShowSubject?t._e():n("EmojiInput",{staticClass:"form-control",attrs:{"enable-emoji-picker":"",suggest:t.emojiSuggestor},model:{value:t.newStatus.spoilerText,callback:function(e){t.$set(t.newStatus,"spoilerText",e)},expression:"newStatus.spoilerText"}},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.newStatus.spoilerText,expression:"newStatus.spoilerText"}],staticClass:"form-post-subject",attrs:{type:"text",placeholder:t.$t("post_status.content_warning"),disabled:t.posting},domProps:{value:t.newStatus.spoilerText},on:{input:function(e){e.target.composing||t.$set(t.newStatus,"spoilerText",e.target.value)}}})]),t._v(" "),n("EmojiInput",{ref:"emoji-input",staticClass:"form-control main-input",attrs:{suggest:t.emojiUserSuggestor,placement:t.emojiPickerPlacement,"enable-emoji-picker":"","hide-emoji-button":"","newline-on-ctrl-enter":t.submitOnEnter,"enable-sticker-picker":""},on:{input:t.onEmojiInputInput,"sticker-uploaded":t.addMediaFile,"sticker-upload-failed":t.uploadFailed,shown:t.handleEmojiInputShow},model:{value:t.newStatus.status,callback:function(e){t.$set(t.newStatus,"status",e)},expression:"newStatus.status"}},[n("textarea",{directives:[{name:"model",rawName:"v-model",value:t.newStatus.status,expression:"newStatus.status"}],ref:"textarea",staticClass:"form-post-body",class:{"scrollable-form":!!t.maxHeight},attrs:{placeholder:t.placeholder||t.$t("post_status.default"),rows:"1",cols:"1",disabled:t.posting},domProps:{value:t.newStatus.status},on:{keydown:[function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:e.ctrlKey||e.shiftKey||e.altKey||e.metaKey?null:void(t.submitOnEnter&&t.postStatus(e,t.newStatus))},function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:e.metaKey?t.postStatus(e,t.newStatus):null},function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:e.ctrlKey?void(!t.submitOnEnter&&t.postStatus(e,t.newStatus)):null}],input:[function(e){e.target.composing||t.$set(t.newStatus,"status",e.target.value)},t.resize],compositionupdate:t.resize,paste:t.paste}}),t._v(" "),t.hasStatusLengthLimit?n("p",{staticClass:"character-counter faint",class:{error:t.isOverLengthLimit}},[t._v("\n "+t._s(t.charactersLeft)+"\n ")]):t._e()]),t._v(" "),t.disableScopeSelector?t._e():n("div",{staticClass:"visibility-tray"},[n("scope-selector",{attrs:{"show-all":t.showAllScopes,"user-default":t.userDefaultScope,"original-scope":t.copyMessageScope,"initial-scope":t.newStatus.visibility,"on-scope-change":t.changeVis}}),t._v(" "),t.postFormats.length>1?n("div",{staticClass:"text-format"},[n("label",{staticClass:"select",attrs:{for:"post-content-type"}},[n("select",{directives:[{name:"model",rawName:"v-model",value:t.newStatus.contentType,expression:"newStatus.contentType"}],staticClass:"form-control",attrs:{id:"post-content-type"},on:{change:function(e){var n=Array.prototype.filter.call(e.target.options,function(t){return t.selected}).map(function(t){return"_value"in t?t._value:t.value});t.$set(t.newStatus,"contentType",e.target.multiple?n:n[0])}}},t._l(t.postFormats,function(e){return n("option",{key:e,domProps:{value:e}},[t._v("\n "+t._s(t.$t('post_status.content_type["'+e+'"]'))+"\n ")])}),0),t._v(" "),n("i",{staticClass:"icon-down-open"})])]):t._e(),t._v(" "),1===t.postFormats.length&&"text/plain"!==t.postFormats[0]?n("div",{staticClass:"text-format"},[n("span",{staticClass:"only-format"},[t._v("\n "+t._s(t.$t('post_status.content_type["'+t.postFormats[0]+'"]'))+"\n ")])]):t._e()],1)],1),t._v(" "),t.pollsAvailable?n("poll-form",{ref:"pollForm",attrs:{visible:t.pollFormVisible},on:{"update-poll":t.setPoll}}):t._e(),t._v(" "),n("div",{ref:"bottom",staticClass:"form-bottom"},[n("div",{staticClass:"form-bottom-left"},[n("media-upload",{ref:"mediaUpload",staticClass:"media-upload-icon",attrs:{"drop-files":t.dropFiles,disabled:t.uploadFileLimitReached},on:{uploading:t.startedUploadingFiles,uploaded:t.addMediaFile,"upload-failed":t.uploadFailed,"all-uploaded":t.finishedUploadingFiles}}),t._v(" "),n("div",{staticClass:"emoji-icon"},[n("i",{staticClass:"icon-smile btn btn-default",attrs:{title:t.$t("emoji.add_emoji")},on:{click:t.showEmojiPicker}})]),t._v(" "),t.pollsAvailable?n("div",{staticClass:"poll-icon",class:{selected:t.pollFormVisible}},[n("i",{staticClass:"icon-chart-bar btn btn-default",attrs:{title:t.$t("polls.add_poll")},on:{click:t.togglePollForm}})]):t._e()],1),t._v(" "),t.posting?n("button",{staticClass:"btn btn-default",attrs:{disabled:""}},[t._v("\n "+t._s(t.$t("post_status.posting"))+"\n ")]):t.isOverLengthLimit?n("button",{staticClass:"btn btn-default",attrs:{disabled:""}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")]):n("button",{staticClass:"btn btn-default",attrs:{disabled:t.uploadingFiles||t.disableSubmit},on:{touchstart:function(e){return e.stopPropagation(),e.preventDefault(),t.postStatus(e,t.newStatus)},click:function(e){return e.stopPropagation(),e.preventDefault(),t.postStatus(e,t.newStatus)}}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")])]),t._v(" "),t.error?n("div",{staticClass:"alert error"},[t._v("\n Error: "+t._s(t.error)+"\n "),n("i",{staticClass:"button-icon icon-cancel",on:{click:t.clearError}})]):t._e(),t._v(" "),n("div",{staticClass:"attachments"},t._l(t.newStatus.files,function(e){return n("div",{key:e.url,staticClass:"media-upload-wrapper"},[n("i",{staticClass:"fa button-icon icon-cancel",on:{click:function(n){return t.removeMediaFile(e)}}}),t._v(" "),n("attachment",{attrs:{attachment:e,"set-media":function(){return t.$store.dispatch("setMedia",t.newStatus.files)},size:"small","allow-play":"false"}}),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.newStatus.mediaDescriptions[e.id],expression:"newStatus.mediaDescriptions[file.id]"}],attrs:{type:"text",placeholder:t.$t("post_status.media_description")},domProps:{value:t.newStatus.mediaDescriptions[e.id]},on:{keydown:function(e){if(!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter"))return null;e.preventDefault()},input:function(n){n.target.composing||t.$set(t.newStatus.mediaDescriptions,e.id,n.target.value)}}})],1)}),0),t._v(" "),t.newStatus.files.length>0&&!t.disableSensitivityCheckbox?n("div",{staticClass:"upload_settings"},[n("Checkbox",{model:{value:t.newStatus.nsfw,callback:function(e){t.$set(t.newStatus,"nsfw",e)},expression:"newStatus.nsfw"}},[t._v("\n "+t._s(t.$t("post_status.attachments_sensitive"))+"\n ")])],1):t._e()],1)])},[],!1,B,null,null);e.a=z.exports},function(t,e,n){"use strict";var i=n(1),o=n.n(i),r=n(62),s=n(110),a=n(216),c=n.n(a),l=n(21),u=n(2);function d(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var p={props:["attachment","nsfw","size","allowPlay","setMedia","naturalSizeLoad"],data:function(){return{nsfwImage:this.$store.state.instance.nsfwCensorImage||c.a,hideNsfwLocal:this.$store.getters.mergedConfig.hideNsfw,preloadImage:this.$store.getters.mergedConfig.preloadImage,loading:!1,img:"image"===l.a.fileType(this.attachment.mimetype)&&document.createElement("img"),modalOpen:!1,showHidden:!1}},components:{StillImage:r.a,VideoAttachment:s.a},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?d(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):d(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({usePlaceholder:function(){return"hide"===this.size||"unknown"===this.type},placeholderName:function(){return""!==this.attachment.description&&this.attachment.description?this.attachment.description:this.type.toUpperCase()},placeholderIconClass:function(){return"image"===this.type?"icon-picture":"video"===this.type?"icon-video":"audio"===this.type?"icon-music":"icon-doc"},referrerpolicy:function(){return this.$store.state.instance.mediaProxyAvailable?"":"no-referrer"},type:function(){return l.a.fileType(this.attachment.mimetype)},hidden:function(){return this.nsfw&&this.hideNsfwLocal&&!this.showHidden},isEmpty:function(){return"html"===this.type&&!this.attachment.oembed||"unknown"===this.type},isSmall:function(){return"small"===this.size},fullwidth:function(){return"hide"!==this.size&&("html"===this.type||"audio"===this.type||"unknown"===this.type)},useModal:function(){return("hide"===this.size?["image","video","audio"]:this.mergedConfig.playVideosInModal?["image","video"]:["image"]).includes(this.type)}},Object(u.c)(["mergedConfig"])),methods:{linkClicked:function(t){var e=t.target;"A"===e.tagName&&window.open(e.href,"_blank")},openModal:function(t){this.useModal&&(t.stopPropagation(),t.preventDefault(),this.setMedia(),this.$store.dispatch("setCurrent",this.attachment))},toggleHidden:function(t){var e=this;!this.mergedConfig.useOneClickNsfw||this.showHidden||"video"===this.type&&!this.mergedConfig.playVideosInModal?this.img&&!this.preloadImage?this.img.onload?this.img.onload():(this.loading=!0,this.img.src=this.attachment.url,this.img.onload=function(){e.loading=!1,e.showHidden=!e.showHidden}):this.showHidden=!this.showHidden:this.openModal(t)},onImageLoad:function(t){var e=t.naturalWidth,n=t.naturalHeight;this.naturalSizeLoad&&this.naturalSizeLoad({width:e,height:n})}}},f=n(0);var h=function(t){n(401)},m=Object(f.a)(p,function(){var t,e=this,n=e.$createElement,i=e._self._c||n;return e.usePlaceholder?i("div",{class:{fullwidth:e.fullwidth},on:{click:e.openModal}},["html"!==e.type?i("a",{staticClass:"placeholder",attrs:{target:"_blank",href:e.attachment.url,alt:e.attachment.description,title:e.attachment.description}},[i("span",{class:e.placeholderIconClass}),e._v(" "),i("b",[e._v(e._s(e.nsfw?"NSFW / ":""))]),e._v(e._s(e.placeholderName)+"\n ")]):e._e()]):i("div",{directives:[{name:"show",rawName:"v-show",value:!e.isEmpty,expression:"!isEmpty"}],staticClass:"attachment",class:(t={},t[e.type]=!0,t.loading=e.loading,t.fullwidth=e.fullwidth,t["nsfw-placeholder"]=e.hidden,t)},[e.hidden?i("a",{staticClass:"image-attachment",attrs:{href:e.attachment.url,alt:e.attachment.description,title:e.attachment.description},on:{click:function(t){return t.preventDefault(),e.toggleHidden(t)}}},[i("img",{key:e.nsfwImage,staticClass:"nsfw",class:{small:e.isSmall},attrs:{src:e.nsfwImage}}),e._v(" "),"video"===e.type?i("i",{staticClass:"play-icon icon-play-circled"}):e._e()]):e._e(),e._v(" "),e.nsfw&&e.hideNsfwLocal&&!e.hidden?i("div",{staticClass:"hider"},[i("a",{attrs:{href:"#"},on:{click:function(t){return t.preventDefault(),e.toggleHidden(t)}}},[e._v("Hide")])]):e._e(),e._v(" "),"image"!==e.type||e.hidden&&!e.preloadImage?e._e():i("a",{staticClass:"image-attachment",class:{hidden:e.hidden&&e.preloadImage},attrs:{href:e.attachment.url,target:"_blank"},on:{click:e.openModal}},[i("StillImage",{staticClass:"image",attrs:{referrerpolicy:e.referrerpolicy,mimetype:e.attachment.mimetype,src:e.attachment.large_thumb_url||e.attachment.url,"image-load-handler":e.onImageLoad,alt:e.attachment.description}})],1),e._v(" "),"video"!==e.type||e.hidden?e._e():i("a",{staticClass:"video-container",class:{small:e.isSmall},attrs:{href:e.allowPlay?void 0:e.attachment.url},on:{click:e.openModal}},[i("VideoAttachment",{staticClass:"video",attrs:{attachment:e.attachment,controls:e.allowPlay}}),e._v(" "),e.allowPlay?e._e():i("i",{staticClass:"play-icon icon-play-circled"})],1),e._v(" "),"audio"===e.type?i("audio",{attrs:{src:e.attachment.url,alt:e.attachment.description,title:e.attachment.description,controls:""}}):e._e(),e._v(" "),"html"===e.type&&e.attachment.oembed?i("div",{staticClass:"oembed",on:{click:function(t){return t.preventDefault(),e.linkClicked(t)}}},[e.attachment.thumb_url?i("div",{staticClass:"image"},[i("img",{attrs:{src:e.attachment.thumb_url}})]):e._e(),e._v(" "),i("div",{staticClass:"text"},[i("h1",[i("a",{attrs:{href:e.attachment.url}},[e._v(e._s(e.attachment.oembed.title))])]),e._v(" "),i("div",{domProps:{innerHTML:e._s(e.attachment.oembed.oembedHTML)}})])]):e._e()])},[],!1,h,null,null);e.a=m.exports},function(t,e,n){"use strict";var i=n(35),o={name:"Timeago",props:["time","autoUpdate","longFormat","nowThreshold"],data:function(){return{relativeTime:{key:"time.now",num:0},interval:null}},computed:{localeDateString:function(){return"string"==typeof this.time?new Date(Date.parse(this.time)).toLocaleString():this.time.toLocaleString()}},created:function(){this.refreshRelativeTimeObject()},destroyed:function(){clearTimeout(this.interval)},methods:{refreshRelativeTimeObject:function(){var t="number"==typeof this.nowThreshold?this.nowThreshold:1;this.relativeTime=this.longFormat?i.d(this.time,t):i.e(this.time,t),this.autoUpdate&&(this.interval=setTimeout(this.refreshRelativeTimeObject,1e3*this.autoUpdate))}}},r=n(0),s=Object(r.a)(o,function(){var t=this.$createElement;return(this._self._c||t)("time",{attrs:{datetime:this.time,title:this.localeDateString}},[this._v("\n "+this._s(this.$t(this.relativeTime.key,[this.relativeTime.num]))+"\n")])},[],!1,null,null,null);e.a=s.exports},,function(t,e,n){"use strict";n.d(e,"a",function(){return r}),n.d(e,"b",function(){return o});var i=n(9),o=function(t){if(void 0!==t){var e=t.color,n=t.type;if("string"==typeof e){var o=Object(i.f)(e);if(null!=o){var r="rgb(".concat(Math.floor(o.r),", ").concat(Math.floor(o.g),", ").concat(Math.floor(o.b),")"),s="rgba(".concat(Math.floor(o.r),", ").concat(Math.floor(o.g),", ").concat(Math.floor(o.b),", .1)"),a="rgba(".concat(Math.floor(o.r),", ").concat(Math.floor(o.g),", ").concat(Math.floor(o.b),", .2)");return"striped"===n?{backgroundImage:["repeating-linear-gradient(135deg,","".concat(s," ,"),"".concat(s," 20px,"),"".concat(a," 20px,"),"".concat(a," 40px")].join(" "),backgroundPosition:"0 0"}:"solid"===n?{backgroundColor:a}:"side"===n?{backgroundImage:["linear-gradient(to right,","".concat(r," ,"),"".concat(r," 2px,"),"transparent 6px"].join(" "),backgroundPosition:"0 0"}:void 0}}}},r=function(t){return"USER____"+t.screen_name.replace(/\./g,"_").replace(/@/g,"_AT_")}},,,,,,function(t,e,n){"use strict";var i={props:{items:{type:Array,default:function(){return[]}},getKey:{type:Function,default:function(t){return t.id}}}},o=n(0);var r=function(t){n(465)},s=Object(o.a)(i,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"list"},[t._l(t.items,function(e){return n("div",{key:t.getKey(e),staticClass:"list-item"},[t._t("item",null,{item:e})],2)}),t._v(" "),0===t.items.length&&t.$slots.empty?n("div",{staticClass:"list-empty-content faint"},[t._t("empty")],2):t._e()],2)},[],!1,r,null,null);e.a=s.exports},,function(t,e,n){"use strict";var i=n(0);var o=function(t){n(397)},r=Object(i.a)({model:{prop:"checked",event:"change"},props:["checked","indeterminate","disabled"]},function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("label",{staticClass:"checkbox",class:{disabled:t.disabled,indeterminate:t.indeterminate}},[n("input",{attrs:{type:"checkbox",disabled:t.disabled},domProps:{checked:t.checked,indeterminate:t.indeterminate},on:{change:function(e){return t.$emit("change",e.target.checked)}}}),t._v(" "),n("i",{staticClass:"checkbox-indicator"}),t._v(" "),t.$slots.default?n("span",{staticClass:"label"},[t._t("default")],2):t._e()])},[],!1,o,null,null);e.a=r.exports},,,,,,,function(t,e,n){"use strict";var i=n(15),o=n.n(i),r=n(11),s={postStatus:function(t){var e=t.store,n=t.status,i=t.spoilerText,s=t.visibility,a=t.sensitive,c=t.poll,l=t.media,u=void 0===l?[]:l,d=t.inReplyToStatusId,p=void 0===d?void 0:d,f=t.contentType,h=void 0===f?"text/plain":f,m=t.preview,g=void 0!==m&&m,v=t.idempotencyKey,b=void 0===v?"":v,w=o()(u,"id");return r.c.postStatus({credentials:e.state.users.currentUser.credentials,status:n,spoilerText:i,visibility:s,sensitive:a,mediaIds:w,inReplyToStatusId:p,contentType:h,poll:c,preview:g,idempotencyKey:b}).then(function(t){return t.error||g||e.dispatch("addNewStatuses",{statuses:[t],timeline:"friends",showImmediately:!0,noIdUpdate:!0}),t}).catch(function(t){return{error:t.message}})},uploadMedia:function(t){var e=t.store,n=t.formData,i=e.state.users.currentUser.credentials;return r.c.uploadMedia({credentials:i,formData:n})},setMediaDescription:function(t){var e=t.store,n=t.id,i=t.description,o=e.state.users.currentUser.credentials;return r.c.setMediaDescription({credentials:o,id:n,description:i})}};e.a=s},function(t,e,n){"use strict";var i={props:["src","referrerpolicy","mimetype","imageLoadError","imageLoadHandler","alt"],data:function(){return{stopGifs:this.$store.getters.mergedConfig.stopGifs}},computed:{animated:function(){return this.stopGifs&&("image/gif"===this.mimetype||this.src.endsWith(".gif"))}},methods:{onLoad:function(){this.imageLoadHandler&&this.imageLoadHandler(this.$refs.src);var t=this.$refs.canvas;if(t){var e=this.$refs.src.naturalWidth,n=this.$refs.src.naturalHeight;t.width=e,t.height=n,t.getContext("2d").drawImage(this.$refs.src,0,0,e,n)}},onError:function(){this.imageLoadError&&this.imageLoadError()}}},o=n(0);var r=function(t){n(403)},s=Object(o.a)(i,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"still-image",class:{animated:t.animated}},[t.animated?n("canvas",{ref:"canvas"}):t._e(),t._v(" "),n("img",{key:t.src,ref:"src",attrs:{alt:t.alt,title:t.alt,src:t.src,referrerpolicy:t.referrerpolicy},on:{load:t.onLoad,error:t.onError}})])},[],!1,r,null,null);e.a=s.exports},,,,,,,,,,,,function(t,e,n){"use strict";var i=n(3),o=n.n(i),r=n(10),s={ar:function(){return n.e(5).then(n.t.bind(null,563,3))},ca:function(){return n.e(6).then(n.t.bind(null,564,3))},cs:function(){return n.e(7).then(n.t.bind(null,565,3))},de:function(){return n.e(8).then(n.t.bind(null,566,3))},eo:function(){return n.e(9).then(n.t.bind(null,567,3))},es:function(){return n.e(10).then(n.t.bind(null,568,3))},et:function(){return n.e(11).then(n.t.bind(null,569,3))},eu:function(){return n.e(12).then(n.t.bind(null,570,3))},fi:function(){return n.e(13).then(n.t.bind(null,571,3))},fr:function(){return n.e(14).then(n.t.bind(null,572,3))},ga:function(){return n.e(15).then(n.t.bind(null,573,3))},he:function(){return n.e(16).then(n.t.bind(null,574,3))},hu:function(){return n.e(17).then(n.t.bind(null,575,3))},it:function(){return n.e(18).then(n.t.bind(null,576,3))},ja:function(){return n.e(20).then(n.t.bind(null,577,3))},ja_easy:function(){return n.e(19).then(n.t.bind(null,578,3))},ko:function(){return n.e(21).then(n.t.bind(null,579,3))},nb:function(){return n.e(22).then(n.t.bind(null,580,3))},nl:function(){return n.e(23).then(n.t.bind(null,581,3))},oc:function(){return n.e(24).then(n.t.bind(null,582,3))},pl:function(){return n.e(25).then(n.t.bind(null,583,3))},pt:function(){return n.e(26).then(n.t.bind(null,584,3))},ro:function(){return n.e(27).then(n.t.bind(null,585,3))},ru:function(){return n.e(28).then(n.t.bind(null,586,3))},te:function(){return n.e(29).then(n.t.bind(null,587,3))},zh:function(){return n.e(30).then(n.t.bind(null,588,3))}},a={languages:["en"].concat(n.n(r)()(Object.keys(s))),default:{en:n(325)},setLanguage:function(t,e){var n;return o.a.async(function(i){for(;;)switch(i.prev=i.next){case 0:if(!s[e]){i.next=5;break}return i.next=3,o.a.awrap(s[e]());case 3:n=i.sent,t.setLocaleMessage(e,n);case 5:t.locale=e;case 6:case"end":return i.stop()}})}};e.a=a},,,,function(t,e,n){"use strict";var i={props:{disabled:{type:Boolean},click:{type:Function,default:function(){return Promise.resolve()}}},data:function(){return{progress:!1}},methods:{onClick:function(){var t=this;this.progress=!0,this.click().then(function(){t.progress=!1})}}},o=n(0),r=Object(o.a)(i,function(){var t=this.$createElement;return(this._self._c||t)("button",{attrs:{disabled:this.progress||this.disabled},on:{click:this.onClick}},[this.progress&&this.$slots.progress?[this._t("progress")]:[this._t("default")]],2)},[],!1,null,null,null);e.a=r.exports},,,,,,,,,,,,,,,,,function(t,e,n){"use strict";n.d(e,"d",function(){return f}),n.d(e,"b",function(){return h}),n.d(e,"c",function(){return m});var i=n(1),o=n.n(i),r=n(7),s=n.n(r),a=n(6),c=n(32),l=n(74);function u(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function d(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?u(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):u(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var p=(window.navigator.language||"en").split("-")[0],f=["postContentType","subjectLineBehavior"],h={colors:{},theme:void 0,customTheme:void 0,customThemeSource:void 0,hideISP:!1,hideMutedPosts:void 0,collapseMessageWithSubject:void 0,padEmoji:!0,hideAttachments:!1,hideAttachmentsInConv:!1,maxThumbnails:16,hideNsfw:!0,preloadImage:!0,loopVideo:!0,loopVideoSilentOnly:!0,streaming:!1,emojiReactionsOnTimeline:!0,autohideFloatingPostButton:!1,pauseOnUnfocused:!0,stopGifs:!1,replyVisibility:"all",notificationVisibility:{follows:!0,mentions:!0,likes:!0,repeats:!0,moves:!0,emojiReactions:!1,followRequest:!0,chatMention:!0},webPushNotifications:!1,muteWords:[],highlight:{},interfaceLanguage:p,hideScopeNotice:!1,useStreamingApi:!1,scopeCopy:void 0,subjectLineBehavior:void 0,alwaysShowSubjectInput:void 0,postContentType:void 0,minimalScopesMode:void 0,hideFilteredStatuses:void 0,playVideosInModal:!1,useOneClickNsfw:!1,useContainFit:!1,greentext:void 0,hidePostStats:void 0,hideUserStats:void 0},m=Object.entries(h).filter(function(t){var e=s()(t,2);e[0];return void 0===e[1]}).map(function(t){var e=s()(t,2),n=e[0];e[1];return n}),g={state:h,getters:{mergedConfig:function(t,e,n,i){var r=n.instance;return d({},t,{},m.map(function(e){return[e,void 0===t[e]?r[e]:t[e]]}).reduce(function(t,e){var n=s()(e,2),i=n[0],r=n[1];return d({},t,o()({},i,r))},{}))}},mutations:{setOption:function(t,e){var n=e.name,i=e.value;Object(a.set)(t,n,i)},setHighlight:function(t,e){var n=e.user,i=e.color,o=e.type,r=this.state.config.highlight[n];i||o?Object(a.set)(t.highlight,n,{color:i||r.color,type:o||r.type}):Object(a.delete)(t.highlight,n)}},actions:{setHighlight:function(t,e){var n=t.commit;t.dispatch;n("setHighlight",{user:e.user,color:e.color,type:e.type})},setOption:function(t,e){var n=t.commit,i=(t.dispatch,e.name),o=e.value;switch(n("setOption",{name:i,value:o}),i){case"theme":Object(c.l)(o);break;case"customTheme":case"customThemeSource":Object(c.b)(o);break;case"interfaceLanguage":l.a.setLanguage(this.getters.i18n,o)}}}};e.a=g},,,,function(t,e,n){"use strict";n.d(e,"a",function(){return r});var i=n(37),o=n.n(i),r=function(t,e){var n=t.text.toLowerCase(),i=t.summary.toLowerCase();return o()(e,function(t){return n.includes(t.toLowerCase())||i.includes(t.toLowerCase())})}},function(t,e,n){"use strict";n.d(e,"a",function(){return i});var i=function(t,e){if("Notification"in window&&"granted"===window.Notification.permission&&!t.statuses.notifications.desktopNotificationSilence){var n=new window.Notification(e.title,e);setTimeout(n.close.bind(n),5e3)}}},,,,,,,function(t,e,n){"use strict";n.d(e,"a",function(){return i});var i=function t(e,n){var i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},r=i.top,s=void 0===r?0:r,a=i.left,c=void 0===a?0:a,l=!(arguments.length>3&&void 0!==arguments[3])||arguments[3],u={top:s+e.offsetTop,left:c+e.offsetLeft};if(!l&&e!==window){var d=o(e),p=d.topPadding,f=d.leftPadding;u.top+=l?0:p,u.left+=l?0:f}if(e.offsetParent&&(n===window||n.contains(e.offsetParent)||n===e.offsetParent))return t(e.offsetParent,n,u,!1);if(n!==window){var h=o(n),m=h.topPadding,g=h.leftPadding;u.top+=m,u.left+=g}return u},o=function(t){var e=window.getComputedStyle(t)["padding-top"],n=Number(e.substring(0,e.length-2)),i=window.getComputedStyle(t)["padding-left"];return{topPadding:n,leftPadding:Number(i.substring(0,i.length-2))}}},,function(t,e,n){"use strict";var i=n(7),o=n.n(i),r=function(t,e){return new Promise(function(n,i){e.state.api.backendInteractor.followUser({id:t}).then(function(t){if(e.commit("updateUserRelationship",[t]),!(t.following||t.locked&&t.requested))return function t(e,n,i){return new Promise(function(t,o){setTimeout(function(){i.state.api.backendInteractor.fetchUserRelationship({id:n}).then(function(t){return i.commit("updateUserRelationship",[t]),t}).then(function(n){return t([n.following,n.requested,n.locked,e])}).catch(function(t){return o(t)})},500)}).then(function(e){var r=o()(e,4),s=r[0],a=r[1],c=r[2],l=r[3];s||c&&a||!(l<=3)||t(++l,n,i)})}(1,t,e).then(function(){n()});n()})})},s={props:["relationship","labelFollowing","buttonClass"],data:function(){return{inProgress:!1}},computed:{isPressed:function(){return this.inProgress||this.relationship.following},title:function(){return this.inProgress||this.relationship.following?this.$t("user_card.follow_unfollow"):this.relationship.requested?this.$t("user_card.follow_again"):this.$t("user_card.follow")},label:function(){return this.inProgress?this.$t("user_card.follow_progress"):this.relationship.following?this.labelFollowing||this.$t("user_card.following"):this.relationship.requested?this.$t("user_card.follow_sent"):this.$t("user_card.follow")}},methods:{onClick:function(){this.relationship.following?this.unfollow():this.follow()},follow:function(){var t=this;this.inProgress=!0,r(this.relationship.id,this.$store).then(function(){t.inProgress=!1})},unfollow:function(){var t=this,e=this.$store;this.inProgress=!0,function(t,e){return new Promise(function(n,i){e.state.api.backendInteractor.unfollowUser({id:t}).then(function(t){e.commit("updateUserRelationship",[t]),n({updated:t})})})}(this.relationship.id,e).then(function(){t.inProgress=!1,e.commit("removeStatus",{timeline:"friends",userId:t.relationship.id})})}}},a=n(0),c=Object(a.a)(s,function(){var t=this.$createElement;return(this._self._c||t)("button",{staticClass:"btn btn-default follow-button",class:{toggled:this.isPressed},attrs:{disabled:this.inProgress,title:this.title},on:{click:this.onClick}},[this._v("\n "+this._s(this.label)+"\n")])},[],!1,null,null,null);e.a=c.exports},function(t,e,n){"use strict";var i={props:["attachment","controls"],data:function(){return{loopVideo:this.$store.getters.mergedConfig.loopVideo}},methods:{onVideoDataLoad:function(t){var e=t.srcElement||t.target;void 0!==e.webkitAudioDecodedByteCount?e.webkitAudioDecodedByteCount>0&&(this.loopVideo=this.loopVideo&&!this.$store.getters.mergedConfig.loopVideoSilentOnly):void 0!==e.mozHasAudio?e.mozHasAudio&&(this.loopVideo=this.loopVideo&&!this.$store.getters.mergedConfig.loopVideoSilentOnly):void 0!==e.audioTracks&&e.audioTracks.length>0&&(this.loopVideo=this.loopVideo&&!this.$store.getters.mergedConfig.loopVideoSilentOnly)}}},o=n(0),r=Object(o.a)(i,function(){var t=this.$createElement;return(this._self._c||t)("video",{staticClass:"video",attrs:{src:this.attachment.url,loop:this.loopVideo,controls:this.controls,alt:this.attachment.description,title:this.attachment.description,playsinline:""},on:{loadeddata:this.onVideoDataLoad}})},[],!1,null,null,null);e.a=r.exports},function(t,e,n){"use strict";var i=n(104),o=n.n(i),r=n(217),s=n.n(r),a=n(23),c=n.n(a),l=n(218),u=n.n(l),d={props:["attachments","nsfw","setMedia"],data:function(){return{sizes:{}}},components:{Attachment:n(43).a},computed:{rows:function(){if(!this.attachments)return[];var t=u()(this.attachments,3);if(1===c()(t).length&&t.length>1){var e=c()(t)[0],n=s()(t);return c()(n).push(e),n}return t},useContainFit:function(){return this.$store.getters.mergedConfig.useContainFit}},methods:{onNaturalSizeLoad:function(t,e){this.$set(this.sizes,t,e)},rowStyle:function(t){return{"padding-bottom":"".concat(100/(t+.6),"%")}},itemStyle:function(t,e){var n=this,i=o()(e,function(t){return n.getAspectRatio(t.id)});return{flex:"".concat(this.getAspectRatio(t)/i," 1 0%")}},getAspectRatio:function(t){var e=this.sizes[t];return e?e.width/e.height:1}}},p=n(0);var f=function(t){n(409)},h=Object(p.a)(d,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{ref:"galleryContainer",staticStyle:{width:"100%"}},t._l(t.rows,function(e,i){return n("div",{key:i,staticClass:"gallery-row",class:{"contain-fit":t.useContainFit,"cover-fit":!t.useContainFit},style:t.rowStyle(e.length)},[n("div",{staticClass:"gallery-row-inner"},t._l(e,function(i){return n("attachment",{key:i.id,style:t.itemStyle(i.id,e),attrs:{"set-media":t.setMedia,nsfw:t.nsfw,attachment:i,"allow-play":!1,"natural-size-load":t.onNaturalSizeLoad.bind(null,i.id)}})}),1)])}),0)},[],!1,f,null,null);e.a=h.exports},function(t,e,n){"use strict";var i={name:"LinkPreview",props:["card","size","nsfw"],data:function(){return{imageLoaded:!1}},computed:{useImage:function(){return this.card.image&&!this.nsfw&&"hide"!==this.size},useDescription:function(){return this.card.description&&/\S/.test(this.card.description)}},created:function(){var t=this;if(this.useImage){var e=new Image;e.onload=function(){t.imageLoaded=!0},e.src=this.card.image}}},o=n(0);var r=function(t){n(411)},s=Object(o.a)(i,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",[n("a",{staticClass:"link-preview-card",attrs:{href:t.card.url,target:"_blank",rel:"noopener"}},[t.useImage&&t.imageLoaded?n("div",{staticClass:"card-image",class:{"small-image":"small"===t.size}},[n("img",{attrs:{src:t.card.image}})]):t._e(),t._v(" "),n("div",{staticClass:"card-content"},[n("span",{staticClass:"card-host faint"},[t._v(t._s(t.card.provider_name))]),t._v(" "),n("h4",{staticClass:"card-title"},[t._v(t._s(t.card.title))]),t._v(" "),t.useDescription?n("p",{staticClass:"card-description"},[t._v(t._s(t.card.description))]):t._e()])])])},[],!1,r,null,null);e.a=s.exports},function(t,e,n){"use strict";var i={props:["user"],computed:{subscribeUrl:function(){var t=new URL(this.user.statusnet_profile_url);return"".concat(t.protocol,"//").concat(t.host,"/main/ostatus")}}},o=n(0);var r=function(t){n(417)},s=Object(o.a)(i,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"remote-follow"},[e("form",{attrs:{method:"POST",action:this.subscribeUrl}},[e("input",{attrs:{type:"hidden",name:"nickname"},domProps:{value:this.user.screen_name}}),this._v(" "),e("input",{attrs:{type:"hidden",name:"profile",value:""}}),this._v(" "),e("button",{staticClass:"remote-button",attrs:{click:"submit"}},[this._v("\n "+this._s(this.$t("user_card.remote_follow"))+"\n ")])])])},[],!1,r,null,null);e.a=s.exports},function(t,e,n){"use strict";var i=n(18),o=n(17),r={props:["users"],computed:{slicedUsers:function(){return this.users?this.users.slice(0,15):[]}},components:{UserAvatar:i.default},methods:{userProfileLink:function(t){return Object(o.a)(t.id,t.screen_name,this.$store.state.instance.restrictedNicknames)}}},s=n(0);var a=function(t){n(425)},c=Object(s.a)(r,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"avatars"},t._l(t.slicedUsers,function(e){return n("router-link",{key:e.id,staticClass:"avatars-item",attrs:{to:t.userProfileLink(e)}},[n("UserAvatar",{staticClass:"avatar-small",attrs:{user:e}})],1)}),1)},[],!1,a,null,null);e.a=c.exports},,,,,,,,,,,,,,,,,,,,function(t,e,n){"use strict";var i={fileSizeFormat:function(t){var e,n=["B","KiB","MiB","GiB","TiB"];return t<1?t+" "+n[0]:(e=Math.min(Math.floor(Math.log(t)/Math.log(1024)),n.length-1),{num:t=1*(t/Math.pow(1024,e)).toFixed(2),unit:n[e]})}};e.a=i},function(t,e,n){"use strict";var i=n(41),o=n.n(i)()(function(t,e){t.updateUsersList(e)},500);e.a=function(t){return function(e){var n=e[0];return":"===n&&t.emoji?r(t.emoji)(e):"@"===n&&t.users?s(t)(e):[]}};var r=function(t){return function(e){var n=e.toLowerCase().substr(1);return t.filter(function(t){return t.displayText.toLowerCase().match(n)}).sort(function(t,e){var i=0,o=0;return i+=t.displayText.toLowerCase()===n?200:0,o+=e.displayText.toLowerCase()===n?200:0,i+=t.imageUrl?100:0,o+=e.imageUrl?100:0,i+=t.displayText.toLowerCase().startsWith(n)?10:0,o+=e.displayText.toLowerCase().startsWith(n)?10:0,i-=t.displayText.length,(o-=e.displayText.length)-i+(t.displayText>e.displayText?.5:-.5)})}},s=function(t){return function(e){var n=e.toLowerCase().substr(1),i=t.users.filter(function(t){return t.screen_name.toLowerCase().startsWith(n)||t.name.toLowerCase().startsWith(n)}).slice(0,20).sort(function(t,e){var i=0,o=0;return i+=t.screen_name.toLowerCase().startsWith(n)?2:0,o+=e.screen_name.toLowerCase().startsWith(n)?2:0,i+=t.name.toLowerCase().startsWith(n)?1:0,10*((o+=e.name.toLowerCase().startsWith(n)?1:0)-i)+(t.name>e.name?1:-1)+(t.screen_name>e.screen_name?1:-1)}).map(function(t){var e=t.screen_name;return{displayText:e,detailText:t.name,imageUrl:t.profile_image_url_original,replacement:"@"+e+" "}});return t.updateUsersList&&o(t,n),i}}},,,,,,function(t,e,n){"use strict";var i=n(1),o=n.n(i),r=n(6),s=n.n(r),a=n(2);n(475);function c(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}e.a=s.a.component("tab-switcher",{name:"TabSwitcher",props:{renderOnlyFocused:{required:!1,type:Boolean,default:!1},onSwitch:{required:!1,type:Function,default:void 0},activeTab:{required:!1,type:String,default:void 0},scrollableTabs:{required:!1,type:Boolean,default:!1},sideTabBar:{required:!1,type:Boolean,default:!1}},data:function(){return{active:this.$slots.default.findIndex(function(t){return t.tag})}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?c(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):c(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({activeIndex:function(){var t=this;return this.activeTab?this.$slots.default.findIndex(function(e){return t.activeTab===e.key}):this.active},settingsModalVisible:function(){return"visible"===this.settingsModalState}},Object(a.e)({settingsModalState:function(t){return t.interface.settingsModalState}})),beforeUpdate:function(){this.$slots.default[this.active].tag||(this.active=this.$slots.default.findIndex(function(t){return t.tag}))},methods:{clickTab:function(t){var e=this;return function(n){n.preventDefault(),e.setTab(t)}},setTab:function(t){"function"==typeof this.onSwitch&&this.onSwitch.call(null,this.$slots.default[t].key),this.active=t,this.scrollableTabs&&(this.$refs.contents.scrollTop=0)}},render:function(t){var e=this,n=this.$slots.default.map(function(n,i){if(n.tag){var o=["tab"],r=["tab-wrapper"];return e.activeIndex===i&&(o.push("active"),r.push("active")),n.data.attrs.image?t("div",{class:r.join(" ")},[t("button",{attrs:{disabled:n.data.attrs.disabled},on:{click:e.clickTab(i)},class:o.join(" ")},[t("img",{attrs:{src:n.data.attrs.image,title:n.data.attrs["image-tooltip"]}}),n.data.attrs.label?"":n.data.attrs.label])]):t("div",{class:r.join(" ")},[t("button",{attrs:{disabled:n.data.attrs.disabled,type:"button"},on:{click:e.clickTab(i)},class:o.join(" ")},[n.data.attrs.icon?t("i",{class:"tab-icon icon-"+n.data.attrs.icon}):"",t("span",{class:"text"},[n.data.attrs.label])])])}}),i=this.$slots.default.map(function(n,i){if(n.tag){var o=e.activeIndex===i,r=[o?"active":"hidden"];n.data.attrs.fullHeight&&r.push("full-height");var s=!e.renderOnlyFocused||o?n:"";return t("div",{class:r},[e.sideTabBar?t("h1",{class:"mobile-label"},[n.data.attrs.label]):"",s])}});return t("div",{class:"tab-switcher "+(this.sideTabBar?"side-tabs":"top-tabs")},[t("div",{class:"tabs"},[n]),t("div",{ref:"contents",class:"contents"+(this.scrollableTabs?" scrollable-tabs":""),directives:[{name:"body-scroll-lock",value:this.settingsModalVisible}]},[i])])}})},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(t,e,n){"use strict";n.d(e,"a",function(){return r});var i=n(73),o=n.n(i),r=function(t){return function(t){return o()(t)?t.options:t}(t).props}},,,function(t,e,n){"use strict";var i=n(1),o=n.n(i),r=n(75),s=n.n(r),a=n(215),c=n.n(a),l=n(25),u=n.n(l),d=n(40),p=n.n(d),f=function(t){return p()(t,function(t,e){var n={word:e,start:0,end:e.length};if(t.length>0){var i=t.pop();n.start+=i.end,n.end+=i.end,t.push(i)}return t.push(n),t},[])},h=function(t){for(var e=[],n="",i=0;i<t.length;i++){var o=t[i];n?!!o.trim()==!!n.trim()?n+=o:(e.push(n),n=o):n=o}return n&&e.push(n),e},m={wordAtPosition:function(t,e){var n=h(t),i=f(n);return u()(i,function(t){var n=t.start,i=t.end;return n<=e&&i>e})},addPositionToWords:f,splitByWhitespaceBoundary:h,replaceWord:function(t,e,n){return t.slice(0,e.start)+n+t.slice(e.end)}},g=n(54),v=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";return t.filter(function(t){return t.displayText.includes(e)})},b={props:{enableStickerPicker:{required:!1,type:Boolean,default:!1}},data:function(){return{keyword:"",activeGroup:"custom",showingStickers:!1,groupsScrolledClass:"scrolled-top",keepOpen:!1,customEmojiBufferSlice:60,customEmojiTimeout:null,customEmojiLoadAllConfirmed:!1}},components:{StickerPicker:function(){return n.e(4).then(n.bind(null,642))},Checkbox:g.a},methods:{onStickerUploaded:function(t){this.$emit("sticker-uploaded",t)},onStickerUploadFailed:function(t){this.$emit("sticker-upload-failed",t)},onEmoji:function(t){var e=t.imageUrl?":".concat(t.displayText,":"):t.replacement;this.$emit("emoji",{insertion:e,keepOpen:this.keepOpen})},onScroll:function(t){var e=t&&t.target||this.$refs["emoji-groups"];this.updateScrolledClass(e),this.scrolledGroup(e),this.triggerLoadMore(e)},highlight:function(t){var e=this,n=this.$refs["group-"+t][0].offsetTop;this.setShowStickers(!1),this.activeGroup=t,this.$nextTick(function(){e.$refs["emoji-groups"].scrollTop=n+1})},updateScrolledClass:function(t){t.scrollTop<=5?this.groupsScrolledClass="scrolled-top":t.scrollTop>=t.scrollTopMax-5?this.groupsScrolledClass="scrolled-bottom":this.groupsScrolledClass="scrolled-middle"},triggerLoadMore:function(t){var e=this.$refs["group-end-custom"][0];if(e){var n=e.offsetTop+e.offsetHeight,i=t.scrollTop+t.clientHeight,o=t.scrollTop,r=t.scrollHeight;n<o||i===r||!(n-i<64)&&!(o<5)||this.loadEmoji()}},scrolledGroup:function(t){var e=this,n=t.scrollTop+5;this.$nextTick(function(){e.emojisView.forEach(function(t){e.$refs["group-"+t.id][0].offsetTop<=n&&(e.activeGroup=t.id)})})},loadEmoji:function(){this.customEmojiBuffer.length===this.filteredEmoji.length||(this.customEmojiBufferSlice+=60)},startEmojiLoad:function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]&&arguments[0];e||(this.keyword=""),this.$nextTick(function(){t.$refs["emoji-groups"].scrollTop=0}),this.customEmojiBuffer.length===this.filteredEmoji.length&&!e||(this.customEmojiBufferSlice=60)},toggleStickers:function(){this.showingStickers=!this.showingStickers},setShowStickers:function(t){this.showingStickers=t}},watch:{keyword:function(){this.customEmojiLoadAllConfirmed=!1,this.onScroll(),this.startEmojiLoad(!0)}},computed:{activeGroupView:function(){return this.showingStickers?"":this.activeGroup},stickersAvailable:function(){return this.$store.state.instance.stickers?this.$store.state.instance.stickers.length>0:0},filteredEmoji:function(){return v(this.$store.state.instance.customEmoji||[],this.keyword)},customEmojiBuffer:function(){return this.filteredEmoji.slice(0,this.customEmojiBufferSlice)},emojis:function(){var t=this.$store.state.instance.emoji||[],e=this.customEmojiBuffer;return[{id:"custom",text:this.$t("emoji.custom"),icon:"icon-smile",emojis:e},{id:"standard",text:this.$t("emoji.unicode"),icon:"icon-picture",emojis:v(t,this.keyword)}]},emojisView:function(){return this.emojis.filter(function(t){return t.emojis.length>0})},stickerPickerEnabled:function(){return 0!==(this.$store.state.instance.stickers||[]).length}}},w=n(0);var _=function(t){n(395)},x=Object(w.a)(b,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"emoji-picker panel panel-default panel-body"},[n("div",{staticClass:"heading"},[n("span",{staticClass:"emoji-tabs"},t._l(t.emojis,function(e){return n("span",{key:e.id,staticClass:"emoji-tabs-item",class:{active:t.activeGroupView===e.id,disabled:0===e.emojis.length},attrs:{title:e.text},on:{click:function(n){return n.preventDefault(),t.highlight(e.id)}}},[n("i",{class:e.icon})])}),0),t._v(" "),t.stickerPickerEnabled?n("span",{staticClass:"additional-tabs"},[n("span",{staticClass:"stickers-tab-icon additional-tabs-item",class:{active:t.showingStickers},attrs:{title:t.$t("emoji.stickers")},on:{click:function(e){return e.preventDefault(),t.toggleStickers(e)}}},[n("i",{staticClass:"icon-star"})])]):t._e()]),t._v(" "),n("div",{staticClass:"content"},[n("div",{staticClass:"emoji-content",class:{hidden:t.showingStickers}},[n("div",{staticClass:"emoji-search"},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.keyword,expression:"keyword"}],staticClass:"form-control",attrs:{type:"text",placeholder:t.$t("emoji.search_emoji")},domProps:{value:t.keyword},on:{input:function(e){e.target.composing||(t.keyword=e.target.value)}}})]),t._v(" "),n("div",{ref:"emoji-groups",staticClass:"emoji-groups",class:t.groupsScrolledClass,on:{scroll:t.onScroll}},t._l(t.emojisView,function(e){return n("div",{key:e.id,staticClass:"emoji-group"},[n("h6",{ref:"group-"+e.id,refInFor:!0,staticClass:"emoji-group-title"},[t._v("\n "+t._s(e.text)+"\n ")]),t._v(" "),t._l(e.emojis,function(i){return n("span",{key:e.id+i.displayText,staticClass:"emoji-item",attrs:{title:i.displayText},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.onEmoji(i)}}},[i.imageUrl?n("img",{attrs:{src:i.imageUrl}}):n("span",[t._v(t._s(i.replacement))])])}),t._v(" "),n("span",{ref:"group-end-"+e.id,refInFor:!0})],2)}),0),t._v(" "),n("div",{staticClass:"keep-open"},[n("Checkbox",{model:{value:t.keepOpen,callback:function(e){t.keepOpen=e},expression:"keepOpen"}},[t._v("\n "+t._s(t.$t("emoji.keep_open"))+"\n ")])],1)]),t._v(" "),t.showingStickers?n("div",{staticClass:"stickers-content"},[n("sticker-picker",{on:{uploaded:t.onStickerUploaded,"upload-failed":t.onStickerUploadFailed}})],1):t._e()])])},[],!1,_,null,null).exports,y=n(107);function k(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var C={props:{suggest:{required:!0,type:Function},value:{required:!0,type:String},enableEmojiPicker:{required:!1,type:Boolean,default:!1},hideEmojiButton:{required:!1,type:Boolean,default:!1},enableStickerPicker:{required:!1,type:Boolean,default:!1},placement:{required:!1,type:String,default:"auto"},newlineOnCtrlEnter:{required:!1,type:Boolean,default:!1}},data:function(){return{input:void 0,highlighted:0,caret:0,focused:!1,blurTimeout:null,showPicker:!1,temporarilyHideSuggestions:!1,keepOpen:!1,disableClickOutside:!1}},components:{EmojiPicker:x},computed:{padEmoji:function(){return this.$store.getters.mergedConfig.padEmoji},suggestions:function(){var t=this,e=this.textAtCaret.charAt(0);if(this.textAtCaret===e)return[];var n=this.suggest(this.textAtCaret);return n.length<=0?[]:c()(n,5).map(function(e,n){var i=e.imageUrl;return function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?k(Object(n),!0).forEach(function(e){o()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):k(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},s()(e,["imageUrl"]),{img:i||"",highlighted:n===t.highlighted})})},showSuggestions:function(){return this.focused&&this.suggestions&&this.suggestions.length>0&&!this.showPicker&&!this.temporarilyHideSuggestions},textAtCaret:function(){return(this.wordAtCaret||{}).word||""},wordAtCaret:function(){if(this.value&&this.caret)return m.wordAtPosition(this.value,this.caret-1)||{}}},mounted:function(){var t=this.$slots.default;if(t&&0!==t.length){var e=t.find(function(t){return["input","textarea"].includes(t.tag)});e&&(this.input=e,this.resize(),e.elm.addEventListener("blur",this.onBlur),e.elm.addEventListener("focus",this.onFocus),e.elm.addEventListener("paste",this.onPaste),e.elm.addEventListener("keyup",this.onKeyUp),e.elm.addEventListener("keydown",this.onKeyDown),e.elm.addEventListener("click",this.onClickInput),e.elm.addEventListener("transitionend",this.onTransition),e.elm.addEventListener("input",this.onInput))}},unmounted:function(){var t=this.input;t&&(t.elm.removeEventListener("blur",this.onBlur),t.elm.removeEventListener("focus",this.onFocus),t.elm.removeEventListener("paste",this.onPaste),t.elm.removeEventListener("keyup",this.onKeyUp),t.elm.removeEventListener("keydown",this.onKeyDown),t.elm.removeEventListener("click",this.onClickInput),t.elm.removeEventListener("transitionend",this.onTransition),t.elm.removeEventListener("input",this.onInput))},watch:{showSuggestions:function(t){this.$emit("shown",t)}},methods:{triggerShowPicker:function(){var t=this;this.showPicker=!0,this.$refs.picker.startEmojiLoad(),this.$nextTick(function(){t.scrollIntoView()}),this.disableClickOutside=!0,setTimeout(function(){t.disableClickOutside=!1},0)},togglePicker:function(){this.input.elm.focus(),this.showPicker=!this.showPicker,this.showPicker&&(this.scrollIntoView(),this.$refs.picker.startEmojiLoad())},replace:function(t){var e=m.replaceWord(this.value,this.wordAtCaret,t);this.$emit("input",e),this.caret=0},insert:function(t){var e=t.insertion,n=t.keepOpen,i=t.surroundingSpace,o=void 0===i||i,r=this.value.substring(0,this.caret)||"",s=this.value.substring(this.caret)||"",a=/\s/,c=o&&!a.exec(r.slice(-1))&&r.length&&this.padEmoji>0?" ":"",l=o&&!a.exec(s[0])&&this.padEmoji?" ":"",u=[r,c,e,l,s].join("");this.keepOpen=n,this.$emit("input",u);var d=this.caret+(e+l+c).length;n||this.input.elm.focus(),this.$nextTick(function(){this.input.elm.setSelectionRange(d,d),this.caret=d})},replaceText:function(t,e){var n=this.suggestions.length||0;if(1!==this.textAtCaret.length&&(n>0||e)){var i=(e||this.suggestions[this.highlighted]).replacement,o=m.replaceWord(this.value,this.wordAtCaret,i);this.$emit("input",o),this.highlighted=0;var r=this.wordAtCaret.start+i.length;this.$nextTick(function(){this.input.elm.focus(),this.input.elm.setSelectionRange(r,r),this.caret=r}),t.preventDefault()}},cycleBackward:function(t){(this.suggestions.length||0)>1?(this.highlighted-=1,this.highlighted<0&&(this.highlighted=this.suggestions.length-1),t.preventDefault()):this.highlighted=0},cycleForward:function(t){var e=this.suggestions.length||0;e>1?(this.highlighted+=1,this.highlighted>=e&&(this.highlighted=0),t.preventDefault()):this.highlighted=0},scrollIntoView:function(){var t=this,e=this.$refs.picker.$el,n=this.$el.closest(".sidebar-scroller")||this.$el.closest(".post-form-modal-view")||window,i=n===window?n.scrollY:n.scrollTop,o=i+(n===window?n.innerHeight:n.offsetHeight),r=e.offsetHeight+Object(y.a)(e,n).top,s=i+Math.max(0,r-o);n===window?n.scroll(0,s):n.scrollTop=s,this.$nextTick(function(){var e=t.input.elm.offsetHeight,n=t.$refs.picker;n.$el.getBoundingClientRect().bottom>window.innerHeight&&(n.$el.style.top="auto",n.$el.style.bottom=e+"px")})},onTransition:function(t){this.resize()},onBlur:function(t){var e=this;this.blurTimeout=setTimeout(function(){e.focused=!1,e.setCaret(t),e.resize()},200)},onClick:function(t,e){this.replaceText(t,e)},onFocus:function(t){this.blurTimeout&&(clearTimeout(this.blurTimeout),this.blurTimeout=null),this.keepOpen||(this.showPicker=!1),this.focused=!0,this.setCaret(t),this.resize(),this.temporarilyHideSuggestions=!1},onKeyUp:function(t){var e=t.key;this.setCaret(t),this.resize(),this.temporarilyHideSuggestions="Escape"===e},onPaste:function(t){this.setCaret(t),this.resize()},onKeyDown:function(t){var e=this,n=t.ctrlKey,i=t.shiftKey,o=t.key;this.newlineOnCtrlEnter&&n&&"Enter"===o&&(this.insert({insertion:"\n",surroundingSpace:!1}),t.stopPropagation(),t.preventDefault(),this.$nextTick(function(){e.input.elm.blur(),e.input.elm.focus()})),this.temporarilyHideSuggestions||("Tab"===o&&(i?this.cycleBackward(t):this.cycleForward(t)),"ArrowUp"===o?this.cycleBackward(t):"ArrowDown"===o&&this.cycleForward(t),"Enter"===o&&(n||this.replaceText(t))),"Escape"===o&&(this.temporarilyHideSuggestions||this.input.elm.focus()),this.showPicker=!1,this.resize()},onInput:function(t){this.showPicker=!1,this.setCaret(t),this.resize(),this.$emit("input",t.target.value)},onClickInput:function(t){this.showPicker=!1},onClickOutside:function(t){this.disableClickOutside||(this.showPicker=!1)},onStickerUploaded:function(t){this.showPicker=!1,this.$emit("sticker-uploaded",t)},onStickerUploadFailed:function(t){this.showPicker=!1,this.$emit("sticker-upload-Failed",t)},setCaret:function(t){var e=t.target.selectionStart;this.caret=e},resize:function(){var t=this.$refs.panel;if(t){var e=this.$refs.picker.$el,n=this.$refs["panel-body"],i=this.input.elm,o=i.offsetHeight,r=i.offsetTop+o;this.setPlacement(n,t,r),this.setPlacement(e,e,r)}},setPlacement:function(t,e,n){t&&e&&(e.style.top=n+"px",e.style.bottom="auto",("top"===this.placement||"auto"===this.placement&&this.overflowsBottom(t))&&(e.style.top="auto",e.style.bottom=this.input.elm.offsetHeight+"px"))},overflowsBottom:function(t){return t.getBoundingClientRect().bottom>window.innerHeight}}};var S=function(t){n(393)},j=Object(w.a)(C,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{directives:[{name:"click-outside",rawName:"v-click-outside",value:t.onClickOutside,expression:"onClickOutside"}],staticClass:"emoji-input",class:{"with-picker":!t.hideEmojiButton}},[t._t("default"),t._v(" "),t.enableEmojiPicker?[t.hideEmojiButton?t._e():n("div",{staticClass:"emoji-picker-icon",on:{click:function(e){return e.preventDefault(),t.togglePicker(e)}}},[n("i",{staticClass:"icon-smile"})]),t._v(" "),t.enableEmojiPicker?n("EmojiPicker",{ref:"picker",staticClass:"emoji-picker-panel",class:{hide:!t.showPicker},attrs:{"enable-sticker-picker":t.enableStickerPicker},on:{emoji:t.insert,"sticker-uploaded":t.onStickerUploaded,"sticker-upload-failed":t.onStickerUploadFailed}}):t._e()]:t._e(),t._v(" "),n("div",{ref:"panel",staticClass:"autocomplete-panel",class:{hide:!t.showSuggestions}},[n("div",{ref:"panel-body",staticClass:"autocomplete-panel-body"},t._l(t.suggestions,function(e,i){return n("div",{key:i,staticClass:"autocomplete-item",class:{highlighted:e.highlighted},on:{click:function(n){return n.stopPropagation(),n.preventDefault(),t.onClick(n,e)}}},[n("span",{staticClass:"image"},[e.img?n("img",{attrs:{src:e.img}}):n("span",[t._v(t._s(e.replacement))])]),t._v(" "),n("div",{staticClass:"label"},[n("span",{staticClass:"displayText"},[t._v(t._s(e.displayText))]),t._v(" "),n("span",{staticClass:"detailText"},[t._v(t._s(e.detailText))])])])}),0)])],2)},[],!1,S,null,null);e.a=j.exports},function(t,e,n){"use strict";var i={props:["showAll","userDefault","originalScope","initialScope","onScopeChange"],data:function(){return{currentScope:this.initialScope}},computed:{showNothing:function(){return!(this.showPublic||this.showUnlisted||this.showPrivate||this.showDirect)},showPublic:function(){return"direct"!==this.originalScope&&this.shouldShow("public")},showUnlisted:function(){return"direct"!==this.originalScope&&this.shouldShow("unlisted")},showPrivate:function(){return"direct"!==this.originalScope&&this.shouldShow("private")},showDirect:function(){return this.shouldShow("direct")},css:function(){return{public:{selected:"public"===this.currentScope},unlisted:{selected:"unlisted"===this.currentScope},private:{selected:"private"===this.currentScope},direct:{selected:"direct"===this.currentScope}}}},methods:{shouldShow:function(t){return this.showAll||this.currentScope===t||this.originalScope===t||this.userDefault===t||"direct"===t},changeVis:function(t){this.currentScope=t,this.onScopeChange&&this.onScopeChange(t)}}},o=n(0);var r=function(t){n(391)},s=Object(o.a)(i,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.showNothing?t._e():n("div",{staticClass:"scope-selector"},[t.showDirect?n("i",{staticClass:"icon-mail-alt",class:t.css.direct,attrs:{title:t.$t("post_status.scope.direct")},on:{click:function(e){return t.changeVis("direct")}}}):t._e(),t._v(" "),t.showPrivate?n("i",{staticClass:"icon-lock",class:t.css.private,attrs:{title:t.$t("post_status.scope.private")},on:{click:function(e){return t.changeVis("private")}}}):t._e(),t._v(" "),t.showUnlisted?n("i",{staticClass:"icon-lock-open-alt",class:t.css.unlisted,attrs:{title:t.$t("post_status.scope.unlisted")},on:{click:function(e){return t.changeVis("unlisted")}}}):t._e(),t._v(" "),t.showPublic?n("i",{staticClass:"icon-globe",class:t.css.public,attrs:{title:t.$t("post_status.scope.public")},on:{click:function(e){return t.changeVis("public")}}}):t._e()])},[],!1,r,null,null);e.a=s.exports},,,,,,,,,,,,,,,,,,,,function(t,e,n){t.exports=n.p+"static/img/nsfw.74818f9.png"},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(t){t.exports={about:{mrf:{federation:"Federation",keyword:{keyword_policies:"Keyword Policies",ftl_removal:'Removal from "The Whole Known Network" Timeline',reject:"Reject",replace:"Replace",is_replaced_by:"→"},mrf_policies:"Enabled MRF Policies",mrf_policies_desc:"MRF policies manipulate the federation behaviour of the instance. The following policies are enabled:",simple:{simple_policies:"Instance-specific Policies",accept:"Accept",accept_desc:"This instance only accepts messages from the following instances:",reject:"Reject",reject_desc:"This instance will not accept messages from the following instances:",quarantine:"Quarantine",quarantine_desc:"This instance will send only public posts to the following instances:",ftl_removal:'Removal from "The Whole Known Network" Timeline',ftl_removal_desc:'This instance removes these instances from "The Whole Known Network" timeline:',media_removal:"Media Removal",media_removal_desc:"This instance removes media from posts on the following instances:",media_nsfw:"Media Force-set As Sensitive",media_nsfw_desc:"This instance forces media to be set sensitive in posts on the following instances:"}},staff:"Staff"},shoutbox:{title:"Shoutbox"},domain_mute_card:{mute:"Mute",mute_progress:"Muting…",unmute:"Unmute",unmute_progress:"Unmuting…"},exporter:{export:"Export",processing:"Processing, you'll soon be asked to download your file"},features_panel:{chat:"Chat",pleroma_chat_messages:"Pleroma Chat",gopher:"Gopher",media_proxy:"Media proxy",scope_options:"Scope options",text_limit:"Text limit",title:"Features",who_to_follow:"Who to follow"},finder:{error_fetching_user:"Error fetching user",find_user:"Find user"},general:{apply:"Apply",submit:"Submit",more:"More",loading:"Loading…",generic_error:"An error occured",error_retry:"Please try again",retry:"Try again",optional:"optional",show_more:"Show more",show_less:"Show less",dismiss:"Dismiss",cancel:"Cancel",disable:"Disable",enable:"Enable",confirm:"Confirm",verify:"Verify",close:"Close",peek:"Peek"},image_cropper:{crop_picture:"Crop picture",save:"Save",save_without_cropping:"Save without cropping",cancel:"Cancel"},importer:{submit:"Submit",success:"Imported successfully.",error:"An error occured while importing this file."},login:{login:"Log in",description:"Log in with OAuth",logout:"Log out",password:"Password",placeholder:"e.g. lain",register:"Register",username:"Username",hint:"Log in to join the discussion",authentication_code:"Authentication code",enter_recovery_code:"Enter a recovery code",enter_two_factor_code:"Enter a two-factor code",recovery_code:"Recovery code",heading:{totp:"Two-factor authentication",recovery:"Two-factor recovery"}},media_modal:{previous:"Previous",next:"Next"},nav:{about:"About",administration:"Administration",back:"Back",friend_requests:"Follow Requests",mentions:"Mentions",interactions:"Interactions",dms:"Direct Messages",public_tl:"Public Timeline",timeline:"Timeline",twkn:"Known Network",bookmarks:"Bookmarks",user_search:"User Search",search:"Search",who_to_follow:"Who to follow",preferences:"Preferences",timelines:"Timelines",chats:"Chats"},notifications:{broken_favorite:"Unknown status, searching for it…",favorited_you:"favorited your status",followed_you:"followed you",follow_request:"wants to follow you",load_older:"Load older notifications",notifications:"Notifications",read:"Read!",repeated_you:"repeated your status",no_more_notifications:"No more notifications",migrated_to:"migrated to",reacted_with:"reacted with {0}"},polls:{add_poll:"Add Poll",add_option:"Add Option",option:"Option",votes:"votes",vote:"Vote",type:"Poll type",single_choice:"Single choice",multiple_choices:"Multiple choices",expiry:"Poll age",expires_in:"Poll ends in {0}",expired:"Poll ended {0} ago",not_enough_options:"Too few unique options in poll"},emoji:{stickers:"Stickers",emoji:"Emoji",keep_open:"Keep picker open",search_emoji:"Search for an emoji",add_emoji:"Insert emoji",custom:"Custom emoji",unicode:"Unicode emoji",load_all_hint:"Loaded first {saneAmount} emoji, loading all emoji may cause performance issues.",load_all:"Loading all {emojiAmount} emoji"},errors:{storage_unavailable:"Pleroma could not access browser storage. Your login or your local settings won't be saved and you might encounter unexpected issues. Try enabling cookies."},interactions:{favs_repeats:"Repeats and Favorites",follows:"New follows",moves:"User migrates",load_older:"Load older interactions"},post_status:{new_status:"Post new status",account_not_locked_warning:"Your account is not {0}. Anyone can follow you to view your follower-only posts.",account_not_locked_warning_link:"locked",attachments_sensitive:"Mark attachments as sensitive",media_description:"Media description",content_type:{"text/plain":"Plain text","text/html":"HTML","text/markdown":"Markdown","text/bbcode":"BBCode"},content_warning:"Subject (optional)",default:"Just landed in L.A.",direct_warning_to_all:"This post will be visible to all the mentioned users.",direct_warning_to_first_only:"This post will only be visible to the mentioned users at the beginning of the message.",posting:"Posting",preview:"Preview",preview_empty:"Empty",empty_status_error:"Can't post an empty status with no files",media_description_error:"Failed to update media, try again",scope_notice:{public:"This post will be visible to everyone",private:"This post will be visible to your followers only",unlisted:"This post will not be visible in Public Timeline and The Whole Known Network"},scope:{direct:"Direct - Post to mentioned users only",private:"Followers-only - Post to followers only",public:"Public - Post to public timelines",unlisted:"Unlisted - Do not post to public timelines"}},registration:{bio:"Bio",email:"Email",fullname:"Display name",password_confirm:"Password confirmation",registration:"Registration",token:"Invite token",captcha:"CAPTCHA",new_captcha:"Click the image to get a new captcha",username_placeholder:"e.g. lain",fullname_placeholder:"e.g. Lain Iwakura",bio_placeholder:"e.g.\nHi, I'm Lain.\nI’m an anime girl living in suburban Japan. You may know me from the Wired.",validations:{username_required:"cannot be left blank",fullname_required:"cannot be left blank",email_required:"cannot be left blank",password_required:"cannot be left blank",password_confirmation_required:"cannot be left blank",password_confirmation_match:"should be the same as password"}},remote_user_resolver:{remote_user_resolver:"Remote user resolver",searching_for:"Searching for",error:"Not found."},selectable_list:{select_all:"Select all"},settings:{app_name:"App name",security:"Security",enter_current_password_to_confirm:"Enter your current password to confirm your identity",mfa:{otp:"OTP",setup_otp:"Setup OTP",wait_pre_setup_otp:"presetting OTP",confirm_and_enable:"Confirm & enable OTP",title:"Two-factor Authentication",generate_new_recovery_codes:"Generate new recovery codes",warning_of_generate_new_codes:"When you generate new recovery codes, your old codes won’t work anymore.",recovery_codes:"Recovery codes.",waiting_a_recovery_codes:"Receiving backup codes…",recovery_codes_warning:"Write the codes down or save them somewhere secure - otherwise you won't see them again. If you lose access to your 2FA app and recovery codes you'll be locked out of your account.",authentication_methods:"Authentication methods",scan:{title:"Scan",desc:"Using your two-factor app, scan this QR code or enter text key:",secret_code:"Key"},verify:{desc:"To enable two-factor authentication, enter the code from your two-factor app:"}},allow_following_move:"Allow auto-follow when following account moves",attachmentRadius:"Attachments",attachments:"Attachments",avatar:"Avatar",avatarAltRadius:"Avatars (Notifications)",avatarRadius:"Avatars",background:"Background",bio:"Bio",block_export:"Block export",block_export_button:"Export your blocks to a csv file",block_import:"Block import",block_import_error:"Error importing blocks",blocks_imported:"Blocks imported! Processing them will take a while.",blocks_tab:"Blocks",bot:"This is a bot account",btnRadius:"Buttons",cBlue:"Blue (Reply, follow)",cGreen:"Green (Retweet)",cOrange:"Orange (Favorite)",cRed:"Red (Cancel)",change_email:"Change Email",change_email_error:"There was an issue changing your email.",changed_email:"Email changed successfully!",change_password:"Change Password",change_password_error:"There was an issue changing your password.",changed_password:"Password changed successfully!",chatMessageRadius:"Chat message",collapse_subject:"Collapse posts with subjects",composing:"Composing",confirm_new_password:"Confirm new password",current_password:"Current password",mutes_and_blocks:"Mutes and Blocks",data_import_export_tab:"Data Import / Export",default_vis:"Default visibility scope",delete_account:"Delete Account",delete_account_description:"Permanently delete your data and deactivate your account.",delete_account_error:"There was an issue deleting your account. If this persists please contact your instance administrator.",delete_account_instructions:"Type your password in the input below to confirm account deletion.",discoverable:"Allow discovery of this account in search results and other services",domain_mutes:"Domains",avatar_size_instruction:"The recommended minimum size for avatar images is 150x150 pixels.",pad_emoji:"Pad emoji with spaces when adding from picker",emoji_reactions_on_timeline:"Show emoji reactions on timeline",export_theme:"Save preset",filtering:"Filtering",filtering_explanation:"All statuses containing these words will be muted, one per line",follow_export:"Follow export",follow_export_button:"Export your follows to a csv file",follow_import:"Follow import",follow_import_error:"Error importing followers",follows_imported:"Follows imported! Processing them will take a while.",accent:"Accent",foreground:"Foreground",general:"General",hide_attachments_in_convo:"Hide attachments in conversations",hide_attachments_in_tl:"Hide attachments in timeline",hide_muted_posts:"Hide posts of muted users",max_thumbnails:"Maximum amount of thumbnails per post",hide_isp:"Hide instance-specific panel",preload_images:"Preload images",use_one_click_nsfw:"Open NSFW attachments with just one click",hide_post_stats:"Hide post statistics (e.g. the number of favorites)",hide_user_stats:"Hide user statistics (e.g. the number of followers)",hide_filtered_statuses:"Hide filtered statuses",import_blocks_from_a_csv_file:"Import blocks from a csv file",import_followers_from_a_csv_file:"Import follows from a csv file",import_theme:"Load preset",inputRadius:"Input fields",checkboxRadius:"Checkboxes",instance_default:"(default: {value})",instance_default_simple:"(default)",interface:"Interface",interfaceLanguage:"Interface language",invalid_theme_imported:"The selected file is not a supported Pleroma theme. No changes to your theme were made.",limited_availability:"Unavailable in your browser",links:"Links",lock_account_description:"Restrict your account to approved followers only",loop_video:"Loop videos",loop_video_silent_only:'Loop only videos without sound (i.e. Mastodon\'s "gifs")',mutes_tab:"Mutes",play_videos_in_modal:"Play videos in a popup frame",profile_fields:{label:"Profile metadata",add_field:"Add Field",name:"Label",value:"Content"},use_contain_fit:"Don't crop the attachment in thumbnails",name:"Name",name_bio:"Name & Bio",new_email:"New Email",new_password:"New password",notification_visibility:"Types of notifications to show",notification_visibility_follows:"Follows",notification_visibility_likes:"Likes",notification_visibility_mentions:"Mentions",notification_visibility_repeats:"Repeats",notification_visibility_moves:"User Migrates",notification_visibility_emoji_reactions:"Reactions",no_rich_text_description:"Strip rich text formatting from all posts",no_blocks:"No blocks",no_mutes:"No mutes",hide_follows_description:"Don't show who I'm following",hide_followers_description:"Don't show who's following me",hide_follows_count_description:"Don't show follow count",hide_followers_count_description:"Don't show follower count",show_admin_badge:"Show Admin badge in my profile",show_moderator_badge:"Show Moderator badge in my profile",nsfw_clickthrough:"Enable clickthrough NSFW attachment hiding",oauth_tokens:"OAuth tokens",token:"Token",refresh_token:"Refresh Token",valid_until:"Valid Until",revoke_token:"Revoke",panelRadius:"Panels",pause_on_unfocused:"Pause streaming when tab is not focused",presets:"Presets",profile_background:"Profile Background",profile_banner:"Profile Banner",profile_tab:"Profile",radii_help:"Set up interface edge rounding (in pixels)",replies_in_timeline:"Replies in timeline",reply_visibility_all:"Show all replies",reply_visibility_following:"Only show replies directed at me or users I'm following",reply_visibility_self:"Only show replies directed at me",autohide_floating_post_button:"Automatically hide New Post button (mobile)",saving_err:"Error saving settings",saving_ok:"Settings saved",search_user_to_block:"Search whom you want to block",search_user_to_mute:"Search whom you want to mute",security_tab:"Security",scope_copy:"Copy scope when replying (DMs are always copied)",minimal_scopes_mode:"Minimize post scope selection options",set_new_avatar:"Set new avatar",set_new_profile_background:"Set new profile background",set_new_profile_banner:"Set new profile banner",reset_avatar:"Reset avatar",reset_profile_background:"Reset profile background",reset_profile_banner:"Reset profile banner",reset_avatar_confirm:"Do you really want to reset the avatar?",reset_banner_confirm:"Do you really want to reset the banner?",reset_background_confirm:"Do you really want to reset the background?",settings:"Settings",subject_input_always_show:"Always show subject field",subject_line_behavior:"Copy subject when replying",subject_line_email:'Like email: "re: subject"',subject_line_mastodon:"Like mastodon: copy as is",subject_line_noop:"Do not copy",post_status_content_type:"Post status content type",stop_gifs:"Play-on-hover GIFs",streaming:"Enable automatic streaming of new posts when scrolled to the top",user_mutes:"Users",useStreamingApi:"Receive posts and notifications real-time",useStreamingApiWarning:"(Not recommended, experimental, known to skip posts)",text:"Text",theme:"Theme",theme_help:"Use hex color codes (#rrggbb) to customize your color theme.",theme_help_v2_1:'You can also override certain component\'s colors and opacity by toggling the checkbox, use "Clear all" button to clear all overrides.',theme_help_v2_2:"Icons underneath some entries are background/text contrast indicators, hover over for detailed info. Please keep in mind that when using transparency contrast indicators show the worst possible case.",tooltipRadius:"Tooltips/alerts",type_domains_to_mute:"Search domains to mute",upload_a_photo:"Upload a photo",user_settings:"User Settings",values:{false:"no",true:"yes"},fun:"Fun",greentext:"Meme arrows",notifications:"Notifications",notification_setting_filters:"Filters",notification_setting_block_from_strangers:"Block notifications from users who you do not follow",notification_setting_privacy:"Privacy",notification_setting_hide_notification_contents:"Hide the sender and contents of push notifications",notification_mutes:"To stop receiving notifications from a specific user, use a mute.",notification_blocks:"Blocking a user stops all notifications as well as unsubscribes them.",enable_web_push_notifications:"Enable web push notifications",style:{switcher:{keep_color:"Keep colors",keep_shadows:"Keep shadows",keep_opacity:"Keep opacity",keep_roundness:"Keep roundness",keep_fonts:"Keep fonts",save_load_hint:'"Keep" options preserve currently set options when selecting or loading themes, it also stores said options when exporting a theme. When all checkboxes unset, exporting theme will save everything.',reset:"Reset",clear_all:"Clear all",clear_opacity:"Clear opacity",load_theme:"Load theme",keep_as_is:"Keep as is",use_snapshot:"Old version",use_source:"New version",help:{upgraded_from_v2:"PleromaFE has been upgraded, theme could look a little bit different than you remember.",v2_imported:"File you imported was made for older FE. We try to maximize compatibility but there still could be inconsistencies.",future_version_imported:"File you imported was made in newer version of FE.",older_version_imported:"File you imported was made in older version of FE.",snapshot_present:"Theme snapshot is loaded, so all values are overriden. You can load theme's actual data instead.",snapshot_missing:"No theme snapshot was in the file so it could look different than originally envisioned.",fe_upgraded:"PleromaFE's theme engine upgraded after version update.",fe_downgraded:"PleromaFE's version rolled back.",migration_snapshot_ok:"Just to be safe, theme snapshot loaded. You can try loading theme data.",migration_napshot_gone:"For whatever reason snapshot was missing, some stuff could look different than you remember.",snapshot_source_mismatch:"Versions conflict: most likely FE was rolled back and updated again, if you changed theme using older version of FE you most likely want to use old version, otherwise use new version."}},common:{color:"Color",opacity:"Opacity",contrast:{hint:"Contrast ratio is {ratio}, it {level} {context}",level:{aa:"meets Level AA guideline (minimal)",aaa:"meets Level AAA guideline (recommended)",bad:"doesn't meet any accessibility guidelines"},context:{"18pt":"for large (18pt+) text",text:"for text"}}},common_colors:{_tab_label:"Common",main:"Common colors",foreground_hint:'See "Advanced" tab for more detailed control',rgbo:"Icons, accents, badges"},advanced_colors:{_tab_label:"Advanced",alert:"Alert background",alert_error:"Error",alert_warning:"Warning",alert_neutral:"Neutral",post:"Posts/User bios",badge:"Badge background",popover:"Tooltips, menus, popovers",badge_notification:"Notification",panel_header:"Panel header",top_bar:"Top bar",borders:"Borders",buttons:"Buttons",inputs:"Input fields",faint_text:"Faded text",underlay:"Underlay",poll:"Poll graph",icons:"Icons",highlight:"Highlighted elements",pressed:"Pressed",selectedPost:"Selected post",selectedMenu:"Selected menu item",disabled:"Disabled",toggled:"Toggled",tabs:"Tabs",chat:{incoming:"Incoming",outgoing:"Outgoing",border:"Border"}},radii:{_tab_label:"Roundness"},shadows:{_tab_label:"Shadow and lighting",component:"Component",override:"Override",shadow_id:"Shadow #{value}",blur:"Blur",spread:"Spread",inset:"Inset",hintV3:"For shadows you can also use the {0} notation to use other color slot.",filter_hint:{always_drop_shadow:"Warning, this shadow always uses {0} when browser supports it.",drop_shadow_syntax:"{0} does not support {1} parameter and {2} keyword.",avatar_inset:"Please note that combining both inset and non-inset shadows on avatars might give unexpected results with transparent avatars.",spread_zero:"Shadows with spread > 0 will appear as if it was set to zero",inset_classic:"Inset shadows will be using {0}"},components:{panel:"Panel",panelHeader:"Panel header",topBar:"Top bar",avatar:"User avatar (in profile view)",avatarStatus:"User avatar (in post display)",popup:"Popups and tooltips",button:"Button",buttonHover:"Button (hover)",buttonPressed:"Button (pressed)",buttonPressedHover:"Button (pressed+hover)",input:"Input field"}},fonts:{_tab_label:"Fonts",help:'Select font to use for elements of UI. For "custom" you have to enter exact font name as it appears in system.',components:{interface:"Interface",input:"Input fields",post:"Post text",postCode:"Monospaced text in a post (rich text)"},family:"Font name",size:"Size (in px)",weight:"Weight (boldness)",custom:"Custom"},preview:{header:"Preview",content:"Content",error:"Example error",button:"Button",text:"A bunch of more {0} and {1}",mono:"content",input:"Just landed in L.A.",faint_link:"helpful manual",fine_print:"Read our {0} to learn nothing useful!",header_faint:"This is fine",checkbox:"I have skimmed over terms and conditions",link:"a nice lil' link"}},version:{title:"Version",backend_version:"Backend Version",frontend_version:"Frontend Version"}},time:{day:"{0} day",days:"{0} days",day_short:"{0}d",days_short:"{0}d",hour:"{0} hour",hours:"{0} hours",hour_short:"{0}h",hours_short:"{0}h",in_future:"in {0}",in_past:"{0} ago",minute:"{0} minute",minutes:"{0} minutes",minute_short:"{0}min",minutes_short:"{0}min",month:"{0} month",months:"{0} months",month_short:"{0}mo",months_short:"{0}mo",now:"just now",now_short:"now",second:"{0} second",seconds:"{0} seconds",second_short:"{0}s",seconds_short:"{0}s",week:"{0} week",weeks:"{0} weeks",week_short:"{0}w",weeks_short:"{0}w",year:"{0} year",years:"{0} years",year_short:"{0}y",years_short:"{0}y"},timeline:{collapse:"Collapse",conversation:"Conversation",error_fetching:"Error fetching updates",load_older:"Load older statuses",no_retweet_hint:"Post is marked as followers-only or direct and cannot be repeated",repeated:"repeated",show_new:"Show new",reload:"Reload",up_to_date:"Up-to-date",no_more_statuses:"No more statuses",no_statuses:"No statuses"},status:{favorites:"Favorites",repeats:"Repeats",delete:"Delete status",pin:"Pin on profile",unpin:"Unpin from profile",pinned:"Pinned",bookmark:"Bookmark",unbookmark:"Unbookmark",delete_confirm:"Do you really want to delete this status?",reply_to:"Reply to",replies_list:"Replies:",mute_conversation:"Mute conversation",unmute_conversation:"Unmute conversation",status_unavailable:"Status unavailable",copy_link:"Copy link to status",thread_muted:"Thread muted",thread_muted_and_words:", has words:",show_full_subject:"Show full subject",hide_full_subject:"Hide full subject",show_content:"Show content",hide_content:"Hide content"},user_card:{approve:"Approve",block:"Block",blocked:"Blocked!",deny:"Deny",favorites:"Favorites",follow:"Follow",follow_sent:"Request sent!",follow_progress:"Requesting…",follow_again:"Send request again?",follow_unfollow:"Unfollow",followees:"Following",followers:"Followers",following:"Following!",follows_you:"Follows you!",hidden:"Hidden",its_you:"It's you!",media:"Media",mention:"Mention",message:"Message",mute:"Mute",muted:"Muted",per_day:"per day",remote_follow:"Remote follow",report:"Report",statuses:"Statuses",subscribe:"Subscribe",unsubscribe:"Unsubscribe",unblock:"Unblock",unblock_progress:"Unblocking…",block_progress:"Blocking…",unmute:"Unmute",unmute_progress:"Unmuting…",mute_progress:"Muting…",hide_repeats:"Hide repeats",show_repeats:"Show repeats",admin_menu:{moderation:"Moderation",grant_admin:"Grant Admin",revoke_admin:"Revoke Admin",grant_moderator:"Grant Moderator",revoke_moderator:"Revoke Moderator",activate_account:"Activate account",deactivate_account:"Deactivate account",delete_account:"Delete account",force_nsfw:"Mark all posts as NSFW",strip_media:"Remove media from posts",force_unlisted:"Force posts to be unlisted",sandbox:"Force posts to be followers-only",disable_remote_subscription:"Disallow following user from remote instances",disable_any_subscription:"Disallow following user at all",quarantine:"Disallow user posts from federating",delete_user:"Delete user",delete_user_confirmation:"Are you absolutely sure? This action cannot be undone."}},user_profile:{timeline_title:"User Timeline",profile_does_not_exist:"Sorry, this profile does not exist.",profile_loading_error:"Sorry, there was an error loading this profile."},user_reporting:{title:"Reporting {0}",add_comment_description:"The report will be sent to your instance moderators. You can provide an explanation of why you are reporting this account below:",additional_comments:"Additional comments",forward_description:"The account is from another server. Send a copy of the report there as well?",forward_to:"Forward to {0}",submit:"Submit",generic_error:"An error occurred while processing your request."},who_to_follow:{more:"More",who_to_follow:"Who to follow"},tool_tip:{media_upload:"Upload Media",repeat:"Repeat",reply:"Reply",favorite:"Favorite",add_reaction:"Add Reaction",user_settings:"User Settings",accept_follow_request:"Accept follow request",reject_follow_request:"Reject follow request",bookmark:"Bookmark"},upload:{error:{base:"Upload failed.",file_too_big:"File too big [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]",default:"Try again later"},file_size_units:{B:"B",KiB:"KiB",MiB:"MiB",GiB:"GiB",TiB:"TiB"}},search:{people:"People",hashtags:"Hashtags",person_talking:"{count} person talking",people_talking:"{count} people talking",no_results:"No results"},password_reset:{forgot_password:"Forgot password?",password_reset:"Password reset",instruction:"Enter your email address or username. We will send you a link to reset your password.",placeholder:"Your email or username",check_email:"Check your email for a link to reset your password.",return_home:"Return to the home page",too_many_requests:"You have reached the limit of attempts, try again later.",password_reset_disabled:"Password reset is disabled. Please contact your instance administrator.",password_reset_required:"You must reset your password to log in.",password_reset_required_but_mailer_is_disabled:"You must reset your password, but password reset is disabled. Please contact your instance administrator."},chats:{you:"You:",message_user:"Message {nickname}",delete:"Delete",chats:"Chats",new:"New Chat",empty_message_error:"Cannot post empty message",more:"More",delete_confirm:"Do you really want to delete this message?",error_loading_chat:"Something went wrong when loading the chat.",error_sending_message:"Something went wrong when sending the message.",empty_chat_list_placeholder:"You don't have any chats yet. Start a new chat!"},file_type:{audio:"Audio",video:"Video",image:"Image",file:"File"},display_date:{today:"Today"}}},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(t,e,n){var i=n(369);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("0084eb3d",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".timeline .loadmore-text{opacity:1}.timeline-heading{max-width:100%;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.timeline-heading .loadmore-button,.timeline-heading .loadmore-text{-ms-flex-negative:0;flex-shrink:0}.timeline-heading .loadmore-text{line-height:1em}",""])},,,,,function(t,e,n){var i=n(375);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("80571546",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.Status{min-width:0}.Status:hover{--still-image-img:visible;--still-image-canvas:hidden}.Status.-focused{background-color:#151e2a;background-color:var(--selectedPost,#151e2a);color:#b9b9ba;color:var(--selectedPostText,#b9b9ba);--lightText:var(--selectedPostLightText,$fallback--light);--faint:var(--selectedPostFaintText,$fallback--faint);--faintLink:var(--selectedPostFaintLink,$fallback--faint);--postLink:var(--selectedPostPostLink,$fallback--faint);--postFaintLink:var(--selectedPostFaintPostLink,$fallback--faint);--icon:var(--selectedPostIcon,$fallback--icon)}.Status .status-container{display:-ms-flexbox;display:flex;padding:.75em}.Status .status-container.-repeat{padding-top:0}.Status .pin{padding:.75em .75em 0;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:end;justify-content:flex-end}.Status .left-side{margin-right:.75em}.Status .right-side{-ms-flex:1;flex:1;min-width:0}.Status .usercard{margin-bottom:.75em}.Status .status-username{white-space:nowrap;font-size:14px;overflow:hidden;max-width:85%;font-weight:700;-ms-flex-negative:1;flex-shrink:1;margin-right:.4em;text-overflow:ellipsis}.Status .status-username .emoji{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.Status .status-favicon{height:18px;width:18px;margin-right:.4em}.Status .status-heading{margin-bottom:.5em}.Status .heading-name-row{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;line-height:18px}.Status .heading-name-row a{display:inline-block;word-break:break-all}.Status .account-name{min-width:1.6em;margin-right:.4em;white-space:nowrap;overflow:hidden;text-overflow:ellipsis;-ms-flex:1 1 0px;flex:1 1 0}.Status .heading-left{display:-ms-flexbox;display:flex;min-width:0}.Status .heading-right{display:-ms-flexbox;display:flex;-ms-flex-negative:0;flex-shrink:0}.Status .timeago{margin-right:.2em}.Status .heading-reply-row{position:relative;-ms-flex-line-pack:baseline;align-content:baseline;font-size:12px;line-height:18px;max-width:100%;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-align:stretch;align-items:stretch}.Status .reply-to-and-accountname{display:-ms-flexbox;display:flex;height:18px;margin-right:.5em;max-width:100%}.Status .reply-to-and-accountname .reply-to-link{white-space:nowrap;word-break:break-word;text-overflow:ellipsis;overflow-x:hidden}.Status .reply-to-and-accountname .icon-reply{transform:scaleX(-1)}.Status .reply-to-no-popover,.Status .reply-to-popover{min-width:0;margin-right:.4em;-ms-flex-negative:0;flex-shrink:0}.Status .reply-to-popover .reply-to:hover:before{content:"";display:block;position:absolute;bottom:0;width:100%;border-bottom:1px solid var(--faint);pointer-events:none}.Status .reply-to-popover .faint-link:hover{text-decoration:none}.Status .reply-to-popover.-strikethrough .reply-to:after{content:"";display:block;position:absolute;top:50%;width:100%;border-bottom:1px solid var(--faint);pointer-events:none}.Status .reply-to{display:-ms-flexbox;display:flex;position:relative}.Status .reply-to-text{overflow:hidden;text-overflow:ellipsis;white-space:nowrap;margin-left:.2em}.Status .replies-separator{margin-left:.4em}.Status .replies{line-height:18px;font-size:12px;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.Status .replies>*{margin-right:.4em}.Status .reply-link{height:17px}.Status .repeat-info{padding:.4em .75em;line-height:22px}.Status .repeat-info .right-side{display:-ms-flexbox;display:flex;-ms-flex-line-pack:center;align-content:center;-ms-flex-wrap:wrap;flex-wrap:wrap}.Status .repeat-info i{padding:0 .2em}.Status .repeater-avatar{border-radius:var(--avatarAltRadius,10px);margin-left:28px;width:20px;height:20px}.Status .repeater-name{text-overflow:ellipsis;margin-right:0}.Status .repeater-name .emoji{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.Status .status-fadein{animation-duration:.4s;animation-name:fadein}@keyframes fadein{0%{opacity:0}to{opacity:1}}.Status .status-actions{position:relative;width:100%;display:-ms-flexbox;display:flex;margin-top:.75em}.Status .status-actions>*{max-width:4em;-ms-flex:1;flex:1}.Status .button-reply:not(.-disabled){cursor:pointer}.Status .button-reply.-active,.Status .button-reply:not(.-disabled):hover{color:#0095ff;color:var(--cBlue,#0095ff)}.Status .muted{padding:.25em .6em;height:1.2em;line-height:1.2em;text-overflow:ellipsis;overflow:hidden;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.Status .muted .mute-thread,.Status .muted .mute-words,.Status .muted .status-username{word-wrap:normal;word-break:normal;white-space:nowrap}.Status .muted .mute-words,.Status .muted .status-username{text-overflow:ellipsis;overflow:hidden}.Status .muted .status-username{font-weight:400;-ms-flex:0 1 auto;flex:0 1 auto;margin-right:.2em;font-size:smaller}.Status .muted .mute-thread{-ms-flex:0 0 auto;flex:0 0 auto}.Status .muted .mute-words{-ms-flex:1 0 5em;flex:1 0 5em;margin-left:.2em}.Status .muted .mute-words:before{content:" "}.Status .muted .unmute{-ms-flex:0 0 auto;flex:0 0 auto;margin-left:auto;display:block}.Status .reply-form{padding-top:0;padding-bottom:0}.Status .reply-body{-ms-flex:1;flex:1}.Status .favs-repeated-users{margin-top:.75em}.Status .stats{width:100%;display:-ms-flexbox;display:flex;line-height:1em}.Status .avatar-row{-ms-flex:1;flex:1;overflow:hidden;position:relative;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.Status .avatar-row:before{content:"";position:absolute;height:100%;width:1px;left:0;background-color:var(--faint,hsla(240,1%,73%,.5))}.Status .stat-count{margin-right:.75em;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.Status .stat-count .stat-title{color:var(--faint,hsla(240,1%,73%,.5));font-size:12px;text-transform:uppercase;position:relative}.Status .stat-count .stat-number{font-weight:bolder;font-size:16px;line-height:1em}.Status .stat-count:hover .stat-title{text-decoration:underline}@media (max-width:800px){.Status .repeater-avatar{margin-left:20px}.Status .avatar:not(.repeater-avatar){width:40px;height:40px}.Status .avatar:not(.repeater-avatar).avatar-compact{width:32px;height:32px}}',""])},,function(t,e,n){var i=n(378);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7d4fb47f",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".fav-active{cursor:pointer;animation-duration:.6s}.fav-active:hover,.favorite-button.icon-star{color:orange;color:var(--cOrange,orange)}",""])},function(t,e,n){var i=n(380);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("b98558e8",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".reaction-picker-filter{padding:.5em;display:-ms-flexbox;display:flex}.reaction-picker-filter input{-ms-flex:1;flex:1}.reaction-picker-divider{height:1px;width:100%;margin:.5em;background-color:var(--border,#222)}.reaction-picker{width:10em;height:9em;font-size:1.5em;overflow-y:scroll;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;padding:.5em;text-align:center;-ms-flex-line-pack:start;align-content:flex-start;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;-webkit-mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);transition:-webkit-mask-size .15s;transition:mask-size .15s;transition:mask-size .15s,-webkit-mask-size .15s;-webkit-mask-size:100% 20px,100% 20px,auto;mask-size:100% 20px,100% 20px,auto;-webkit-mask-composite:xor;mask-composite:exclude}.reaction-picker .emoji-button{cursor:pointer;-ms-flex-preferred-size:20%;flex-basis:20%;line-height:1.5em;-ms-flex-line-pack:center;align-content:center}.reaction-picker .emoji-button:hover{transform:scale(1.25)}.add-reaction-button{cursor:pointer}.add-reaction-button:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}",""])},function(t,e,n){var i=n(382);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("92bf6e22",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".popover{z-index:8;position:absolute;min-width:0}.popover-default{transition:opacity .3s;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);border-radius:4px;border-radius:var(--btnRadius,4px);background-color:#121a24;background-color:var(--popover,#121a24);color:#b9b9ba;color:var(--popoverText,#b9b9ba);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--postLink:var(--popoverPostLink,$fallback--link);--postFaintLink:var(--popoverPostFaintLink,$fallback--link);--icon:var(--popoverIcon,$fallback--icon)}.dropdown-menu{display:block;padding:.5rem 0;font-size:1rem;text-align:left;list-style:none;max-width:100vw;z-index:10;white-space:nowrap}.dropdown-menu .dropdown-divider{height:0;margin:.5rem 0;overflow:hidden;border-top:1px solid #222;border-top:1px solid var(--border,#222)}.dropdown-menu .dropdown-item{line-height:21px;margin-right:5px;overflow:auto;display:block;padding:.25rem 1rem .25rem 1.5rem;clear:both;font-weight:400;text-align:inherit;white-space:nowrap;border:none;border-radius:0;background-color:transparent;box-shadow:none;width:100%;height:100%;--btnText:var(--popoverText,$fallback--text)}.dropdown-menu .dropdown-item-icon{padding-left:.5rem}.dropdown-menu .dropdown-item-icon i{margin-right:.25rem;color:var(--menuPopoverIcon,#666)}.dropdown-menu .dropdown-item:active,.dropdown-menu .dropdown-item:hover{background-color:#151e2a;background-color:var(--selectedMenuPopover,#151e2a);color:#d8a070;color:var(--selectedMenuPopoverText,#d8a070);--faint:var(--selectedMenuPopoverFaintText,$fallback--faint);--faintLink:var(--selectedMenuPopoverFaintLink,$fallback--faint);--lightText:var(--selectedMenuPopoverLightText,$fallback--lightText);--icon:var(--selectedMenuPopoverIcon,$fallback--icon)}.dropdown-menu .dropdown-item:active i,.dropdown-menu .dropdown-item:hover i{color:var(--selectedMenuPopoverIcon,#666)}",""])},function(t,e,n){var i=n(384);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("2c52cbcb",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".rt-active{cursor:pointer;animation-duration:.6s}.icon-retweet.retweeted,.rt-active:hover{color:#0fa00f;color:var(--cGreen,#0fa00f)}",""])},function(t,e,n){var i=n(386);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("0d2c533c",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".icon-ellipsis{cursor:pointer}.extra-button-popover.open .icon-ellipsis,.icon-ellipsis:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}",""])},function(t,e,n){var i=n(388);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("ce7966a8",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".tribute-container ul{padding:0}.tribute-container ul li{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.tribute-container img{padding:3px;width:16px;height:16px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.post-status-form{position:relative}.post-status-form .form-bottom{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;padding:.5em;height:32px}.post-status-form .form-bottom button{width:10em}.post-status-form .form-bottom p{margin:.35em;padding:.35em;display:-ms-flexbox;display:flex}.post-status-form .form-bottom-left{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1;padding-right:7px;margin-right:7px;max-width:10em}.post-status-form .preview-heading{padding-left:.5em;display:-ms-flexbox;display:flex;width:100%}.post-status-form .preview-heading .icon-spin3{margin-left:auto}.post-status-form .preview-toggle{display:-ms-flexbox;display:flex;cursor:pointer;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.post-status-form .preview-toggle:hover{text-decoration:underline}.post-status-form .preview-toggle i{margin-left:.2em;font-size:.8em;transform:rotate(90deg)}.post-status-form .preview-container{margin-bottom:1em}.post-status-form .preview-error{font-style:italic;color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.post-status-form .preview-status{border:1px solid #222;border:1px solid var(--border,#222);border-radius:5px;border-radius:var(--tooltipRadius,5px);padding:.5em;margin:0;line-height:1.4em}.post-status-form .text-format .only-format{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.post-status-form .visibility-tray{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;padding-top:5px}.post-status-form .emoji-icon,.post-status-form .media-upload-icon,.post-status-form .poll-icon{font-size:26px;-ms-flex:1;flex:1}.post-status-form .emoji-icon.selected i,.post-status-form .emoji-icon.selected label,.post-status-form .emoji-icon:hover i,.post-status-form .emoji-icon:hover label,.post-status-form .media-upload-icon.selected i,.post-status-form .media-upload-icon.selected label,.post-status-form .media-upload-icon:hover i,.post-status-form .media-upload-icon:hover label,.post-status-form .poll-icon.selected i,.post-status-form .poll-icon.selected label,.post-status-form .poll-icon:hover i,.post-status-form .poll-icon:hover label{color:#b9b9ba;color:var(--lightText,#b9b9ba)}.post-status-form .emoji-icon.disabled i,.post-status-form .media-upload-icon.disabled i,.post-status-form .poll-icon.disabled i{cursor:not-allowed;color:#666;color:var(--btnDisabledText,#666)}.post-status-form .emoji-icon.disabled i:hover,.post-status-form .media-upload-icon.disabled i:hover,.post-status-form .poll-icon.disabled i:hover{color:#666;color:var(--btnDisabledText,#666)}.post-status-form .media-upload-icon{-ms-flex-order:1;order:1;text-align:left}.post-status-form .emoji-icon{-ms-flex-order:2;order:2;text-align:center}.post-status-form .poll-icon{-ms-flex-order:3;order:3;text-align:right}.post-status-form .icon-chart-bar{cursor:pointer}.post-status-form .error{text-align:center}.post-status-form .media-upload-wrapper{margin-right:.2em;margin-bottom:.5em;width:18em}.post-status-form .media-upload-wrapper .icon-cancel{display:inline-block;position:static;margin:0;padding-bottom:0;margin-left:10px;margin-left:var(--attachmentRadius,10px);background-color:#182230;background-color:var(--btn,#182230);border-bottom-left-radius:0;border-bottom-right-radius:0}.post-status-form .media-upload-wrapper img,.post-status-form .media-upload-wrapper video{-o-object-fit:contain;object-fit:contain;max-height:10em}.post-status-form .media-upload-wrapper .video{max-height:10em}.post-status-form .media-upload-wrapper input{-ms-flex:1;flex:1;width:100%}.post-status-form .status-input-wrapper{display:-ms-flexbox;display:flex;position:relative;width:100%;-ms-flex-direction:column;flex-direction:column}.post-status-form .media-upload-wrapper .attachments{padding:0 .5em}.post-status-form .media-upload-wrapper .attachments .attachment{margin:0;padding:0;position:relative}.post-status-form .media-upload-wrapper .attachments i{position:absolute;margin:10px;padding:5px;background:hsla(0,0%,90%,.6);border-radius:10px;border-radius:var(--attachmentRadius,10px);font-weight:700}.post-status-form form{margin:.6em;position:relative}.post-status-form .form-group,.post-status-form form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.post-status-form .form-group{padding:.25em .5em .5em;line-height:24px}.post-status-form .form-post-body,.post-status-form form textarea.form-cw{line-height:16px;resize:none;overflow:hidden;transition:min-height .2s .1s;min-height:1px}.post-status-form .form-post-body{height:16px;padding-bottom:1.75em;box-sizing:content-box}.post-status-form .form-post-body.scrollable-form{overflow-y:auto}.post-status-form .main-input{position:relative}.post-status-form .character-counter{position:absolute;bottom:0;right:0;padding:0;margin:0 .5em}.post-status-form .character-counter.error{color:red;color:var(--cRed,red)}.post-status-form .btn{cursor:pointer}.post-status-form .btn[disabled]{cursor:not-allowed}.post-status-form .icon-cancel{cursor:pointer;z-index:4}@keyframes fade-in{0%{opacity:0}to{opacity:.6}}@keyframes fade-out{0%{opacity:.6}to{opacity:0}}.post-status-form .drop-indicator{position:absolute;z-index:1;width:100%;height:100%;font-size:5em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;opacity:.6;color:#b9b9ba;color:var(--text,#b9b9ba);background-color:#121a24;background-color:var(--bg,#121a24);border-radius:5px;border-radius:var(--tooltipRadius,5px);border:2px dashed #b9b9ba;border:2px dashed var(--text,#b9b9ba)}.media-upload-container>video,img.media-upload{line-height:0;max-height:200px;max-width:100%}",""])},function(t,e,n){var i=n(390);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("8585287c",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".media-upload .label{display:inline-block}.media-upload .new-icon{cursor:pointer}.media-upload .progress-icon{display:inline-block;line-height:0}.media-upload .progress-icon:before{margin:0;line-height:0}",""])},function(t,e,n){var i=n(392);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("770eecd8",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".scope-selector i{font-size:1.2em;cursor:pointer}.scope-selector i.selected{color:#b9b9ba;color:var(--lightText,#b9b9ba)}",""])},function(t,e,n){var i=n(394);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("d6bd964a",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".emoji-input{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;position:relative}.emoji-input.with-picker input{padding-right:30px}.emoji-input .emoji-picker-icon{position:absolute;top:0;right:0;margin:.2em .25em;font-size:16px;cursor:pointer;line-height:24px}.emoji-input .emoji-picker-icon:hover i{color:#b9b9ba;color:var(--text,#b9b9ba)}.emoji-input .emoji-picker-panel{position:absolute;z-index:20;margin-top:2px}.emoji-input .emoji-picker-panel.hide{display:none}.emoji-input .autocomplete-panel{position:absolute;z-index:20;margin-top:2px}.emoji-input .autocomplete-panel.hide{display:none}.emoji-input .autocomplete-panel-body{margin:0 .5em;border-radius:5px;border-radius:var(--tooltipRadius,5px);box-shadow:1px 2px 4px rgba(0,0,0,.5);box-shadow:var(--popupShadow);min-width:75%;background-color:#121a24;background-color:var(--popover,#121a24);color:#d8a070;color:var(--popoverText,#d8a070);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--postLink:var(--popoverPostLink,$fallback--link);--postFaintLink:var(--popoverPostFaintLink,$fallback--link);--icon:var(--popoverIcon,$fallback--icon)}.emoji-input .autocomplete-item{display:-ms-flexbox;display:flex;cursor:pointer;padding:.2em .4em;border-bottom:1px solid rgba(0,0,0,.4);height:32px}.emoji-input .autocomplete-item .image{width:32px;height:32px;line-height:32px;text-align:center;font-size:32px;margin-right:4px}.emoji-input .autocomplete-item .image img{width:32px;height:32px;-o-object-fit:contain;object-fit:contain}.emoji-input .autocomplete-item .label{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-pack:center;justify-content:center;margin:0 .1em 0 .2em}.emoji-input .autocomplete-item .label .displayText{line-height:1.5}.emoji-input .autocomplete-item .label .detailText{font-size:9px;line-height:9px}.emoji-input .autocomplete-item.highlighted{background-color:#182230;background-color:var(--selectedMenuPopover,#182230);color:var(--selectedMenuPopoverText,#b9b9ba);--faint:var(--selectedMenuPopoverFaintText,$fallback--faint);--faintLink:var(--selectedMenuPopoverFaintLink,$fallback--faint);--lightText:var(--selectedMenuPopoverLightText,$fallback--lightText);--icon:var(--selectedMenuPopoverIcon,$fallback--icon)}.emoji-input input,.emoji-input textarea{-ms-flex:1 0 auto;flex:1 0 auto}",""])},function(t,e,n){var i=n(396);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7bb72e68",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".emoji-picker{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;position:absolute;right:0;left:0;margin:0!important;z-index:1;background-color:#121a24;background-color:var(--popover,#121a24);color:#d8a070;color:var(--popoverText,#d8a070);--lightText:var(--popoverLightText,$fallback--faint);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--icon:var(--popoverIcon,$fallback--icon)}.emoji-picker .keep-open,.emoji-picker .too-many-emoji{padding:7px;line-height:normal}.emoji-picker .too-many-emoji{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.emoji-picker .keep-open-label{padding:0 7px;display:-ms-flexbox;display:flex}.emoji-picker .heading{display:-ms-flexbox;display:flex;height:32px;padding:10px 7px 5px}.emoji-picker .content{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex:1 1 auto;flex:1 1 auto;min-height:0}.emoji-picker .emoji-tabs{-ms-flex-positive:1;flex-grow:1}.emoji-picker .emoji-groups{min-height:200px}.emoji-picker .additional-tabs{border-left:1px solid;border-left-color:#666;border-left-color:var(--icon,#666);padding-left:7px;-ms-flex:0 0 auto;flex:0 0 auto}.emoji-picker .additional-tabs,.emoji-picker .emoji-tabs{display:block;min-width:0;-ms-flex-preferred-size:auto;flex-basis:auto;-ms-flex-negative:1;flex-shrink:1}.emoji-picker .additional-tabs-item,.emoji-picker .emoji-tabs-item{padding:0 7px;cursor:pointer;font-size:24px}.emoji-picker .additional-tabs-item.disabled,.emoji-picker .emoji-tabs-item.disabled{opacity:.5;pointer-events:none}.emoji-picker .additional-tabs-item.active,.emoji-picker .emoji-tabs-item.active{border-bottom:4px solid}.emoji-picker .additional-tabs-item.active i,.emoji-picker .emoji-tabs-item.active i{color:#b9b9ba;color:var(--lightText,#b9b9ba)}.emoji-picker .sticker-picker{-ms-flex:1 1 auto;flex:1 1 auto}.emoji-picker .emoji-content,.emoji-picker .stickers-content{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex:1 1 auto;flex:1 1 auto;min-height:0}.emoji-picker .emoji-content.hidden,.emoji-picker .stickers-content.hidden{opacity:0;pointer-events:none;position:absolute}.emoji-picker .emoji-search{padding:5px;-ms-flex:0 0 auto;flex:0 0 auto}.emoji-picker .emoji-search input{width:100%}.emoji-picker .emoji-groups{-ms-flex:1 1 1px;flex:1 1 1px;position:relative;overflow:auto;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;-webkit-mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);transition:-webkit-mask-size .15s;transition:mask-size .15s;transition:mask-size .15s,-webkit-mask-size .15s;-webkit-mask-size:100% 20px,100% 20px,auto;mask-size:100% 20px,100% 20px,auto;-webkit-mask-composite:xor;mask-composite:exclude}.emoji-picker .emoji-groups.scrolled-top{-webkit-mask-size:100% 20px,100% 0,auto;mask-size:100% 20px,100% 0,auto}.emoji-picker .emoji-groups.scrolled-bottom{-webkit-mask-size:100% 0,100% 20px,auto;mask-size:100% 0,100% 20px,auto}.emoji-picker .emoji-group{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-wrap:wrap;flex-wrap:wrap;padding-left:5px;-ms-flex-pack:left;justify-content:left}.emoji-picker .emoji-group-title{font-size:12px;width:100%;margin:0}.emoji-picker .emoji-group-title.disabled{display:none}.emoji-picker .emoji-item{width:32px;height:32px;box-sizing:border-box;display:-ms-flexbox;display:flex;font-size:32px;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;margin:4px;cursor:pointer}.emoji-picker .emoji-item img{-o-object-fit:contain;object-fit:contain;max-width:100%;max-height:100%}",""])},function(t,e,n){var i=n(398);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("002629bb",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.checkbox{position:relative;display:inline-block;min-height:1.2em}.checkbox-indicator{position:relative;padding-left:1.2em}.checkbox-indicator:before{position:absolute;right:0;top:0;display:block;content:"\\2713";transition:color .2s;width:1.1em;height:1.1em;border-radius:2px;border-radius:var(--checkboxRadius,2px);box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow);background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}.checkbox.disabled .checkbox-indicator:before,.checkbox.disabled .label{opacity:.5}.checkbox.disabled .label{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.checkbox input[type=checkbox]{display:none}.checkbox input[type=checkbox]:checked+.checkbox-indicator:before{color:#b9b9ba;color:var(--inputText,#b9b9ba)}.checkbox input[type=checkbox]:indeterminate+.checkbox-indicator:before{content:"\\2013";color:#b9b9ba;color:var(--inputText,#b9b9ba)}.checkbox>span{margin-left:.5em}',""])},function(t,e,n){var i=n(400);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("60db0262",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".poll-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:0 .5em .5em}.poll-form .add-option{-ms-flex-item-align:start;align-self:flex-start;padding-top:.25em;cursor:pointer}.poll-form .poll-option{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;-ms-flex-pack:justify;justify-content:space-between;margin-bottom:.25em}.poll-form .input-container{width:100%}.poll-form .input-container input{padding-right:2.5em;width:100%}.poll-form .icon-container{width:2em;margin-left:-2em;z-index:1}.poll-form .poll-type-expiry{margin-top:.5em;display:-ms-flexbox;display:flex;width:100%}.poll-form .poll-type{margin-right:.75em;-ms-flex:1 1 60%;flex:1 1 60%}.poll-form .poll-type .select{border:none;box-shadow:none;background-color:transparent}.poll-form .poll-expiry{display:-ms-flexbox;display:flex}.poll-form .poll-expiry .expiry-amount{width:3em;text-align:right}.poll-form .poll-expiry .expiry-unit{border:none;box-shadow:none;background-color:transparent}",""])},function(t,e,n){var i=n(402);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("60b296ca",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".attachments{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.attachments .non-gallery{max-width:100%}.attachments .placeholder{display:inline-block;padding:.3em 1em .3em 0;color:#d8a070;color:var(--postLink,#d8a070);overflow:hidden;white-space:nowrap;text-overflow:ellipsis;max-width:100%}.attachments .nsfw-placeholder{cursor:pointer}.attachments .nsfw-placeholder.loading{cursor:progress}.attachments .attachment{position:relative;margin-top:.5em;-ms-flex-item-align:start;align-self:flex-start;line-height:0;border-radius:10px;border-radius:var(--attachmentRadius,10px);border-color:#222;border:1px solid var(--border,#222);overflow:hidden}.attachments .non-gallery.attachment.video{-ms-flex:1 0 40%;flex:1 0 40%}.attachments .non-gallery.attachment .nsfw{height:260px}.attachments .non-gallery.attachment .small{height:120px;-ms-flex-positive:0;flex-grow:0}.attachments .non-gallery.attachment .video{height:260px;display:-ms-flexbox;display:flex}.attachments .non-gallery.attachment video{max-height:100%;-o-object-fit:contain;object-fit:contain}.attachments .fullwidth{-ms-flex-preferred-size:100%;flex-basis:100%}.attachments.video{line-height:0}.attachments .video-container{display:-ms-flexbox;display:flex;max-height:100%}.attachments .video{width:100%;height:100%}.attachments .play-icon{position:absolute;font-size:64px;top:calc(50% - 32px);left:calc(50% - 32px);color:hsla(0,0%,100%,.75);text-shadow:0 0 2px rgba(0,0,0,.4)}.attachments .play-icon:before{margin:0}.attachments.html{-ms-flex-preferred-size:90%;flex-basis:90%;width:100%;display:-ms-flexbox;display:flex}.attachments .hider{position:absolute;right:0;white-space:nowrap;margin:10px;padding:5px;background:hsla(0,0%,90%,.6);font-weight:700;z-index:4;line-height:1;border-radius:5px;border-radius:var(--tooltipRadius,5px)}.attachments video{z-index:0}.attachments audio{width:100%}.attachments img.media-upload{line-height:0;max-height:200px;max-width:100%}.attachments .oembed{line-height:1.2em;-ms-flex:1 0 100%;flex:1 0 100%;width:100%;margin-right:15px;display:-ms-flexbox;display:flex}.attachments .oembed img{width:100%}.attachments .oembed .image{-ms-flex:1;flex:1}.attachments .oembed .image img{border:0;border-radius:5px;height:100%;-o-object-fit:cover;object-fit:cover}.attachments .oembed .text{-ms-flex:2;flex:2;margin:8px;word-break:break-all}.attachments .oembed .text h1{font-size:14px;margin:0}.attachments .image-attachment,.attachments .image-attachment .image{width:100%;height:100%}.attachments .image-attachment.hidden{display:none}.attachments .image-attachment .nsfw{-o-object-fit:cover;object-fit:cover;width:100%;height:100%}.attachments .image-attachment img{image-orientation:from-image}",""])},function(t,e,n){var i=n(404);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("24ab97e0",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.still-image{position:relative;line-height:0;overflow:hidden;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.still-image canvas{position:absolute;top:0;bottom:0;left:0;right:0;height:100%;visibility:var(--still-image-canvas,visible)}.still-image canvas,.still-image img{width:100%;-o-object-fit:contain;object-fit:contain}.still-image img{min-height:100%}.still-image.animated:before{content:"gif";position:absolute;line-height:10px;font-size:10px;top:5px;left:5px;background:hsla(0,0%,50%,.5);color:#fff;display:block;padding:2px 4px;border-radius:5px;border-radius:var(--tooltipRadius,5px);z-index:2;visibility:var(--still-image-label-visibility,visible)}.still-image.animated:hover canvas{display:none}.still-image.animated:hover:before,.still-image.animated img{visibility:var(--still-image-img,hidden)}.still-image.animated:hover img{visibility:visible}',""])},function(t,e,n){var i=n(406);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("af4a4f5c",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".StatusContent{-ms-flex:1;flex:1;min-width:0}.StatusContent .status-content-wrapper{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.StatusContent .tall-status{position:relative;height:220px;overflow-x:hidden;overflow-y:hidden;z-index:1}.StatusContent .tall-status .status-content{min-height:0;-webkit-mask:linear-gradient(0deg,#fff,transparent) bottom/100% 70px no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff,transparent) bottom/100% 70px no-repeat,linear-gradient(0deg,#fff,#fff);-webkit-mask-composite:xor;mask-composite:exclude}.StatusContent .tall-status-hider{position:absolute;height:70px;margin-top:150px;line-height:110px;z-index:2}.StatusContent .cw-status-hider,.StatusContent .status-unhider,.StatusContent .tall-status-hider{display:inline-block;word-break:break-all;width:100%;text-align:center}.StatusContent img,.StatusContent video{max-width:100%;max-height:400px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.StatusContent img.emoji,.StatusContent video.emoji{width:32px;height:32px}.StatusContent .summary-wrapper{margin-bottom:.5em;border-style:solid;border-width:0 0 1px;border-color:var(--border,#222);-ms-flex-positive:0;flex-grow:0}.StatusContent .summary{font-style:italic;padding-bottom:.5em}.StatusContent .tall-subject{position:relative}.StatusContent .tall-subject .summary{max-height:2em;overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.StatusContent .tall-subject-hider{display:inline-block;word-break:break-all;width:100%;text-align:center;padding-bottom:.5em}.StatusContent .status-content{font-family:var(--postFont,sans-serif);line-height:1.4em;white-space:pre-wrap;overflow-wrap:break-word;word-wrap:break-word;word-break:break-word}.StatusContent .status-content blockquote{margin:.2em 0 .2em 2em;font-style:italic}.StatusContent .status-content pre{overflow:auto}.StatusContent .status-content code,.StatusContent .status-content kbd,.StatusContent .status-content pre,.StatusContent .status-content samp,.StatusContent .status-content var{font-family:var(--postCodeFont,monospace)}.StatusContent .status-content p{margin:0 0 1em}.StatusContent .status-content p:last-child{margin:0}.StatusContent .status-content h1{font-size:1.1em;line-height:1.2em;margin:1.4em 0}.StatusContent .status-content h2{font-size:1.1em;margin:1em 0}.StatusContent .status-content h3{font-size:1em;margin:1.2em 0}.StatusContent .status-content h4{margin:1.1em 0}.StatusContent .status-content.single-line{white-space:nowrap;text-overflow:ellipsis;overflow:hidden;height:1.4em}.greentext{color:#0fa00f;color:var(--postGreentext,#0fa00f)}",""])},function(t,e,n){var i=n(408);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("1a8b173f",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".poll .votes{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:0 0 .5em}.poll .poll-option{margin:.75em .5em}.poll .option-result{height:100%;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;position:relative;color:#b9b9ba;color:var(--lightText,#b9b9ba)}.poll .option-result-label{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;padding:.1em .25em;z-index:1;word-break:break-word}.poll .result-percentage{width:3.5em;-ms-flex-negative:0;flex-shrink:0}.poll .result-fill{height:100%;position:absolute;color:#b9b9ba;color:var(--pollText,#b9b9ba);background-color:#151e2a;background-color:var(--poll,#151e2a);border-radius:10px;border-radius:var(--panelRadius,10px);top:0;left:0;transition:width .5s}.poll .option-vote{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.poll input{width:3.5em}.poll .footer{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.poll.loading *{cursor:progress}.poll .poll-vote-button{padding:0 .5em;margin-right:.5em}",""])},function(t,e,n){var i=n(410);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("6c9d5cbc",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".gallery-row{position:relative;height:0;width:100%;-ms-flex-positive:1;flex-grow:1;margin-top:.5em}.gallery-row .gallery-row-inner{position:absolute;top:0;left:0;right:0;bottom:0;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-wrap:nowrap;flex-wrap:nowrap;-ms-flex-line-pack:stretch;align-content:stretch}.gallery-row .gallery-row-inner .attachment{margin:0 .5em 0 0;-ms-flex-positive:1;flex-grow:1;height:100%;box-sizing:border-box;min-width:2em}.gallery-row .gallery-row-inner .attachment:last-child{margin:0}.gallery-row .image-attachment{width:100%;height:100%}.gallery-row .video-container{height:100%}.gallery-row.contain-fit canvas,.gallery-row.contain-fit img,.gallery-row.contain-fit video{-o-object-fit:contain;object-fit:contain;height:100%}.gallery-row.cover-fit canvas,.gallery-row.cover-fit img,.gallery-row.cover-fit video{-o-object-fit:cover;object-fit:cover}",""])},function(t,e,n){var i=n(412);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("c13d6bee",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".link-preview-card{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;cursor:pointer;overflow:hidden;margin-top:.5em;color:#b9b9ba;color:var(--text,#b9b9ba);border-radius:10px;border-radius:var(--attachmentRadius,10px);border-color:#222;border:1px solid var(--border,#222)}.link-preview-card .card-image{-ms-flex-negative:0;flex-shrink:0;width:120px;max-width:25%}.link-preview-card .card-image img{width:100%;height:100%;-o-object-fit:cover;object-fit:cover;border-radius:10px;border-radius:var(--attachmentRadius,10px)}.link-preview-card .small-image{width:80px}.link-preview-card .card-content{max-height:100%;margin:.5em;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.link-preview-card .card-host{font-size:12px}.link-preview-card .card-description{margin:.5em 0 0;overflow:hidden;text-overflow:ellipsis;word-break:break-word;line-height:1.2em;max-height:calc(1.2em * 3 - 1px)}",""])},function(t,e,n){var i=n(414);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("0060b6a4",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".user-card{position:relative}.user-card .panel-heading{padding:.5em 0;text-align:center;box-shadow:none;background:transparent;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:stretch;align-items:stretch;position:relative}.user-card .panel-body{word-wrap:break-word;border-bottom-right-radius:inherit;border-bottom-left-radius:inherit;position:relative}.user-card .background-image{position:absolute;top:0;left:0;right:0;bottom:0;-webkit-mask:linear-gradient(0deg,#fff,transparent) bottom no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff,transparent) bottom no-repeat,linear-gradient(0deg,#fff,#fff);-webkit-mask-composite:xor;mask-composite:exclude;background-size:cover;-webkit-mask-size:100% 60%;mask-size:100% 60%;border-top-left-radius:calc(var(--panelRadius) - 1px);border-top-right-radius:calc(var(--panelRadius) - 1px);background-color:var(--profileBg)}.user-card .background-image.hide-bio{-webkit-mask-size:100% 40px;mask-size:100% 40px}.user-card p{margin-bottom:0}.user-card-bio{text-align:center}.user-card-bio a{color:#d8a070;color:var(--postLink,#d8a070)}.user-card-bio img{-o-object-fit:contain;object-fit:contain;vertical-align:middle;max-width:100%;max-height:400px}.user-card-bio img.emoji{width:32px;height:32px}.user-card-rounded-t{border-top-left-radius:10px;border-top-left-radius:var(--panelRadius,10px);border-top-right-radius:10px;border-top-right-radius:var(--panelRadius,10px)}.user-card-rounded{border-radius:10px;border-radius:var(--panelRadius,10px)}.user-card-bordered{border-color:#222;border:1px solid var(--border,#222)}.user-info{color:#b9b9ba;color:var(--lightText,#b9b9ba);padding:0 26px}.user-info .container{padding:16px 0 6px;display:-ms-flexbox;display:flex;-ms-flex-align:start;align-items:flex-start;max-height:56px}.user-info .container .Avatar{-ms-flex:1 0 100%;flex:1 0 100%;width:56px;height:56px;box-shadow:0 1px 8px rgba(0,0,0,.75);box-shadow:var(--avatarShadow);-o-object-fit:cover;object-fit:cover}.user-info:hover .Avatar{--still-image-img:visible;--still-image-canvas:hidden}.user-info-avatar-link{position:relative;cursor:pointer}.user-info-avatar-link-overlay{position:absolute;left:0;top:0;right:0;bottom:0;background-color:rgba(0,0,0,.3);display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:center;align-items:center;border-radius:4px;border-radius:var(--avatarRadius,4px);opacity:0;transition:opacity .2s ease}.user-info-avatar-link-overlay i{color:#fff}.user-info-avatar-link:hover .user-info-avatar-link-overlay{opacity:1}.user-info .usersettings{color:#b9b9ba;color:var(--lightText,#b9b9ba);opacity:.8}.user-info .user-summary{display:block;margin-left:.6em;text-align:left;text-overflow:ellipsis;white-space:nowrap;-ms-flex:1 1 0px;flex:1 1 0;z-index:1}.user-info .user-summary img{width:26px;height:26px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.user-info .user-summary .top-line{display:-ms-flexbox;display:flex}.user-info .user-name{text-overflow:ellipsis;overflow:hidden;-ms-flex:1 1 auto;flex:1 1 auto;margin-right:1em;font-size:15px}.user-info .user-name img{-o-object-fit:contain;object-fit:contain;height:16px;width:16px;vertical-align:middle}.user-info .bottom-line{display:-ms-flexbox;display:flex;font-weight:light;font-size:15px}.user-info .bottom-line .user-screen-name{min-width:1px;-ms-flex:0 1 auto;flex:0 1 auto;text-overflow:ellipsis;overflow:hidden;color:#b9b9ba;color:var(--lightText,#b9b9ba)}.user-info .bottom-line .dailyAvg{min-width:1px;-ms-flex:0 0 auto;flex:0 0 auto;margin-left:1em;font-size:.7em;color:#b9b9ba;color:var(--text,#b9b9ba)}.user-info .bottom-line .user-role{-ms-flex:none;flex:none;text-transform:capitalize;color:#b9b9ba;color:var(--alertNeutralText,#b9b9ba);background-color:#182230;background-color:var(--alertNeutral,#182230)}.user-info .user-meta{margin-bottom:.15em;display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;font-size:14px;line-height:22px;-ms-flex-wrap:wrap;flex-wrap:wrap}.user-info .user-meta .following{-ms-flex:1 0 auto;flex:1 0 auto;margin:0;margin-bottom:.25em;text-align:left}.user-info .user-meta .highlighter{-ms-flex:0 1 auto;flex:0 1 auto;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin-right:-.5em;-ms-flex-item-align:start;align-self:start}.user-info .user-meta .highlighter .userHighlightCl{padding:2px 10px;-ms-flex:1 0 auto;flex:1 0 auto}.user-info .user-meta .highlighter .userHighlightSel,.user-info .user-meta .highlighter .userHighlightSel.select{padding-top:0;padding-bottom:0;-ms-flex:1 0 auto;flex:1 0 auto}.user-info .user-meta .highlighter .userHighlightSel.select i{line-height:22px}.user-info .user-meta .highlighter .userHighlightText{width:70px;-ms-flex:1 0 auto;flex:1 0 auto}.user-info .user-meta .highlighter .userHighlightCl,.user-info .user-meta .highlighter .userHighlightSel,.user-info .user-meta .highlighter .userHighlightSel.select,.user-info .user-meta .highlighter .userHighlightText{height:22px;vertical-align:top;margin-right:.5em;margin-bottom:.25em}.user-info .user-interactions{position:relative;display:-ms-flexbox;display:flex;-ms-flex-flow:row wrap;flex-flow:row wrap;margin-right:-.75em}.user-info .user-interactions>*{margin:0 .75em .6em 0;white-space:nowrap;min-width:95px}.user-info .user-interactions button{margin:0}.user-counts{display:-ms-flexbox;display:flex;line-height:16px;padding:.5em 1.5em 0;text-align:center;-ms-flex-pack:justify;justify-content:space-between;color:#b9b9ba;color:var(--lightText,#b9b9ba);-ms-flex-wrap:wrap;flex-wrap:wrap}.user-count{-ms-flex:1 0 auto;flex:1 0 auto;padding:.5em 0;margin:0 .5em}.user-count h5{font-size:1em;font-weight:bolder;margin:0 0 .25em}.user-count a{text-decoration:none}",""])},function(t,e,n){var i=n(416);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("6b6f3617",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".Avatar{--still-image-label-visibility:hidden;width:48px;height:48px;box-shadow:var(--avatarStatusShadow);border-radius:4px;border-radius:var(--avatarRadius,4px)}.Avatar img{width:100%;height:100%}.Avatar.better-shadow{box-shadow:var(--avatarStatusShadowInset);filter:var(--avatarStatusShadowFilter)}.Avatar.animated:before{display:none}.Avatar.avatar-compact{width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}",""])},function(t,e,n){var i=n(418);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("4852bbb4",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".remote-follow{max-width:220px}.remote-follow .remote-button{width:100%;min-height:28px}",""])},function(t,e,n){var i=n(420);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("2c0672fc",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.menu-checkbox{float:right;min-width:22px;max-width:22px;min-height:22px;max-height:22px;line-height:22px;text-align:center;border-radius:0;background-color:#182230;background-color:var(--input,#182230);box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow)}.menu-checkbox.menu-checkbox-checked:after{content:"\\2714"}.moderation-tools-popover{height:100%}.moderation-tools-popover .trigger{display:-ms-flexbox!important;display:flex!important;height:100%}',""])},function(t,e,n){var i=n(422);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("56d82e88",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.dark-overlay:before{bottom:0;content:" ";left:0;right:0;background:rgba(27,31,35,.5);z-index:99}.dark-overlay:before,.dialog-modal.panel{display:block;cursor:default;position:fixed;top:0}.dialog-modal.panel{left:50%;max-height:80vh;max-width:90vw;margin:15vh auto;transform:translateX(-50%);z-index:999;background-color:#121a24;background-color:var(--bg,#121a24)}.dialog-modal.panel .dialog-modal-heading{padding:.5em;margin-right:auto;margin-bottom:0;white-space:nowrap;color:var(--panelText);background-color:#182230;background-color:var(--panel,#182230)}.dialog-modal.panel .dialog-modal-heading .title{margin-bottom:0;text-align:center}.dialog-modal.panel .dialog-modal-content{margin:0;padding:1rem;background-color:#121a24;background-color:var(--bg,#121a24);white-space:normal}.dialog-modal.panel .dialog-modal-footer{margin:0;padding:.5em;background-color:#121a24;background-color:var(--bg,#121a24);border-top:1px solid #222;border-top:1px solid var(--border,#222);display:-ms-flexbox;display:flex;-ms-flex-pack:end;justify-content:flex-end}.dialog-modal.panel .dialog-modal-footer button{width:auto;margin-left:.5rem}',""])},function(t,e,n){var i=n(424);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("8c9d5016",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".account-actions{margin:0 .8em}.account-actions button.dropdown-item{margin-left:0}.account-actions .trigger-button{color:#b9b9ba;color:var(--lightText,#b9b9ba);opacity:.8;cursor:pointer}.account-actions .trigger-button:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}",""])},function(t,e,n){var i=n(426);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7096a06e",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".avatars{display:-ms-flexbox;display:flex;margin:0;padding:0;-ms-flex-wrap:wrap;flex-wrap:wrap;height:24px}.avatars .avatars-item{margin:0 0 5px 5px}.avatars .avatars-item:first-child{padding-left:5px}.avatars .avatars-item .avatar-small{border-radius:10px;border-radius:var(--avatarAltRadius,10px);height:24px;width:24px}",""])},function(t,e,n){var i=n(428);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("14cff5b4",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".status-popover.popover{font-size:1rem;min-width:15em;max-width:95%;border-color:#222;border:1px solid var(--border,#222);border-radius:5px;border-radius:var(--tooltipRadius,5px);box-shadow:2px 2px 3px rgba(0,0,0,.5);box-shadow:var(--popupShadow)}.status-popover.popover .Status.Status{border:none}.status-popover.popover .status-preview-no-content{padding:1em;text-align:center}.status-popover.popover .status-preview-no-content i{font-size:2em}",""])},function(t,e,n){var i=n(430);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("50540f22",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".user-list-popover{padding:.5em}.user-list-popover .user-list-row{padding:.25em;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row}.user-list-popover .user-list-row .user-list-names{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin-left:.5em;min-width:5em}.user-list-popover .user-list-row .user-list-names img{width:1em;height:1em}.user-list-popover .user-list-row .user-list-screen-name{font-size:9px}",""])},function(t,e,n){var i=n(432);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("cf35b50a",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".emoji-reactions{display:-ms-flexbox;display:flex;margin-top:.25em;-ms-flex-wrap:wrap;flex-wrap:wrap}.emoji-reaction{padding:0 .5em;margin-right:.5em;margin-top:.5em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;box-sizing:border-box}.emoji-reaction .reaction-emoji{width:1.25em;margin-right:.25em}.emoji-reaction:focus{outline:none}.emoji-reaction.not-clickable{cursor:default}.emoji-reaction.not-clickable:hover{box-shadow:0 0 2px 0 #000,inset 0 1px 0 0 hsla(0,0%,100%,.2),inset 0 -1px 0 0 rgba(0,0,0,.2);box-shadow:var(--buttonShadow)}.emoji-reaction-expand{padding:0 .5em;margin-right:.5em;margin-top:.5em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center}.emoji-reaction-expand:hover{text-decoration:underline}.picked-reaction{border:1px solid var(--accent,#d8a070);margin-left:-1px;margin-right:calc(.5em - 1px)}",""])},function(t,e,n){var i=n(434);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("93498d0a",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".Conversation .conversation-status{border-left:none;border-bottom-width:1px;border-bottom-style:solid;border-bottom-color:var(--border,#222);border-radius:0}.Conversation.-expanded .conversation-status{border-color:#222;border-color:var(--border,#222);border-left:4px solid red;border-left:4px solid var(--cRed,red)}.Conversation.-expanded .conversation-status:last-child{border-bottom:none;border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}",""])},,,,,,,,,,,,,,,function(t,e,n){var i=n(450);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("b449a0b2",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".timeline-menu{-ms-flex-negative:1;flex-shrink:1;margin-right:auto;min-width:0;width:24rem}.timeline-menu .timeline-menu-popover-wrap{overflow:hidden;margin-top:.6rem;padding:0 15px 15px}.timeline-menu .timeline-menu-popover{width:24rem;max-width:100vw;margin:0;font-size:1rem;transform:translateY(-100%);transition:transform .1s}.timeline-menu .panel:after,.timeline-menu .timeline-menu-popover{border-top-right-radius:0;border-top-left-radius:0}.timeline-menu.open .timeline-menu-popover{transform:translateY(0)}.timeline-menu .timeline-menu-title{margin:0;cursor:pointer;display:-ms-flexbox;display:flex;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;width:100%}.timeline-menu .timeline-menu-title span{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.timeline-menu .timeline-menu-title i{margin-left:.6em;-ms-flex-negative:0;flex-shrink:0;font-size:1rem;transition:transform .1s}.timeline-menu.open .timeline-menu-title i{color:#b9b9ba;color:var(--panelText,#b9b9ba);transform:rotate(180deg)}.timeline-menu .panel{box-shadow:var(--popoverShadow)}.timeline-menu ul{list-style:none;margin:0;padding:0}.timeline-menu li{border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);padding:0}.timeline-menu li:last-child a{border-bottom-right-radius:10px;border-bottom-right-radius:var(--panelRadius,10px);border-bottom-left-radius:10px;border-bottom-left-radius:var(--panelRadius,10px)}.timeline-menu li:last-child{border:none}.timeline-menu li i{margin:0 .5em}.timeline-menu a{display:block;padding:.6em 0}.timeline-menu a:hover{color:#d8a070;color:var(--selectedMenuText,#d8a070)}.timeline-menu a.router-link-active,.timeline-menu a:hover{background-color:#151e2a;background-color:var(--selectedMenu,#151e2a);--faint:var(--selectedMenuFaintText,$fallback--faint);--faintLink:var(--selectedMenuFaintLink,$fallback--faint);--lightText:var(--selectedMenuLightText,$fallback--lightText);--icon:var(--selectedMenuIcon,$fallback--icon)}.timeline-menu a.router-link-active{font-weight:bolder;color:#b9b9ba;color:var(--selectedMenuText,#b9b9ba)}.timeline-menu a.router-link-active:hover{text-decoration:underline}",""])},function(t,e,n){var i=n(452);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("87e1cf2e",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".notifications:not(.minimal){padding-bottom:15em}.notifications .loadmore-error{color:#b9b9ba;color:var(--text,#b9b9ba)}.notifications .notification{position:relative}.notifications .notification .notification-overlay{position:absolute;top:0;right:0;left:0;bottom:0;pointer-events:none}.notifications .notification.unseen .notification-overlay{background-image:linear-gradient(135deg,var(--badgeNotification,red) 4px,transparent 10px)}.notification{box-sizing:border-box;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);word-wrap:break-word;word-break:break-word}.notification:hover .animated.Avatar canvas{display:none}.notification:hover .animated.Avatar img{visibility:visible}.notification .non-mention{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1;-ms-flex-wrap:nowrap;flex-wrap:nowrap;padding:.6em;min-width:0;--link:var(--faintLink);--text:var(--faint)}.notification .non-mention .avatar-container{width:32px;height:32px}.notification .follow-request-accept{cursor:pointer}.notification .follow-request-accept:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}.notification .follow-request-reject{cursor:pointer}.notification .follow-request-reject:hover{color:red;color:var(--cRed,red)}.notification .follow-text,.notification .move-text{padding:.5em 0;overflow-wrap:break-word;display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between}.notification .follow-text .follow-name,.notification .move-text .follow-name{display:block;max-width:100%;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.notification .Status{-ms-flex:1;flex:1}.notification time{white-space:nowrap}.notification .notification-right{-ms-flex:1;flex:1;padding-left:.8em;min-width:0}.notification .notification-right .timeago{min-width:3em;text-align:right}.notification .emoji-reaction-emoji{font-size:16px}.notification .notification-details{min-width:0;word-wrap:break-word;line-height:18px;position:relative;overflow:hidden;width:100%;-ms-flex:1 1 0px;flex:1 1 0;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap;-ms-flex-pack:justify;justify-content:space-between}.notification .notification-details .name-and-action{-ms-flex:1;flex:1;overflow:hidden;text-overflow:ellipsis}.notification .notification-details .username{font-weight:bolder;max-width:100%;text-overflow:ellipsis;white-space:nowrap}.notification .notification-details .username img{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.notification .notification-details .timeago{margin-right:.2em}.notification .notification-details .icon-retweet.lit{color:#0fa00f;color:var(--cGreen,#0fa00f)}.notification .notification-details .icon-reply.lit,.notification .notification-details .icon-user-plus.lit,.notification .notification-details .icon-user.lit{color:#0095ff;color:var(--cBlue,#0095ff)}.notification .notification-details .icon-star.lit{color:orange;color:var(--cOrange,orange)}.notification .notification-details .icon-arrow-curved.lit{color:#0095ff;color:var(--cBlue,#0095ff)}.notification .notification-details .status-content{margin:0;max-height:300px}.notification .notification-details h1{word-break:break-all;margin:0 0 .3em;padding:0;font-size:1em;line-height:20px}.notification .notification-details h1 small{font-weight:lighter}.notification .notification-details p{margin:0;margin-top:0;margin-bottom:.3em}",""])},function(t,e,n){var i=n(454);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("41041624",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.Notification.-muted{padding:.25em .6em;height:1.2em;line-height:1.2em;text-overflow:ellipsis;overflow:hidden;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.Notification.-muted .mute-thread,.Notification.-muted .mute-words,.Notification.-muted .status-username{word-wrap:normal;word-break:normal;white-space:nowrap}.Notification.-muted .mute-words,.Notification.-muted .status-username{text-overflow:ellipsis;overflow:hidden}.Notification.-muted .status-username{font-weight:400;-ms-flex:0 1 auto;flex:0 1 auto;margin-right:.2em;font-size:smaller}.Notification.-muted .mute-thread{-ms-flex:0 0 auto;flex:0 0 auto}.Notification.-muted .mute-words{-ms-flex:1 0 5em;flex:1 0 5em;margin-left:.2em}.Notification.-muted .mute-words:before{content:" "}.Notification.-muted .unmute{-ms-flex:0 0 auto;flex:0 0 auto;margin-left:auto;display:block}',""])},function(t,e,n){var i=n(456);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("3a6f72a2",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".chat-list{min-height:25em;margin-bottom:0}.emtpy-chat-list-alert{padding:3em;font-size:1.2em;display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;color:#b9b9ba;color:var(--faint,#b9b9ba)}",""])},function(t,e,n){var i=n(458);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("33c6b65e",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".chat-list-item{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;padding:.75em;height:5em;overflow:hidden;box-sizing:border-box;cursor:pointer}.chat-list-item :focus{outline:none}.chat-list-item:hover{background-color:var(--selectedPost,#151e2a);box-shadow:0 0 3px 1px rgba(0,0,0,.1)}.chat-list-item .chat-list-item-left{margin-right:1em}.chat-list-item .chat-list-item-center{width:100%;box-sizing:border-box;overflow:hidden;word-wrap:break-word}.chat-list-item .heading{width:100%;display:-ms-inline-flexbox;display:inline-flex;-ms-flex-pack:justify;justify-content:space-between;line-height:1em}.chat-list-item .heading-right{white-space:nowrap}.chat-list-item .name-and-account-name{text-overflow:ellipsis;white-space:nowrap;overflow:hidden;-ms-flex-negative:1;flex-shrink:1;line-height:1.4em}.chat-list-item .chat-preview{display:-ms-inline-flexbox;display:inline-flex;overflow:hidden;white-space:nowrap;text-overflow:ellipsis;margin:.35em 0;color:#b9b9ba;color:var(--faint,#b9b9ba);width:100%}.chat-list-item a{color:var(--faintLink,#d8a070);text-decoration:none;pointer-events:none}.chat-list-item:hover .animated.avatar canvas{display:none}.chat-list-item:hover .animated.avatar img{visibility:visible}.chat-list-item .Avatar{border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.chat-list-item .StatusContent img.emoji{width:1.4em;height:1.4em}.chat-list-item .time-wrapper{line-height:1.4em}.chat-list-item .single-line{padding-right:1em}",""])},function(t,e,n){var i=n(460);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("3dcd538d",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".chat-title{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.chat-title,.chat-title .username{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.chat-title .username{max-width:100%;display:inline;word-wrap:break-word}.chat-title .username .emoji{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.chat-title .Avatar{width:23px;height:23px;margin-right:.5em;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.chat-title .Avatar.animated:before{display:none}",""])},function(t,e,n){var i=n(462);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("ca48b176",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".chat-new .input-wrap{display:-ms-flexbox;display:flex;margin:.7em .5em}.chat-new .input-wrap input{width:100%}.chat-new .icon-search{font-size:1.5em;float:right;margin-right:.3em}.chat-new .member-list{padding-bottom:.7rem}.chat-new .basic-user-card:hover{cursor:pointer;background-color:var(--selectedPost,#151e2a)}.chat-new .go-back-button{cursor:pointer}",""])},function(t,e,n){var i=n(464);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("119ab786",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".basic-user-card{display:-ms-flexbox;display:flex;-ms-flex:1 0;flex:1 0;margin:0;padding:.6em 1em}.basic-user-card-collapsed-content{margin-left:.7em;text-align:left;-ms-flex:1;flex:1;min-width:0}.basic-user-card-user-name img{-o-object-fit:contain;object-fit:contain;height:16px;width:16px;vertical-align:middle}.basic-user-card-screen-name,.basic-user-card-user-name-value{display:inline-block;max-width:100%;overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.basic-user-card-expanded-content{-ms-flex:1;flex:1;margin-left:.7em;min-width:0}",""])},function(t,e,n){var i=n(466);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("33745640",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".list-item:not(:last-child){border-bottom:1px solid;border-bottom-color:#222;border-bottom-color:var(--border,#222)}.list-empty-content{text-align:center;padding:10px}",""])},function(t,e,n){var i=n(468);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("0f673926",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".chat-view{display:-ms-flexbox;display:flex;height:calc(100vh - 60px);width:100%}.chat-view .chat-title{height:28px}.chat-view .chat-view-inner{height:auto;margin:.5em .5em 0}.chat-view .chat-view-body,.chat-view .chat-view-inner{width:100%;overflow:visible;display:-ms-flexbox;display:flex}.chat-view .chat-view-body{background-color:var(--chatBg,#121a24);-ms-flex-direction:column;flex-direction:column;min-height:100%;margin:0;border-radius:10px 10px 0 0;border-radius:var(--panelRadius,10px) var(--panelRadius,10px) 0 0}.chat-view .chat-view-body:after{border-radius:0}.chat-view .scrollable-message-list{padding:0 .8em;height:100%;overflow-y:scroll;overflow-x:hidden;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.chat-view .footer{position:-webkit-sticky;position:sticky;bottom:0}.chat-view .chat-view-heading{-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between;top:50px;display:-ms-flexbox;display:flex;z-index:2;position:-webkit-sticky;position:sticky;overflow:hidden}.chat-view .go-back-button{cursor:pointer;margin-right:1.4em}.chat-view .go-back-button i,.chat-view .jump-to-bottom-button{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.chat-view .jump-to-bottom-button{width:2.5em;height:2.5em;border-radius:100%;position:absolute;right:1.3em;top:-3.2em;background-color:#182230;background-color:var(--btn,#182230);-ms-flex-pack:center;justify-content:center;box-shadow:0 1px 1px rgba(0,0,0,.3),0 2px 4px rgba(0,0,0,.3);z-index:10;transition:all .35s;transition-timing-function:cubic-bezier(0,1,.5,1);opacity:0;visibility:hidden;cursor:pointer}.chat-view .jump-to-bottom-button.visible{opacity:1;visibility:visible}.chat-view .jump-to-bottom-button i{font-size:1em;color:#b9b9ba;color:var(--text,#b9b9ba)}.chat-view .jump-to-bottom-button .unread-message-count{font-size:.8em;left:50%;transform:translate(-50%);border-radius:100%;margin-top:-1rem;padding:0}.chat-view .jump-to-bottom-button .chat-loading-error{width:100%;display:-ms-flexbox;display:flex;-ms-flex-align:end;align-items:flex-end;height:100%}.chat-view .jump-to-bottom-button .chat-loading-error .error{width:100%}@media (max-width:800px){.chat-view{height:100%;overflow:hidden}.chat-view .chat-view-inner{overflow:hidden;height:100%;margin-top:0;margin-left:0;margin-right:0}.chat-view .chat-view-body{display:-ms-flexbox;display:flex;min-height:auto;overflow:hidden;height:100%;margin:0;border-radius:0}.chat-view .chat-view-heading{position:static;z-index:9999;top:0;margin-top:0;border-radius:0}.chat-view .scrollable-message-list{display:unset;overflow-y:scroll;overflow-x:hidden;-webkit-overflow-scrolling:touch}.chat-view .footer{position:-webkit-sticky;position:sticky;bottom:auto}}",""])},function(t,e,n){var i=n(470);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("20b81e5e",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.chat-message-wrapper.hovered-message-chain .animated.Avatar canvas{display:none}.chat-message-wrapper.hovered-message-chain .animated.Avatar img{visibility:visible}.chat-message-wrapper .chat-message-menu{transition:opacity .1s;opacity:0;position:absolute;top:-.8em}.chat-message-wrapper .chat-message-menu button{padding-top:.2em;padding-bottom:.2em}.chat-message-wrapper .icon-ellipsis{cursor:pointer;border-radius:10px;border-radius:var(--chatMessageRadius,10px)}.chat-message-wrapper .icon-ellipsis:hover,.extra-button-popover.open .chat-message-wrapper .icon-ellipsis{color:#b9b9ba;color:var(--text,#b9b9ba)}.chat-message-wrapper .popover{width:12em}.chat-message-wrapper .chat-message{display:-ms-flexbox;display:flex;padding-bottom:.5em}.chat-message-wrapper .avatar-wrapper{margin-right:.72em;width:32px}.chat-message-wrapper .attachments,.chat-message-wrapper .link-preview{margin-bottom:1em}.chat-message-wrapper .chat-message-inner{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:start;align-items:flex-start;max-width:80%;min-width:10em;width:100%}.chat-message-wrapper .chat-message-inner.with-media{width:100%}.chat-message-wrapper .chat-message-inner.with-media .gallery-row{overflow:hidden}.chat-message-wrapper .chat-message-inner.with-media .status{width:100%}.chat-message-wrapper .status{border-radius:10px;border-radius:var(--chatMessageRadius,10px);display:-ms-flexbox;display:flex;padding:.75em}.chat-message-wrapper .created-at{position:relative;float:right;font-size:.8em;margin:-1em 0 -.5em;font-style:italic;opacity:.8}.chat-message-wrapper .without-attachment .status-content:after{margin-right:5.4em;content:" ";display:inline-block}.chat-message-wrapper .incoming a{color:var(--chatMessageIncomingLink,#d8a070)}.chat-message-wrapper .incoming .status{background-color:var(--chatMessageIncomingBg,#121a24);border:1px solid var(--chatMessageIncomingBorder,--border)}.chat-message-wrapper .incoming .created-at a,.chat-message-wrapper .incoming .status{color:var(--chatMessageIncomingText,#b9b9ba)}.chat-message-wrapper .incoming .chat-message-menu{left:.4rem}.chat-message-wrapper .outgoing{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-line-pack:end;align-content:end;-ms-flex-pack:end;justify-content:flex-end}.chat-message-wrapper .outgoing a{color:var(--chatMessageOutgoingLink,#d8a070)}.chat-message-wrapper .outgoing .status{color:var(--chatMessageOutgoingText,#b9b9ba);background-color:var(--chatMessageOutgoingBg,#151e2a);border:1px solid var(--chatMessageOutgoingBorder,--lightBg)}.chat-message-wrapper .outgoing .chat-message-inner{-ms-flex-align:end;align-items:flex-end}.chat-message-wrapper .outgoing .chat-message-menu{right:.4rem}.chat-message-wrapper .visible{opacity:1}.chat-message-date-separator{text-align:center;margin:1.4em 0;font-size:.9em;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;color:#b9b9ba;color:var(--faintedText,#b9b9ba)}',""])},function(t,e,n){var i=n(472);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7563b46e",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".user-profile{-ms-flex:2;flex:2;-ms-flex-preferred-size:500px;flex-basis:500px}.user-profile .user-profile-fields{margin:0 .5em}.user-profile .user-profile-fields img{-o-object-fit:contain;object-fit:contain;vertical-align:middle;max-width:100%;max-height:400px}.user-profile .user-profile-fields img.emoji{width:18px;height:18px}.user-profile .user-profile-fields .user-profile-field{display:-ms-flexbox;display:flex;margin:.25em auto;max-width:32em;border:1px solid var(--border,#222);border-radius:4px;border-radius:var(--inputRadius,4px)}.user-profile .user-profile-fields .user-profile-field .user-profile-field-name{-ms-flex:0 1 30%;flex:0 1 30%;font-weight:500;text-align:right;color:var(--lightText);min-width:120px;border-right:1px solid var(--border,#222)}.user-profile .user-profile-fields .user-profile-field .user-profile-field-value{-ms-flex:1 1 70%;flex:1 1 70%;color:var(--text);margin:0 0 0 .25em}.user-profile .user-profile-fields .user-profile-field .user-profile-field-name,.user-profile .user-profile-fields .user-profile-field .user-profile-field-value{line-height:18px;text-overflow:ellipsis;white-space:nowrap;overflow:hidden;padding:.5em 1.5em;box-sizing:border-box}.user-profile .userlist-placeholder{-ms-flex-align:middle;align-items:middle;padding:2em}.user-profile .timeline-heading,.user-profile .userlist-placeholder{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center}.user-profile .timeline-heading .alert,.user-profile .timeline-heading .loadmore-button{-ms-flex:1;flex:1}.user-profile .timeline-heading .loadmore-button{height:28px;margin:10px .6em}.user-profile .timeline-heading .loadmore-text,.user-profile .timeline-heading .title{display:none}.user-profile-placeholder .panel-body{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:middle;align-items:middle;padding:7em}",""])},function(t,e,n){var i=n(474);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("ae955a70",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".follow-card-content-container{-ms-flex-negative:0;flex-shrink:0;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-wrap:wrap;flex-wrap:wrap;line-height:1.5em}.follow-card-follow-button{margin-top:.5em;margin-left:auto;width:10em}",""])},function(t,e,n){},function(t,e,n){},function(t,e,n){var i=n(478);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("354d66d6",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".search-result-heading{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));padding:.75rem;text-align:center}@media (max-width:800px){.search-nav-heading .tab-switcher .tabs .tab-wrapper{display:block;-ms-flex-pack:center;justify-content:center;-ms-flex:1 1 auto;flex:1 1 auto;text-align:center}}.search-result{box-sizing:border-box;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222)}.search-result-footer{border-width:1px 0 0;border-style:solid;border-color:var(--border,#222);padding:10px;background-color:#182230;background-color:var(--panel,#182230)}.search-input-container{padding:.8rem;display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center}.search-input-container .search-input{width:100%;line-height:1.125rem;font-size:1rem;padding:.5rem;box-sizing:border-box}.search-input-container .search-button{margin-left:.5em}.loading-icon{padding:1em}.trend{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.trend .hashtag{-ms-flex:1 1 auto;flex:1 1 auto;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.trend .count,.trend .hashtag{color:#b9b9ba;color:var(--text,#b9b9ba)}.trend .count{-ms-flex:0 0 auto;flex:0 0 auto;width:2rem;font-size:1.5rem;line-height:2.25rem;font-weight:500;text-align:center}",""])},function(t,e,n){var i=n(480);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("16815f76",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'.registration-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:.6em}.registration-form .container{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row}.registration-form .terms-of-service{-ms-flex:0 1 50%;flex:0 1 50%;margin:.8em}.registration-form .text-fields{margin-top:.6em;-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.registration-form textarea{min-height:100px;resize:vertical}.registration-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.3em 0;line-height:24px;margin-bottom:1em}.registration-form .form-group--error{animation-name:shakeError;animation-duration:.6s;animation-timing-function:ease-in-out}.registration-form .form-group--error .form--label{color:#f04124;color:var(--cRed,#f04124)}.registration-form .form-error{margin-top:-.7em;text-align:left}.registration-form .form-error span{font-size:12px}.registration-form .form-error ul{list-style:none;padding:0 0 0 5px;margin-top:0}.registration-form .form-error ul li:before{content:"\\2022 "}.registration-form form textarea{line-height:16px;resize:vertical}.registration-form .captcha{max-width:350px;margin-bottom:.4em}.registration-form .btn{margin-top:.6em;height:28px}.registration-form .error{text-align:center}@media (max-width:800px){.registration-form .container{-ms-flex-direction:column-reverse;flex-direction:column-reverse}}',""])},,,,,,,,,,,,,,,,,,,,,,,,,function(t,e,n){var i=n(506);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("1ef4fd93",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".password-reset-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:center;align-items:center;margin:.6em}.password-reset-form .container{display:-ms-flexbox;display:flex;-ms-flex:1 0;flex:1 0;-ms-flex-direction:column;flex-direction:column;margin-top:.6em;max-width:18rem}.password-reset-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin-bottom:1em;padding:.3em 0;line-height:24px}.password-reset-form .error{text-align:center;animation-name:shakeError;animation-duration:.4s;animation-timing-function:ease-in-out}.password-reset-form .alert{padding:.5em;margin:.3em 0 1em}.password-reset-form .password-reset-required{background-color:var(--alertError,rgba(211,16,20,.5));padding:10px 0}.password-reset-form .notice-dismissible{padding-right:2rem}.password-reset-form .icon-cancel{cursor:pointer}",""])},function(t,e,n){var i=n(508);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("ad510f10",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".follow-request-card-content-container{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-wrap:wrap;flex-wrap:wrap}.follow-request-card-content-container button{margin-top:.5em;margin-right:.5em;-ms-flex:1 1;flex:1 1;max-width:12em;min-width:8em}.follow-request-card-content-container button:last-child{margin-right:0}",""])},function(t,e,n){var i=n(510);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("42704024",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".login-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.6em}.login-form .btn{min-height:28px;width:10em}.login-form .register{-ms-flex:1 1;flex:1 1}.login-form .login-bottom{margin-top:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between}.login-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.3em .5em .6em;line-height:24px}.login-form .form-bottom{display:-ms-flexbox;display:flex;padding:.5em;height:32px}.login-form .form-bottom button{width:10em}.login-form .form-bottom p{margin:.35em;padding:.35em;display:-ms-flexbox;display:flex}.login-form .error{text-align:center;animation-name:shakeError;animation-duration:.4s;animation-timing-function:ease-in-out}",""])},function(t,e,n){var i=n(512);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("2c0040e1",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".floating-chat{position:fixed;right:0;bottom:0;z-index:1000;max-width:25em}.chat-panel .chat-heading{cursor:pointer}.chat-panel .chat-heading .icon-comment-empty{color:#b9b9ba;color:var(--text,#b9b9ba)}.chat-panel .chat-window{overflow-y:auto;overflow-x:hidden;max-height:20em}.chat-panel .chat-window-container{height:100%}.chat-panel .chat-message{display:-ms-flexbox;display:flex;padding:.2em .5em}.chat-panel .chat-avatar img{height:24px;width:24px;border-radius:4px;border-radius:var(--avatarRadius,4px);margin-right:.5em;margin-top:.25em}.chat-panel .chat-input{display:-ms-flexbox;display:flex}.chat-panel .chat-input textarea{-ms-flex:1;flex:1;margin:.6em;min-height:3.5em;resize:none}.chat-panel .chat-panel .title{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between}",""])},function(t,e,n){var i=n(514);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("c74f4f44",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,"",""])},function(t,e,n){var i=n(516);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7dfaed97",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,"",""])},function(t,e,n){var i=n(518);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("55ca8508",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".features-panel li{line-height:24px}",""])},function(t,e,n){var i=n(520);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("42aabc98",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".tos-content{margin:1em}",""])},function(t,e,n){var i=n(522);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("5aa588af",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,"",""])},function(t,e,n){var i=n(524);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("72647543",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".mrf-section{margin:1em}",""])},function(t,e,n){var i=n(526);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("67a8aa3d",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,"",""])},function(t,e,n){var i=n(528);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("5c806d03",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,'#app{min-height:100vh;max-width:100%;overflow:hidden}.app-bg-wrapper{position:fixed;z-index:-1;height:100%;left:0;right:-20px;background-size:cover;background-repeat:no-repeat;background-position:0 50%}i[class^=icon-]{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}h4{margin:0}#content{box-sizing:border-box;padding-top:60px;margin:auto;min-height:100vh;max-width:980px;-ms-flex-line-pack:start;align-content:flex-start}.underlay{background-color:rgba(0,0,0,.15);background-color:var(--underlay,rgba(0,0,0,.15))}.text-center{text-align:center}html{font-size:14px}body{overscroll-behavior-y:none;font-family:sans-serif;font-family:var(--interfaceFont,sans-serif);margin:0;color:#b9b9ba;color:var(--text,#b9b9ba);max-width:100vw;overflow-x:hidden;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}body.hidden{display:none}a{text-decoration:none;color:#d8a070;color:var(--link,#d8a070)}button{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;background-color:#182230;background-color:var(--btn,#182230);border:none;border-radius:4px;border-radius:var(--btnRadius,4px);cursor:pointer;box-shadow:0 0 2px 0 #000,inset 0 1px 0 0 hsla(0,0%,100%,.2),inset 0 -1px 0 0 rgba(0,0,0,.2);box-shadow:var(--buttonShadow);font-size:14px;font-family:sans-serif;font-family:var(--interfaceFont,sans-serif)}button,button i[class*=icon-]{color:#b9b9ba;color:var(--btnText,#b9b9ba)}button::-moz-focus-inner{border:none}button:hover{box-shadow:0 0 4px hsla(0,0%,100%,.3);box-shadow:var(--buttonHoverShadow)}button:active{box-shadow:0 0 4px 0 hsla(0,0%,100%,.3),inset 0 1px 0 0 rgba(0,0,0,.2),inset 0 -1px 0 0 hsla(0,0%,100%,.2);box-shadow:var(--buttonPressedShadow);background-color:#182230;background-color:var(--btnPressed,#182230)}button:active,button:active i{color:#b9b9ba;color:var(--btnPressedText,#b9b9ba)}button:disabled{cursor:not-allowed;background-color:#182230;background-color:var(--btnDisabled,#182230)}button:disabled,button:disabled i{color:#b9b9ba;color:var(--btnDisabledText,#b9b9ba)}button.toggled{background-color:#182230;background-color:var(--btnToggled,#182230);box-shadow:0 0 4px 0 hsla(0,0%,100%,.3),inset 0 1px 0 0 rgba(0,0,0,.2),inset 0 -1px 0 0 hsla(0,0%,100%,.2);box-shadow:var(--buttonPressedShadow)}button.toggled,button.toggled i{color:#b9b9ba;color:var(--btnToggledText,#b9b9ba)}button.danger{color:#b9b9ba;color:var(--alertErrorPanelText,#b9b9ba);background-color:rgba(211,16,20,.5);background-color:var(--alertError,rgba(211,16,20,.5))}.input,.select,input,textarea{border:none;border-radius:4px;border-radius:var(--inputRadius,4px);box-shadow:inset 0 1px 0 0 rgba(0,0,0,.2),inset 0 -1px 0 0 hsla(0,0%,100%,.2),inset 0 0 2px 0 #000;box-shadow:var(--inputShadow);background-color:#182230;background-color:var(--input,#182230);color:#b9b9ba;color:var(--inputText,#b9b9ba);font-family:sans-serif;font-family:var(--inputFont,sans-serif);font-size:14px;margin:0;box-sizing:border-box;display:inline-block;position:relative;height:28px;line-height:16px;-webkit-hyphens:none;-ms-hyphens:none;hyphens:none;padding:8px .5em}.input.unstyled,.select.unstyled,input.unstyled,textarea.unstyled{border-radius:0;background:none;box-shadow:none;height:unset}.input.select,.select.select,input.select,textarea.select{padding:0}.input:disabled,.input[disabled=disabled],.select:disabled,.select[disabled=disabled],input:disabled,input[disabled=disabled],textarea:disabled,textarea[disabled=disabled]{cursor:not-allowed;opacity:.5}.input .icon-down-open,.select .icon-down-open,input .icon-down-open,textarea .icon-down-open{position:absolute;top:0;bottom:0;right:5px;height:100%;color:#b9b9ba;color:var(--inputText,#b9b9ba);line-height:28px;z-index:0;pointer-events:none}.input select,.select select,input select,textarea select{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:transparent;border:none;color:#b9b9ba;color:var(--inputText,--text,#b9b9ba);margin:0;padding:0 2em 0 .2em;font-family:sans-serif;font-family:var(--inputFont,sans-serif);font-size:14px;width:100%;z-index:1;height:28px;line-height:16px}.input[type=range],.select[type=range],input[type=range],textarea[type=range]{background:none;border:none;margin:0;box-shadow:none;-ms-flex:1;flex:1}.input[type=radio],.select[type=radio],input[type=radio],textarea[type=radio]{display:none}.input[type=radio]:checked+label:before,.select[type=radio]:checked+label:before,input[type=radio]:checked+label:before,textarea[type=radio]:checked+label:before{box-shadow:inset 0 0 2px #000,inset 0 0 0 4px #182230;box-shadow:var(--inputShadow),0 0 0 4px var(--fg,#182230) inset;background-color:var(--accent,#d8a070)}.input[type=radio]:disabled,.input[type=radio]:disabled+label,.input[type=radio]:disabled+label:before,.select[type=radio]:disabled,.select[type=radio]:disabled+label,.select[type=radio]:disabled+label:before,input[type=radio]:disabled,input[type=radio]:disabled+label,input[type=radio]:disabled+label:before,textarea[type=radio]:disabled,textarea[type=radio]:disabled+label,textarea[type=radio]:disabled+label:before{opacity:.5}.input[type=radio]+label:before,.select[type=radio]+label:before,input[type=radio]+label:before,textarea[type=radio]+label:before{-ms-flex-negative:0;flex-shrink:0;display:inline-block;content:"";transition:box-shadow .2s;width:1.1em;height:1.1em;border-radius:100%;box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow);margin-right:.5em;background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}.input[type=checkbox],.select[type=checkbox],input[type=checkbox],textarea[type=checkbox]{display:none}.input[type=checkbox]:checked+label:before,.select[type=checkbox]:checked+label:before,input[type=checkbox]:checked+label:before,textarea[type=checkbox]:checked+label:before{color:#b9b9ba;color:var(--inputText,#b9b9ba)}.input[type=checkbox]:disabled,.input[type=checkbox]:disabled+label,.input[type=checkbox]:disabled+label:before,.select[type=checkbox]:disabled,.select[type=checkbox]:disabled+label,.select[type=checkbox]:disabled+label:before,input[type=checkbox]:disabled,input[type=checkbox]:disabled+label,input[type=checkbox]:disabled+label:before,textarea[type=checkbox]:disabled,textarea[type=checkbox]:disabled+label,textarea[type=checkbox]:disabled+label:before{opacity:.5}.input[type=checkbox]+label:before,.select[type=checkbox]+label:before,input[type=checkbox]+label:before,textarea[type=checkbox]+label:before{-ms-flex-negative:0;flex-shrink:0;display:inline-block;content:"\\2714";transition:color .2s;width:1.1em;height:1.1em;border-radius:2px;border-radius:var(--checkboxRadius,2px);box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow);margin-right:.5em;background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}option{color:#b9b9ba;color:var(--text,#b9b9ba);background-color:#121a24;background-color:var(--bg,#121a24)}.hide-number-spinner{-moz-appearance:textfield}.hide-number-spinner[type=number]::-webkit-inner-spin-button,.hide-number-spinner[type=number]::-webkit-outer-spin-button{opacity:0;display:none}i[class*=icon-]{color:#666;color:var(--icon,#666)}.btn-block{display:block;width:100%}.btn-group{position:relative;display:-ms-inline-flexbox;display:inline-flex;vertical-align:middle}.btn-group button{position:relative;-ms-flex:1 1 auto;flex:1 1 auto}.btn-group button:not(:last-child){border-top-right-radius:0;border-bottom-right-radius:0}.btn-group button:not(:first-child){border-top-left-radius:0;border-bottom-left-radius:0}.container{-ms-flex-wrap:wrap;flex-wrap:wrap;margin:0;padding:0 10px}.container,.item{display:-ms-flexbox;display:flex}.item{-ms-flex:1;flex:1;line-height:50px;height:50px;overflow:hidden;-ms-flex-wrap:wrap;flex-wrap:wrap}.item .nav-icon{margin-left:.4em}.item.right{-ms-flex-pack:end;justify-content:flex-end}.auto-size{-ms-flex:1;flex:1}.nav-bar{padding:0;width:100%;-ms-flex-align:center;align-items:center;position:fixed;height:50px;box-sizing:border-box}.nav-bar button,.nav-bar button i[class*=icon-]{color:#b9b9ba;color:var(--btnTopBarText,#b9b9ba)}.nav-bar button:active{background-color:#182230;background-color:var(--btnPressedTopBar,#182230);color:#b9b9ba;color:var(--btnPressedTopBarText,#b9b9ba)}.nav-bar button:disabled{color:#b9b9ba;color:var(--btnDisabledTopBarText,#b9b9ba)}.nav-bar button.toggled{color:#b9b9ba;color:var(--btnToggledTopBarText,#b9b9ba);background-color:#182230;background-color:var(--btnToggledTopBar,#182230)}.nav-bar .logo{display:-ms-flexbox;display:flex;-ms-flex-align:stretch;align-items:stretch;-ms-flex-pack:center;justify-content:center;-ms-flex:0 0 auto;flex:0 0 auto;z-index:-1;transition:opacity;transition-timing-function:ease-out;transition-duration:.1s}.nav-bar .logo,.nav-bar .logo .mask{position:absolute;top:0;bottom:0;left:0;right:0}.nav-bar .logo .mask{-webkit-mask-repeat:no-repeat;mask-repeat:no-repeat;-webkit-mask-position:center;mask-position:center;-webkit-mask-size:contain;mask-size:contain;background-color:#182230;background-color:var(--topBarText,#182230)}.nav-bar .logo img{height:100%;-o-object-fit:contain;object-fit:contain;display:block;-ms-flex:0;flex:0}.nav-bar .inner-nav{position:relative;margin:auto;box-sizing:border-box;padding-left:10px;padding-right:10px;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-preferred-size:970px;flex-basis:970px;height:50px}.nav-bar .inner-nav a,.nav-bar .inner-nav a i{color:#d8a070;color:var(--topBarLink,#d8a070)}main-router{-ms-flex:1;flex:1}.status.compact{color:rgba(0,0,0,.42);font-weight:300}.status.compact p{margin:0;font-size:.8em}.panel{display:-ms-flexbox;display:flex;position:relative;-ms-flex-direction:column;flex-direction:column;margin:.5em;background-color:#121a24;background-color:var(--bg,#121a24)}.panel,.panel:after{border-radius:10px;border-radius:var(--panelRadius,10px)}.panel:after{content:"";position:absolute;top:0;bottom:0;left:0;right:0;pointer-events:none;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow)}.panel-body:empty:before{content:"\\AF\\\\_(\\30C4)_/\\AF";display:block;margin:1em;text-align:center}.panel-heading{display:-ms-flexbox;display:flex;-ms-flex:none;flex:none;border-radius:10px 10px 0 0;border-radius:var(--panelRadius,10px) var(--panelRadius,10px) 0 0;background-size:cover;padding:.6em;text-align:left;line-height:28px;color:var(--panelText);background-color:#182230;background-color:var(--panel,#182230);-ms-flex-align:baseline;align-items:baseline;box-shadow:var(--panelHeaderShadow)}.panel-heading .title{-ms-flex:1 0 auto;flex:1 0 auto;font-size:1.3em}.panel-heading .faint{background-color:transparent;color:hsla(240,1%,73%,.5);color:var(--panelFaint,hsla(240,1%,73%,.5))}.panel-heading .faint-link{color:hsla(240,1%,73%,.5);color:var(--faintLink,hsla(240,1%,73%,.5))}.panel-heading .alert{white-space:nowrap;text-overflow:ellipsis;overflow-x:hidden}.panel-heading button{-ms-flex-negative:0;flex-shrink:0}.panel-heading .alert,.panel-heading button{line-height:21px;min-height:0;box-sizing:border-box;margin:0;margin-left:.5em;min-width:1px;-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.panel-heading button,.panel-heading button i[class*=icon-]{color:#b9b9ba;color:var(--btnPanelText,#b9b9ba)}.panel-heading button:active{background-color:#182230;background-color:var(--btnPressedPanel,#182230);color:#b9b9ba;color:var(--btnPressedPanelText,#b9b9ba)}.panel-heading button:disabled{color:#b9b9ba;color:var(--btnDisabledPanelText,#b9b9ba)}.panel-heading button.toggled{color:#b9b9ba;color:var(--btnToggledPanelText,#b9b9ba)}.panel-heading a{color:#d8a070;color:var(--panelLink,#d8a070)}.panel-heading.stub{border-radius:10px;border-radius:var(--panelRadius,10px)}.panel-footer{border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}.panel-footer .faint{color:hsla(240,1%,73%,.5);color:var(--panelFaint,hsla(240,1%,73%,.5))}.panel-footer a{color:#d8a070;color:var(--panelLink,#d8a070)}.panel-body>p{line-height:18px;padding:1em;margin:0}.container>*{min-width:0}.fa{color:grey}nav{z-index:1000;color:var(--topBarText);background-color:#182230;background-color:var(--topBar,#182230);color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));box-shadow:0 0 4px rgba(0,0,0,.6);box-shadow:var(--topBarShadow)}.fade-enter-active,.fade-leave-active{transition:opacity .2s}.fade-enter,.fade-leave-active{opacity:0}.main{-ms-flex-preferred-size:50%;flex-basis:50%;-ms-flex-positive:1;flex-grow:1;-ms-flex-negative:1;flex-shrink:1}.sidebar-bounds{-ms-flex:0;flex:0;-ms-flex-preferred-size:35%;flex-basis:35%}.sidebar-flexer{-ms-flex:1;flex:1;-ms-flex-preferred-size:345px;flex-basis:345px;width:365px}.mobile-shown{display:none}@media (min-width:800px){body{overflow-y:scroll}.sidebar-bounds{overflow:hidden;max-height:100vh;width:345px;position:fixed;margin-top:-10px}.sidebar-bounds .sidebar-scroller{height:96vh;width:365px;padding-top:10px;padding-right:50px;overflow-x:hidden;overflow-y:scroll}.sidebar-bounds .sidebar{width:345px}.sidebar-flexer{max-height:96vh;-ms-flex-negative:0;flex-shrink:0;-ms-flex-positive:0;flex-grow:0}}.badge{display:inline-block;border-radius:99px;min-width:22px;max-width:22px;min-height:22px;max-height:22px;font-size:15px;line-height:22px;text-align:center;vertical-align:middle;white-space:nowrap;padding:0}.badge.badge-notification{background-color:red;background-color:var(--badgeNotification,red);color:#fff;color:var(--badgeNotificationText,#fff)}.alert{margin:.35em;padding:.25em;border-radius:5px;border-radius:var(--tooltipRadius,5px);min-height:28px;line-height:28px}.alert.error{background-color:rgba(211,16,20,.5);background-color:var(--alertError,rgba(211,16,20,.5));color:#b9b9ba;color:var(--alertErrorText,#b9b9ba)}.panel-heading .alert.error{color:#b9b9ba;color:var(--alertErrorPanelText,#b9b9ba)}.alert.warning{background-color:rgba(111,111,20,.5);background-color:var(--alertWarning,rgba(111,111,20,.5));color:#b9b9ba;color:var(--alertWarningText,#b9b9ba)}.panel-heading .alert.warning{color:#b9b9ba;color:var(--alertWarningPanelText,#b9b9ba)}.faint,.faint-link{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.faint-link:hover{text-decoration:underline}@media (min-width:800px){.logo{opacity:1!important}}.item.right{text-align:right}.visibility-notice{padding:.5em;border:1px solid hsla(240,1%,73%,.5);border:1px solid var(--faint,hsla(240,1%,73%,.5));border-radius:4px;border-radius:var(--inputRadius,4px)}.notice-dismissible{padding-right:4rem;position:relative}.notice-dismissible .dismiss{position:absolute;top:0;right:0;padding:.5em;color:inherit}.button-icon{font-size:1.2em}@keyframes shakeError{0%{transform:translateX(0)}15%{transform:translateX(.375rem)}30%{transform:translateX(-.375rem)}45%{transform:translateX(.375rem)}60%{transform:translateX(-.375rem)}75%{transform:translateX(.375rem)}90%{transform:translateX(-.375rem)}to{transform:translateX(0)}}@media (max-width:800px){.mobile-hidden{display:none}.panel-switcher{display:-ms-flexbox;display:flex}.container{padding:0}.panel{margin:.5em 0}.menu-button{display:block;margin-right:.8em}.main{margin-bottom:7em}}.select-multiple{display:-ms-flexbox;display:flex}.select-multiple .option-list{margin:0;padding-left:.5em}.option-list,.setting-list{list-style-type:none;padding-left:2em}.option-list li,.setting-list li{margin-bottom:.5em}.option-list .suboptions,.setting-list .suboptions{margin-top:.3em}.login-hint{text-align:center}@media (min-width:801px){.login-hint{display:none}}.login-hint a{display:inline-block;padding:1em 0;width:100%}.btn.btn-default{min-height:28px}.animate-spin{animation:spin 2s infinite linear;display:inline-block}@keyframes spin{0%{transform:rotate(0deg)}to{transform:rotate(359deg)}}.new-status-notification{position:relative;margin-top:-1px;font-size:1.1em;border-width:1px 0 0;border-style:solid;border-color:var(--border,#222);padding:10px;z-index:1;background-color:#182230;background-color:var(--panel,#182230)}.unread-chat-count{font-size:.9em;font-weight:bolder;font-style:normal;position:absolute;right:.6rem;padding:0 .3em;min-width:1.3rem;min-height:1.3rem;max-height:1.3rem;line-height:1.3rem}.chat-layout{overflow:hidden;height:100%}@media (max-width:800px){.chat-layout body{height:100%}.chat-layout #app{height:100%;overflow:hidden;min-height:auto}.chat-layout #app_bg_wrapper{overflow:hidden}.chat-layout .main{overflow:hidden;height:100%}.chat-layout #content{padding-top:0;height:100%;overflow:visible}}',""])},function(t,e,n){var i=n(530);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("04d46dee",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".user-panel .signed-in{overflow:visible}",""])},function(t,e,n){var i=n(532);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("b030addc",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".nav-panel .panel{overflow:hidden;box-shadow:var(--panelShadow)}.nav-panel ul{list-style:none;margin:0;padding:0}.follow-request-count{margin:-6px 10px;background-color:#121a24;background-color:var(--input,hsla(240,1%,73%,.5))}.nav-panel li{border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);padding:0}.nav-panel li:first-child a{border-top-right-radius:10px;border-top-right-radius:var(--panelRadius,10px);border-top-left-radius:10px;border-top-left-radius:var(--panelRadius,10px)}.nav-panel li:last-child a{border-bottom-right-radius:10px;border-bottom-right-radius:var(--panelRadius,10px);border-bottom-left-radius:10px;border-bottom-left-radius:var(--panelRadius,10px)}.nav-panel li:last-child{border:none}.nav-panel a{display:block;padding:.8em .85em}.nav-panel a:hover{color:#d8a070;color:var(--selectedMenuText,#d8a070)}.nav-panel a.router-link-active,.nav-panel a:hover{background-color:#151e2a;background-color:var(--selectedMenu,#151e2a);--faint:var(--selectedMenuFaintText,$fallback--faint);--faintLink:var(--selectedMenuFaintLink,$fallback--faint);--lightText:var(--selectedMenuLightText,$fallback--lightText);--icon:var(--selectedMenuIcon,$fallback--icon)}.nav-panel a.router-link-active{font-weight:bolder;color:#b9b9ba;color:var(--selectedMenuText,#b9b9ba)}.nav-panel a.router-link-active:hover{text-decoration:underline}.nav-panel .button-icon:before{width:1.1em}",""])},function(t,e,n){var i=n(534);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("0ea9aafc",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".search-bar-container{max-width:100%;display:-ms-inline-flexbox;display:inline-flex;-ms-flex-align:baseline;align-items:baseline;vertical-align:baseline;-ms-flex-pack:end;justify-content:flex-end}.search-bar-container .search-bar-input,.search-bar-container .search-button{height:29px}.search-bar-container .search-bar-input{max-width:calc(100% - 30px - 30px - 20px)}.search-bar-container .search-button{margin-left:.5em;margin-right:.5em}.search-bar-container .icon-cancel{cursor:pointer}",""])},function(t,e,n){var i=n(536);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("2f18dd03",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".who-to-follow *{vertical-align:middle}.who-to-follow img{width:32px;height:32px}.who-to-follow{padding:0 1em;margin:0}.who-to-follow-items{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;padding:0;margin:1em 0}.who-to-follow-more{padding:0;margin:1em 0;text-align:center}",""])},,,,function(t,e,n){var i=n(541);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7272e6fe",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".settings-modal{overflow:hidden}.settings-modal.peek .settings-modal-panel{transform:translateY(calc(((100vh - 100%) / 2 + 100%) - 50px))}@media (max-width:800px){.settings-modal.peek .settings-modal-panel{transform:translateY(calc(100% - 50px))}}.settings-modal .settings-modal-panel{overflow:hidden;transition:transform;transition-timing-function:ease-in-out;transition-duration:.3s;width:1000px;max-width:90vw;height:90vh}@media (max-width:800px){.settings-modal .settings-modal-panel{max-width:100vw;height:100%}}.settings-modal .settings-modal-panel>.panel-body{height:100%;overflow-y:hidden}.settings-modal .settings-modal-panel>.panel-body .btn{min-height:28px;min-width:10em;padding:0 2em}",""])},function(t,e,n){var i=n(543);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("f7395e92",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".modal-view{z-index:1000;position:fixed;top:0;left:0;right:0;bottom:0;display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:center;align-items:center;overflow:auto;pointer-events:none;animation-duration:.2s;animation-name:modal-background-fadein;opacity:0}.modal-view>*{pointer-events:auto}.modal-view.modal-background{pointer-events:auto;background-color:rgba(0,0,0,.5)}.modal-view.open{opacity:1}@keyframes modal-background-fadein{0%{background-color:transparent}to{background-color:rgba(0,0,0,.5)}}",""])},function(t,e,n){var i=n(545);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("1c82888b",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".panel-loading{display:-ms-flexbox;display:flex;height:100%;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;font-size:2em;color:#b9b9ba;color:var(--text,#b9b9ba)}.panel-loading .loading-text i{font-size:3em;line-height:0;vertical-align:middle;color:#b9b9ba;color:var(--text,#b9b9ba)}",""])},function(t,e,n){var i=n(547);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("2970b266",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".async-component-error{display:-ms-flexbox;display:flex;height:100%;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center}.async-component-error .btn{margin:.5em;padding:.5em 2em}",""])},function(t,e,n){var i=n(549);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("23b00cfc",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".modal-view.media-modal-view{z-index:1001}.modal-view.media-modal-view .modal-view-button-arrow{opacity:.75}.modal-view.media-modal-view .modal-view-button-arrow:focus,.modal-view.media-modal-view .modal-view-button-arrow:hover{outline:none;box-shadow:none}.modal-view.media-modal-view .modal-view-button-arrow:hover{opacity:1}.modal-image{max-width:90%;max-height:90%;box-shadow:0 5px 15px 0 rgba(0,0,0,.5);image-orientation:from-image}.modal-view-button-arrow{position:absolute;display:block;top:50%;margin-top:-50px;width:70px;height:100px;border:0;padding:0;opacity:0;box-shadow:none;background:none;-webkit-appearance:none;-moz-appearance:none;appearance:none;overflow:visible;cursor:pointer;transition:opacity 333ms cubic-bezier(.4,0,.22,1)}.modal-view-button-arrow .arrow-icon{position:absolute;top:35px;height:30px;width:32px;font-size:14px;line-height:30px;color:#fff;text-align:center;background-color:rgba(0,0,0,.3)}.modal-view-button-arrow--prev{left:0}.modal-view-button-arrow--prev .arrow-icon{left:6px}.modal-view-button-arrow--next{right:0}.modal-view-button-arrow--next .arrow-icon{right:6px}",""])},function(t,e,n){var i=n(551);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("34992fba",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".side-drawer-container{position:fixed;z-index:1000;top:0;left:0;width:100%;height:100%;display:-ms-flexbox;display:flex;-ms-flex-align:stretch;align-items:stretch;transition-duration:0s;transition-property:transform}.side-drawer-container-open{transform:translate(0)}.side-drawer-container-closed{transition-delay:.35s;transform:translate(-100%)}.side-drawer-darken{top:0;left:0;width:100vw;height:100vh;position:fixed;z-index:-1;transition:.35s;transition-property:background-color;background-color:rgba(0,0,0,.5)}.side-drawer-darken-closed{background-color:transparent}.side-drawer-click-outside{-ms-flex:1 1 100%;flex:1 1 100%}.side-drawer{overflow-x:hidden;transition-timing-function:cubic-bezier(0,1,.5,1);transition:.35s;transition-property:transform;margin:0 0 0 -100px;padding:0 0 1em 100px;width:80%;max-width:20em;-ms-flex:0 0 80%;flex:0 0 80%;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);background-color:#121a24;background-color:var(--popover,#121a24);color:#d8a070;color:var(--popoverText,#d8a070);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--icon:var(--popoverIcon,$fallback--icon)}.side-drawer .button-icon:before{width:1.1em}.side-drawer-logo-wrapper{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;padding:.85em}.side-drawer-logo-wrapper img{-ms-flex:none;flex:none;height:50px;margin-right:.85em}.side-drawer-logo-wrapper span{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.side-drawer-click-outside-closed{-ms-flex:0 0 0px;flex:0 0 0}.side-drawer-closed{transform:translate(-100%)}.side-drawer-heading{background:transparent;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:stretch;align-items:stretch;display:-ms-flexbox;display:flex;padding:0;margin:0}.side-drawer ul{list-style:none;margin:0;padding:0;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);margin:.2em 0}.side-drawer ul:last-child{border:0}.side-drawer li{padding:0}.side-drawer li a{display:block;padding:.5em .85em}.side-drawer li a:hover{background-color:#151e2a;background-color:var(--selectedMenuPopover,#151e2a);color:#b9b9ba;color:var(--selectedMenuPopoverText,#b9b9ba);--faint:var(--selectedMenuPopoverFaintText,$fallback--faint);--faintLink:var(--selectedMenuPopoverFaintLink,$fallback--faint);--lightText:var(--selectedMenuPopoverLightText,$fallback--lightText);--icon:var(--selectedMenuPopoverIcon,$fallback--icon)}",""])},function(t,e,n){var i=n(553);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7f8eca07",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".new-status-button{width:5em;height:5em;border-radius:100%;position:fixed;bottom:1.5em;right:1.5em;background-color:#182230;background-color:var(--btn,#182230);display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:center;align-items:center;box-shadow:0 2px 2px rgba(0,0,0,.3),0 4px 6px rgba(0,0,0,.3);z-index:10;transition:transform .35s;transition-timing-function:cubic-bezier(0,1,.5,1)}.new-status-button.hidden{transform:translateY(150%)}.new-status-button i{font-size:1.5em;color:#b9b9ba;color:var(--text,#b9b9ba)}@media (min-width:801px){.new-status-button{display:none}}",""])},function(t,e,n){var i=n(555);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("1e0fbcf8",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".mobile-inner-nav{width:100%;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.mobile-nav-button{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;width:50px;position:relative;cursor:pointer}.alert-dot{border-radius:100%;height:8px;width:8px;position:absolute;left:calc(50% - 4px);top:calc(50% - 4px);margin-left:6px;margin-top:-6px;background-color:red;background-color:var(--badgeNotification,red)}.mobile-notifications-drawer{width:100%;height:100vh;overflow-x:hidden;position:fixed;top:0;left:0;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);transition-property:transform;transition-duration:.25s;transform:translateX(0);z-index:1001;-webkit-overflow-scrolling:touch}.mobile-notifications-drawer.closed{transform:translateX(100%)}.mobile-notifications-header{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between;z-index:1;width:100%;height:50px;line-height:50px;position:absolute;color:var(--topBarText);background-color:#182230;background-color:var(--topBar,#182230);box-shadow:0 0 4px rgba(0,0,0,.6);box-shadow:var(--topBarShadow)}.mobile-notifications-header .title{font-size:1.3em;margin-left:.6em}.mobile-notifications{margin-top:50px;width:100vw;height:calc(100vh - 50px);overflow-x:hidden;overflow-y:scroll;color:#b9b9ba;color:var(--text,#b9b9ba);background-color:#121a24;background-color:var(--bg,#121a24)}.mobile-notifications .notifications{padding:0;border-radius:0;box-shadow:none}.mobile-notifications .notifications .panel{border-radius:0;margin:0;box-shadow:none}.mobile-notifications .notifications .panel:after{border-radius:0}.mobile-notifications .notifications .panel .panel-heading{border-radius:0;box-shadow:none}",""])},function(t,e,n){var i=n(557);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("10c04f96",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".user-reporting-panel{width:90vw;max-width:700px;min-height:20vh;max-height:80vh}.user-reporting-panel .panel-heading .title{text-align:center;-ms-flex:1;flex:1;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.user-reporting-panel .panel-body{display:-ms-flexbox;display:flex;-ms-flex-direction:column-reverse;flex-direction:column-reverse;border-top:1px solid;border-color:#222;border-color:var(--border,#222);overflow:hidden}.user-reporting-panel-left{padding:1.1em .7em .7em;line-height:1.4em;box-sizing:border-box}.user-reporting-panel-left>div{margin-bottom:1em}.user-reporting-panel-left>div:last-child{margin-bottom:0}.user-reporting-panel-left p{margin-top:0}.user-reporting-panel-left textarea.form-control{line-height:16px;resize:none;overflow:hidden;transition:min-height .2s .1s;min-height:44px;width:100%}.user-reporting-panel-left .btn{min-width:10em;padding:0 2em}.user-reporting-panel-left .alert{margin:1em 0 0;line-height:1.3em}.user-reporting-panel-right{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;overflow-y:auto}.user-reporting-panel-sitem{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between}.user-reporting-panel-sitem>.Status{-ms-flex:1;flex:1}.user-reporting-panel-sitem>.checkbox{margin:.75em}@media (min-width:801px){.user-reporting-panel .panel-body{-ms-flex-direction:row;flex-direction:row}.user-reporting-panel-left{width:50%;max-width:320px;border-right:1px solid;border-color:#222;border-color:var(--border,#222);padding:1.1em}.user-reporting-panel-left>div{margin-bottom:2em}.user-reporting-panel-right{width:50%;-ms-flex:1 1 auto;flex:1 1 auto;margin-bottom:12px}}",""])},function(t,e,n){var i=n(559);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("7628c2ae",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".modal-view.post-form-modal-view{-ms-flex-align:start;align-items:flex-start}.post-form-modal-panel{-ms-flex-negative:0;flex-shrink:0;margin-top:25%;margin-bottom:2em;width:100%;max-width:700px}@media (orientation:landscape){.post-form-modal-panel{margin-top:8%}}",""])},function(t,e,n){var i=n(561);"string"==typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);(0,n(5).default)("cdffaf96",i,!0,{})},function(t,e,n){(t.exports=n(4)(!1)).push([t.i,".global-notice-list{position:fixed;top:50px;width:100%;pointer-events:none;z-index:1001;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:center;align-items:center}.global-notice-list .global-notice{pointer-events:auto;text-align:center;width:40em;max-width:calc(100% - 3em);display:-ms-flexbox;display:flex;padding-left:1.5em;line-height:2em}.global-notice-list .global-notice .notice-message{-ms-flex:1 1 100%;flex:1 1 100%}.global-notice-list .global-notice i{-ms-flex:0 0;flex:0 0;width:1.5em;cursor:pointer}.global-notice-list .global-error{background-color:var(--alertPopupError,red)}.global-notice-list .global-error,.global-notice-list .global-error i{color:var(--alertPopupErrorText,#b9b9ba)}.global-notice-list .global-warning{background-color:var(--alertPopupWarning,orange)}.global-notice-list .global-warning,.global-notice-list .global-warning i{color:var(--alertPopupWarningText,#b9b9ba)}.global-notice-list .global-info{background-color:var(--alertPopupNeutral,#182230)}.global-notice-list .global-info,.global-notice-list .global-info i{color:var(--alertPopupNeutralText,#b9b9ba)}",""])},function(t,e,n){"use strict";n.r(e);var i=n(3),o=n.n(i),r=n(6),s=n.n(r),a=n(108),c=n(2),l=(n(226),n(197));try{new EventTarget}catch(t){window.EventTarget=l.a}var u={state:{settingsModalState:"hidden",settingsModalLoaded:!1,settingsModalTargetTab:null,settings:{currentSaveStateNotice:null,noticeClearTimeout:null,notificationPermission:null},browserSupport:{cssFilter:window.CSS&&window.CSS.supports&&(window.CSS.supports("filter","drop-shadow(0 0)")||window.CSS.supports("-webkit-filter","drop-shadow(0 0)"))},mobileLayout:!1,globalNotices:[],layoutHeight:0,lastTimeline:null},mutations:{settingsSaved:function(t,e){var n=e.success,i=e.error;n?(t.noticeClearTimeout&&clearTimeout(t.noticeClearTimeout),Object(r.set)(t.settings,"currentSaveStateNotice",{error:!1,data:n}),Object(r.set)(t.settings,"noticeClearTimeout",setTimeout(function(){return Object(r.delete)(t.settings,"currentSaveStateNotice")},2e3))):Object(r.set)(t.settings,"currentSaveStateNotice",{error:!0,errorData:i})},setNotificationPermission:function(t,e){t.notificationPermission=e},setMobileLayout:function(t,e){t.mobileLayout=e},closeSettingsModal:function(t){t.settingsModalState="hidden"},togglePeekSettingsModal:function(t){switch(t.settingsModalState){case"minimized":return void(t.settingsModalState="visible");case"visible":return void(t.settingsModalState="minimized");default:throw new Error("Illegal minimization state of settings modal")}},openSettingsModal:function(t){t.settingsModalState="visible",t.settingsModalLoaded||(t.settingsModalLoaded=!0)},setSettingsModalTargetTab:function(t,e){t.settingsModalTargetTab=e},pushGlobalNotice:function(t,e){t.globalNotices.push(e)},removeGlobalNotice:function(t,e){t.globalNotices=t.globalNotices.filter(function(t){return t!==e})},setLayoutHeight:function(t,e){t.layoutHeight=e},setLastTimeline:function(t,e){t.lastTimeline=e}},actions:{setPageTitle:function(t){var e=t.rootState,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";document.title="".concat(n," ").concat(e.instance.name)},settingsSaved:function(t,e){var n=t.commit;t.dispatch;n("settingsSaved",{success:e.success,error:e.error})},setNotificationPermission:function(t,e){(0,t.commit)("setNotificationPermission",e)},setMobileLayout:function(t,e){(0,t.commit)("setMobileLayout",e)},closeSettingsModal:function(t){(0,t.commit)("closeSettingsModal")},openSettingsModal:function(t){(0,t.commit)("openSettingsModal")},togglePeekSettingsModal:function(t){(0,t.commit)("togglePeekSettingsModal")},clearSettingsModalTargetTab:function(t){(0,t.commit)("setSettingsModalTargetTab",null)},openSettingsModalTab:function(t,e){var n=t.commit;n("setSettingsModalTargetTab",e),n("openSettingsModal")},pushGlobalNotice:function(t,e){var n=t.commit,i=t.dispatch,o=e.messageKey,r=e.messageArgs,s=void 0===r?{}:r,a=e.level,c=void 0===a?"error":a,l=e.timeout,u=void 0===l?0:l,d={messageKey:o,messageArgs:s,level:c};return u&&setTimeout(function(){return i("removeGlobalNotice",d)},u),n("pushGlobalNotice",d),d},removeGlobalNotice:function(t,e){(0,t.commit)("removeGlobalNotice",e)},setLayoutHeight:function(t,e){(0,t.commit)("setLayoutHeight",e)},setLastTimeline:function(t,e){(0,t.commit)("setLastTimeline",e)}}},d=n(10),p=n.n(d),f=n(1),h=n.n(f),m=n(7),g=n.n(m),v=n(32),b=n(39),w=n(11),_=n(95);function x(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var y={state:{name:"Pleroma FE",registrationOpen:!0,server:"http://localhost:4040/",textlimit:5e3,themeData:void 0,vapidPublicKey:void 0,alwaysShowSubjectInput:!0,defaultAvatar:"/images/avi.png",defaultBanner:"/images/banner.png",background:"/static/aurora_borealis.jpg",collapseMessageWithSubject:!1,disableChat:!1,greentext:!1,hideFilteredStatuses:!1,hideMutedPosts:!1,hidePostStats:!1,hideSitename:!1,hideUserStats:!1,loginMethod:"password",logo:"/static/logo.png",logoMargin:".2em",logoMask:!0,minimalScopesMode:!1,nsfwCensorImage:void 0,postContentType:"text/plain",redirectRootLogin:"/main/friends",redirectRootNoLogin:"/main/all",scopeCopy:!0,showFeaturesPanel:!0,showInstanceSpecificPanel:!1,sidebarRight:!1,subjectLineBehavior:"email",theme:"pleroma-dark",customEmoji:[],customEmojiFetched:!1,emoji:[],emojiFetched:!1,pleromaBackend:!0,postFormats:[],restrictedNicknames:[],safeDM:!0,knownDomains:[],chatAvailable:!1,pleromaChatMessagesAvailable:!1,gopherAvailable:!1,mediaProxyAvailable:!1,suggestionsEnabled:!1,suggestionsWeb:"",instanceSpecificPanelContent:"",tos:"",backendVersion:"",frontendVersion:"",pollsAvailable:!1,pollLimits:{max_options:4,max_option_chars:255,min_expiration:60,max_expiration:86400}},mutations:{setInstanceOption:function(t,e){var n=e.name,i=e.value;void 0!==i&&Object(r.set)(t,n,i)},setKnownDomains:function(t,e){t.knownDomains=e}},getters:{instanceDefaultConfig:function(t){return _.c.map(function(e){return[e,t[e]]}).reduce(function(t,e){var n=g()(e,2),i=n[0],o=n[1];return function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?x(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):x(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},t,h()({},i,o))},{})}},actions:{setInstanceOption:function(t,e){var n=t.commit,i=t.dispatch,o=e.name,r=e.value;switch(n("setInstanceOption",{name:o,value:r}),o){case"name":i("setPageTitle");break;case"chatAvailable":r&&i("initializeSocket");break;case"theme":i("setTheme",r)}},getStaticEmoji:function(t){var e,n,i,r;return o.a.async(function(s){for(;;)switch(s.prev=s.next){case 0:return e=t.commit,s.prev=1,s.next=4,o.a.awrap(window.fetch("/static/emoji.json"));case 4:if(!(n=s.sent).ok){s.next=13;break}return s.next=8,o.a.awrap(n.json());case 8:i=s.sent,r=Object.keys(i).map(function(t){return{displayText:t,imageUrl:!1,replacement:i[t]}}).sort(function(t,e){return t.displayText-e.displayText}),e("setInstanceOption",{name:"emoji",value:r}),s.next=14;break;case 13:throw n;case 14:s.next=20;break;case 16:s.prev=16,s.t0=s.catch(1),console.warn("Can't load static emoji"),console.warn(s.t0);case 20:case"end":return s.stop()}},null,null,[[1,16]])},getCustomEmoji:function(t){var e,n,i,r,s,a;return o.a.async(function(c){for(;;)switch(c.prev=c.next){case 0:return e=t.commit,n=t.state,c.prev=1,c.next=4,o.a.awrap(window.fetch("/api/pleroma/emoji.json"));case 4:if(!(i=c.sent).ok){c.next=14;break}return c.next=8,o.a.awrap(i.json());case 8:r=c.sent,s=Array.isArray(r)?Object.assign.apply(Object,[{}].concat(p()(r))):r,a=Object.entries(s).map(function(t){var e=g()(t,2),i=e[0],o=e[1],r=o.image_url;return{displayText:i,imageUrl:r?n.server+r:o,tags:r?o.tags.sort(function(t,e){return t>e?1:0}):["utf"],replacement:":".concat(i,": ")}}).sort(function(t,e){return t.displayText.toLowerCase()>e.displayText.toLowerCase()?1:0}),e("setInstanceOption",{name:"customEmoji",value:a}),c.next=15;break;case 14:throw i;case 15:c.next=21;break;case 17:c.prev=17,c.t0=c.catch(1),console.warn("Can't load custom emojis"),console.warn(c.t0);case 21:case"end":return c.stop()}},null,null,[[1,17]])},setTheme:function(t,e){var n=t.commit,i=t.rootState;n("setInstanceOption",{name:"theme",value:e}),Object(v.j)(e).then(function(t){if(n("setInstanceOption",{name:"themeData",value:t}),!i.config.customTheme){var e=t.source;!t.theme||e&&e.themeEngineVersion===b.a?Object(v.b)(e):Object(v.b)(t.theme)}})},fetchEmoji:function(t){var e=t.dispatch,n=t.state;n.customEmojiFetched||(n.customEmojiFetched=!0,e("getCustomEmoji")),n.emojiFetched||(n.emojiFetched=!0,e("getStaticEmoji"))},getKnownDomains:function(t){var e,n,i;return o.a.async(function(r){for(;;)switch(r.prev=r.next){case 0:return e=t.commit,n=t.rootState,r.prev=1,r.next=4,o.a.awrap(w.c.fetchKnownDomains({credentials:n.users.currentUser.credentials}));case 4:i=r.sent,e("setKnownDomains",i),r.next=12;break;case 8:r.prev=8,r.t0=r.catch(1),console.warn("Can't load known domains"),console.warn(r.t0);case 12:case"end":return r.stop()}},null,null,[[1,8]])}}},k=n(101),C=n.n(k),S=n(13),j=n.n(S),O=n(23),P=n.n(O),$=n(203),T=n.n($),I=n(96),E=n.n(I),M=n(102),U=n.n(M),F=n(103),D=n.n(F),L=n(25),N=n.n(L),R=n(45),A=n.n(R),B=n(24),z=n.n(B),H=n(204),q=n.n(H),W=n(47),V=n.n(W),G=n(19);function K(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function Y(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?K(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):K(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var J=function(){return{statuses:[],statusesObject:{},faves:[],visibleStatuses:[],visibleStatusesObject:{},newStatusCount:0,maxId:0,minId:0,minVisibleId:0,loading:!1,followers:[],friends:[],userId:arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,flushMarker:0}},X=function(){return{desktopNotificationSilence:!0,maxId:0,minId:Number.POSITIVE_INFINITY,data:[],idStore:{},loading:!1,error:!1}},Q=function(){return{allStatuses:[],allStatusesObject:{},conversationsObject:{},maxId:0,notifications:X(),favorites:new Set,error:!1,errorData:null,timelines:{mentions:J(),public:J(),user:J(),favorites:J(),media:J(),publicAndExternal:J(),friends:J(),tag:J(),dms:J(),bookmarks:J()}}},Z=function(t,e,n){var i,o=e[n.id];return o?(E()(o,C()(n,function(t,e){return null===t||"user"===e})),o.attachments.splice(o.attachments.length),{item:o,new:!1}):((i=n).deleted=!1,i.attachments=i.attachments||[],t.push(n),Object(r.set)(e,n.id,n),{item:n,new:!0})},tt=function(t,e){var n=Number(t.id),i=Number(e.id),o=!Number.isNaN(n),r=!Number.isNaN(i);return o&&r?n>i?-1:1:o&&!r?1:!o&&r?-1:t.id>e.id?-1:1},et=function(t){return t.visibleStatuses=t.visibleStatuses.sort(tt),t.statuses=t.statuses.sort(tt),t.minVisibleId=(P()(t.visibleStatuses)||{}).id,t},nt=function(t,e){var n=Z(t.allStatuses,t.allStatusesObject,e);if(n.new){var i=n.item,o=t.conversationsObject,s=i.statusnet_conversation_id;o[s]?o[s].push(i):Object(r.set)(o,s,[i])}return n},it={addNewStatuses:function(t,e){var n=e.statuses,i=e.showImmediately,o=void 0!==i&&i,r=e.timeline,s=e.user,a=void 0===s?{}:s,c=e.noIdUpdate,l=void 0!==c&&c,u=e.userId,d=e.pagination,p=void 0===d?{}:d;if(!j()(n))return!1;var f=t.allStatuses,h=t.timelines[r],m=p.maxId||(n.length>0?U()(n,"id").id:0),g=p.minId||(n.length>0?D()(n,"id").id:0),v=r&&(g>h.maxId||0===h.maxId)&&n.length>0,b=r&&(m<h.minId||0===h.minId)&&n.length>0;if(!l&&v&&(h.maxId=g),!l&&b&&(h.minId=m),"user"!==r&&"media"!==r||h.userId===u){var w=function(e,n){var i,o=!(arguments.length>2&&void 0!==arguments[2])||arguments[2],s=nt(t,e),c=s.item;if(s.new){if("status"===c.type&&N()(c.attentions,{id:a.id})){var l=t.timelines.mentions;h!==l&&(Z(l.statuses,l.statusesObject,c),l.newStatusCount+=1,et(l))}if("direct"===c.visibility){var u=t.timelines.dms;Z(u.statuses,u.statusesObject,c),u.newStatusCount+=1,et(u)}}return r&&o&&(i=Z(h.statuses,h.statusesObject,c)),r&&n?Z(h.visibleStatuses,h.visibleStatusesObject,c):r&&o&&i.new&&(h.newStatusCount+=1),c},_={status:function(t){w(t,o)},retweet:function(t){var e,n=w(t.retweeted_status,!1,!1);e=r&&N()(h.statuses,function(t){return t.retweeted_status?t.id===n.id||t.retweeted_status.id===n.id:t.id===n.id})?w(t,!1,!1):w(t,o),e.retweeted_status=n},favorite:function(e){t.favorites.has(e.id)||(t.favorites.add(e.id),function(t,e){var n=N()(f,{id:t.in_reply_to_status_id});n&&(t.user.id===a.id?n.favorited=!0:n.fave_num+=1)}(e))},deletion:function(e){var n=e.uri,i=N()(f,{uri:n});i&&(function(t,e){V()(t.allStatuses,{id:e.id}),V()(t.notifications.data,function(t){return t.action.id===e.id});var n=e.statusnet_conversation_id;t.conversationsObject[n]&&V()(t.conversationsObject[n],{id:e.id})}(t,i),r&&(V()(h.statuses,{uri:n}),V()(h.visibleStatuses,{uri:n})))},follow:function(t){},default:function(t){console.log("unknown status type"),console.log(t)}};z()(n,function(t){var e=t.type;(_[e]||_.default)(t)}),r&&"bookmarks"!==r&&et(h)}},addNewNotifications:function(t,e){var n=e.dispatch,i=e.notifications,o=(e.older,e.visibleNotificationTypes,e.rootGetters,e.newNotificationSideEffects);z()(i,function(e){Object(G.b)(e.type)&&(e.action=nt(t,e.action).item,e.status=e.status&&nt(t,e.status).item),"pleroma:emoji_reaction"===e.type&&n("fetchEmojiReactionsBy",e.status.id),t.notifications.idStore.hasOwnProperty(e.id)?e.seen&&(t.notifications.idStore[e.id].seen=!0):(t.notifications.maxId=e.id>t.notifications.maxId?e.id:t.notifications.maxId,t.notifications.minId=e.id<t.notifications.minId?e.id:t.notifications.minId,t.notifications.data.push(e),t.notifications.idStore[e.id]=e,o(e))})},removeStatus:function(t,e){var n=e.timeline,i=e.userId,o=t.timelines[n];i&&(V()(o.statuses,{user:{id:i}}),V()(o.visibleStatuses,{user:{id:i}}),o.minVisibleId=o.visibleStatuses.length>0?P()(o.visibleStatuses).id:0,o.maxId=o.statuses.length>0?T()(o.statuses).id:0)},showNewStatuses:function(t,e){var n=e.timeline,i=t.timelines[n];i.newStatusCount=0,i.visibleStatuses=q()(i.statuses,0,50),i.minVisibleId=P()(i.visibleStatuses).id,i.minId=i.minVisibleId,i.visibleStatusesObject={},z()(i.visibleStatuses,function(t){i.visibleStatusesObject[t.id]=t})},resetStatuses:function(t){var e=Q();Object.entries(e).forEach(function(e){var n=g()(e,2),i=n[0],o=n[1];t[i]=o})},clearTimeline:function(t,e){var n=e.timeline,i=e.excludeUserId,o=void 0!==i&&i?t.timelines[n].userId:void 0;t.timelines[n]=J(o)},clearNotifications:function(t){t.notifications=X()},setFavorited:function(t,e){var n=e.status,i=e.value,o=t.allStatusesObject[n.id];o.favorited!==i&&(i?o.fave_num++:o.fave_num--),o.favorited=i},setFavoritedConfirm:function(t,e){var n=e.status,i=e.user,o=t.allStatusesObject[n.id];o.favorited=n.favorited,o.fave_num=n.fave_num;var r=A()(o.favoritedBy,{id:i.id});-1===r||o.favorited?-1===r&&o.favorited&&o.favoritedBy.push(i):o.favoritedBy.splice(r,1)},setMutedStatus:function(t,e){var n=t.allStatusesObject[e.id];n.thread_muted=e.thread_muted,void 0!==n.thread_muted&&t.conversationsObject[n.statusnet_conversation_id].forEach(function(t){t.thread_muted=n.thread_muted})},setRetweeted:function(t,e){var n=e.status,i=e.value,o=t.allStatusesObject[n.id];o.repeated!==i&&(i?o.repeat_num++:o.repeat_num--),o.repeated=i},setRetweetedConfirm:function(t,e){var n=e.status,i=e.user,o=t.allStatusesObject[n.id];o.repeated=n.repeated,o.repeat_num=n.repeat_num;var r=A()(o.rebloggedBy,{id:i.id});-1===r||o.repeated?-1===r&&o.repeated&&o.rebloggedBy.push(i):o.rebloggedBy.splice(r,1)},setBookmarked:function(t,e){var n=e.status,i=e.value;t.allStatusesObject[n.id].bookmarked=i},setBookmarkedConfirm:function(t,e){var n=e.status;t.allStatusesObject[n.id].bookmarked=n.bookmarked},setDeleted:function(t,e){var n=e.status,i=t.allStatusesObject[n.id];i&&(i.deleted=!0)},setManyDeleted:function(t,e){Object.values(t.allStatusesObject).forEach(function(t){e(t)&&(t.deleted=!0)})},setLoading:function(t,e){var n=e.timeline,i=e.value;t.timelines[n].loading=i},setNsfw:function(t,e){var n=e.id,i=e.nsfw;t.allStatusesObject[n].nsfw=i},setError:function(t,e){var n=e.value;t.error=n},setErrorData:function(t,e){var n=e.value;t.errorData=n},setNotificationsLoading:function(t,e){var n=e.value;t.notifications.loading=n},setNotificationsError:function(t,e){var n=e.value;t.notifications.error=n},setNotificationsSilence:function(t,e){var n=e.value;t.notifications.desktopNotificationSilence=n},markNotificationsAsSeen:function(t){z()(t.notifications.data,function(t){t.seen=!0})},markSingleNotificationAsSeen:function(t,e){var n=e.id,i=N()(t.notifications.data,function(t){return t.id===n});i&&(i.seen=!0)},dismissNotification:function(t,e){var n=e.id;t.notifications.data=t.notifications.data.filter(function(t){return t.id!==n})},dismissNotifications:function(t,e){var n=e.finder;t.notifications.data=t.notifications.data.filter(function(t){return n})},updateNotification:function(t,e){var n=e.id,i=e.updater,o=N()(t.notifications.data,function(t){return t.id===n});o&&i(o)},queueFlush:function(t,e){var n=e.timeline,i=e.id;t.timelines[n].flushMarker=i},queueFlushAll:function(t){Object.keys(t.timelines).forEach(function(e){t.timelines[e].flushMarker=t.timelines[e].maxId})},addRepeats:function(t,e){var n=e.id,i=e.rebloggedByUsers,o=e.currentUser,r=t.allStatusesObject[n];r.rebloggedBy=i.filter(function(t){return t}),r.repeat_num=r.rebloggedBy.length,r.repeated=!!r.rebloggedBy.find(function(t){var e=t.id;return o.id===e})},addFavs:function(t,e){var n=e.id,i=e.favoritedByUsers,o=e.currentUser,r=t.allStatusesObject[n];r.favoritedBy=i.filter(function(t){return t}),r.fave_num=r.favoritedBy.length,r.favorited=!!r.favoritedBy.find(function(t){var e=t.id;return o.id===e})},addEmojiReactionsBy:function(t,e){var n=e.id,i=e.emojiReactions,o=(e.currentUser,t.allStatusesObject[n]);Object(r.set)(o,"emoji_reactions",i)},addOwnReaction:function(t,e){var n=e.id,i=e.emoji,o=e.currentUser,s=t.allStatusesObject[n],a=A()(s.emoji_reactions,{name:i}),c=s.emoji_reactions[a]||{name:i,count:0,accounts:[]},l=Y({},c,{count:c.count+1,me:!0,accounts:[].concat(p()(c.accounts),[o])});a>=0?Object(r.set)(s.emoji_reactions,a,l):Object(r.set)(s,"emoji_reactions",[].concat(p()(s.emoji_reactions),[l]))},removeOwnReaction:function(t,e){var n=e.id,i=e.emoji,o=e.currentUser,s=t.allStatusesObject[n],a=A()(s.emoji_reactions,{name:i});if(!(a<0)){var c=s.emoji_reactions[a],l=c.accounts||[],u=Y({},c,{count:c.count-1,me:!1,accounts:l.filter(function(t){return t.id!==o.id})});u.count>0?Object(r.set)(s.emoji_reactions,a,u):Object(r.set)(s,"emoji_reactions",s.emoji_reactions.filter(function(t){return t.name!==i}))}},updateStatusWithPoll:function(t,e){var n=e.id,i=e.poll;t.allStatusesObject[n].poll=i}},ot={state:Q(),actions:{addNewStatuses:function(t,e){var n=t.rootState,i=t.commit,o=e.statuses,r=e.showImmediately,s=void 0!==r&&r,a=e.timeline,c=void 0!==a&&a,l=e.noIdUpdate,u=void 0!==l&&l,d=e.userId,p=e.pagination;i("addNewStatuses",{statuses:o,showImmediately:s,timeline:c,noIdUpdate:u,user:n.users.currentUser,userId:d,pagination:p})},addNewNotifications:function(t,e){var n=e.notifications,i=e.older;(0,t.commit)("addNewNotifications",{dispatch:t.dispatch,notifications:n,older:i,rootGetters:t.rootGetters,newNotificationSideEffects:function(e){Object(G.c)(t,e)}})},setError:function(t,e){t.rootState;(0,t.commit)("setError",{value:e.value})},setErrorData:function(t,e){t.rootState;(0,t.commit)("setErrorData",{value:e.value})},setNotificationsLoading:function(t,e){t.rootState;(0,t.commit)("setNotificationsLoading",{value:e.value})},setNotificationsError:function(t,e){t.rootState;(0,t.commit)("setNotificationsError",{value:e.value})},setNotificationsSilence:function(t,e){t.rootState;(0,t.commit)("setNotificationsSilence",{value:e.value})},fetchStatus:function(t,e){var n=t.rootState,i=t.dispatch;return n.api.backendInteractor.fetchStatus({id:e}).then(function(t){return i("addNewStatuses",{statuses:[t]})})},deleteStatus:function(t,e){var n=t.rootState;(0,t.commit)("setDeleted",{status:e}),w.c.deleteStatus({id:e.id,credentials:n.users.currentUser.credentials})},markStatusesAsDeleted:function(t,e){(0,t.commit)("setManyDeleted",e)},favorite:function(t,e){var n=t.rootState,i=t.commit;i("setFavorited",{status:e,value:!0}),n.api.backendInteractor.favorite({id:e.id}).then(function(t){return i("setFavoritedConfirm",{status:t,user:n.users.currentUser})})},unfavorite:function(t,e){var n=t.rootState,i=t.commit;i("setFavorited",{status:e,value:!1}),n.api.backendInteractor.unfavorite({id:e.id}).then(function(t){return i("setFavoritedConfirm",{status:t,user:n.users.currentUser})})},fetchPinnedStatuses:function(t,e){var n=t.rootState,i=t.dispatch;n.api.backendInteractor.fetchPinnedStatuses({id:e}).then(function(t){return i("addNewStatuses",{statuses:t,timeline:"user",userId:e,showImmediately:!0,noIdUpdate:!0})})},pinStatus:function(t,e){var n=t.rootState,i=t.dispatch;return n.api.backendInteractor.pinOwnStatus({id:e}).then(function(t){return i("addNewStatuses",{statuses:[t]})})},unpinStatus:function(t,e){var n=t.rootState,i=t.dispatch;n.api.backendInteractor.unpinOwnStatus({id:e}).then(function(t){return i("addNewStatuses",{statuses:[t]})})},muteConversation:function(t,e){var n=t.rootState,i=t.commit;return n.api.backendInteractor.muteConversation({id:e}).then(function(t){return i("setMutedStatus",t)})},unmuteConversation:function(t,e){var n=t.rootState,i=t.commit;return n.api.backendInteractor.unmuteConversation({id:e}).then(function(t){return i("setMutedStatus",t)})},retweet:function(t,e){var n=t.rootState,i=t.commit;i("setRetweeted",{status:e,value:!0}),n.api.backendInteractor.retweet({id:e.id}).then(function(t){return i("setRetweetedConfirm",{status:t.retweeted_status,user:n.users.currentUser})})},unretweet:function(t,e){var n=t.rootState,i=t.commit;i("setRetweeted",{status:e,value:!1}),n.api.backendInteractor.unretweet({id:e.id}).then(function(t){return i("setRetweetedConfirm",{status:t,user:n.users.currentUser})})},bookmark:function(t,e){var n=t.rootState,i=t.commit;i("setBookmarked",{status:e,value:!0}),n.api.backendInteractor.bookmarkStatus({id:e.id}).then(function(t){i("setBookmarkedConfirm",{status:t})})},unbookmark:function(t,e){var n=t.rootState,i=t.commit;i("setBookmarked",{status:e,value:!1}),n.api.backendInteractor.unbookmarkStatus({id:e.id}).then(function(t){i("setBookmarkedConfirm",{status:t})})},queueFlush:function(t,e){t.rootState;(0,t.commit)("queueFlush",{timeline:e.timeline,id:e.id})},queueFlushAll:function(t){t.rootState;(0,t.commit)("queueFlushAll")},markNotificationsAsSeen:function(t){var e=t.rootState;(0,t.commit)("markNotificationsAsSeen"),w.c.markNotificationsAsSeen({id:e.statuses.notifications.maxId,credentials:e.users.currentUser.credentials})},markSingleNotificationAsSeen:function(t,e){var n=t.rootState,i=t.commit,o=e.id;i("markSingleNotificationAsSeen",{id:o}),w.c.markNotificationsAsSeen({single:!0,id:o,credentials:n.users.currentUser.credentials})},dismissNotificationLocal:function(t,e){t.rootState;(0,t.commit)("dismissNotification",{id:e.id})},dismissNotification:function(t,e){var n=t.rootState,i=t.commit,o=e.id;i("dismissNotification",{id:o}),n.api.backendInteractor.dismissNotification({id:o})},updateNotification:function(t,e){t.rootState;(0,t.commit)("updateNotification",{id:e.id,updater:e.updater})},fetchFavsAndRepeats:function(t,e){var n=t.rootState,i=t.commit;Promise.all([n.api.backendInteractor.fetchFavoritedByUsers({id:e}),n.api.backendInteractor.fetchRebloggedByUsers({id:e})]).then(function(t){var o=g()(t,2),r=o[0],s=o[1];i("addFavs",{id:e,favoritedByUsers:r,currentUser:n.users.currentUser}),i("addRepeats",{id:e,rebloggedByUsers:s,currentUser:n.users.currentUser})})},reactWithEmoji:function(t,e){var n=t.rootState,i=t.dispatch,o=t.commit,r=e.id,s=e.emoji,a=n.users.currentUser;a&&(o("addOwnReaction",{id:r,emoji:s,currentUser:a}),n.api.backendInteractor.reactWithEmoji({id:r,emoji:s}).then(function(t){i("fetchEmojiReactionsBy",r)}))},unreactWithEmoji:function(t,e){var n=t.rootState,i=t.dispatch,o=t.commit,r=e.id,s=e.emoji,a=n.users.currentUser;a&&(o("removeOwnReaction",{id:r,emoji:s,currentUser:a}),n.api.backendInteractor.unreactWithEmoji({id:r,emoji:s}).then(function(t){i("fetchEmojiReactionsBy",r)}))},fetchEmojiReactionsBy:function(t,e){var n=t.rootState,i=t.commit;n.api.backendInteractor.fetchEmojiReactions({id:e}).then(function(t){i("addEmojiReactionsBy",{id:e,emojiReactions:t,currentUser:n.users.currentUser})})},fetchFavs:function(t,e){var n=t.rootState,i=t.commit;n.api.backendInteractor.fetchFavoritedByUsers({id:e}).then(function(t){return i("addFavs",{id:e,favoritedByUsers:t,currentUser:n.users.currentUser})})},fetchRepeats:function(t,e){var n=t.rootState,i=t.commit;n.api.backendInteractor.fetchRebloggedByUsers({id:e}).then(function(t){return i("addRepeats",{id:e,rebloggedByUsers:t,currentUser:n.users.currentUser})})},search:function(t,e){var n=e.q,i=e.resolve,o=e.limit,r=e.offset,s=e.following;return t.rootState.api.backendInteractor.search2({q:n,resolve:i,limit:o,offset:r,following:s}).then(function(e){return t.commit("addNewUsers",e.accounts),t.commit("addNewStatuses",{statuses:e.statuses}),e})}},mutations:it},rt=n(77),st=n.n(rt),at=n(76),ct=n.n(at),lt=n(115),ut=n.n(lt),dt=n(15),pt=n.n(dt),ft=n(137),ht=n.n(ft),mt=n(116),gt=n.n(mt),vt=function(t){var e=t.store,n=t.credentials,i=t.timeline,o=void 0===i?"friends":i,r=t.older,s=void 0!==r&&r,a=t.showImmediately,c=void 0!==a&&a,l=t.userId,u=void 0!==l&&l,d=t.tag,p=void 0!==d&&d,f=t.until,h={timeline:o,credentials:n},m=e.rootState||e.state,g=e.getters,v=m.statuses.timelines[gt()(o)],b=g.mergedConfig,_=b.hideMutedPosts,x=b.replyVisibility,y=!!m.users.currentUser;s?h.until=f||v.minId:h.since=v.maxId,h.userId=u,h.tag=p,h.withMuted=!_,y&&["friends","public","publicAndExternal"].includes(o)&&(h.replyVisibility=x);var k=v.statuses.length;return w.c.fetchTimeline(h).then(function(t){if(!t.error){var n=t.data,i=t.pagination;return!s&&n.length>=20&&!v.loading&&k>0&&e.dispatch("queueFlush",{timeline:o,id:v.maxId}),function(t){var e=t.store,n=t.statuses,i=t.timeline,o=t.showImmediately,r=t.userId,s=t.pagination,a=gt()(i);e.dispatch("setError",{value:!1}),e.dispatch("setErrorData",{value:null}),e.dispatch("addNewStatuses",{timeline:a,userId:r,statuses:n,showImmediately:o,pagination:s})}({store:e,statuses:n,timeline:o,showImmediately:c,userId:u,pagination:i}),{statuses:n,pagination:i}}e.dispatch("setErrorData",{value:t})},function(){return e.dispatch("setError",{value:!0})})},bt={fetchAndUpdate:vt,startFetching:function(t){var e=t.timeline,n=void 0===e?"friends":e,i=t.credentials,o=t.store,r=t.userId,s=void 0!==r&&r,a=t.tag,c=void 0!==a&&a,l=(o.rootState||o.state).statuses.timelines[gt()(n)],u=0===l.visibleStatuses.length;l.userId=s,vt({timeline:n,credentials:i,store:o,showImmediately:u,userId:s,tag:c});return setInterval(function(){return vt({timeline:n,credentials:i,store:o,userId:s,tag:c})},1e4)}},wt=function(t){var e=t.store,n=t.credentials,i=t.older,o=void 0!==i&&i,r={credentials:n},s=e.getters,a=e.rootState||e.state,c=a.statuses.notifications,l=s.mergedConfig.hideMutedPosts,u=a.users.currentUser.allow_following_move;if(r.withMuted=!l,r.withMove=!u,r.timeline="notifications",o)return c.minId!==Number.POSITIVE_INFINITY&&(r.until=c.minId),_t({store:e,args:r,older:o});c.maxId!==Number.POSITIVE_INFINITY&&(r.since=c.maxId);var d=_t({store:e,args:r,older:o}),f=c.data,h=f.filter(function(t){return t.seen}).map(function(t){return t.id});return f.length-h.length>0&&h.length>0&&(r.since=Math.max.apply(Math,p()(h)),_t({store:e,args:r,older:o})),d},_t=function(t){var e=t.store,n=t.args,i=t.older;return w.c.fetchTimeline(n).then(function(t){var n=t.data;return function(t){var e=t.store,n=t.notifications,i=t.older;e.dispatch("setNotificationsError",{value:!1}),e.dispatch("addNewNotifications",{notifications:n,older:i})}({store:e,notifications:n,older:i}),n},function(){return e.dispatch("setNotificationsError",{value:!0})}).catch(function(){return e.dispatch("setNotificationsError",{value:!0})})},xt={fetchAndUpdate:wt,startFetching:function(t){var e=t.credentials,n=t.store;wt({credentials:e,store:n});return setTimeout(function(){return n.dispatch("setNotificationsSilence",!1)},1e4),setInterval(function(){return wt({credentials:e,store:n})},1e4)}},yt=function(t){var e=t.store,n=t.credentials;return w.c.fetchFollowRequests({credentials:n}).then(function(t){e.commit("setFollowRequests",t),e.commit("addNewUsers",t)},function(){}).catch(function(){})},kt={startFetching:function(t){var e=t.credentials,n=t.store;yt({credentials:e,store:n});return setInterval(function(){return yt({credentials:e,store:n})},1e4)}};function Ct(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function St(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Ct(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Ct(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var jt=function(t){return St({startFetchingTimeline:function(e){var n=e.timeline,i=e.store,o=e.userId,r=void 0!==o&&o,s=e.tag;return bt.startFetching({timeline:n,store:i,credentials:t,userId:r,tag:s})},startFetchingNotifications:function(e){var n=e.store;return xt.startFetching({store:n,credentials:t})},startFetchingFollowRequests:function(e){var n=e.store;return kt.startFetching({store:n,credentials:t})},startUserSocket:function(e){var n=e.store.rootState.instance.server.replace("http","ws")+Object(w.d)({credentials:t,stream:"user"});return Object(w.a)({url:n,id:"User"})}},Object.entries(w.c).reduce(function(e,n){var i=g()(n,2),o=i[0],r=i[1];return St({},e,h()({},o,function(e){return r(St({credentials:t},e))}))},{}),{verifyCredentials:w.c.verifyCredentials})},Ot=n(40),Pt=n.n(Ot),$t="".concat(window.location.origin,"/oauth-callback"),Tt=function(t){var e=t.clientId,n=t.clientSecret,i=t.instance,o=t.commit;if(e&&n)return Promise.resolve({clientId:e,clientSecret:n});var r="".concat(i,"/api/v1/apps"),s=new window.FormData;return s.append("client_name","PleromaFE_".concat(window.___pleromafe_commit_hash,"_").concat((new Date).toISOString())),s.append("redirect_uris",$t),s.append("scopes","read write follow push admin"),window.fetch(r,{method:"POST",body:s}).then(function(t){return t.json()}).then(function(t){return{clientId:t.client_id,clientSecret:t.client_secret}}).then(function(t){return o("setClientData",t)||t})},It=function(t){var e=t.clientId,n=t.clientSecret,i=t.instance,o="".concat(i,"/oauth/token"),r=new window.FormData;return r.append("client_id",e),r.append("client_secret",n),r.append("grant_type","client_credentials"),r.append("redirect_uri","".concat(window.location.origin,"/oauth-callback")),window.fetch(o,{method:"POST",body:r}).then(function(t){return t.json()})},Et={login:function(t){var e=t.instance,n={response_type:"code",client_id:t.clientId,redirect_uri:$t,scope:"read write follow push admin"},i=Pt()(n,function(t,e,n){var i="".concat(n,"=").concat(encodeURIComponent(e));return t?"".concat(t,"&").concat(i):i},!1),o="".concat(e,"/oauth/authorize?").concat(i);window.location.href=o},getToken:function(t){var e=t.clientId,n=t.clientSecret,i=t.instance,o=t.code,r="".concat(i,"/oauth/token"),s=new window.FormData;return s.append("client_id",e),s.append("client_secret",n),s.append("grant_type","authorization_code"),s.append("code",o),s.append("redirect_uri","".concat(window.location.origin,"/oauth-callback")),window.fetch(r,{method:"POST",body:s}).then(function(t){return t.json()})},getTokenWithCredentials:function(t){var e=t.clientId,n=t.clientSecret,i=t.instance,o=t.username,r=t.password,s="".concat(i,"/oauth/token"),a=new window.FormData;return a.append("client_id",e),a.append("client_secret",n),a.append("grant_type","password"),a.append("username",o),a.append("password",r),window.fetch(s,{method:"POST",body:a}).then(function(t){return t.json()})},getOrCreateApp:Tt,verifyOTPCode:function(t){var e=t.app,n=t.instance,i=t.mfaToken,o=t.code,r="".concat(n,"/oauth/mfa/challenge"),s=new window.FormData;return s.append("client_id",e.client_id),s.append("client_secret",e.client_secret),s.append("mfa_token",i),s.append("code",o),s.append("challenge_type","totp"),window.fetch(r,{method:"POST",body:s}).then(function(t){return t.json()})},verifyRecoveryCode:function(t){var e=t.app,n=t.instance,i=t.mfaToken,o=t.code,r="".concat(n,"/oauth/mfa/challenge"),s=new window.FormData;return s.append("client_id",e.client_id),s.append("client_secret",e.client_secret),s.append("mfa_token",i),s.append("code",o),s.append("challenge_type","recovery"),window.fetch(r,{method:"POST",body:s}).then(function(t){return t.json()})},revokeToken:function(t){var e=t.app,n=t.instance,i=t.token,o="".concat(n,"/oauth/revoke"),r=new window.FormData;return r.append("client_id",e.clientId),r.append("client_secret",e.clientSecret),r.append("token",i),window.fetch(o,{method:"POST",body:r}).then(function(t){return t.json()})}},Mt=n(205),Ut=n.n(Mt);function Ft(){return"serviceWorker"in navigator&&"PushManager"in window}function Dt(){return Ut.a.register().catch(function(t){return console.error("Unable to get or create a service worker.",t)})}function Lt(t){return window.fetch("/api/v1/push/subscription/",{method:"DELETE",headers:{"Content-Type":"application/json",Authorization:"Bearer ".concat(t)}}).then(function(t){if(!t.ok)throw new Error("Bad status code from server.");return t})}function Nt(t,e,n,i){Ft()&&Dt().then(function(n){return function(t,e,n){if(!e)return Promise.reject(new Error("Web Push is disabled in config"));if(!n)return Promise.reject(new Error("VAPID public key is not found"));var i,o,r,s={userVisibleOnly:!0,applicationServerKey:(i=n,o=(i+"=".repeat((4-i.length%4)%4)).replace(/-/g,"+").replace(/_/g,"/"),r=window.atob(o),Uint8Array.from(p()(r).map(function(t){return t.charCodeAt(0)})))};return t.pushManager.subscribe(s)}(n,t,e)}).then(function(t){return function(t,e,n){return window.fetch("/api/v1/push/subscription/",{method:"POST",headers:{"Content-Type":"application/json",Authorization:"Bearer ".concat(e)},body:JSON.stringify({subscription:t,data:{alerts:{follow:n.follows,favourite:n.likes,mention:n.mentions,reblog:n.repeats,move:n.moves}}})}).then(function(t){if(!t.ok)throw new Error("Bad status code from server.");return t.json()}).then(function(t){if(!t.id)throw new Error("Bad response from server.");return t})}(t,n,i)}).catch(function(t){return console.warn("Failed to setup Web Push Notifications: ".concat(t.message))})}function Rt(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function At(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Rt(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Rt(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var Bt=function t(e,n){if(j()(e)&&j()(n))return e.length=n.length,ut()(e,n,t)},zt=function(t,e){return t.rootState.api.backendInteractor.blockUser({id:e}).then(function(n){t.commit("updateUserRelationship",[n]),t.commit("addBlockId",e),t.commit("removeStatus",{timeline:"friends",userId:e}),t.commit("removeStatus",{timeline:"public",userId:e}),t.commit("removeStatus",{timeline:"publicAndExternal",userId:e})})},Ht=function(t,e){return t.rootState.api.backendInteractor.unblockUser({id:e}).then(function(e){return t.commit("updateUserRelationship",[e])})},qt=function(t,e){var n=t.state.relationships[e]||{id:e};return n.muting=!0,t.commit("updateUserRelationship",[n]),t.commit("addMuteId",e),t.rootState.api.backendInteractor.muteUser({id:e}).then(function(n){t.commit("updateUserRelationship",[n]),t.commit("addMuteId",e)})},Wt=function(t,e){var n=t.state.relationships[e]||{id:e};return n.muting=!1,t.commit("updateUserRelationship",[n]),t.rootState.api.backendInteractor.unmuteUser({id:e}).then(function(e){return t.commit("updateUserRelationship",[e])})},Vt=function(t,e){return t.rootState.api.backendInteractor.muteDomain({domain:e}).then(function(){return t.commit("addDomainMute",e)})},Gt=function(t,e){return t.rootState.api.backendInteractor.unmuteDomain({domain:e}).then(function(){return t.commit("removeDomainMute",e)})},Kt={state:{loggingIn:!1,lastLoginName:!1,currentUser:!1,users:[],usersObject:{},signUpPending:!1,signUpErrors:[],relationships:{}},mutations:{tagUser:function(t,e){var n=e.user.id,i=e.tag,o=t.usersObject[n],s=(o.tags||[]).concat([i]);Object(r.set)(o,"tags",s)},untagUser:function(t,e){var n=e.user.id,i=e.tag,o=t.usersObject[n],s=(o.tags||[]).filter(function(t){return t!==i});Object(r.set)(o,"tags",s)},updateRight:function(t,e){var n=e.user.id,i=e.right,o=e.value,s=t.usersObject[n],a=s.rights;a[i]=o,Object(r.set)(s,"rights",a)},updateActivationStatus:function(t,e){var n=e.user.id,i=e.deactivated,o=t.usersObject[n];Object(r.set)(o,"deactivated",i)},setCurrentUser:function(t,e){t.lastLoginName=e.screen_name,t.currentUser=ut()(t.currentUser||{},e,Bt)},clearCurrentUser:function(t){t.currentUser=!1,t.lastLoginName=!1},beginLogin:function(t){t.loggingIn=!0},endLogin:function(t){t.loggingIn=!1},saveFriendIds:function(t,e){var n=e.id,i=e.friendIds,o=t.usersObject[n];o.friendIds=st()(ct()(o.friendIds,i))},saveFollowerIds:function(t,e){var n=e.id,i=e.followerIds,o=t.usersObject[n];o.followerIds=st()(ct()(o.followerIds,i))},clearFriends:function(t,e){var n=t.usersObject[e];n&&Object(r.set)(n,"friendIds",[])},clearFollowers:function(t,e){var n=t.usersObject[e];n&&Object(r.set)(n,"followerIds",[])},addNewUsers:function(t,e){z()(e,function(e){e.relationship&&Object(r.set)(t.relationships,e.relationship.id,e.relationship),function(t,e,n){if(!n)return!1;var i=e[n.id];i?ut()(i,n,Bt):(t.push(n),Object(r.set)(e,n.id,n),n.screen_name&&!n.screen_name.includes("@")&&Object(r.set)(e,n.screen_name.toLowerCase(),n))}(t.users,t.usersObject,e)})},updateUserRelationship:function(t,e){e.forEach(function(e){Object(r.set)(t.relationships,e.id,e)})},saveBlockIds:function(t,e){t.currentUser.blockIds=e},addBlockId:function(t,e){-1===t.currentUser.blockIds.indexOf(e)&&t.currentUser.blockIds.push(e)},saveMuteIds:function(t,e){t.currentUser.muteIds=e},addMuteId:function(t,e){-1===t.currentUser.muteIds.indexOf(e)&&t.currentUser.muteIds.push(e)},saveDomainMutes:function(t,e){t.currentUser.domainMutes=e},addDomainMute:function(t,e){-1===t.currentUser.domainMutes.indexOf(e)&&t.currentUser.domainMutes.push(e)},removeDomainMute:function(t,e){var n=t.currentUser.domainMutes.indexOf(e);-1!==n&&t.currentUser.domainMutes.splice(n,1)},setPinnedToUser:function(t,e){var n=t.usersObject[e.user.id],i=n.pinnedStatusIds.indexOf(e.id);e.pinned&&-1===i?n.pinnedStatusIds.push(e.id):e.pinned||-1===i||n.pinnedStatusIds.splice(i,1)},setUserForStatus:function(t,e){e.user=t.usersObject[e.user.id]},setUserForNotification:function(t,e){"follow"!==e.type&&(e.action.user=t.usersObject[e.action.user.id]),e.from_profile=t.usersObject[e.from_profile.id]},setColor:function(t,e){var n=e.user.id,i=e.highlighted,o=t.usersObject[n];Object(r.set)(o,"highlight",i)},signUpPending:function(t){t.signUpPending=!0,t.signUpErrors=[]},signUpSuccess:function(t){t.signUpPending=!1},signUpFailure:function(t,e){t.signUpPending=!1,t.signUpErrors=e}},getters:{findUser:function(t){return function(e){var n=t.usersObject[e];return n||"string"!=typeof e?n:t.usersObject[e.toLowerCase()]}},relationship:function(t){return function(e){return e&&t.relationships[e]||{id:e,loading:!0}}}},actions:{fetchUserIfMissing:function(t,e){t.getters.findUser(e)||t.dispatch("fetchUser",e)},fetchUser:function(t,e){return t.rootState.api.backendInteractor.fetchUser({id:e}).then(function(e){return t.commit("addNewUsers",[e]),e})},fetchUserRelationship:function(t,e){t.state.currentUser&&t.rootState.api.backendInteractor.fetchUserRelationship({id:e}).then(function(e){return t.commit("updateUserRelationship",e)})},fetchBlocks:function(t){return t.rootState.api.backendInteractor.fetchBlocks().then(function(e){return t.commit("saveBlockIds",pt()(e,"id")),t.commit("addNewUsers",e),e})},blockUser:function(t,e){return zt(t,e)},unblockUser:function(t,e){return Ht(t,e)},blockUsers:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Promise.all(e.map(function(e){return zt(t,e)}))},unblockUsers:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Promise.all(e.map(function(e){return Ht(t,e)}))},fetchMutes:function(t){return t.rootState.api.backendInteractor.fetchMutes().then(function(e){return t.commit("saveMuteIds",pt()(e,"id")),t.commit("addNewUsers",e),e})},muteUser:function(t,e){return qt(t,e)},unmuteUser:function(t,e){return Wt(t,e)},hideReblogs:function(t,e){return function(t,e){return t.rootState.api.backendInteractor.followUser({id:e,reblogs:!1}).then(function(e){t.commit("updateUserRelationship",[e])})}(t,e)},showReblogs:function(t,e){return function(t,e){return t.rootState.api.backendInteractor.followUser({id:e,reblogs:!0}).then(function(e){return t.commit("updateUserRelationship",[e])})}(t,e)},muteUsers:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Promise.all(e.map(function(e){return qt(t,e)}))},unmuteUsers:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Promise.all(e.map(function(e){return Wt(t,e)}))},fetchDomainMutes:function(t){return t.rootState.api.backendInteractor.fetchDomainMutes().then(function(e){return t.commit("saveDomainMutes",e),e})},muteDomain:function(t,e){return Vt(t,e)},unmuteDomain:function(t,e){return Gt(t,e)},muteDomains:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Promise.all(e.map(function(e){return Vt(t,e)}))},unmuteDomains:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Promise.all(e.map(function(e){return Gt(t,e)}))},fetchFriends:function(t,e){var n=t.rootState,i=t.commit,o=n.users.usersObject[e],r=P()(o.friendIds);return n.api.backendInteractor.fetchFriends({id:e,maxId:r}).then(function(t){return i("addNewUsers",t),i("saveFriendIds",{id:e,friendIds:pt()(t,"id")}),t})},fetchFollowers:function(t,e){var n=t.rootState,i=t.commit,o=n.users.usersObject[e],r=P()(o.followerIds);return n.api.backendInteractor.fetchFollowers({id:e,maxId:r}).then(function(t){return i("addNewUsers",t),i("saveFollowerIds",{id:e,followerIds:pt()(t,"id")}),t})},clearFriends:function(t,e){(0,t.commit)("clearFriends",e)},clearFollowers:function(t,e){(0,t.commit)("clearFollowers",e)},subscribeUser:function(t,e){var n=t.rootState,i=t.commit;return n.api.backendInteractor.subscribeUser({id:e}).then(function(t){return i("updateUserRelationship",[t])})},unsubscribeUser:function(t,e){var n=t.rootState,i=t.commit;return n.api.backendInteractor.unsubscribeUser({id:e}).then(function(t){return i("updateUserRelationship",[t])})},toggleActivationStatus:function(t,e){var n=t.rootState,i=t.commit,o=e.user;(o.deactivated?n.api.backendInteractor.activateUser:n.api.backendInteractor.deactivateUser)({user:o}).then(function(t){var e=t.deactivated;return i("updateActivationStatus",{user:o,deactivated:e})})},registerPushNotifications:function(t){var e=t.state.currentUser.credentials,n=t.rootState.instance.vapidPublicKey;Nt(t.rootState.config.webPushNotifications,n,e,t.rootState.config.notificationVisibility)},unregisterPushNotifications:function(t){!function(t){Ft()&&Promise.all([Lt(t),Dt().then(function(t){return function(t){return t.pushManager.getSubscription().then(function(t){if(null!==t)return t.unsubscribe()})}(t).then(function(e){return[t,e]})}).then(function(t){var e=g()(t,2),n=e[0];return e[1]||console.warn("Push subscription cancellation wasn't successful, killing SW anyway..."),n.unregister().then(function(t){t||console.warn("Failed to kill SW")})})]).catch(function(t){return console.warn("Failed to disable Web Push Notifications: ".concat(t.message))})}(t.state.currentUser.credentials)},addNewUsers:function(t,e){(0,t.commit)("addNewUsers",e)},addNewStatuses:function(t,e){var n=e.statuses,i=pt()(n,"user"),o=ht()(pt()(n,"retweeted_status.user"));t.commit("addNewUsers",i),t.commit("addNewUsers",o),z()(n,function(e){t.commit("setUserForStatus",e),t.commit("setPinnedToUser",e)}),z()(ht()(pt()(n,"retweeted_status")),function(e){t.commit("setUserForStatus",e),t.commit("setPinnedToUser",e)})},addNewNotifications:function(t,e){var n=e.notifications,i=pt()(n,"from_profile"),o=pt()(n,"target").filter(function(t){return t}),r=n.map(function(t){return t.id});t.commit("addNewUsers",i),t.commit("addNewUsers",o);var s=t.rootState.statuses.notifications.idStore,a=Object.entries(s).filter(function(t){var e=g()(t,2),n=e[0];e[1];return r.includes(n)}).map(function(t){var e=g()(t,2);e[0];return e[1]});z()(a,function(e){t.commit("setUserForNotification",e)})},searchUsers:function(t,e){var n=t.rootState,i=t.commit,o=e.query;return n.api.backendInteractor.searchUsers({query:o}).then(function(t){return i("addNewUsers",t),t})},signUp:function(t,e){var n,i,r;return o.a.async(function(s){for(;;)switch(s.prev=s.next){case 0:return t.commit("signUpPending"),n=t.rootState,s.prev=2,s.next=5,o.a.awrap(n.api.backendInteractor.register({params:At({},e)}));case 5:i=s.sent,t.commit("signUpSuccess"),t.commit("setToken",i.access_token),t.dispatch("loginUser",i.access_token),s.next=16;break;case 11:throw s.prev=11,s.t0=s.catch(2),r=s.t0.message,t.commit("signUpFailure",r),s.t0;case 16:case"end":return s.stop()}},null,null,[[2,11]])},getCaptcha:function(t){return o.a.async(function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",t.rootState.api.backendInteractor.getCaptcha());case 1:case"end":return e.stop()}})},logout:function(t){var e=t.rootState,n=e.oauth,i=e.instance,o=At({},n,{commit:t.commit,instance:i.server});return Et.getOrCreateApp(o).then(function(t){var e={app:t,instance:o.instance,token:n.userToken};return Et.revokeToken(e)}).then(function(){t.commit("clearCurrentUser"),t.dispatch("disconnectFromSocket"),t.commit("clearToken"),t.dispatch("stopFetchingTimeline","friends"),t.commit("setBackendInteractor",jt(t.getters.getToken())),t.dispatch("stopFetchingNotifications"),t.dispatch("stopFetchingFollowRequests"),t.commit("clearNotifications"),t.commit("resetStatuses"),t.dispatch("resetChats"),t.dispatch("setLastTimeline","public-timeline")})},loginUser:function(t,e){return new Promise(function(n,i){var o=t.commit;o("beginLogin"),t.rootState.api.backendInteractor.verifyCredentials(e).then(function(r){if(r.error){var s=r.error;o("endLogin"),401===s.status?i(new Error("Wrong username or password")):i(new Error("An error occurred, please try again"))}else{var a=r;a.credentials=e,a.blockIds=[],a.muteIds=[],a.domainMutes=[],o("setCurrentUser",a),o("addNewUsers",[a]),t.dispatch("fetchEmoji"),(l=window.Notification,l?"default"===l.permission?l.requestPermission():Promise.resolve(l.permission):Promise.resolve(null)).then(function(t){return o("setNotificationPermission",t)}),o("setBackendInteractor",jt(e)),a.token&&(t.dispatch("setWsToken",a.token),t.dispatch("initializeSocket"));var c=function(){t.dispatch("startFetchingTimeline",{timeline:"friends"}),t.dispatch("startFetchingNotifications"),t.dispatch("startFetchingChats")};t.getters.mergedConfig.useStreamingApi?t.dispatch("enableMastoSockets").catch(function(t){console.error("Failed initializing MastoAPI Streaming socket",t),c()}).then(function(){t.dispatch("fetchChats",{latest:!0}),setTimeout(function(){return t.dispatch("setNotificationsSilence",!1)},1e4)}):c(),t.dispatch("fetchMutes"),t.rootState.api.backendInteractor.fetchFriends({id:a.id}).then(function(t){return o("addNewUsers",t)})}var l;o("endLogin"),n()}).catch(function(t){console.log(t),o("endLogin"),i(new Error("Failed to connect to server, try again"))})})}}},Yt=n(100),Jt=function(t,e){if(e.lastMessage&&(t.rootState.chats.currentChatId!==e.id||document.hidden)&&t.rootState.users.currentUser.id!==e.lastMessage.account.id){var n={tag:e.lastMessage.id,title:e.account.name,icon:e.account.profile_image_url,body:e.lastMessage.content};e.lastMessage.attachment&&"image"===e.lastMessage.attachment.type&&(n.image=e.lastMessage.attachment.preview_url),Object(Yt.a)(t.rootState,n)}},Xt=n(206),Qt={state:{backendInteractor:jt(),fetchers:{},socket:null,mastoUserSocket:null,mastoUserSocketStatus:null,followRequests:[]},mutations:{setBackendInteractor:function(t,e){t.backendInteractor=e},addFetcher:function(t,e){var n=e.fetcherName,i=e.fetcher;t.fetchers[n]=i},removeFetcher:function(t,e){var n=e.fetcherName,i=e.fetcher;window.clearInterval(i),delete t.fetchers[n]},setWsToken:function(t,e){t.wsToken=e},setSocket:function(t,e){t.socket=e},setFollowRequests:function(t,e){t.followRequests=e},setMastoUserSocketStatus:function(t,e){t.mastoUserSocketStatus=e}},actions:{enableMastoSockets:function(t){var e=t.state,n=t.dispatch;if(!e.mastoUserSocket)return n("startMastoUserSocket")},disableMastoSockets:function(t){var e=t.state,n=t.dispatch;if(e.mastoUserSocket)return n("stopMastoUserSocket")},startMastoUserSocket:function(t){return new Promise(function(e,n){try{var i=t.state,o=t.commit,r=t.dispatch,s=t.rootState.statuses.timelines.friends;i.mastoUserSocket=i.backendInteractor.startUserSocket({store:t}),i.mastoUserSocket.addEventListener("message",function(e){var n=e.detail;n&&("notification"===n.event?r("addNewNotifications",{notifications:[n.notification],older:!1}):"update"===n.event?r("addNewStatuses",{statuses:[n.status],userId:!1,showImmediately:0===s.visibleStatuses.length,timeline:"friends"}):"pleroma:chat_update"===n.event&&(r("addChatMessages",{chatId:n.chatUpdate.id,messages:[n.chatUpdate.lastMessage]}),r("updateChat",{chat:n.chatUpdate}),Jt(t,n.chatUpdate)))}),i.mastoUserSocket.addEventListener("open",function(){o("setMastoUserSocketStatus",w.b.JOINED)}),i.mastoUserSocket.addEventListener("error",function(t){var e=t.detail;console.error("Error in MastoAPI websocket:",e),o("setMastoUserSocketStatus",w.b.ERROR),r("clearOpenedChats")}),i.mastoUserSocket.addEventListener("close",function(t){var e=t.detail,n=new Set([1e3,1001]),i=e.code;n.has(i)?console.debug("Not restarting socket becasue of closure code ".concat(i," is in ignore list")):(console.warn("MastoAPI websocket disconnected, restarting. CloseEvent code: ".concat(i)),r("startFetchingTimeline",{timeline:"friends"}),r("startFetchingNotifications"),r("startFetchingChats"),r("restartMastoUserSocket")),o("setMastoUserSocketStatus",w.b.CLOSED),r("clearOpenedChats")}),e()}catch(t){n(t)}})},restartMastoUserSocket:function(t){var e=t.dispatch;return e("startMastoUserSocket").then(function(){e("stopFetchingTimeline",{timeline:"friends"}),e("stopFetchingNotifications"),e("stopFetchingChats")})},stopMastoUserSocket:function(t){var e=t.state,n=t.dispatch;n("startFetchingTimeline",{timeline:"friends"}),n("startFetchingNotifications"),n("startFetchingChats"),e.mastoUserSocket.close()},startFetchingTimeline:function(t,e){var n=e.timeline,i=void 0===n?"friends":n,o=e.tag,r=void 0!==o&&o,s=e.userId,a=void 0!==s&&s;if(!t.state.fetchers[i]){var c=t.state.backendInteractor.startFetchingTimeline({timeline:i,store:t,userId:a,tag:r});t.commit("addFetcher",{fetcherName:i,fetcher:c})}},stopFetchingTimeline:function(t,e){var n=t.state.fetchers[e];n&&t.commit("removeFetcher",{fetcherName:e,fetcher:n})},startFetchingNotifications:function(t){if(!t.state.fetchers.notifications){var e=t.state.backendInteractor.startFetchingNotifications({store:t});t.commit("addFetcher",{fetcherName:"notifications",fetcher:e})}},stopFetchingNotifications:function(t){var e=t.state.fetchers.notifications;e&&t.commit("removeFetcher",{fetcherName:"notifications",fetcher:e})},startFetchingFollowRequests:function(t){if(!t.state.fetchers.followRequests){var e=t.state.backendInteractor.startFetchingFollowRequests({store:t});t.commit("addFetcher",{fetcherName:"followRequests",fetcher:e})}},stopFetchingFollowRequests:function(t){var e=t.state.fetchers.followRequests;e&&t.commit("removeFetcher",{fetcherName:"followRequests",fetcher:e})},removeFollowRequest:function(t,e){var n=t.state.followRequests.filter(function(t){return t!==e});t.commit("setFollowRequests",n)},setWsToken:function(t,e){t.commit("setWsToken",e)},initializeSocket:function(t){var e=t.dispatch,n=t.commit,i=t.state,o=t.rootState,r=i.wsToken;if(o.instance.chatAvailable&&void 0!==r&&null===i.socket){var s=new Xt.Socket("/socket",{params:{token:r}});s.connect(),n("setSocket",s),e("initializeChat",s)}},disconnectFromSocket:function(t){var e=t.commit,n=t.state;n.socket&&n.socket.disconnect(),e("setSocket",null)}}},Zt={state:{messages:[],channel:{state:""}},mutations:{setChannel:function(t,e){t.channel=e},addMessage:function(t,e){t.messages.push(e),t.messages=t.messages.slice(-19,20)},setMessages:function(t,e){t.messages=e.slice(-19,20)}},actions:{initializeChat:function(t,e){var n=e.channel("chat:public");n.on("new_msg",function(e){t.commit("addMessage",e)}),n.on("messages",function(e){var n=e.messages;t.commit("setMessages",n)}),n.join(),t.commit("setChannel",n)}}},te={state:{clientId:!1,clientSecret:!1,appToken:!1,userToken:!1},mutations:{setClientData:function(t,e){var n=e.clientId,i=e.clientSecret;t.clientId=n,t.clientSecret=i},setAppToken:function(t,e){t.appToken=e},setToken:function(t,e){t.userToken=e},clearToken:function(t){t.userToken=!1,Object(r.delete)(t,"token")}},getters:{getToken:function(t){return function(){return t.userToken||t.token||t.appToken}},getUserToken:function(t){return function(){return t.userToken||t.token}}}},ee=function(t){t.strategy=t.initStrategy,t.settings={}},ne={namespaced:!0,state:{settings:{},strategy:"password",initStrategy:"password"},getters:{settings:function(t,e){return t.settings},requiredPassword:function(t,e,n){return"password"===t.strategy},requiredToken:function(t,e,n){return"token"===t.strategy},requiredTOTP:function(t,e,n){return"totp"===t.strategy},requiredRecovery:function(t,e,n){return"recovery"===t.strategy}},mutations:{setInitialStrategy:function(t,e){e&&(t.initStrategy=e,t.strategy=e)},requirePassword:function(t){t.strategy="password"},requireToken:function(t){t.strategy="token"},requireMFA:function(t,e){var n=e.settings;t.settings=n,t.strategy="totp"},requireRecovery:function(t){t.strategy="recovery"},requireTOTP:function(t){t.strategy="totp"},abortMFA:function(t){ee(t)}},actions:{login:function(t,e){var n,i,r,s;return o.a.async(function(a){for(;;)switch(a.prev=a.next){case 0:return n=t.state,i=t.dispatch,r=t.commit,s=e.access_token,r("setToken",s,{root:!0}),a.next=5,o.a.awrap(i("loginUser",s,{root:!0}));case 5:ee(n);case 6:case"end":return a.stop()}})}}},ie=n(21),oe={state:{media:[],currentIndex:0,activated:!1},mutations:{setMedia:function(t,e){t.media=e},setCurrent:function(t,e){t.activated=!0,t.currentIndex=e},close:function(t){t.activated=!1}},actions:{setMedia:function(t,e){(0,t.commit)("setMedia",e.filter(function(t){var e=ie.a.fileType(t.mimetype);return"image"===e||"video"===e||"audio"===e}))},setCurrent:function(t,e){(0,t.commit)("setCurrent",t.state.media.indexOf(e)||0)},closeMediaViewer:function(t){(0,t.commit)("close")}}},re={state:{tokens:[]},actions:{fetchTokens:function(t){var e=t.rootState,n=t.commit;e.api.backendInteractor.fetchOAuthTokens().then(function(t){n("swapTokens",t)})},revokeToken:function(t,e){var n=t.rootState,i=t.commit,o=t.state;n.api.backendInteractor.revokeOAuthToken({id:e}).then(function(t){201===t.status&&i("swapTokens",o.tokens.filter(function(t){return t.id!==e}))})}},mutations:{swapTokens:function(t,e){t.tokens=e}}},se=n(37),ae=n.n(se),ce={state:{userId:null,statuses:[],modalActivated:!1},mutations:{openUserReportingModal:function(t,e){var n=e.userId,i=e.statuses;t.userId=n,t.statuses=i,t.modalActivated=!0},closeUserReportingModal:function(t){t.modalActivated=!1}},actions:{openUserReportingModal:function(t,e){var n=t.rootState,i=t.commit,o=ae()(n.statuses.allStatuses,function(t){return t.user.id===e});i("openUserReportingModal",{userId:e,statuses:o})},closeUserReportingModal:function(t){(0,t.commit)("closeUserReportingModal")}}},le={state:{trackedPolls:{},pollsObject:{}},mutations:{mergeOrAddPoll:function(t,e){var n=t.pollsObject[e.id];e.expired=Date.now()>Date.parse(e.expires_at),n?Object(r.set)(t.pollsObject,e.id,E()(n,e)):Object(r.set)(t.pollsObject,e.id,e)},trackPoll:function(t,e){var n=t.trackedPolls[e];n?Object(r.set)(t.trackedPolls,e,n+1):Object(r.set)(t.trackedPolls,e,1)},untrackPoll:function(t,e){var n=t.trackedPolls[e];n?Object(r.set)(t.trackedPolls,e,n-1):Object(r.set)(t.trackedPolls,e,0)}},actions:{mergeOrAddPoll:function(t,e){(0,t.commit)("mergeOrAddPoll",e)},updateTrackedPoll:function(t,e){var n=t.rootState,i=t.dispatch,o=t.commit;n.api.backendInteractor.fetchPoll({pollId:e}).then(function(t){setTimeout(function(){n.polls.trackedPolls[e]&&i("updateTrackedPoll",e)},3e4),o("mergeOrAddPoll",t)})},trackPoll:function(t,e){var n=t.rootState,i=t.commit,o=t.dispatch;n.polls.trackedPolls[e]||setTimeout(function(){return o("updateTrackedPoll",e)},3e4),i("trackPoll",e)},untrackPoll:function(t,e){(0,t.commit)("untrackPoll",e)},votePoll:function(t,e){var n=t.rootState,i=t.commit,o=(e.id,e.pollId),r=e.choices;return n.api.backendInteractor.vote({pollId:o,choices:r}).then(function(t){return i("mergeOrAddPoll",t),t})}}},ue={state:{params:null,modalActivated:!1},mutations:{openPostStatusModal:function(t,e){t.params=e,t.modalActivated=!0},closePostStatusModal:function(t){t.modalActivated=!1}},actions:{openPostStatusModal:function(t,e){(0,t.commit)("openPostStatusModal",e)},closePostStatusModal:function(t){(0,t.commit)("closePostStatusModal")}}},de=n(104),pe=n.n(de),fe=n(207),he=n.n(fe),me=n(208),ge=n.n(me),ve=n(98),be=n.n(ve),we={add:function(t,e){var n=e.messages,i=e.updateMaxId,o=void 0===i||i;if(t)for(var r=0;r<n.length;r++){var s=n[r];if(s.chat_id!==t.chatId)return;(!t.minId||s.id<t.minId)&&(t.minId=s.id),(!t.maxId||s.id>t.maxId)&&o&&(t.maxId=s.id),t.idIndex[s.id]||(t.lastSeenTimestamp<s.created_at&&t.newMessageCount++,t.messages.push(s),t.idIndex[s.id]=s)}},empty:function(t){return{idIndex:{},messages:[],newMessageCount:0,lastSeenTimestamp:0,chatId:t,minId:void 0,maxId:void 0}},getView:function(t){if(!t)return[];var e,n=[],i=be()(t.messages,["id","desc"]),o=i[0],r=i[i.length-1];if(o){var s=new Date(o.created_at);s.setHours(0,0,0,0),n.push({type:"date",date:s,id:s.getTime().toString()})}for(var a=!1,c=0;c<i.length;c++){var l=i[c],u=i[c+1],d=new Date(l.created_at);d.setHours(0,0,0,0),r&&r.date<d&&(n.push({type:"date",date:d,id:d.getTime().toString()}),r.isTail=!0,e=void 0,a=!0);var p={type:"message",data:l,date:d,id:l.id,messageChainId:e};(u&&u.account_id)!==l.account_id&&(p.isTail=!0,e=void 0),((r&&r.data&&r.data.account_id)!==l.account_id||a)&&(e=ge()(),p.isHead=!0,p.messageChainId=e),n.push(p),r=p,a=!1}return n},deleteMessage:function(t,e){if(t){if(t.messages=t.messages.filter(function(t){return t.id!==e}),delete t.idIndex[e],t.maxId===e){var n=D()(t.messages,"id");t.maxId=n.id}if(t.minId===e){var i=U()(t.messages,"id");t.minId=i.id}}},resetNewMessageCount:function(t){t&&(t.newMessageCount=0,t.lastSeenTimestamp=new Date)},clear:function(t){t.idIndex={},t.messages.splice(0,t.messages.length),t.newMessageCount=0,t.lastSeenTimestamp=0,t.minId=void 0,t.maxId=void 0}},_e=n(8);function xe(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function ye(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?xe(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):xe(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var ke=function(t,e){return N()(t.chatList.data,{id:e})},Ce={state:ye({},{chatList:{data:[],idStore:{}},chatListFetcher:null,openedChats:{},openedChatMessageServices:{},fetcher:void 0,currentChatId:null}),getters:{currentChat:function(t){return t.openedChats[t.currentChatId]},currentChatMessageService:function(t){return t.openedChatMessageServices[t.currentChatId]},findOpenedChatByRecipientId:function(t){return function(e){return N()(t.openedChats,function(t){return t.account.id===e})}},sortedChatList:function(t){return he()(t.chatList.data,["updated_at"],["desc"])},unreadChatCount:function(t){return pe()(t.chatList.data,"unread")}},actions:{startFetchingChats:function(t){var e=t.dispatch,n=t.commit,i=function(){e("fetchChats",{latest:!0})};i(),n("setChatListFetcher",{fetcher:function(){return setInterval(function(){i()},5e3)}})},stopFetchingChats:function(t){(0,t.commit)("setChatListFetcher",{fetcher:void 0})},fetchChats:function(t){var e=t.dispatch,n=t.rootState;t.commit,arguments.length>1&&void 0!==arguments[1]&&arguments[1];return n.api.backendInteractor.chats().then(function(t){var n=t.chats;return e("addNewChats",{chats:n}),n})},addNewChats:function(t,e){var n=e.chats;(0,t.commit)("addNewChats",{dispatch:t.dispatch,chats:n,rootGetters:t.rootGetters,newChatMessageSideEffects:function(e){Jt(t,e)}})},updateChat:function(t,e){(0,t.commit)("updateChat",{chat:e.chat})},startFetchingCurrentChat:function(t,e){t.commit;(0,t.dispatch)("setCurrentChatFetcher",{fetcher:e.fetcher})},setCurrentChatFetcher:function(t,e){t.rootState;(0,t.commit)("setCurrentChatFetcher",{fetcher:e.fetcher})},addOpenedChat:function(t,e){t.rootState;var n=t.commit,i=t.dispatch,o=e.chat;n("addOpenedChat",{dispatch:i,chat:Object(_e.b)(o)}),i("addNewUsers",[o.account])},addChatMessages:function(t,e){var n=t.commit;n("addChatMessages",ye({commit:n},e))},resetChatNewMessageCount:function(t,e){(0,t.commit)("resetChatNewMessageCount",e)},clearCurrentChat:function(t,e){t.rootState;var n=t.commit;t.dispatch;n("setCurrentChatId",{chatId:void 0}),n("setCurrentChatFetcher",{fetcher:void 0})},readChat:function(t,e){var n=t.rootState,i=t.commit,o=t.dispatch,r=e.id,s=e.lastReadId;o("resetChatNewMessageCount"),i("readChat",{id:r}),n.api.backendInteractor.readChat({id:r,lastReadId:s})},deleteChatMessage:function(t,e){var n=t.rootState,i=t.commit;n.api.backendInteractor.deleteChatMessage(e),i("deleteChatMessage",ye({commit:i},e))},resetChats:function(t){var e=t.commit;(0,t.dispatch)("clearCurrentChat"),e("resetChats",{commit:e})},clearOpenedChats:function(t){t.rootState;var e=t.commit;t.dispatch,t.rootGetters;e("clearOpenedChats",{commit:e})}},mutations:{setChatListFetcher:function(t,e){e.commit;var n=e.fetcher,i=t.chatListFetcher;i&&clearInterval(i),t.chatListFetcher=n&&n()},setCurrentChatFetcher:function(t,e){var n=e.fetcher,i=t.fetcher;i&&clearInterval(i),t.fetcher=n&&n()},addOpenedChat:function(t,e){e._dispatch;var n=e.chat;t.currentChatId=n.id,s.a.set(t.openedChats,n.id,n),t.openedChatMessageServices[n.id]||s.a.set(t.openedChatMessageServices,n.id,we.empty(n.id))},setCurrentChatId:function(t,e){var n=e.chatId;t.currentChatId=n},addNewChats:function(t,e){var n=e.chats,i=e.newChatMessageSideEffects;n.forEach(function(e){var n=ke(t,e.id);if(n){var o=(n.lastMessage&&n.lastMessage.id)!==(e.lastMessage&&e.lastMessage.id);n.lastMessage=e.lastMessage,n.unread=e.unread,n.updated_at=e.updated_at,o&&n.unread&&i(e)}else t.chatList.data.push(e),s.a.set(t.chatList.idStore,e.id,e)})},updateChat:function(t,e){e._dispatch;var n=e.chat,i=(e._rootGetters,ke(t,n.id));i&&(i.lastMessage=n.lastMessage,i.unread=n.unread,i.updated_at=n.updated_at),i||t.chatList.data.unshift(n),s.a.set(t.chatList.idStore,n.id,n)},deleteChat:function(t,e){e._dispatch;var n=e.id;e._rootGetters;t.chats.data=t.chats.data.filter(function(t){return t.last_status.id!==n}),t.chats.idStore=C()(t.chats.idStore,function(t){return t.last_status.id===n})},resetChats:function(t,e){var n=e.commit;for(var i in t.chatList={data:[],idStore:{}},t.currentChatId=null,n("setChatListFetcher",{fetcher:void 0}),t.openedChats)we.clear(t.openedChatMessageServices[i]),s.a.delete(t.openedChats,i),s.a.delete(t.openedChatMessageServices,i)},setChatsLoading:function(t,e){var n=e.value;t.chats.loading=n},addChatMessages:function(t,e){var n=e.chatId,i=e.messages,o=e.updateMaxId,r=t.openedChatMessageServices[n];r&&we.add(r,{messages:i.map(_e.c),updateMaxId:o})},deleteChatMessage:function(t,e){var n=e.chatId,i=e.messageId,o=t.openedChatMessageServices[n];o&&we.deleteMessage(o,i)},resetChatNewMessageCount:function(t,e){var n=t.openedChatMessageServices[t.currentChatId];we.resetNewMessageCount(n)},clearOpenedChats:function(t){var e=t.currentChatId;for(var n in t.openedChats)e!==n&&(we.clear(t.openedChatMessageServices[n]),s.a.delete(t.openedChats,n),s.a.delete(t.openedChatMessageServices,n))},readChat:function(t,e){var n=e.id,i=ke(t,n);i&&(i.unread=0)}}},Se=n(138),je=n(27),Oe=n.n(je),Pe=n(209),$e=n.n(Pe),Te=n(12),Ie=n.n(Te),Ee=n(210),Me=n.n(Ee),Ue=n(211),Fe=!1,De=function(t,e){return 0===e.length?t:e.reduce(function(e,n){return $e()(e,n,Ie()(t,n)),e},{})},Le=["markNotificationsAsSeen","clearCurrentUser","setCurrentUser","setHighlight","setOption","setClientData","setToken","clearToken"],Ne=n.n(Ue).a;function Re(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.key,n=void 0===e?"vuex-lz":e,i=t.paths,o=void 0===i?[]:i,r=t.getState,s=void 0===r?function(t,e){return e.getItem(t)}:r,a=t.setState,c=void 0===a?function(t,e,n){return Fe?n.setItem(t,e):(console.log("waiting for old state to be loaded..."),Promise.resolve())}:a,l=t.reducer,u=void 0===l?De:l,d=t.storage,p=void 0===d?Ne:d,f=t.subscriber,h=void 0===f?function(t){return function(e){return t.subscribe(e)}}:f;return s(n,p).then(function(t){return function(e){try{if(null!==t&&"object"===Oe()(t)){var i=t.users||{};i.usersObject={};var r=i.users||[];z()(r,function(t){i.usersObject[t.id]=t}),t.users=i,e.replaceState(Me()({},e.state,t))}Fe=!0}catch(t){console.log("Couldn't load state"),console.error(t),Fe=!0}h(e)(function(t,i){try{Le.includes(t.type)&&c(n,u(i,o),p).then(function(n){void 0!==n&&("setOption"!==t.type&&"setCurrentUser"!==t.type||e.dispatch("settingsSaved",{success:n}))},function(n){"setOption"!==t.type&&"setCurrentUser"!==t.type||e.dispatch("settingsSaved",{error:n})})}catch(t){console.log("Couldn't persist state:"),console.log(t)}})}})}var Ae,Be,ze=function(t){t.subscribe(function(e,n){var i=n.instance.vapidPublicKey,o=n.config.webPushNotifications,r="granted"===n.interface.notificationPermission,s=n.users.currentUser,a="setCurrentUser"===e.type,c="setInstanceOption"===e.type&&"vapidPublicKey"===e.payload.name,l="setNotificationPermission"===e.type&&"granted"===e.payload,u="setOption"===e.type&&"webPushNotifications"===e.payload.name,d="setOption"===e.type&&"notificationVisibility"===e.payload.name;if(a||c||l||u||d){if(s&&i&&r&&o)return t.dispatch("registerPushNotifications");if(u&&!o)return t.dispatch("unregisterPushNotifications")}})},He=n(74),qe=n(212),We=n.n(qe),Ve=n(213),Ge=n.n(Ve),Ke=n(214),Ye=n.n(Ke),Je=n(139),Xe=new Set([]),Qe=function(t){var e=window.innerWidth-document.documentElement.clientWidth;Je.disableBodyScroll(t,{reserveScrollBarGap:!0}),Xe.add(t),setTimeout(function(){if(Xe.size<=1){if(void 0===Ae){var t=document.getElementById("nav");Ae=window.getComputedStyle(t).getPropertyValue("padding-right"),t.style.paddingRight=Ae?"calc(".concat(Ae," + ").concat(e,"px)"):"".concat(e,"px")}if(void 0===Be){var n=document.getElementById("app_bg_wrapper");Be=window.getComputedStyle(n).getPropertyValue("right"),n.style.right=Be?"calc(".concat(Be," + ").concat(e,"px)"):"".concat(e,"px")}document.body.classList.add("scroll-locked")}})},Ze=function(t){Xe.delete(t),setTimeout(function(){0===Xe.size&&(void 0!==Ae&&(document.getElementById("nav").style.paddingRight=Ae,Ae=void 0),void 0!==Be&&(document.getElementById("app_bg_wrapper").style.right=Be,Be=void 0),document.body.classList.remove("scroll-locked"))}),Je.enableBodyScroll(t)},tn={inserted:function(t,e){e.value&&Qe(t)},componentUpdated:function(t,e){e.oldValue!==e.value&&(e.value?Qe(t):Ze(t))},unbind:function(t){Ze(t)}},en=n(140),nn=n.n(en),on=n(105),rn=n.n(on),sn=n(33),an=n(219),cn=n.n(an),ln=function(t,e){var n="retweet"===t.type?t.retweeted_status.id:t.id,i="retweet"===e.type?e.retweeted_status.id:e.id,o=Number(n),r=Number(i),s=!Number.isNaN(o),a=!Number.isNaN(r);return s&&a?o<r?-1:1:s&&!a?-1:!s&&a?1:n<i?-1:1},un={data:function(){return{highlight:null,expanded:!1}},props:["statusId","collapsable","isPage","pinnedStatusIdsObject","inProfile","profileUserId"],created:function(){this.isPage&&this.fetchConversation()},computed:{status:function(){return this.$store.state.statuses.allStatusesObject[this.statusId]},originalStatusId:function(){return this.status.retweeted_status?this.status.retweeted_status.id:this.statusId},conversationId:function(){return this.getConversationId(this.statusId)},conversation:function(){if(!this.status)return[];if(!this.isExpanded)return[this.status];var t=cn()(this.$store.state.statuses.conversationsObject[this.conversationId]),e=A()(t,{id:this.originalStatusId});return-1!==e&&(t[e]=this.status),function(t,e){return(t="retweet"===e.type?ae()(t,function(t){return"retweet"===t.type||t.id!==e.retweeted_status.id}):ae()(t,function(t){return"retweet"!==t.type})).filter(function(t){return t}).sort(ln)}(t,this.status)},replies:function(){var t=1;return Pt()(this.conversation,function(e,n){var i=n.id,o=n.in_reply_to_status_id;return o&&(e[o]=e[o]||[],e[o].push({name:"#".concat(t),id:i})),t++,e},{})},isExpanded:function(){return this.expanded||this.isPage}},components:{Status:sn.default},watch:{statusId:function(t,e){var n=this.getConversationId(t),i=this.getConversationId(e);n&&i&&n===i?this.setHighlight(this.originalStatusId):this.fetchConversation()},expanded:function(t){t&&this.fetchConversation()}},methods:{fetchConversation:function(){var t=this;this.status?this.$store.state.api.backendInteractor.fetchConversation({id:this.statusId}).then(function(e){var n=e.ancestors,i=e.descendants;t.$store.dispatch("addNewStatuses",{statuses:n}),t.$store.dispatch("addNewStatuses",{statuses:i}),t.setHighlight(t.originalStatusId)}):this.$store.state.api.backendInteractor.fetchStatus({id:this.statusId}).then(function(e){t.$store.dispatch("addNewStatuses",{statuses:[e]}),t.fetchConversation()})},getReplies:function(t){return this.replies[t]||[]},focused:function(t){return this.isExpanded&&t===this.statusId},setHighlight:function(t){t&&(this.highlight=t,this.$store.dispatch("fetchFavsAndRepeats",t),this.$store.dispatch("fetchEmojiReactionsBy",t))},getHighlight:function(){return this.isExpanded?this.highlight:null},toggleExpanded:function(){this.expanded=!this.expanded},getConversationId:function(t){var e=this.$store.state.statuses.allStatusesObject[t];return Ie()(e,"retweeted_status.statusnet_conversation_id",Ie()(e,"statusnet_conversation_id"))}}},dn=n(0);var pn=function(t){n(433)},fn=Object(dn.a)(un,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"Conversation",class:{"-expanded":t.isExpanded,panel:t.isExpanded}},[t.isExpanded?n("div",{staticClass:"panel-heading conversation-heading"},[n("span",{staticClass:"title"},[t._v(" "+t._s(t.$t("timeline.conversation"))+" ")]),t._v(" "),t.collapsable?n("span",[n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleExpanded(e)}}},[t._v(t._s(t.$t("timeline.collapse")))])]):t._e()]):t._e(),t._v(" "),t._l(t.conversation,function(e){return n("status",{key:e.id,staticClass:"conversation-status status-fadein panel-body",attrs:{"inline-expanded":t.collapsable&&t.isExpanded,statusoid:e,expandable:!t.isExpanded,"show-pinned":t.pinnedStatusIdsObject&&t.pinnedStatusIdsObject[e.id],focused:t.focused(e.id),"in-conversation":t.isExpanded,highlight:t.getHighlight(),replies:t.getReplies(e.id),"in-profile":t.inProfile,"profile-user-id":t.profileUserId},on:{goto:t.setHighlight,toggleExpanded:t.toggleExpanded}})})],2)},[],!1,pn,null,null).exports,hn=n(22);function mn(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var gn={components:{Popover:hn.default},data:function(){return{isOpen:!1}},created:function(){this.currentUser&&this.currentUser.locked&&this.$store.dispatch("startFetchingFollowRequests"),{friends:"nav.timeline",bookmarks:"nav.bookmarks",dms:"nav.dms","public-timeline":"nav.public_tl","public-external-timeline":"nav.twkn","tag-timeline":"tag"}[this.$route.name]&&this.$store.dispatch("setLastTimeline",this.$route.name)},methods:{openMenu:function(){var t=this;setTimeout(function(){t.isOpen=!0},25)},timelineName:function(){var t=this.$route.name;if("tag-timeline"===t)return"#"+this.$route.params.tag;var e={friends:"nav.timeline",bookmarks:"nav.bookmarks",dms:"nav.dms","public-timeline":"nav.public_tl","public-external-timeline":"nav.twkn","tag-timeline":"tag"}[this.$route.name];return e?this.$t(e):t}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?mn(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):mn(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},Object(c.e)({currentUser:function(t){return t.users.currentUser},privateMode:function(t){return t.instance.private},federating:function(t){return t.instance.federating}}))};var vn=function(t){n(449)},bn=Object(dn.a)(gn,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("Popover",{staticClass:"timeline-menu",class:{open:t.isOpen},attrs:{trigger:"click",margin:{left:-15,right:-200},"bound-to":{x:"container"},"popover-class":"timeline-menu-popover-wrap"},on:{show:t.openMenu,close:function(){return t.isOpen=!1}}},[n("div",{staticClass:"timeline-menu-popover panel panel-default",attrs:{slot:"content"},slot:"content"},[n("ul",[t.currentUser?n("li",[n("router-link",{attrs:{to:{name:"friends"}}},[n("i",{staticClass:"button-icon icon-home-2"}),t._v(t._s(t.$t("nav.timeline"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser?n("li",[n("router-link",{attrs:{to:{name:"bookmarks"}}},[n("i",{staticClass:"button-icon icon-bookmark"}),t._v(t._s(t.$t("nav.bookmarks"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser?n("li",[n("router-link",{attrs:{to:{name:"dms",params:{username:t.currentUser.screen_name}}}},[n("i",{staticClass:"button-icon icon-mail-alt"}),t._v(t._s(t.$t("nav.dms"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser||!t.privateMode?n("li",[n("router-link",{attrs:{to:{name:"public-timeline"}}},[n("i",{staticClass:"button-icon icon-users"}),t._v(t._s(t.$t("nav.public_tl"))+"\n ")])],1):t._e(),t._v(" "),!t.federating||!t.currentUser&&t.privateMode?t._e():n("li",[n("router-link",{attrs:{to:{name:"public-external-timeline"}}},[n("i",{staticClass:"button-icon icon-globe"}),t._v(t._s(t.$t("nav.twkn"))+"\n ")])],1)])]),t._v(" "),n("div",{staticClass:"title timeline-menu-title",attrs:{slot:"trigger"},slot:"trigger"},[n("span",[t._v(t._s(t.timelineName()))]),t._v(" "),n("i",{staticClass:"icon-down-open"})])])},[],!1,vn,null,null).exports,wn={props:["timeline","timelineName","title","userId","tag","embedded","count","pinnedStatusIds","inProfile"],data:function(){return{paused:!1,unfocused:!1,bottomedOut:!1}},components:{Status:sn.default,Conversation:fn,TimelineMenu:bn},computed:{timelineError:function(){return this.$store.state.statuses.error},errorData:function(){return this.$store.state.statuses.errorData},newStatusCount:function(){return this.timeline.newStatusCount},showLoadButton:function(){return!this.timelineError&&!this.errorData&&(this.timeline.newStatusCount>0||0!==this.timeline.flushMarker)},loadButtonString:function(){return 0!==this.timeline.flushMarker?this.$t("timeline.reload"):"".concat(this.$t("timeline.show_new")," (").concat(this.newStatusCount,")")},classes:function(){return{root:["timeline"].concat(this.embedded?[]:["panel","panel-default"]),header:["timeline-heading"].concat(this.embedded?[]:["panel-heading"]),body:["timeline-body"].concat(this.embedded?[]:["panel-body"]),footer:["timeline-footer"].concat(this.embedded?[]:["panel-footer"])}},excludedStatusIdsObject:function(){var t=function(t,e){var n=[];if(e&&e.length>0){var i=!0,o=!1,r=void 0;try{for(var s,a=t[Symbol.iterator]();!(i=(s=a.next()).done);i=!0){var c=s.value;if(!e.includes(c.id))break;n.push(c.id)}}catch(t){o=!0,r=t}finally{try{i||null==a.return||a.return()}finally{if(o)throw r}}}return n}(this.timeline.visibleStatuses,this.pinnedStatusIds);return nn()(t)},pinnedStatusIdsObject:function(){return nn()(this.pinnedStatusIds)}},created:function(){var t=this.$store,e=t.state.users.currentUser.credentials,n=0===this.timeline.visibleStatuses.length;if(window.addEventListener("scroll",this.scrollLoad),t.state.api.fetchers[this.timelineName])return!1;bt.fetchAndUpdate({store:t,credentials:e,timeline:this.timelineName,showImmediately:n,userId:this.userId,tag:this.tag})},mounted:function(){void 0!==document.hidden&&(document.addEventListener("visibilitychange",this.handleVisibilityChange,!1),this.unfocused=document.hidden),window.addEventListener("keydown",this.handleShortKey)},destroyed:function(){window.removeEventListener("scroll",this.scrollLoad),window.removeEventListener("keydown",this.handleShortKey),void 0!==document.hidden&&document.removeEventListener("visibilitychange",this.handleVisibilityChange,!1),this.$store.commit("setLoading",{timeline:this.timelineName,value:!1})},methods:{handleShortKey:function(t){["textarea","input"].includes(t.target.tagName.toLowerCase())||"."===t.key&&this.showNewStatuses()},showNewStatuses:function(){0!==this.timeline.flushMarker?(this.$store.commit("clearTimeline",{timeline:this.timelineName,excludeUserId:!0}),this.$store.commit("queueFlush",{timeline:this.timelineName,id:0}),this.fetchOlderStatuses()):(this.$store.commit("showNewStatuses",{timeline:this.timelineName}),this.paused=!1)},fetchOlderStatuses:rn()(function(){var t=this,e=this.$store,n=e.state.users.currentUser.credentials;e.commit("setLoading",{timeline:this.timelineName,value:!0}),bt.fetchAndUpdate({store:e,credentials:n,timeline:this.timelineName,older:!0,showImmediately:!0,userId:this.userId,tag:this.tag}).then(function(n){var i=n.statuses;e.commit("setLoading",{timeline:t.timelineName,value:!1}),i&&0===i.length&&(t.bottomedOut=!0)})},1e3,void 0),scrollLoad:function(t){var e=document.body.getBoundingClientRect(),n=Math.max(e.height,-e.y);!1===this.timeline.loading&&this.$el.offsetHeight>0&&window.innerHeight+window.pageYOffset>=n-750&&this.fetchOlderStatuses()},handleVisibilityChange:function(){this.unfocused=document.hidden}},watch:{newStatusCount:function(t){if(this.$store.getters.mergedConfig.streaming&&t>0){var e=document.documentElement;!((window.pageYOffset||e.scrollTop)-(e.clientTop||0)<15)||this.paused||this.unfocused&&this.$store.getters.mergedConfig.pauseOnUnfocused?this.paused=!0:this.showNewStatuses()}}}};var _n=function(t){n(368)},xn=Object(dn.a)(wn,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{class:[t.classes.root,"timeline"]},[n("div",{class:t.classes.header},[t.embedded?t._e():n("TimelineMenu"),t._v(" "),t.timelineError?n("div",{staticClass:"loadmore-error alert error",on:{click:function(t){t.preventDefault()}}},[t._v("\n "+t._s(t.$t("timeline.error_fetching"))+"\n ")]):t.errorData?n("div",{staticClass:"loadmore-error alert error",on:{click:function(t){t.preventDefault()}}},[t._v("\n "+t._s(t.errorData.statusText)+"\n ")]):t.showLoadButton?n("button",{staticClass:"loadmore-button",on:{click:function(e){return e.preventDefault(),t.showNewStatuses(e)}}},[t._v("\n "+t._s(t.loadButtonString)+"\n ")]):n("div",{staticClass:"loadmore-text faint",on:{click:function(t){t.preventDefault()}}},[t._v("\n "+t._s(t.$t("timeline.up_to_date"))+"\n ")])],1),t._v(" "),n("div",{class:t.classes.body},[n("div",{staticClass:"timeline"},[t._l(t.pinnedStatusIds,function(e){return[t.timeline.statusesObject[e]?n("conversation",{key:e+"-pinned",staticClass:"status-fadein",attrs:{"status-id":e,collapsable:!0,"pinned-status-ids-object":t.pinnedStatusIdsObject,"in-profile":t.inProfile,"profile-user-id":t.userId}}):t._e()]}),t._v(" "),t._l(t.timeline.visibleStatuses,function(e){return[t.excludedStatusIdsObject[e.id]?t._e():n("conversation",{key:e.id,staticClass:"status-fadein",attrs:{"status-id":e.id,collapsable:!0,"in-profile":t.inProfile,"profile-user-id":t.userId}})]})],2)]),t._v(" "),n("div",{class:t.classes.footer},[0===t.count?n("div",{staticClass:"new-status-notification text-center panel-footer faint"},[t._v("\n "+t._s(t.$t("timeline.no_statuses"))+"\n ")]):t.bottomedOut?n("div",{staticClass:"new-status-notification text-center panel-footer faint"},[t._v("\n "+t._s(t.$t("timeline.no_more_statuses"))+"\n ")]):t.timeline.loading||t.errorData?t.errorData?n("a",{attrs:{href:"#"}},[n("div",{staticClass:"new-status-notification text-center panel-footer"},[t._v(t._s(t.errorData.error))])]):n("div",{staticClass:"new-status-notification text-center panel-footer"},[n("i",{staticClass:"icon-spin3 animate-spin"})]):n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.fetchOlderStatuses()}}},[n("div",{staticClass:"new-status-notification text-center panel-footer"},[t._v(t._s(t.$t("timeline.load_older")))])])])])},[],!1,_n,null,null).exports,yn={components:{Timeline:xn},computed:{timeline:function(){return this.$store.state.statuses.timelines.public}},created:function(){this.$store.dispatch("startFetchingTimeline",{timeline:"public"})},destroyed:function(){this.$store.dispatch("stopFetchingTimeline","public")}},kn=Object(dn.a)(yn,function(){var t=this.$createElement;return(this._self._c||t)("Timeline",{attrs:{title:this.$t("nav.public_tl"),timeline:this.timeline,"timeline-name":"public"}})},[],!1,null,null,null).exports,Cn={components:{Timeline:xn},computed:{timeline:function(){return this.$store.state.statuses.timelines.publicAndExternal}},created:function(){this.$store.dispatch("startFetchingTimeline",{timeline:"publicAndExternal"})},destroyed:function(){this.$store.dispatch("stopFetchingTimeline","publicAndExternal")}},Sn=Object(dn.a)(Cn,function(){var t=this.$createElement;return(this._self._c||t)("Timeline",{attrs:{title:this.$t("nav.twkn"),timeline:this.timeline,"timeline-name":"publicAndExternal"}})},[],!1,null,null,null).exports,jn={components:{Timeline:xn},computed:{timeline:function(){return this.$store.state.statuses.timelines.friends}}},On=Object(dn.a)(jn,function(){var t=this.$createElement;return(this._self._c||t)("Timeline",{attrs:{title:this.$t("nav.timeline"),timeline:this.timeline,"timeline-name":"friends"}})},[],!1,null,null,null).exports,Pn={created:function(){this.$store.commit("clearTimeline",{timeline:"tag"}),this.$store.dispatch("startFetchingTimeline",{timeline:"tag",tag:this.tag})},components:{Timeline:xn},computed:{tag:function(){return this.$route.params.tag},timeline:function(){return this.$store.state.statuses.timelines.tag}},watch:{tag:function(){this.$store.commit("clearTimeline",{timeline:"tag"}),this.$store.dispatch("startFetchingTimeline",{timeline:"tag",tag:this.tag})}},destroyed:function(){this.$store.dispatch("stopFetchingTimeline","tag")}},$n=Object(dn.a)(Pn,function(){var t=this.$createElement;return(this._self._c||t)("Timeline",{attrs:{title:this.tag,timeline:this.timeline,"timeline-name":"tag",tag:this.tag}})},[],!1,null,null,null).exports,Tn={computed:{timeline:function(){return this.$store.state.statuses.timelines.bookmarks}},components:{Timeline:xn},destroyed:function(){this.$store.commit("clearTimeline",{timeline:"bookmarks"})}},In=Object(dn.a)(Tn,function(){var t=this.$createElement;return(this._self._c||t)("Timeline",{attrs:{title:this.$t("nav.bookmarks"),timeline:this.timeline,"timeline-name":"bookmarks"}})},[],!1,null,null,null).exports,En={components:{Conversation:fn},computed:{statusId:function(){return this.$route.params.id}}},Mn=Object(dn.a)(En,function(){var t=this.$createElement;return(this._self._c||t)("conversation",{attrs:{collapsable:!1,"is-page":"true","status-id":this.statusId}})},[],!1,null,null,null).exports,Un=n(34),Fn=n(18),Dn=n(28),Ln=n(44),Nn=n(46),Rn=n(17);function An(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var Bn={data:function(){return{userExpanded:!1,betterShadow:this.$store.state.interface.browserSupport.cssFilter,unmuted:!1}},props:["notification"],components:{StatusContent:Un.a,UserAvatar:Fn.default,UserCard:Dn.a,Timeago:Ln.a,Status:sn.default},methods:{toggleUserExpanded:function(){this.userExpanded=!this.userExpanded},generateUserProfileLink:function(t){return Object(Rn.a)(t.id,t.screen_name,this.$store.state.instance.restrictedNicknames)},getUser:function(t){return this.$store.state.users.usersObject[t.from_profile.id]},toggleMute:function(){this.unmuted=!this.unmuted},approveUser:function(){this.$store.state.api.backendInteractor.approveUser({id:this.user.id}),this.$store.dispatch("removeFollowRequest",this.user),this.$store.dispatch("markSingleNotificationAsSeen",{id:this.notification.id}),this.$store.dispatch("updateNotification",{id:this.notification.id,updater:function(t){t.type="follow"}})},denyUser:function(){var t=this;this.$store.state.api.backendInteractor.denyUser({id:this.user.id}).then(function(){t.$store.dispatch("dismissNotificationLocal",{id:t.notification.id}),t.$store.dispatch("removeFollowRequest",t.user)})}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?An(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):An(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({userClass:function(){return Object(Nn.a)(this.notification.from_profile)},userStyle:function(){var t=this.$store.getters.mergedConfig.highlight,e=this.notification.from_profile;return Object(Nn.b)(t[e.screen_name])},user:function(){return this.$store.getters.findUser(this.notification.from_profile.id)},userProfileLink:function(){return this.generateUserProfileLink(this.user)},targetUser:function(){return this.$store.getters.findUser(this.notification.target.id)},targetUserProfileLink:function(){return this.generateUserProfileLink(this.targetUser)},needMute:function(){return this.$store.getters.relationship(this.user.id).muting},isStatusNotification:function(){return Object(G.b)(this.notification.type)}},Object(c.e)({currentUser:function(t){return t.users.currentUser}}))};var zn=function(t){n(453)},Hn=Object(dn.a)(Bn,function(){var t=this,e=t.$createElement,n=t._self._c||e;return"mention"===t.notification.type?n("status",{attrs:{compact:!0,statusoid:t.notification.status}}):n("div",[t.needMute&&!t.unmuted?n("div",{staticClass:"Notification container -muted"},[n("small",[n("router-link",{attrs:{to:t.userProfileLink}},[t._v("\n "+t._s(t.notification.from_profile.screen_name)+"\n ")])],1),t._v(" "),n("a",{staticClass:"unmute",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleMute(e)}}},[n("i",{staticClass:"button-icon icon-eye-off"})])]):n("div",{staticClass:"non-mention",class:[t.userClass,{highlighted:t.userStyle}],style:[t.userStyle]},[n("a",{staticClass:"avatar-container",attrs:{href:t.notification.from_profile.statusnet_profile_url},on:{"!click":function(e){return e.stopPropagation(),e.preventDefault(),t.toggleUserExpanded(e)}}},[n("UserAvatar",{attrs:{compact:!0,"better-shadow":t.betterShadow,user:t.notification.from_profile}})],1),t._v(" "),n("div",{staticClass:"notification-right"},[t.userExpanded?n("UserCard",{attrs:{"user-id":t.getUser(t.notification).id,rounded:!0,bordered:!0}}):t._e(),t._v(" "),n("span",{staticClass:"notification-details"},[n("div",{staticClass:"name-and-action"},[t.notification.from_profile.name_html?n("bdi",{staticClass:"username",attrs:{title:"@"+t.notification.from_profile.screen_name},domProps:{innerHTML:t._s(t.notification.from_profile.name_html)}}):n("span",{staticClass:"username",attrs:{title:"@"+t.notification.from_profile.screen_name}},[t._v(t._s(t.notification.from_profile.name))]),t._v(" "),"like"===t.notification.type?n("span",[n("i",{staticClass:"fa icon-star lit"}),t._v(" "),n("small",[t._v(t._s(t.$t("notifications.favorited_you")))])]):t._e(),t._v(" "),"repeat"===t.notification.type?n("span",[n("i",{staticClass:"fa icon-retweet lit",attrs:{title:t.$t("tool_tip.repeat")}}),t._v(" "),n("small",[t._v(t._s(t.$t("notifications.repeated_you")))])]):t._e(),t._v(" "),"follow"===t.notification.type?n("span",[n("i",{staticClass:"fa icon-user-plus lit"}),t._v(" "),n("small",[t._v(t._s(t.$t("notifications.followed_you")))])]):t._e(),t._v(" "),"follow_request"===t.notification.type?n("span",[n("i",{staticClass:"fa icon-user lit"}),t._v(" "),n("small",[t._v(t._s(t.$t("notifications.follow_request")))])]):t._e(),t._v(" "),"move"===t.notification.type?n("span",[n("i",{staticClass:"fa icon-arrow-curved lit"}),t._v(" "),n("small",[t._v(t._s(t.$t("notifications.migrated_to")))])]):t._e(),t._v(" "),"pleroma:emoji_reaction"===t.notification.type?n("span",[n("small",[n("i18n",{attrs:{path:"notifications.reacted_with"}},[n("span",{staticClass:"emoji-reaction-emoji"},[t._v(t._s(t.notification.emoji))])])],1)]):t._e()]),t._v(" "),t.isStatusNotification?n("div",{staticClass:"timeago"},[t.notification.status?n("router-link",{staticClass:"faint-link",attrs:{to:{name:"conversation",params:{id:t.notification.status.id}}}},[n("Timeago",{attrs:{time:t.notification.created_at,"auto-update":240}})],1):t._e()],1):n("div",{staticClass:"timeago"},[n("span",{staticClass:"faint"},[n("Timeago",{attrs:{time:t.notification.created_at,"auto-update":240}})],1)]),t._v(" "),t.needMute?n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.toggleMute(e)}}},[n("i",{staticClass:"button-icon icon-eye-off"})]):t._e()]),t._v(" "),"follow"===t.notification.type||"follow_request"===t.notification.type?n("div",{staticClass:"follow-text"},[n("router-link",{staticClass:"follow-name",attrs:{to:t.userProfileLink}},[t._v("\n @"+t._s(t.notification.from_profile.screen_name)+"\n ")]),t._v(" "),"follow_request"===t.notification.type?n("div",{staticStyle:{"white-space":"nowrap"}},[n("i",{staticClass:"icon-ok button-icon follow-request-accept",attrs:{title:t.$t("tool_tip.accept_follow_request")},on:{click:function(e){return t.approveUser()}}}),t._v(" "),n("i",{staticClass:"icon-cancel button-icon follow-request-reject",attrs:{title:t.$t("tool_tip.reject_follow_request")},on:{click:function(e){return t.denyUser()}}})]):t._e()],1):"move"===t.notification.type?n("div",{staticClass:"move-text"},[n("router-link",{attrs:{to:t.targetUserProfileLink}},[t._v("\n @"+t._s(t.notification.target.screen_name)+"\n ")])],1):[n("status-content",{staticClass:"faint",attrs:{status:t.notification.action}})]],2)])])},[],!1,zn,null,null).exports;function qn(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var Wn={props:{noHeading:Boolean,minimalMode:Boolean,filterMode:Array},data:function(){return{bottomedOut:!1,seenToDisplayCount:30}},created:function(){var t=this.$store,e=t.state.users.currentUser.credentials;xt.fetchAndUpdate({store:t,credentials:e})},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?qn(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):qn(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({mainClass:function(){return this.minimalMode?"":"panel panel-default"},notifications:function(){return Object(G.d)(this.$store)},error:function(){return this.$store.state.statuses.notifications.error},unseenNotifications:function(){return Object(G.e)(this.$store)},filteredNotifications:function(){return Object(G.a)(this.$store,this.filterMode)},unseenCount:function(){return this.unseenNotifications.length},unseenCountTitle:function(){return this.unseenCount+this.unreadChatCount},loading:function(){return this.$store.state.statuses.notifications.loading},notificationsToDisplay:function(){return this.filteredNotifications.slice(0,this.unseenCount+this.seenToDisplayCount)}},Object(c.c)(["unreadChatCount"])),components:{Notification:Hn},watch:{unseenCountTitle:function(t){t>0?this.$store.dispatch("setPageTitle","(".concat(t,")")):this.$store.dispatch("setPageTitle","")}},methods:{markAsSeen:function(){this.$store.dispatch("markNotificationsAsSeen"),this.seenToDisplayCount=30},fetchOlderNotifications:function(){var t=this;if(!this.loading){var e=this.filteredNotifications.length-this.unseenCount;if(this.seenToDisplayCount<e)this.seenToDisplayCount=Math.min(this.seenToDisplayCount+20,e);else{this.seenToDisplayCount>e&&(this.seenToDisplayCount=e);var n=this.$store,i=n.state.users.currentUser.credentials;n.commit("setNotificationsLoading",{value:!0}),xt.fetchAndUpdate({store:n,credentials:i,older:!0}).then(function(e){n.commit("setNotificationsLoading",{value:!1}),0===e.length&&(t.bottomedOut=!0),t.seenToDisplayCount+=e.length})}}}}};var Vn=function(t){n(451)},Gn=Object(dn.a)(Wn,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"notifications",class:{minimal:t.minimalMode}},[n("div",{class:t.mainClass},[t.noHeading?t._e():n("div",{staticClass:"panel-heading"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("notifications.notifications"))+"\n "),t.unseenCount?n("span",{staticClass:"badge badge-notification unseen-count"},[t._v(t._s(t.unseenCount))]):t._e()]),t._v(" "),t.error?n("div",{staticClass:"loadmore-error alert error",on:{click:function(t){t.preventDefault()}}},[t._v("\n "+t._s(t.$t("timeline.error_fetching"))+"\n ")]):t._e(),t._v(" "),t.unseenCount?n("button",{staticClass:"read-button",on:{click:function(e){return e.preventDefault(),t.markAsSeen(e)}}},[t._v("\n "+t._s(t.$t("notifications.read"))+"\n ")]):t._e()]),t._v(" "),n("div",{staticClass:"panel-body"},t._l(t.notificationsToDisplay,function(e){return n("div",{key:e.id,staticClass:"notification",class:{unseen:!t.minimalMode&&!e.seen}},[n("div",{staticClass:"notification-overlay"}),t._v(" "),n("notification",{attrs:{notification:e}})],1)}),0),t._v(" "),n("div",{staticClass:"panel-footer"},[t.bottomedOut?n("div",{staticClass:"new-status-notification text-center panel-footer faint"},[t._v("\n "+t._s(t.$t("notifications.no_more_notifications"))+"\n ")]):t.loading?n("div",{staticClass:"new-status-notification text-center panel-footer"},[n("i",{staticClass:"icon-spin3 animate-spin"})]):n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.fetchOlderNotifications()}}},[n("div",{staticClass:"new-status-notification text-center panel-footer"},[t._v("\n "+t._s(t.minimalMode?t.$t("interactions.load_older"):t.$t("notifications.load_older"))+"\n ")])])])])])},[],!1,Vn,null,null).exports,Kn={mentions:["mention"],"likes+repeats":["repeat","like"],follows:["follow"],moves:["move"]},Yn={data:function(){return{allowFollowingMove:this.$store.state.users.currentUser.allow_following_move,filterMode:Kn.mentions}},methods:{onModeSwitch:function(t){this.filterMode=Kn[t]}},components:{Notifications:Gn}},Jn=Object(dn.a)(Yn,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"panel panel-default"},[n("div",{staticClass:"panel-heading"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("nav.interactions"))+"\n ")])]),t._v(" "),n("tab-switcher",{ref:"tabSwitcher",attrs:{"on-switch":t.onModeSwitch}},[n("span",{key:"mentions",attrs:{label:t.$t("nav.mentions")}}),t._v(" "),n("span",{key:"likes+repeats",attrs:{label:t.$t("interactions.favs_repeats")}}),t._v(" "),n("span",{key:"follows",attrs:{label:t.$t("interactions.follows")}}),t._v(" "),t.allowFollowingMove?t._e():n("span",{key:"moves",attrs:{label:t.$t("interactions.moves")}})]),t._v(" "),n("Notifications",{ref:"notifications",attrs:{"no-heading":!0,"minimal-mode":!0,"filter-mode":t.filterMode}})],1)},[],!1,null,null,null).exports,Xn={computed:{timeline:function(){return this.$store.state.statuses.timelines.dms}},components:{Timeline:xn}},Qn=Object(dn.a)(Xn,function(){var t=this.$createElement;return(this._self._c||t)("Timeline",{attrs:{title:this.$t("nav.dms"),timeline:this.timeline,"timeline-name":"dms"}})},[],!1,null,null,null).exports,Zn=n(114),ti=s.a.component("chat-title",{name:"ChatTitle",components:{UserAvatar:Fn.default},props:["user","withAvatar"],computed:{title:function(){return this.user?this.user.screen_name:""},htmlTitle:function(){return this.user?this.user.name_html:""}},methods:{getUserProfileLink:function(t){return Object(Rn.a)(t.id,t.screen_name)}}});var ei=function(t){n(459)},ni=Object(dn.a)(ti,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"chat-title",attrs:{title:t.title}},[t.withAvatar&&t.user?n("router-link",{attrs:{to:t.getUserProfileLink(t.user)}},[n("UserAvatar",{attrs:{user:t.user,width:"23px",height:"23px"}})],1):t._e(),t._v(" "),n("span",{staticClass:"username",domProps:{innerHTML:t._s(t.htmlTitle)}})],1)},[],!1,ei,null,null).exports;function ii(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var oi={name:"ChatListItem",props:["chat"],components:{UserAvatar:Fn.default,AvatarList:Zn.a,Timeago:Ln.a,ChatTitle:ni,StatusContent:Un.a},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?ii(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):ii(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},Object(c.e)({currentUser:function(t){return t.users.currentUser}}),{attachmentInfo:function(){if(0!==this.chat.lastMessage.attachments.length){var t=this.chat.lastMessage.attachments.map(function(t){return ie.a.fileType(t.mimetype)});return t.includes("video")?this.$t("file_type.video"):t.includes("audio")?this.$t("file_type.audio"):t.includes("image")?this.$t("file_type.image"):this.$t("file_type.file")}},messageForStatusContent:function(){var t=this.chat.lastMessage,e=t&&t.account_id===this.currentUser.id,n=t?this.attachmentInfo||t.content:"",i=e?"<i>".concat(this.$t("chats.you"),"</i> ").concat(n):n;return{summary:"",statusnet_html:i,text:i,attachments:[]}}}),methods:{openChat:function(t){this.chat.id&&this.$router.push({name:"chat",params:{username:this.currentUser.screen_name,recipient_id:this.chat.account.id}})}}};var ri=function(t){n(457)},si=Object(dn.a)(oi,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"chat-list-item",on:{"!click":function(e){return e.preventDefault(),t.openChat(e)}}},[n("div",{staticClass:"chat-list-item-left"},[n("UserAvatar",{attrs:{user:t.chat.account,height:"48px",width:"48px"}})],1),t._v(" "),n("div",{staticClass:"chat-list-item-center"},[n("div",{staticClass:"heading"},[t.chat.account?n("span",{staticClass:"name-and-account-name"},[n("ChatTitle",{attrs:{user:t.chat.account}})],1):t._e(),t._v(" "),n("span",{staticClass:"heading-right"})]),t._v(" "),n("div",{staticClass:"chat-preview"},[n("StatusContent",{attrs:{status:t.messageForStatusContent,"single-line":!0}}),t._v(" "),t.chat.unread>0?n("div",{staticClass:"badge badge-notification unread-chat-count"},[t._v("\n "+t._s(t.chat.unread)+"\n ")]):t._e()],1)]),t._v(" "),n("div",{staticClass:"time-wrapper"},[n("Timeago",{attrs:{time:t.chat.updated_at,"auto-update":60}})],1)])},[],!1,ri,null,null).exports,ai=n(38);function ci(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var li={components:{BasicUserCard:ai.a,UserAvatar:Fn.default},data:function(){return{suggestions:[],userIds:[],loading:!1,query:""}},created:function(){var t,e=this;return o.a.async(function(n){for(;;)switch(n.prev=n.next){case 0:return n.next=2,o.a.awrap(this.backendInteractor.chats());case 2:t=n.sent,t.chats.forEach(function(t){return e.suggestions.push(t.account)});case 5:case"end":return n.stop()}},null,this)},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?ci(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):ci(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({users:function(){var t=this;return this.userIds.map(function(e){return t.findUser(e)})},availableUsers:function(){return 0!==this.query.length?this.users:this.suggestions}},Object(c.e)({currentUser:function(t){return t.users.currentUser},backendInteractor:function(t){return t.api.backendInteractor}}),{},Object(c.c)(["findUser"])),methods:{goBack:function(){this.$emit("cancel")},goToChat:function(t){this.$router.push({name:"chat",params:{recipient_id:t.id}})},onInput:function(){this.search(this.query)},addUser:function(t){this.selectedUserIds.push(t.id),this.query=""},removeUser:function(t){this.selectedUserIds=this.selectedUserIds.filter(function(e){return e!==t})},search:function(t){var e=this;t?(this.loading=!0,this.userIds=[],this.$store.dispatch("search",{q:t,resolve:!0,type:"accounts"}).then(function(t){e.loading=!1,e.userIds=t.accounts.map(function(t){return t.id})})):this.loading=!1}}};var ui=function(t){n(461)},di=Object(dn.a)(li,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"panel-default panel chat-new",attrs:{id:"nav"}},[n("div",{ref:"header",staticClass:"panel-heading"},[n("a",{staticClass:"go-back-button",on:{click:t.goBack}},[n("i",{staticClass:"button-icon icon-left-open"})])]),t._v(" "),n("div",{staticClass:"input-wrap"},[t._m(0),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.query,expression:"query"}],ref:"search",attrs:{placeholder:"Search people"},domProps:{value:t.query},on:{input:[function(e){e.target.composing||(t.query=e.target.value)},t.onInput]}})]),t._v(" "),n("div",{staticClass:"member-list"},t._l(t.availableUsers,function(e){return n("div",{key:e.id,staticClass:"member"},[n("div",{on:{"!click":function(n){return n.preventDefault(),t.goToChat(e)}}},[n("BasicUserCard",{attrs:{user:e}})],1)])}),0)])},[function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"input-search"},[e("i",{staticClass:"button-icon icon-search"})])}],!1,ui,null,null).exports,pi=n(52);function fi(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var hi={components:{ChatListItem:si,List:pi.a,ChatNew:di},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?fi(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):fi(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},Object(c.e)({currentUser:function(t){return t.users.currentUser}}),{},Object(c.c)(["sortedChatList"])),data:function(){return{isNew:!1}},created:function(){this.$store.dispatch("fetchChats",{latest:!0})},methods:{cancelNewChat:function(){this.isNew=!1,this.$store.dispatch("fetchChats",{latest:!0})},newChat:function(){this.isNew=!0}}};var mi=function(t){n(455)},gi=Object(dn.a)(hi,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.isNew?n("div",[n("ChatNew",{on:{cancel:t.cancelNewChat}})],1):n("div",{staticClass:"chat-list panel panel-default"},[n("div",{staticClass:"panel-heading"},[n("span",{staticClass:"title"},[t._v("\n "+t._s(t.$t("chats.chats"))+"\n ")]),t._v(" "),n("button",{on:{click:t.newChat}},[t._v("\n "+t._s(t.$t("chats.new"))+"\n ")])]),t._v(" "),n("div",{staticClass:"panel-body"},[t.sortedChatList.length>0?n("div",{staticClass:"timeline"},[n("List",{attrs:{items:t.sortedChatList},scopedSlots:t._u([{key:"item",fn:function(t){var e=t.item;return[n("ChatListItem",{key:e.id,attrs:{compact:!1,chat:e}})]}}],null,!1,1412157271)})],1):n("div",{staticClass:"emtpy-chat-list-alert"},[n("span",[t._v(t._s(t.$t("chats.empty_chat_list_placeholder")))])])])])},[],!1,mi,null,null).exports,vi=n(43),bi=n(111),wi=n(112),_i={name:"Timeago",props:["date"],computed:{displayDate:function(){var t=new Date;return t.setHours(0,0,0,0),this.date.getTime()===t.getTime()?this.$t("display_date.today"):this.date.toLocaleDateString("en",{day:"numeric",month:"long"})}}},xi=Object(dn.a)(_i,function(){var t=this.$createElement;return(this._self._c||t)("time",[this._v("\n "+this._s(this.displayDate)+"\n")])},[],!1,null,null,null).exports;function yi(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var ki={name:"ChatMessage",props:["author","edited","noHeading","chatViewItem","hoveredMessageChain"],components:{Popover:hn.default,Attachment:vi.a,StatusContent:Un.a,UserAvatar:Fn.default,Gallery:bi.a,LinkPreview:wi.a,ChatMessageDate:xi},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?yi(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):yi(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({createdAt:function(){return this.chatViewItem.data.created_at.toLocaleTimeString("en",{hour:"2-digit",minute:"2-digit",hour12:!1})},isCurrentUser:function(){return this.message.account_id===this.currentUser.id},message:function(){return this.chatViewItem.data},userProfileLink:function(){return Object(Rn.a)(this.author.id,this.author.screen_name,this.$store.state.instance.restrictedNicknames)},isMessage:function(){return"message"===this.chatViewItem.type},messageForStatusContent:function(){return{summary:"",statusnet_html:this.message.content,text:this.message.content,attachments:this.message.attachments}},hasAttachment:function(){return this.message.attachments.length>0}},Object(c.e)({betterShadow:function(t){return t.interface.browserSupport.cssFilter},currentUser:function(t){return t.users.currentUser},restrictedNicknames:function(t){return t.instance.restrictedNicknames}}),{popoverMarginStyle:function(){return this.isCurrentUser?{}:{left:50}}},Object(c.c)(["mergedConfig","findUser"])),data:function(){return{hovered:!1,menuOpened:!1}},methods:{onHover:function(t){this.$emit("hover",{isHovered:t,messageChainId:this.chatViewItem.messageChainId})},deleteMessage:function(){return o.a.async(function(t){for(;;)switch(t.prev=t.next){case 0:if(!window.confirm(this.$t("chats.delete_confirm"))){t.next=4;break}return t.next=4,o.a.awrap(this.$store.dispatch("deleteChatMessage",{messageId:this.chatViewItem.data.id,chatId:this.chatViewItem.data.chat_id}));case 4:this.hovered=!1,this.menuOpened=!1;case 6:case"end":return t.stop()}},null,this)}}};var Ci=function(t){n(469)},Si=Object(dn.a)(ki,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.isMessage?n("div",{staticClass:"chat-message-wrapper",class:{"hovered-message-chain":t.hoveredMessageChain},on:{mouseover:function(e){return t.onHover(!0)},mouseleave:function(e){return t.onHover(!1)}}},[n("div",{staticClass:"chat-message",class:[{outgoing:t.isCurrentUser,incoming:!t.isCurrentUser}]},[t.isCurrentUser?t._e():n("div",{staticClass:"avatar-wrapper"},[t.chatViewItem.isHead?n("router-link",{attrs:{to:t.userProfileLink}},[n("UserAvatar",{attrs:{compact:!0,"better-shadow":t.betterShadow,user:t.author}})],1):t._e()],1),t._v(" "),n("div",{staticClass:"chat-message-inner"},[n("div",{staticClass:"status-body",style:{"min-width":t.message.attachment?"80%":""}},[n("div",{staticClass:"media status",class:{"without-attachment":!t.hasAttachment},staticStyle:{position:"relative"},on:{mouseenter:function(e){t.hovered=!0},mouseleave:function(e){t.hovered=!1}}},[n("div",{staticClass:"chat-message-menu",class:{visible:t.hovered||t.menuOpened}},[n("Popover",{attrs:{trigger:"click",placement:"top","bound-to-selector":t.isCurrentUser?"":".scrollable-message-list","bound-to":{x:"container"},margin:t.popoverMarginStyle},on:{show:function(e){t.menuOpened=!0},close:function(e){t.menuOpened=!1}}},[n("div",{attrs:{slot:"content"},slot:"content"},[n("div",{staticClass:"dropdown-menu"},[n("button",{staticClass:"dropdown-item dropdown-item-icon",on:{click:t.deleteMessage}},[n("i",{staticClass:"icon-cancel"}),t._v(" "+t._s(t.$t("chats.delete"))+"\n ")])])]),t._v(" "),n("button",{attrs:{slot:"trigger",title:t.$t("chats.more")},slot:"trigger"},[n("i",{staticClass:"icon-ellipsis"})])])],1),t._v(" "),n("StatusContent",{attrs:{status:t.messageForStatusContent,"full-content":!0}},[n("span",{staticClass:"created-at",attrs:{slot:"footer"},slot:"footer"},[t._v("\n "+t._s(t.createdAt)+"\n ")])])],1)])])])]):n("div",{staticClass:"chat-message-date-separator"},[n("ChatMessageDate",{attrs:{date:t.chatViewItem.date}})],1)},[],!1,Ci,null,null).exports,ji=n(42),Oi=function(t){return{scrollTop:t.scrollTop,scrollHeight:t.scrollHeight,offsetHeight:t.offsetHeight}};function Pi(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function $i(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Pi(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Pi(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var Ti={components:{ChatMessage:Si,ChatTitle:ni,PostStatusForm:ji.a},data:function(){return{jumpToBottomButtonVisible:!1,hoveredMessageChainId:void 0,lastScrollPosition:{},scrollableContainerHeight:"100%",errorLoadingChat:!1}},created:function(){this.startFetching(),window.addEventListener("resize",this.handleLayoutChange)},mounted:function(){var t=this;window.addEventListener("scroll",this.handleScroll),void 0!==document.hidden&&document.addEventListener("visibilitychange",this.handleVisibilityChange,!1),this.$nextTick(function(){t.updateScrollableContainerHeight(),t.handleResize()}),this.setChatLayout()},destroyed:function(){window.removeEventListener("scroll",this.handleScroll),window.removeEventListener("resize",this.handleLayoutChange),this.unsetChatLayout(),void 0!==document.hidden&&document.removeEventListener("visibilitychange",this.handleVisibilityChange,!1),this.$store.dispatch("clearCurrentChat")},computed:$i({recipient:function(){return this.currentChat&&this.currentChat.account},recipientId:function(){return this.$route.params.recipient_id},formPlaceholder:function(){return this.recipient?this.$t("chats.message_user",{nickname:this.recipient.screen_name}):""},chatViewItems:function(){return we.getView(this.currentChatMessageService)},newMessageCount:function(){return this.currentChatMessageService&&this.currentChatMessageService.newMessageCount},streamingEnabled:function(){return this.mergedConfig.useStreamingApi&&this.mastoUserSocketStatus===w.b.JOINED}},Object(c.c)(["currentChat","currentChatMessageService","findOpenedChatByRecipientId","mergedConfig"]),{},Object(c.e)({backendInteractor:function(t){return t.api.backendInteractor},mastoUserSocketStatus:function(t){return t.api.mastoUserSocketStatus},mobileLayout:function(t){return t.interface.mobileLayout},layoutHeight:function(t){return t.interface.layoutHeight},currentUser:function(t){return t.users.currentUser}})),watch:{chatViewItems:function(){var t=this,e=this.bottomedOut(10);this.$nextTick(function(){e&&t.scrollDown({forceRead:!document.hidden})})},$route:function(){this.startFetching()},layoutHeight:function(){this.handleResize({expand:!0})},mastoUserSocketStatus:function(t){t===w.b.JOINED&&this.fetchChat({isFirstFetch:!0})}},methods:{onMessageHover:function(t){var e=t.isHovered,n=t.messageChainId;this.hoveredMessageChainId=e?n:void 0},onFilesDropped:function(){var t=this;this.$nextTick(function(){t.handleResize(),t.updateScrollableContainerHeight()})},handleVisibilityChange:function(){var t=this;this.$nextTick(function(){!document.hidden&&t.bottomedOut(10)&&t.scrollDown({forceRead:!0})})},setChatLayout:function(){var t=this,e=document.querySelector("html");e&&e.classList.add("chat-layout"),this.$nextTick(function(){t.updateScrollableContainerHeight()})},unsetChatLayout:function(){var t=document.querySelector("html");t&&t.classList.remove("chat-layout")},handleLayoutChange:function(){var t=this;this.$nextTick(function(){t.updateScrollableContainerHeight(),t.scrollDown()})},updateScrollableContainerHeight:function(){var t=this.$refs.header,e=this.$refs.footer,n=this.mobileLayout?window.document.body:this.$refs.inner;this.scrollableContainerHeight=function(t,e,n){return t.offsetHeight-e.clientHeight-n.clientHeight}(n,t,e)+"px"},handleResize:function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=e.expand,i=void 0!==n&&n,o=e.delayed;void 0!==o&&o?setTimeout(function(){t.handleResize($i({},e,{delayed:!1}))},100):this.$nextTick(function(){t.updateScrollableContainerHeight();var e=t.lastScrollPosition.offsetHeight,n=void 0===e?void 0:e;t.lastScrollPosition=Oi(t.$refs.scrollable);var o=t.lastScrollPosition.offsetHeight-n;(o<0||!t.bottomedOut()&&i)&&t.$nextTick(function(){t.updateScrollableContainerHeight(),t.$refs.scrollable.scrollTo({top:t.$refs.scrollable.scrollTop-o,left:0})})})},scrollDown:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.behavior,n=void 0===e?"auto":e,i=t.forceRead,o=void 0!==i&&i,r=this.$refs.scrollable;r&&(this.$nextTick(function(){r.scrollTo({top:r.scrollHeight,left:0,behavior:n})}),(o||this.newMessageCount>0)&&this.readChat())},readChat:function(){if(this.currentChatMessageService&&this.currentChatMessageService.maxId&&!document.hidden){var t=this.currentChatMessageService.maxId;this.$store.dispatch("readChat",{id:this.currentChat.id,lastReadId:t})}},bottomedOut:function(t){return function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0;if(t){var n=t.scrollTop+e;return t.scrollHeight-t.offsetHeight<=n}}(this.$refs.scrollable,t)},reachedTop:function(){var t=this.$refs.scrollable;return t&&t.scrollTop<=0},handleScroll:rn()(function(){this.currentChat&&(this.reachedTop()?this.fetchChat({maxId:this.currentChatMessageService.minId}):this.bottomedOut(150)?(this.jumpToBottomButtonVisible=!1,this.newMessageCount>0&&this.readChat()):this.jumpToBottomButtonVisible=!0)},100),handleScrollUp:function(t){var e,n,i=Oi(this.$refs.scrollable);this.$refs.scrollable.scrollTo({top:(e=t,n=i,e.scrollTop+(n.scrollHeight-e.scrollHeight)),left:0})},fetchChat:function(t){var e=this,n=t.isFirstFetch,i=void 0!==n&&n,o=t.fetchLatest,r=void 0!==o&&o,s=t.maxId,a=this.currentChatMessageService;if(a&&(!r||!this.streamingEnabled)){var c=a.chatId,l=!!s,u=r&&a.maxId;this.backendInteractor.chatMessages({id:c,maxId:s,sinceId:u}).then(function(t){i&&we.clear(a);var n=Oi(e.$refs.scrollable);e.$store.dispatch("addChatMessages",{chatId:c,messages:t}).then(function(){e.$nextTick(function(){l&&e.handleScrollUp(n),i&&e.updateScrollableContainerHeight()})})})}},startFetching:function(){var t,e=this;return o.a.async(function(n){for(;;)switch(n.prev=n.next){case 0:if(t=this.findOpenedChatByRecipientId(this.recipientId)){n.next=12;break}return n.prev=2,n.next=5,o.a.awrap(this.backendInteractor.getOrCreateChat({accountId:this.recipientId}));case 5:t=n.sent,n.next=12;break;case 8:n.prev=8,n.t0=n.catch(2),console.error("Error creating or getting a chat",n.t0),this.errorLoadingChat=!0;case 12:t&&(this.$nextTick(function(){e.scrollDown({forceRead:!0})}),this.$store.dispatch("addOpenedChat",{chat:t}),this.doStartFetching());case 13:case"end":return n.stop()}},null,this,[[2,8]])},doStartFetching:function(){var t=this;this.$store.dispatch("startFetchingCurrentChat",{fetcher:function(){return setInterval(function(){return t.fetchChat({fetchLatest:!0})},5e3)}}),this.fetchChat({isFirstFetch:!0})},sendMessage:function(t){var e=this,n=t.status,i=t.media,o={id:this.currentChat.id,content:n};return i[0]&&(o.mediaId=i[0].id),this.backendInteractor.sendChatMessage(o).then(function(t){return e.$store.dispatch("addChatMessages",{chatId:e.currentChat.id,messages:[t],updateMaxId:!1}).then(function(){e.$nextTick(function(){e.handleResize(),setTimeout(function(){e.updateScrollableContainerHeight()},100),e.scrollDown({forceRead:!0})})}),t}).catch(function(t){return console.error("Error sending message",t),{error:e.$t("chats.error_sending_message")}})},goBack:function(){this.$router.push({name:"chats",params:{username:this.currentUser.screen_name}})}}};var Ii=function(t){n(467)},Ei=Object(dn.a)(Ti,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"chat-view"},[n("div",{staticClass:"chat-view-inner"},[n("div",{ref:"inner",staticClass:"panel-default panel chat-view-body",attrs:{id:"nav"}},[n("div",{ref:"header",staticClass:"panel-heading chat-view-heading mobile-hidden"},[n("a",{staticClass:"go-back-button",on:{click:t.goBack}},[n("i",{staticClass:"button-icon icon-left-open"})]),t._v(" "),n("div",{staticClass:"title text-center"},[n("ChatTitle",{attrs:{user:t.recipient,"with-avatar":!0}})],1)]),t._v(" "),[n("div",{ref:"scrollable",staticClass:"scrollable-message-list",style:{height:t.scrollableContainerHeight},on:{scroll:t.handleScroll}},[t.errorLoadingChat?n("div",{staticClass:"chat-loading-error"},[n("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.$t("chats.error_loading_chat"))+"\n ")])]):t._l(t.chatViewItems,function(e){return n("ChatMessage",{key:e.id,attrs:{author:t.recipient,"chat-view-item":e,"hovered-message-chain":e.messageChainId===t.hoveredMessageChainId},on:{hover:t.onMessageHover}})})],2),t._v(" "),n("div",{ref:"footer",staticClass:"panel-body footer"},[n("div",{staticClass:"jump-to-bottom-button",class:{visible:t.jumpToBottomButtonVisible},on:{click:function(e){return t.scrollDown({behavior:"smooth"})}}},[n("i",{staticClass:"icon-down-open"},[t.newMessageCount?n("div",{staticClass:"badge badge-notification unread-chat-count unread-message-count"},[t._v("\n "+t._s(t.newMessageCount)+"\n ")]):t._e()])]),t._v(" "),n("PostStatusForm",{attrs:{"disable-subject":!0,"disable-scope-selector":!0,"disable-notice":!0,"disable-lock-warning":!0,"disable-polls":!0,"disable-sensitivity-checkbox":!0,"disable-submit":t.errorLoadingChat||!t.currentChat,"disable-preview":!0,"post-handler":t.sendMessage,"submit-on-enter":!t.mobileLayout,"preserve-focus":!t.mobileLayout,"auto-focus":!t.mobileLayout,placeholder:t.formPlaceholder,"file-limit":1,"max-height":"160","emoji-picker-placement":"top"},on:{resize:t.handleResize}})],1)]],2)])])},[],!1,Ii,null,null).exports,Mi=n(113),Ui=n(109),Fi={props:["user","noFollowsYou"],components:{BasicUserCard:ai.a,RemoteFollow:Mi.a,FollowButton:Ui.a},computed:{isMe:function(){return this.$store.state.users.currentUser.id===this.user.id},loggedIn:function(){return this.$store.state.users.currentUser},relationship:function(){return this.$store.getters.relationship(this.user.id)}}};var Di=function(t){n(473)},Li=Object(dn.a)(Fi,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("basic-user-card",{attrs:{user:t.user}},[n("div",{staticClass:"follow-card-content-container"},[t.isMe||!t.noFollowsYou&&t.relationship.followed_by?n("span",{staticClass:"faint"},[t._v("\n "+t._s(t.isMe?t.$t("user_card.its_you"):t.$t("user_card.follows_you"))+"\n ")]):t._e(),t._v(" "),t.loggedIn?t.isMe?t._e():[n("FollowButton",{staticClass:"follow-card-follow-button",attrs:{relationship:t.relationship,"label-following":t.$t("user_card.follow_unfollow")}})]:[t.relationship.following?t._e():n("div",{staticClass:"follow-card-follow-button"},[n("RemoteFollow",{attrs:{user:t.user}})],1)]],2)])},[],!1,Di,null,null).exports,Ni=n(141),Ri=n(190),Ai=n.n(Ri),Bi=n(191),zi=n.n(Bi),Hi=n(192);n(476);function qi(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function Wi(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?qi(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):qi(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var Vi=function(t){var e=t.fetch,n=t.select,i=t.destroy,o=t.childPropName,r=void 0===o?"entries":o,a=t.additionalPropNames,c=void 0===a?[]:a;return function(t){var o=Object.keys(Object(Hi.a)(t)).filter(function(t){return t!==r}).concat(c);return s.a.component("withLoadMore",{props:o,data:function(){return{loading:!1,bottomedOut:!1,error:!1}},computed:{entries:function(){return n(this.$props,this.$store)||[]}},created:function(){window.addEventListener("scroll",this.scrollLoad),0===this.entries.length&&this.fetchEntries()},destroyed:function(){window.removeEventListener("scroll",this.scrollLoad),i&&i(this.$props,this.$store)},methods:{fetchEntries:function(){var t=this;this.loading||(this.loading=!0,this.error=!1,e(this.$props,this.$store).then(function(e){t.loading=!1,t.bottomedOut=zi()(e)}).catch(function(){t.loading=!1,t.error=!0}))},scrollLoad:function(t){var e=document.body.getBoundingClientRect(),n=Math.max(e.height,-e.y);!1===this.loading&&!1===this.bottomedOut&&this.$el.offsetHeight>0&&window.innerHeight+window.pageYOffset>=n-750&&this.fetchEntries()}},render:function(e){var n={props:Wi({},this.$props,h()({},r,this.entries)),on:this.$listeners,scopedSlots:this.$scopedSlots},i=Object.entries(this.$slots).map(function(t){var n=g()(t,2),i=n[0],o=n[1];return e("template",{slot:i},o)});return e("div",{class:"with-load-more"},[e(t,Ai()([{},n]),[i]),e("div",{class:"with-load-more-footer"},[this.error&&e("a",{on:{click:this.fetchEntries},class:"alert error"},[this.$t("general.generic_error")]),!this.error&&this.loading&&e("i",{class:"icon-spin3 animate-spin"}),!this.error&&!this.loading&&!this.bottomedOut&&e("a",{on:{click:this.fetchEntries}},[this.$t("general.more")])])])}})}},Gi=Vi({fetch:function(t,e){return e.dispatch("fetchFollowers",t.userId)},select:function(t,e){return Ie()(e.getters.findUser(t.userId),"followerIds",[]).map(function(t){return e.getters.findUser(t)})},destroy:function(t,e){return e.dispatch("clearFollowers",t.userId)},childPropName:"items",additionalPropNames:["userId"]})(pi.a),Ki=Vi({fetch:function(t,e){return e.dispatch("fetchFriends",t.userId)},select:function(t,e){return Ie()(e.getters.findUser(t.userId),"friendIds",[]).map(function(t){return e.getters.findUser(t)})},destroy:function(t,e){return e.dispatch("clearFriends",t.userId)},childPropName:"items",additionalPropNames:["userId"]})(pi.a),Yi={data:function(){return{error:!1,userId:null,tab:"statuses"}},created:function(){var t=this.$route.params;this.load(t.name||t.id),this.tab=Ie()(this.$route,"query.tab","statuses")},destroyed:function(){this.stopFetching()},computed:{timeline:function(){return this.$store.state.statuses.timelines.user},favorites:function(){return this.$store.state.statuses.timelines.favorites},media:function(){return this.$store.state.statuses.timelines.media},isUs:function(){return this.userId&&this.$store.state.users.currentUser.id&&this.userId===this.$store.state.users.currentUser.id},user:function(){return this.$store.getters.findUser(this.userId)},isExternal:function(){return"external-user-profile"===this.$route.name},followsTabVisible:function(){return this.isUs||!this.user.hide_follows},followersTabVisible:function(){return this.isUs||!this.user.hide_followers}},methods:{load:function(t){var e=this,n=function(t,n){n!==e.$store.state.statuses.timelines[t].userId&&e.$store.commit("clearTimeline",{timeline:t}),e.$store.dispatch("startFetchingTimeline",{timeline:t,userId:n})},i=function(t){e.userId=t,n("user",t),n("media",t),e.isUs&&n("favorites",t),e.$store.dispatch("fetchPinnedStatuses",t)};this.userId=null,this.error=!1;var o=this.$store.getters.findUser(t);o?i(o.id):this.$store.dispatch("fetchUser",t).then(function(t){var e=t.id;return i(e)}).catch(function(t){var n=Ie()(t,"error.error");e.error="No user with such user_id"===n?e.$t("user_profile.profile_does_not_exist"):n||e.$t("user_profile.profile_loading_error")})},stopFetching:function(){this.$store.dispatch("stopFetchingTimeline","user"),this.$store.dispatch("stopFetchingTimeline","favorites"),this.$store.dispatch("stopFetchingTimeline","media")},switchUser:function(t){this.stopFetching(),this.load(t)},onTabSwitch:function(t){this.tab=t,this.$router.replace({query:{tab:t}})},linkClicked:function(t){var e=t.target;"SPAN"===e.tagName&&(e=e.parentNode),"A"===e.tagName&&window.open(e.href,"_blank")}},watch:{"$route.params.id":function(t){t&&this.switchUser(t)},"$route.params.name":function(t){t&&this.switchUser(t)},"$route.query":function(t){this.tab=t.tab||"statuses"}},components:{UserCard:Dn.a,Timeline:xn,FollowerList:Gi,FriendList:Ki,FollowCard:Li,TabSwitcher:Ni.a,Conversation:fn}};var Ji=function(t){n(471)},Xi=Object(dn.a)(Yi,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",[t.user?n("div",{staticClass:"user-profile panel panel-default"},[n("UserCard",{attrs:{"user-id":t.userId,switcher:!0,selected:t.timeline.viewing,"allow-zooming-avatar":!0,rounded:"top"}}),t._v(" "),t.user.fields_html&&t.user.fields_html.length>0?n("div",{staticClass:"user-profile-fields"},t._l(t.user.fields_html,function(e,i){return n("dl",{key:i,staticClass:"user-profile-field"},[n("dt",{staticClass:"user-profile-field-name",attrs:{title:t.user.fields_text[i].name},on:{click:function(e){return e.preventDefault(),t.linkClicked(e)}}},[t._v("\n "+t._s(e.name)+"\n ")]),t._v(" "),n("dd",{staticClass:"user-profile-field-value",attrs:{title:t.user.fields_text[i].value},domProps:{innerHTML:t._s(e.value)},on:{click:function(e){return e.preventDefault(),t.linkClicked(e)}}})])}),0):t._e(),t._v(" "),n("tab-switcher",{attrs:{"active-tab":t.tab,"render-only-focused":!0,"on-switch":t.onTabSwitch}},[n("Timeline",{key:"statuses",attrs:{label:t.$t("user_card.statuses"),count:t.user.statuses_count,embedded:!0,title:t.$t("user_profile.timeline_title"),timeline:t.timeline,"timeline-name":"user","user-id":t.userId,"pinned-status-ids":t.user.pinnedStatusIds,"in-profile":!0}}),t._v(" "),t.followsTabVisible?n("div",{key:"followees",attrs:{label:t.$t("user_card.followees"),disabled:!t.user.friends_count}},[n("FriendList",{attrs:{"user-id":t.userId},scopedSlots:t._u([{key:"item",fn:function(t){var e=t.item;return[n("FollowCard",{attrs:{user:e}})]}}],null,!1,676117295)})],1):t._e(),t._v(" "),t.followersTabVisible?n("div",{key:"followers",attrs:{label:t.$t("user_card.followers"),disabled:!t.user.followers_count}},[n("FollowerList",{attrs:{"user-id":t.userId},scopedSlots:t._u([{key:"item",fn:function(e){var i=e.item;return[n("FollowCard",{attrs:{user:i,"no-follows-you":t.isUs}})]}}],null,!1,3839341157)})],1):t._e(),t._v(" "),n("Timeline",{key:"media",attrs:{label:t.$t("user_card.media"),disabled:!t.media.visibleStatuses.length,embedded:!0,title:t.$t("user_card.media"),"timeline-name":"media",timeline:t.media,"user-id":t.userId,"in-profile":!0}}),t._v(" "),t.isUs?n("Timeline",{key:"favorites",attrs:{label:t.$t("user_card.favorites"),disabled:!t.favorites.visibleStatuses.length,embedded:!0,title:t.$t("user_card.favorites"),"timeline-name":"favorites",timeline:t.favorites,"in-profile":!0}}):t._e()],1)],1):n("div",{staticClass:"panel user-profile-placeholder"},[n("div",{staticClass:"panel-heading"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("settings.profile_tab"))+"\n ")])]),t._v(" "),n("div",{staticClass:"panel-body"},[t.error?n("span",[t._v(t._s(t.error))]):n("i",{staticClass:"icon-spin3 animate-spin"})])])])},[],!1,Ji,null,null).exports,Qi={components:{FollowCard:Li,Conversation:fn,Status:sn.default},props:["query"],data:function(){return{loaded:!1,loading:!1,searchTerm:this.query||"",userIds:[],statuses:[],hashtags:[],currenResultTab:"statuses"}},computed:{users:function(){var t=this;return this.userIds.map(function(e){return t.$store.getters.findUser(e)})},visibleStatuses:function(){var t=this.$store.state.statuses.allStatusesObject;return this.statuses.filter(function(e){return t[e.id]&&!t[e.id].deleted})}},mounted:function(){this.search(this.query)},watch:{query:function(t){this.searchTerm=t,this.search(t)}},methods:{newQuery:function(t){this.$router.push({name:"search",query:{query:t}}),this.$refs.searchInput.focus()},search:function(t){var e=this;t?(this.loading=!0,this.userIds=[],this.statuses=[],this.hashtags=[],this.$refs.searchInput.blur(),this.$store.dispatch("search",{q:t,resolve:!0}).then(function(t){e.loading=!1,e.userIds=pt()(t.accounts,"id"),e.statuses=t.statuses,e.hashtags=t.hashtags,e.currenResultTab=e.getActiveTab(),e.loaded=!0})):this.loading=!1},resultCount:function(t){var e=this[t].length;return 0===e?"":" (".concat(e,")")},onResultTabSwitch:function(t){this.currenResultTab=t},getActiveTab:function(){return this.visibleStatuses.length>0?"statuses":this.users.length>0?"people":this.hashtags.length>0?"hashtags":"statuses"},lastHistoryRecord:function(t){return t.history&&t.history[0]}}};var Zi=function(t){n(477)},to=Object(dn.a)(Qi,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"panel panel-default"},[n("div",{staticClass:"panel-heading"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("nav.search"))+"\n ")])]),t._v(" "),n("div",{staticClass:"search-input-container"},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.searchTerm,expression:"searchTerm"}],ref:"searchInput",staticClass:"search-input",attrs:{placeholder:t.$t("nav.search")},domProps:{value:t.searchTerm},on:{keyup:function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:t.newQuery(t.searchTerm)},input:function(e){e.target.composing||(t.searchTerm=e.target.value)}}}),t._v(" "),n("button",{staticClass:"btn search-button",on:{click:function(e){return t.newQuery(t.searchTerm)}}},[n("i",{staticClass:"icon-search"})])]),t._v(" "),t.loading?n("div",{staticClass:"text-center loading-icon"},[n("i",{staticClass:"icon-spin3 animate-spin"})]):t.loaded?n("div",[n("div",{staticClass:"search-nav-heading"},[n("tab-switcher",{ref:"tabSwitcher",attrs:{"on-switch":t.onResultTabSwitch,"active-tab":t.currenResultTab}},[n("span",{key:"statuses",attrs:{label:t.$t("user_card.statuses")+t.resultCount("visibleStatuses")}}),t._v(" "),n("span",{key:"people",attrs:{label:t.$t("search.people")+t.resultCount("users")}}),t._v(" "),n("span",{key:"hashtags",attrs:{label:t.$t("search.hashtags")+t.resultCount("hashtags")}})])],1)]):t._e(),t._v(" "),n("div",{staticClass:"panel-body"},["statuses"===t.currenResultTab?n("div",[0===t.visibleStatuses.length&&!t.loading&&t.loaded?n("div",{staticClass:"search-result-heading"},[n("h4",[t._v(t._s(t.$t("search.no_results")))])]):t._e(),t._v(" "),t._l(t.visibleStatuses,function(t){return n("Status",{key:t.id,staticClass:"search-result",attrs:{collapsable:!1,expandable:!1,compact:!1,statusoid:t,"no-heading":!1}})})],2):"people"===t.currenResultTab?n("div",[0===t.users.length&&!t.loading&&t.loaded?n("div",{staticClass:"search-result-heading"},[n("h4",[t._v(t._s(t.$t("search.no_results")))])]):t._e(),t._v(" "),t._l(t.users,function(t){return n("FollowCard",{key:t.id,staticClass:"list-item search-result",attrs:{user:t}})})],2):"hashtags"===t.currenResultTab?n("div",[0===t.hashtags.length&&!t.loading&&t.loaded?n("div",{staticClass:"search-result-heading"},[n("h4",[t._v(t._s(t.$t("search.no_results")))])]):t._e(),t._v(" "),t._l(t.hashtags,function(e){return n("div",{key:e.url,staticClass:"status trend search-result"},[n("div",{staticClass:"hashtag"},[n("router-link",{attrs:{to:{name:"tag-timeline",params:{tag:e.name}}}},[t._v("\n #"+t._s(e.name)+"\n ")]),t._v(" "),t.lastHistoryRecord(e)?n("div",[1==t.lastHistoryRecord(e).accounts?n("span",[t._v("\n "+t._s(t.$t("search.person_talking",{count:t.lastHistoryRecord(e).accounts}))+"\n ")]):n("span",[t._v("\n "+t._s(t.$t("search.people_talking",{count:t.lastHistoryRecord(e).accounts}))+"\n ")])]):t._e()],1),t._v(" "),t.lastHistoryRecord(e)?n("div",{staticClass:"count"},[t._v("\n "+t._s(t.lastHistoryRecord(e).uses)+"\n ")]):t._e()])})],2):t._e()]),t._v(" "),n("div",{staticClass:"search-result-footer text-center panel-footer faint"})])},[],!1,Zi,null,null).exports,eo=n(220),no=n(53);function io(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function oo(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?io(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):io(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var ro={mixins:[eo.validationMixin],data:function(){return{user:{email:"",fullname:"",username:"",password:"",confirm:""},captcha:{}}},validations:function(){var t=this;return{user:{email:{required:Object(no.requiredIf)(function(){return t.accountActivationRequired})},username:{required:no.required},fullname:{required:no.required},password:{required:no.required},confirm:{required:no.required,sameAsPassword:Object(no.sameAs)("password")}}}},created:function(){(!this.registrationOpen&&!this.token||this.signedIn)&&this.$router.push({name:"root"}),this.setCaptcha()},computed:oo({token:function(){return this.$route.params.token},bioPlaceholder:function(){return this.$t("registration.bio_placeholder").replace(/\s*\n\s*/g," \n")}},Object(c.e)({registrationOpen:function(t){return t.instance.registrationOpen},signedIn:function(t){return!!t.users.currentUser},isPending:function(t){return t.users.signUpPending},serverValidationErrors:function(t){return t.users.signUpErrors},termsOfService:function(t){return t.instance.tos},accountActivationRequired:function(t){return t.instance.accountActivationRequired}})),methods:oo({},Object(c.b)(["signUp","getCaptcha"]),{submit:function(){return o.a.async(function(t){for(;;)switch(t.prev=t.next){case 0:if(this.user.nickname=this.user.username,this.user.token=this.token,this.user.captcha_solution=this.captcha.solution,this.user.captcha_token=this.captcha.token,this.user.captcha_answer_data=this.captcha.answer_data,this.$v.$touch(),this.$v.$invalid){t.next=17;break}return t.prev=7,t.next=10,o.a.awrap(this.signUp(this.user));case 10:this.$router.push({name:"friends"}),t.next=17;break;case 13:t.prev=13,t.t0=t.catch(7),console.warn("Registration failed: ",t.t0),this.setCaptcha();case 17:case"end":return t.stop()}},null,this,[[7,13]])},setCaptcha:function(){var t=this;this.getCaptcha().then(function(e){t.captcha=e})}})};var so=function(t){n(479)},ao=Object(dn.a)(ro,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"settings panel panel-default"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("registration.registration"))+"\n ")]),t._v(" "),n("div",{staticClass:"panel-body"},[n("form",{staticClass:"registration-form",on:{submit:function(e){return e.preventDefault(),t.submit(t.user)}}},[n("div",{staticClass:"container"},[n("div",{staticClass:"text-fields"},[n("div",{staticClass:"form-group",class:{"form-group--error":t.$v.user.username.$error}},[n("label",{staticClass:"form--label",attrs:{for:"sign-up-username"}},[t._v(t._s(t.$t("login.username")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model.trim",value:t.$v.user.username.$model,expression:"$v.user.username.$model",modifiers:{trim:!0}}],staticClass:"form-control",attrs:{id:"sign-up-username",disabled:t.isPending,placeholder:t.$t("registration.username_placeholder")},domProps:{value:t.$v.user.username.$model},on:{input:function(e){e.target.composing||t.$set(t.$v.user.username,"$model",e.target.value.trim())},blur:function(e){return t.$forceUpdate()}}})]),t._v(" "),t.$v.user.username.$dirty?n("div",{staticClass:"form-error"},[n("ul",[t.$v.user.username.required?t._e():n("li",[n("span",[t._v(t._s(t.$t("registration.validations.username_required")))])])])]):t._e(),t._v(" "),n("div",{staticClass:"form-group",class:{"form-group--error":t.$v.user.fullname.$error}},[n("label",{staticClass:"form--label",attrs:{for:"sign-up-fullname"}},[t._v(t._s(t.$t("registration.fullname")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model.trim",value:t.$v.user.fullname.$model,expression:"$v.user.fullname.$model",modifiers:{trim:!0}}],staticClass:"form-control",attrs:{id:"sign-up-fullname",disabled:t.isPending,placeholder:t.$t("registration.fullname_placeholder")},domProps:{value:t.$v.user.fullname.$model},on:{input:function(e){e.target.composing||t.$set(t.$v.user.fullname,"$model",e.target.value.trim())},blur:function(e){return t.$forceUpdate()}}})]),t._v(" "),t.$v.user.fullname.$dirty?n("div",{staticClass:"form-error"},[n("ul",[t.$v.user.fullname.required?t._e():n("li",[n("span",[t._v(t._s(t.$t("registration.validations.fullname_required")))])])])]):t._e(),t._v(" "),n("div",{staticClass:"form-group",class:{"form-group--error":t.$v.user.email.$error}},[n("label",{staticClass:"form--label",attrs:{for:"email"}},[t._v(t._s(t.$t("registration.email")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.$v.user.email.$model,expression:"$v.user.email.$model"}],staticClass:"form-control",attrs:{id:"email",disabled:t.isPending,type:"email"},domProps:{value:t.$v.user.email.$model},on:{input:function(e){e.target.composing||t.$set(t.$v.user.email,"$model",e.target.value)}}})]),t._v(" "),t.$v.user.email.$dirty?n("div",{staticClass:"form-error"},[n("ul",[t.$v.user.email.required?t._e():n("li",[n("span",[t._v(t._s(t.$t("registration.validations.email_required")))])])])]):t._e(),t._v(" "),n("div",{staticClass:"form-group"},[n("label",{staticClass:"form--label",attrs:{for:"bio"}},[t._v(t._s(t.$t("registration.bio"))+" ("+t._s(t.$t("general.optional"))+")")]),t._v(" "),n("textarea",{directives:[{name:"model",rawName:"v-model",value:t.user.bio,expression:"user.bio"}],staticClass:"form-control",attrs:{id:"bio",disabled:t.isPending,placeholder:t.bioPlaceholder},domProps:{value:t.user.bio},on:{input:function(e){e.target.composing||t.$set(t.user,"bio",e.target.value)}}})]),t._v(" "),n("div",{staticClass:"form-group",class:{"form-group--error":t.$v.user.password.$error}},[n("label",{staticClass:"form--label",attrs:{for:"sign-up-password"}},[t._v(t._s(t.$t("login.password")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.user.password,expression:"user.password"}],staticClass:"form-control",attrs:{id:"sign-up-password",disabled:t.isPending,type:"password"},domProps:{value:t.user.password},on:{input:function(e){e.target.composing||t.$set(t.user,"password",e.target.value)}}})]),t._v(" "),t.$v.user.password.$dirty?n("div",{staticClass:"form-error"},[n("ul",[t.$v.user.password.required?t._e():n("li",[n("span",[t._v(t._s(t.$t("registration.validations.password_required")))])])])]):t._e(),t._v(" "),n("div",{staticClass:"form-group",class:{"form-group--error":t.$v.user.confirm.$error}},[n("label",{staticClass:"form--label",attrs:{for:"sign-up-password-confirmation"}},[t._v(t._s(t.$t("registration.password_confirm")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.user.confirm,expression:"user.confirm"}],staticClass:"form-control",attrs:{id:"sign-up-password-confirmation",disabled:t.isPending,type:"password"},domProps:{value:t.user.confirm},on:{input:function(e){e.target.composing||t.$set(t.user,"confirm",e.target.value)}}})]),t._v(" "),t.$v.user.confirm.$dirty?n("div",{staticClass:"form-error"},[n("ul",[t.$v.user.confirm.required?t._e():n("li",[n("span",[t._v(t._s(t.$t("registration.validations.password_confirmation_required")))])]),t._v(" "),t.$v.user.confirm.sameAsPassword?t._e():n("li",[n("span",[t._v(t._s(t.$t("registration.validations.password_confirmation_match")))])])])]):t._e(),t._v(" "),"none"!=t.captcha.type?n("div",{staticClass:"form-group",attrs:{id:"captcha-group"}},[n("label",{staticClass:"form--label",attrs:{for:"captcha-label"}},[t._v(t._s(t.$t("registration.captcha")))]),t._v(" "),["kocaptcha","native"].includes(t.captcha.type)?[n("img",{attrs:{src:t.captcha.url},on:{click:t.setCaptcha}}),t._v(" "),n("sub",[t._v(t._s(t.$t("registration.new_captcha")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.captcha.solution,expression:"captcha.solution"}],staticClass:"form-control",attrs:{id:"captcha-answer",disabled:t.isPending,type:"text",autocomplete:"off",autocorrect:"off",autocapitalize:"off",spellcheck:"false"},domProps:{value:t.captcha.solution},on:{input:function(e){e.target.composing||t.$set(t.captcha,"solution",e.target.value)}}})]:t._e()],2):t._e(),t._v(" "),t.token?n("div",{staticClass:"form-group"},[n("label",{attrs:{for:"token"}},[t._v(t._s(t.$t("registration.token")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.token,expression:"token"}],staticClass:"form-control",attrs:{id:"token",disabled:"true",type:"text"},domProps:{value:t.token},on:{input:function(e){e.target.composing||(t.token=e.target.value)}}})]):t._e(),t._v(" "),n("div",{staticClass:"form-group"},[n("button",{staticClass:"btn btn-default",attrs:{disabled:t.isPending,type:"submit"}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")])])]),t._v(" "),n("div",{staticClass:"terms-of-service",domProps:{innerHTML:t._s(t.termsOfService)}})]),t._v(" "),t.serverValidationErrors.length?n("div",{staticClass:"form-group"},[n("div",{staticClass:"alert error"},t._l(t.serverValidationErrors,function(e){return n("span",{key:e},[t._v(t._s(e))])}),0)]):t._e()])])])},[],!1,so,null,null).exports,co=function(t){var e=t.instance,n={email:t.email},i=Pt()(n,function(t,e,n){var i="".concat(n,"=").concat(encodeURIComponent(e));return"".concat(t,"&").concat(i)},""),o="".concat(e).concat("/auth/password","?").concat(i);return window.fetch(o,{method:"POST"})};function lo(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var uo={data:function(){return{user:{email:""},isPending:!1,success:!1,throttled:!1,error:null}},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?lo(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):lo(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},Object(c.e)({signedIn:function(t){return!!t.users.currentUser},instance:function(t){return t.instance}}),{mailerEnabled:function(){return this.instance.mailerEnabled}}),created:function(){this.signedIn&&this.$router.push({name:"root"})},props:{passwordResetRequested:{default:!1,type:Boolean}},methods:{dismissError:function(){this.error=null},submit:function(){var t=this;this.isPending=!0;var e=this.user.email,n=this.instance.server;co({instance:n,email:e}).then(function(e){var n=e.status;t.isPending=!1,t.user.email="",204===n?(t.success=!0,t.error=null):429===n&&(t.throttled=!0,t.error=t.$t("password_reset.too_many_requests"))}).catch(function(){t.isPending=!1,t.user.email="",t.error=t.$t("general.generic_error")})}}};var po=function(t){n(505)},fo=Object(dn.a)(uo,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"settings panel panel-default"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("password_reset.password_reset"))+"\n ")]),t._v(" "),n("div",{staticClass:"panel-body"},[n("form",{staticClass:"password-reset-form",on:{submit:function(e){return e.preventDefault(),t.submit(e)}}},[n("div",{staticClass:"container"},[t.mailerEnabled?t.success||t.throttled?n("div",[t.success?n("p",[t._v("\n "+t._s(t.$t("password_reset.check_email"))+"\n ")]):t._e(),t._v(" "),n("div",{staticClass:"form-group text-center"},[n("router-link",{attrs:{to:{name:"root"}}},[t._v("\n "+t._s(t.$t("password_reset.return_home"))+"\n ")])],1)]):n("div",[t.passwordResetRequested?n("p",{staticClass:"password-reset-required error"},[t._v("\n "+t._s(t.$t("password_reset.password_reset_required"))+"\n ")]):t._e(),t._v(" "),n("p",[t._v("\n "+t._s(t.$t("password_reset.instruction"))+"\n ")]),t._v(" "),n("div",{staticClass:"form-group"},[n("input",{directives:[{name:"model",rawName:"v-model",value:t.user.email,expression:"user.email"}],ref:"email",staticClass:"form-control",attrs:{disabled:t.isPending,placeholder:t.$t("password_reset.placeholder"),type:"input"},domProps:{value:t.user.email},on:{input:function(e){e.target.composing||t.$set(t.user,"email",e.target.value)}}})]),t._v(" "),n("div",{staticClass:"form-group"},[n("button",{staticClass:"btn btn-default btn-block",attrs:{disabled:t.isPending,type:"submit"}},[t._v("\n "+t._s(t.$t("general.submit"))+"\n ")])])]):n("div",[t.passwordResetRequested?n("p",[t._v("\n "+t._s(t.$t("password_reset.password_reset_required_but_mailer_is_disabled"))+"\n ")]):n("p",[t._v("\n "+t._s(t.$t("password_reset.password_reset_disabled"))+"\n ")])]),t._v(" "),t.error?n("p",{staticClass:"alert error notice-dismissible"},[n("span",[t._v(t._s(t.error))]),t._v(" "),n("a",{staticClass:"button-icon dismiss",on:{click:function(e){return e.preventDefault(),t.dismissError()}}},[n("i",{staticClass:"icon-cancel"})])]):t._e()])])])])},[],!1,po,null,null).exports,ho={props:["user"],components:{BasicUserCard:ai.a},methods:{findFollowRequestNotificationId:function(){var t=this,e=Object(G.d)(this.$store).find(function(e){return e.from_profile.id===t.user.id&&"follow_request"===e.type});return e&&e.id},approveUser:function(){this.$store.state.api.backendInteractor.approveUser({id:this.user.id}),this.$store.dispatch("removeFollowRequest",this.user);var t=this.findFollowRequestNotificationId();this.$store.dispatch("markSingleNotificationAsSeen",{id:t}),this.$store.dispatch("updateNotification",{id:t,updater:function(t){t.type="follow"}})},denyUser:function(){var t=this,e=this.findFollowRequestNotificationId();this.$store.state.api.backendInteractor.denyUser({id:this.user.id}).then(function(){t.$store.dispatch("dismissNotificationLocal",{id:e}),t.$store.dispatch("removeFollowRequest",t.user)})}}};var mo=function(t){n(507)},go={components:{FollowRequestCard:Object(dn.a)(ho,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("basic-user-card",{attrs:{user:t.user}},[n("div",{staticClass:"follow-request-card-content-container"},[n("button",{staticClass:"btn btn-default",on:{click:t.approveUser}},[t._v("\n "+t._s(t.$t("user_card.approve"))+"\n ")]),t._v(" "),n("button",{staticClass:"btn btn-default",on:{click:t.denyUser}},[t._v("\n "+t._s(t.$t("user_card.deny"))+"\n ")])])])},[],!1,mo,null,null).exports},computed:{requests:function(){return this.$store.state.api.followRequests}}},vo=Object(dn.a)(go,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"settings panel panel-default"},[e("div",{staticClass:"panel-heading"},[this._v("\n "+this._s(this.$t("nav.friend_requests"))+"\n ")]),this._v(" "),e("div",{staticClass:"panel-body"},this._l(this.requests,function(t){return e("FollowRequestCard",{key:t.id,staticClass:"list-item",attrs:{user:t}})}),1)])},[],!1,null,null,null).exports,bo={props:["code"],mounted:function(){var t=this;if(this.code){var e=this.$store.state.oauth,n=e.clientId,i=e.clientSecret;Et.getToken({clientId:n,clientSecret:i,instance:this.$store.state.instance.server,code:this.code}).then(function(e){t.$store.commit("setToken",e.access_token),t.$store.dispatch("loginUser",e.access_token),t.$router.push({name:"friends"})})}}},wo=Object(dn.a)(bo,function(){var t=this.$createElement;return(this._self._c||t)("h1",[this._v("...")])},[],!1,null,null,null).exports;function _o(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function xo(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?_o(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):_o(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var yo={data:function(){return{user:{},error:!1}},computed:xo({isPasswordAuth:function(){return this.requiredPassword},isTokenAuth:function(){return this.requiredToken}},Object(c.e)({registrationOpen:function(t){return t.instance.registrationOpen},instance:function(t){return t.instance},loggingIn:function(t){return t.users.loggingIn},oauth:function(t){return t.oauth}}),{},Object(c.c)("authFlow",["requiredPassword","requiredToken","requiredMFA"])),methods:xo({},Object(c.d)("authFlow",["requireMFA"]),{},Object(c.b)({login:"authFlow/login"}),{submit:function(){this.isTokenAuth?this.submitToken():this.submitPassword()},submitToken:function(){var t=this.oauth,e={clientId:t.clientId,clientSecret:t.clientSecret,instance:this.instance.server,commit:this.$store.commit};Et.getOrCreateApp(e).then(function(t){Et.login(xo({},t,{},e))})},submitPassword:function(){var t=this,e={clientId:this.oauth.clientId,oauth:this.oauth,instance:this.instance.server,commit:this.$store.commit};this.error=!1,Et.getOrCreateApp(e).then(function(n){Et.getTokenWithCredentials(xo({},n,{instance:e.instance,username:t.user.username,password:t.user.password})).then(function(e){e.error?"mfa_required"===e.error?t.requireMFA({settings:e}):"password_reset_required"===e.identifier?t.$router.push({name:"password-reset",params:{passwordResetRequested:!0}}):(t.error=e.error,t.focusOnPasswordInput()):t.login(e).then(function(){t.$router.push({name:"friends"})})})})},clearError:function(){this.error=!1},focusOnPasswordInput:function(){var t=this.$refs.passwordInput;t.focus(),t.setSelectionRange(0,t.value.length)}})};var ko=function(t){n(509)},Co=Object(dn.a)(yo,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"login panel panel-default"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("login.login"))+"\n ")]),t._v(" "),n("div",{staticClass:"panel-body"},[n("form",{staticClass:"login-form",on:{submit:function(e){return e.preventDefault(),t.submit(e)}}},[t.isPasswordAuth?[n("div",{staticClass:"form-group"},[n("label",{attrs:{for:"username"}},[t._v(t._s(t.$t("login.username")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.user.username,expression:"user.username"}],staticClass:"form-control",attrs:{id:"username",disabled:t.loggingIn,placeholder:t.$t("login.placeholder")},domProps:{value:t.user.username},on:{input:function(e){e.target.composing||t.$set(t.user,"username",e.target.value)}}})]),t._v(" "),n("div",{staticClass:"form-group"},[n("label",{attrs:{for:"password"}},[t._v(t._s(t.$t("login.password")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.user.password,expression:"user.password"}],ref:"passwordInput",staticClass:"form-control",attrs:{id:"password",disabled:t.loggingIn,type:"password"},domProps:{value:t.user.password},on:{input:function(e){e.target.composing||t.$set(t.user,"password",e.target.value)}}})]),t._v(" "),n("div",{staticClass:"form-group"},[n("router-link",{attrs:{to:{name:"password-reset"}}},[t._v("\n "+t._s(t.$t("password_reset.forgot_password"))+"\n ")])],1)]:t._e(),t._v(" "),t.isTokenAuth?n("div",{staticClass:"form-group"},[n("p",[t._v(t._s(t.$t("login.description")))])]):t._e(),t._v(" "),n("div",{staticClass:"form-group"},[n("div",{staticClass:"login-bottom"},[n("div",[t.registrationOpen?n("router-link",{staticClass:"register",attrs:{to:{name:"registration"}}},[t._v("\n "+t._s(t.$t("login.register"))+"\n ")]):t._e()],1),t._v(" "),n("button",{staticClass:"btn btn-default",attrs:{disabled:t.loggingIn,type:"submit"}},[t._v("\n "+t._s(t.$t("login.login"))+"\n ")])])])],2)]),t._v(" "),t.error?n("div",{staticClass:"form-group"},[n("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.error)+"\n "),n("i",{staticClass:"button-icon icon-cancel",on:{click:t.clearError}})])]):t._e()])},[],!1,ko,null,null).exports,So={verifyOTPCode:function(t){var e=t.clientId,n=t.clientSecret,i=t.instance,o=t.mfaToken,r=t.code,s="".concat(i,"/oauth/mfa/challenge"),a=new window.FormData;return a.append("client_id",e),a.append("client_secret",n),a.append("mfa_token",o),a.append("code",r),a.append("challenge_type","totp"),window.fetch(s,{method:"POST",body:a}).then(function(t){return t.json()})},verifyRecoveryCode:function(t){var e=t.clientId,n=t.clientSecret,i=t.instance,o=t.mfaToken,r=t.code,s="".concat(i,"/oauth/mfa/challenge"),a=new window.FormData;return a.append("client_id",e),a.append("client_secret",n),a.append("mfa_token",o),a.append("code",r),a.append("challenge_type","recovery"),window.fetch(s,{method:"POST",body:a}).then(function(t){return t.json()})}};function jo(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function Oo(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?jo(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):jo(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var Po={data:function(){return{code:null,error:!1}},computed:Oo({},Object(c.c)({authSettings:"authFlow/settings"}),{},Object(c.e)({instance:"instance",oauth:"oauth"})),methods:Oo({},Object(c.d)("authFlow",["requireTOTP","abortMFA"]),{},Object(c.b)({login:"authFlow/login"}),{clearError:function(){this.error=!1},submit:function(){var t=this,e=this.oauth,n={clientId:e.clientId,clientSecret:e.clientSecret,instance:this.instance.server,mfaToken:this.authSettings.mfa_token,code:this.code};So.verifyRecoveryCode(n).then(function(e){if(e.error)return t.error=e.error,void(t.code=null);t.login(e).then(function(){t.$router.push({name:"friends"})})})}})},$o=Object(dn.a)(Po,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"login panel panel-default"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("login.heading.recovery"))+"\n ")]),t._v(" "),n("div",{staticClass:"panel-body"},[n("form",{staticClass:"login-form",on:{submit:function(e){return e.preventDefault(),t.submit(e)}}},[n("div",{staticClass:"form-group"},[n("label",{attrs:{for:"code"}},[t._v(t._s(t.$t("login.recovery_code")))]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.code,expression:"code"}],staticClass:"form-control",attrs:{id:"code"},domProps:{value:t.code},on:{input:function(e){e.target.composing||(t.code=e.target.value)}}})]),t._v(" "),n("div",{staticClass:"form-group"},[n("div",{staticClass:"login-bottom"},[n("div",[n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.requireTOTP(e)}}},[t._v("\n "+t._s(t.$t("login.enter_two_factor_code"))+"\n ")]),t._v(" "),n("br"),t._v(" "),n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.abortMFA(e)}}},[t._v("\n "+t._s(t.$t("general.cancel"))+"\n ")])]),t._v(" "),n("button",{staticClass:"btn btn-default",attrs:{type:"submit"}},[t._v("\n "+t._s(t.$t("general.verify"))+"\n ")])])])])]),t._v(" "),t.error?n("div",{staticClass:"form-group"},[n("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.error)+"\n "),n("i",{staticClass:"button-icon icon-cancel",on:{click:t.clearError}})])]):t._e()])},[],!1,null,null,null).exports;function To(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function Io(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?To(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):To(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var Eo={data:function(){return{code:null,error:!1}},computed:Io({},Object(c.c)({authSettings:"authFlow/settings"}),{},Object(c.e)({instance:"instance",oauth:"oauth"})),methods:Io({},Object(c.d)("authFlow",["requireRecovery","abortMFA"]),{},Object(c.b)({login:"authFlow/login"}),{clearError:function(){this.error=!1},submit:function(){var t=this,e=this.oauth,n={clientId:e.clientId,clientSecret:e.clientSecret,instance:this.instance.server,mfaToken:this.authSettings.mfa_token,code:this.code};So.verifyOTPCode(n).then(function(e){if(e.error)return t.error=e.error,void(t.code=null);t.login(e).then(function(){t.$router.push({name:"friends"})})})}})},Mo=Object(dn.a)(Eo,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"login panel panel-default"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("login.heading.totp"))+"\n ")]),t._v(" "),n("div",{staticClass:"panel-body"},[n("form",{staticClass:"login-form",on:{submit:function(e){return e.preventDefault(),t.submit(e)}}},[n("div",{staticClass:"form-group"},[n("label",{attrs:{for:"code"}},[t._v("\n "+t._s(t.$t("login.authentication_code"))+"\n ")]),t._v(" "),n("input",{directives:[{name:"model",rawName:"v-model",value:t.code,expression:"code"}],staticClass:"form-control",attrs:{id:"code"},domProps:{value:t.code},on:{input:function(e){e.target.composing||(t.code=e.target.value)}}})]),t._v(" "),n("div",{staticClass:"form-group"},[n("div",{staticClass:"login-bottom"},[n("div",[n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.requireRecovery(e)}}},[t._v("\n "+t._s(t.$t("login.enter_recovery_code"))+"\n ")]),t._v(" "),n("br"),t._v(" "),n("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.abortMFA(e)}}},[t._v("\n "+t._s(t.$t("general.cancel"))+"\n ")])]),t._v(" "),n("button",{staticClass:"btn btn-default",attrs:{type:"submit"}},[t._v("\n "+t._s(t.$t("general.verify"))+"\n ")])])])])]),t._v(" "),t.error?n("div",{staticClass:"form-group"},[n("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.error)+"\n "),n("i",{staticClass:"button-icon icon-cancel",on:{click:t.clearError}})])]):t._e()])},[],!1,null,null,null).exports;function Uo(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var Fo={name:"AuthForm",render:function(t){return t("component",{is:this.authForm})},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Uo(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Uo(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({authForm:function(){return this.requiredTOTP?"MFATOTPForm":this.requiredRecovery?"MFARecoveryForm":"LoginForm"}},Object(c.c)("authFlow",["requiredTOTP","requiredRecovery"])),components:{MFARecoveryForm:$o,MFATOTPForm:Mo,LoginForm:Co}},Do={props:["floating"],data:function(){return{currentMessage:"",channel:null,collapsed:!0}},computed:{messages:function(){return this.$store.state.chat.messages}},methods:{submit:function(t){this.$store.state.chat.channel.push("new_msg",{text:t},1e4),this.currentMessage=""},togglePanel:function(){this.collapsed=!this.collapsed},userProfileLink:function(t){return Object(Rn.a)(t.id,t.username,this.$store.state.instance.restrictedNicknames)}}};var Lo=function(t){n(511)},No=Object(dn.a)(Do,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.collapsed&&t.floating?n("div",{staticClass:"chat-panel"},[n("div",{staticClass:"panel panel-default"},[n("div",{staticClass:"panel-heading stub timeline-heading chat-heading",on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.togglePanel(e)}}},[n("div",{staticClass:"title"},[n("i",{staticClass:"icon-megaphone"}),t._v("\n "+t._s(t.$t("shoutbox.title"))+"\n ")])])])]):n("div",{staticClass:"chat-panel"},[n("div",{staticClass:"panel panel-default"},[n("div",{staticClass:"panel-heading timeline-heading",class:{"chat-heading":t.floating},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.togglePanel(e)}}},[n("div",{staticClass:"title"},[n("span",[t._v(t._s(t.$t("shoutbox.title")))]),t._v(" "),t.floating?n("i",{staticClass:"icon-cancel"}):t._e()])]),t._v(" "),n("div",{directives:[{name:"chat-scroll",rawName:"v-chat-scroll"}],staticClass:"chat-window"},t._l(t.messages,function(e){return n("div",{key:e.id,staticClass:"chat-message"},[n("span",{staticClass:"chat-avatar"},[n("img",{attrs:{src:e.author.avatar}})]),t._v(" "),n("div",{staticClass:"chat-content"},[n("router-link",{staticClass:"chat-name",attrs:{to:t.userProfileLink(e.author)}},[t._v("\n "+t._s(e.author.username)+"\n ")]),t._v(" "),n("br"),t._v(" "),n("span",{staticClass:"chat-text"},[t._v("\n "+t._s(e.text)+"\n ")])],1)])}),0),t._v(" "),n("div",{staticClass:"chat-input"},[n("textarea",{directives:[{name:"model",rawName:"v-model",value:t.currentMessage,expression:"currentMessage"}],staticClass:"chat-input-textarea",attrs:{rows:"1"},domProps:{value:t.currentMessage},on:{keyup:function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:t.submit(t.currentMessage)},input:function(e){e.target.composing||(t.currentMessage=e.target.value)}}})])])])},[],!1,Lo,null,null).exports,Ro={components:{FollowCard:Li},data:function(){return{users:[]}},mounted:function(){this.getWhoToFollow()},methods:{showWhoToFollow:function(t){var e=this;t.forEach(function(t,n){e.$store.state.api.backendInteractor.fetchUser({id:t.acct}).then(function(t){t.error||(e.$store.commit("addNewUsers",[t]),e.users.push(t))})})},getWhoToFollow:function(){var t=this,e=this.$store.state.users.currentUser.credentials;e&&w.c.suggestions({credentials:e}).then(function(e){t.showWhoToFollow(e)})}}};var Ao=function(t){n(513)},Bo=Object(dn.a)(Ro,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"panel panel-default"},[e("div",{staticClass:"panel-heading"},[this._v("\n "+this._s(this.$t("who_to_follow.who_to_follow"))+"\n ")]),this._v(" "),e("div",{staticClass:"panel-body"},this._l(this.users,function(t){return e("FollowCard",{key:t.id,staticClass:"list-item",attrs:{user:t}})}),1)])},[],!1,Ao,null,null).exports,zo={computed:{instanceSpecificPanelContent:function(){return this.$store.state.instance.instanceSpecificPanelContent}}},Ho=Object(dn.a)(zo,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"instance-specific-panel"},[e("div",{staticClass:"panel panel-default"},[e("div",{staticClass:"panel-body"},[e("div",{domProps:{innerHTML:this._s(this.instanceSpecificPanelContent)}})])])])},[],!1,null,null,null).exports,qo={computed:{chat:function(){return this.$store.state.instance.chatAvailable},pleromaChatMessages:function(){return this.$store.state.instance.pleromaChatMessagesAvailable},gopher:function(){return this.$store.state.instance.gopherAvailable},whoToFollow:function(){return this.$store.state.instance.suggestionsEnabled},mediaProxy:function(){return this.$store.state.instance.mediaProxyAvailable},minimalScopesMode:function(){return this.$store.state.instance.minimalScopesMode},textlimit:function(){return this.$store.state.instance.textlimit}}};var Wo=function(t){n(517)},Vo=Object(dn.a)(qo,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"features-panel"},[n("div",{staticClass:"panel panel-default base01-background"},[n("div",{staticClass:"panel-heading timeline-heading base02-background base04"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("features_panel.title"))+"\n ")])]),t._v(" "),n("div",{staticClass:"panel-body features-panel"},[n("ul",[t.chat?n("li",[t._v("\n "+t._s(t.$t("features_panel.chat"))+"\n ")]):t._e(),t._v(" "),t.pleromaChatMessages?n("li",[t._v("\n "+t._s(t.$t("features_panel.pleroma_chat_messages"))+"\n ")]):t._e(),t._v(" "),t.gopher?n("li",[t._v("\n "+t._s(t.$t("features_panel.gopher"))+"\n ")]):t._e(),t._v(" "),t.whoToFollow?n("li",[t._v("\n "+t._s(t.$t("features_panel.who_to_follow"))+"\n ")]):t._e(),t._v(" "),t.mediaProxy?n("li",[t._v("\n "+t._s(t.$t("features_panel.media_proxy"))+"\n ")]):t._e(),t._v(" "),n("li",[t._v(t._s(t.$t("features_panel.scope_options")))]),t._v(" "),n("li",[t._v(t._s(t.$t("features_panel.text_limit"))+" = "+t._s(t.textlimit))])])])])])},[],!1,Wo,null,null).exports,Go={computed:{content:function(){return this.$store.state.instance.tos}}};var Ko=function(t){n(519)},Yo=Object(dn.a)(Go,function(){var t=this.$createElement,e=this._self._c||t;return e("div",[e("div",{staticClass:"panel panel-default"},[e("div",{staticClass:"panel-body"},[e("div",{staticClass:"tos-content",domProps:{innerHTML:this._s(this.content)}})])])])},[],!1,Ko,null,null).exports,Jo={created:function(){var t=this;this.$store.state.instance.staffAccounts.forEach(function(e){return t.$store.dispatch("fetchUserIfMissing",e)})},components:{BasicUserCard:ai.a},computed:{staffAccounts:function(){var t=this;return pt()(this.$store.state.instance.staffAccounts,function(e){return t.$store.getters.findUser(e)}).filter(function(t){return t})}}};var Xo=function(t){n(521)},Qo=Object(dn.a)(Jo,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"staff-panel"},[e("div",{staticClass:"panel panel-default base01-background"},[e("div",{staticClass:"panel-heading timeline-heading base02-background"},[e("div",{staticClass:"title"},[this._v("\n "+this._s(this.$t("about.staff"))+"\n ")])]),this._v(" "),e("div",{staticClass:"panel-body"},this._l(this.staffAccounts,function(t){return e("basic-user-card",{key:t.screen_name,attrs:{user:t}})}),1)])])},[],!1,Xo,null,null).exports;function Zo(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var tr={computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Zo(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Zo(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},Object(c.e)({federationPolicy:function(t){return Ie()(t,"instance.federationPolicy")},mrfPolicies:function(t){return Ie()(t,"instance.federationPolicy.mrf_policies",[])},quarantineInstances:function(t){return Ie()(t,"instance.federationPolicy.quarantined_instances",[])},acceptInstances:function(t){return Ie()(t,"instance.federationPolicy.mrf_simple.accept",[])},rejectInstances:function(t){return Ie()(t,"instance.federationPolicy.mrf_simple.reject",[])},ftlRemovalInstances:function(t){return Ie()(t,"instance.federationPolicy.mrf_simple.federated_timeline_removal",[])},mediaNsfwInstances:function(t){return Ie()(t,"instance.federationPolicy.mrf_simple.media_nsfw",[])},mediaRemovalInstances:function(t){return Ie()(t,"instance.federationPolicy.mrf_simple.media_removal",[])},keywordsFtlRemoval:function(t){return Ie()(t,"instance.federationPolicy.mrf_keyword.federated_timeline_removal",[])},keywordsReject:function(t){return Ie()(t,"instance.federationPolicy.mrf_keyword.reject",[])},keywordsReplace:function(t){return Ie()(t,"instance.federationPolicy.mrf_keyword.replace",[])}}),{hasInstanceSpecificPolicies:function(){return this.quarantineInstances.length||this.acceptInstances.length||this.rejectInstances.length||this.ftlRemovalInstances.length||this.mediaNsfwInstances.length||this.mediaRemovalInstances.length},hasKeywordPolicies:function(){return this.keywordsFtlRemoval.length||this.keywordsReject.length||this.keywordsReplace.length}})};var er=function(t){n(523)},nr={components:{InstanceSpecificPanel:Ho,FeaturesPanel:Vo,TermsOfServicePanel:Yo,StaffPanel:Qo,MRFTransparencyPanel:Object(dn.a)(tr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.federationPolicy?n("div",{staticClass:"mrf-transparency-panel"},[n("div",{staticClass:"panel panel-default base01-background"},[n("div",{staticClass:"panel-heading timeline-heading base02-background"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("about.mrf.federation"))+"\n ")])]),t._v(" "),n("div",{staticClass:"panel-body"},[n("div",{staticClass:"mrf-section"},[n("h2",[t._v(t._s(t.$t("about.mrf.mrf_policies")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.mrf_policies_desc")))]),t._v(" "),n("ul",t._l(t.mrfPolicies,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0),t._v(" "),t.hasInstanceSpecificPolicies?n("h2",[t._v("\n "+t._s(t.$t("about.mrf.simple.simple_policies"))+"\n ")]):t._e(),t._v(" "),t.acceptInstances.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.simple.accept")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.simple.accept_desc")))]),t._v(" "),n("ul",t._l(t.acceptInstances,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.rejectInstances.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.simple.reject")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.simple.reject_desc")))]),t._v(" "),n("ul",t._l(t.rejectInstances,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.quarantineInstances.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.simple.quarantine")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.simple.quarantine_desc")))]),t._v(" "),n("ul",t._l(t.quarantineInstances,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.ftlRemovalInstances.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.simple.ftl_removal")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.simple.ftl_removal_desc")))]),t._v(" "),n("ul",t._l(t.ftlRemovalInstances,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.mediaNsfwInstances.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.simple.media_nsfw")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.simple.media_nsfw_desc")))]),t._v(" "),n("ul",t._l(t.mediaNsfwInstances,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.mediaRemovalInstances.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.simple.media_removal")))]),t._v(" "),n("p",[t._v(t._s(t.$t("about.mrf.simple.media_removal_desc")))]),t._v(" "),n("ul",t._l(t.mediaRemovalInstances,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.hasKeywordPolicies?n("h2",[t._v("\n "+t._s(t.$t("about.mrf.keyword.keyword_policies"))+"\n ")]):t._e(),t._v(" "),t.keywordsFtlRemoval.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.keyword.ftl_removal")))]),t._v(" "),n("ul",t._l(t.keywordsFtlRemoval,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.keywordsReject.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.keyword.reject")))]),t._v(" "),n("ul",t._l(t.keywordsReject,function(e){return n("li",{key:e,domProps:{textContent:t._s(e)}})}),0)]):t._e(),t._v(" "),t.keywordsReplace.length?n("div",[n("h4",[t._v(t._s(t.$t("about.mrf.keyword.replace")))]),t._v(" "),n("ul",t._l(t.keywordsReplace,function(e){return n("li",{key:e},[t._v("\n "+t._s(e.pattern)+"\n "+t._s(t.$t("about.mrf.keyword.is_replaced_by"))+"\n "+t._s(e.replacement)+"\n ")])}),0)]):t._e()])])])]):t._e()},[],!1,er,null,null).exports},computed:{showFeaturesPanel:function(){return this.$store.state.instance.showFeaturesPanel},showInstanceSpecificPanel:function(){return this.$store.state.instance.showInstanceSpecificPanel&&!this.$store.getters.mergedConfig.hideISP&&this.$store.state.instance.instanceSpecificPanelContent}}};var ir=function(t){n(515)},or=Object(dn.a)(nr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"sidebar"},[t.showInstanceSpecificPanel?n("instance-specific-panel"):t._e(),t._v(" "),n("staff-panel"),t._v(" "),n("terms-of-service-panel"),t._v(" "),n("MRFTransparencyPanel"),t._v(" "),t.showFeaturesPanel?n("features-panel"):t._e()],1)},[],!1,ir,null,null).exports,rr={data:function(){return{error:!1}},mounted:function(){this.redirect()},methods:{redirect:function(){var t=this,e=this.$route.params.username+"@"+this.$route.params.hostname;this.$store.state.api.backendInteractor.fetchUser({id:e}).then(function(e){if(e.error)t.error=!0;else{t.$store.commit("addNewUsers",[e]);var n=e.id;t.$router.replace({name:"external-user-profile",params:{id:n}})}}).catch(function(){t.error=!0})}}};var sr=function(t){n(525)},ar=Object(dn.a)(rr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"panel panel-default"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("remote_user_resolver.remote_user_resolver"))+"\n ")]),t._v(" "),n("div",{staticClass:"panel-body"},[n("p",[t._v("\n "+t._s(t.$t("remote_user_resolver.searching_for"))+" @"+t._s(t.$route.params.username)+"@"+t._s(t.$route.params.hostname)+"\n ")]),t._v(" "),t.error?n("p",[t._v("\n "+t._s(t.$t("remote_user_resolver.error"))+"\n ")]):t._e()])])},[],!1,sr,null,null).exports,cr=function(t){var e=function(e,n,i){t.state.users.currentUser?i():i(t.state.instance.redirectRootNoLogin||"/main/all")},n=[{name:"root",path:"/",redirect:function(e){return(t.state.users.currentUser?t.state.instance.redirectRootLogin:t.state.instance.redirectRootNoLogin)||"/main/all"}},{name:"public-external-timeline",path:"/main/all",component:Sn},{name:"public-timeline",path:"/main/public",component:kn},{name:"friends",path:"/main/friends",component:On,beforeEnter:e},{name:"tag-timeline",path:"/tag/:tag",component:$n},{name:"bookmarks",path:"/bookmarks",component:In},{name:"conversation",path:"/notice/:id",component:Mn,meta:{dontScroll:!0}},{name:"remote-user-profile-acct",path:"/remote-users/(@?):username([^/@]+)@:hostname([^/@]+)",component:ar,beforeEnter:e},{name:"remote-user-profile",path:"/remote-users/:hostname/:username",component:ar,beforeEnter:e},{name:"external-user-profile",path:"/users/:id",component:Xi},{name:"interactions",path:"/users/:username/interactions",component:Jn,beforeEnter:e},{name:"dms",path:"/users/:username/dms",component:Qn,beforeEnter:e},{name:"registration",path:"/registration",component:ao},{name:"password-reset",path:"/password-reset",component:fo,props:!0},{name:"registration-token",path:"/registration/:token",component:ao},{name:"friend-requests",path:"/friend-requests",component:vo,beforeEnter:e},{name:"notifications",path:"/:username/notifications",component:Gn,beforeEnter:e},{name:"login",path:"/login",component:Fo},{name:"chat-panel",path:"/chat-panel",component:No,props:function(){return{floating:!1}}},{name:"oauth-callback",path:"/oauth-callback",component:wo,props:function(t){return{code:t.query.code}}},{name:"search",path:"/search",component:to,props:function(t){return{query:t.query.query}}},{name:"who-to-follow",path:"/who-to-follow",component:Bo,beforeEnter:e},{name:"about",path:"/about",component:or},{name:"user-profile",path:"/(users/)?:name",component:Xi}];return t.state.instance.pleromaChatMessagesAvailable&&(n=n.concat([{name:"chat",path:"/users/:username/chats/:recipient_id",component:Ei,meta:{dontScroll:!1},beforeEnter:e},{name:"chats",path:"/users/:username/chats",component:gi,meta:{dontScroll:!1},beforeEnter:e}])),n};function lr(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var ur={computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?lr(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):lr(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({signedIn:function(){return this.user}},Object(c.e)({user:function(t){return t.users.currentUser}})),components:{AuthForm:Fo,PostStatusForm:ji.a,UserCard:Dn.a}};var dr=function(t){n(529)},pr=Object(dn.a)(ur,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"user-panel"},[this.signedIn?e("div",{key:"user-panel",staticClass:"panel panel-default signed-in"},[e("UserCard",{attrs:{"user-id":this.user.id,"hide-bio":!0,rounded:"top"}}),this._v(" "),e("PostStatusForm")],1):e("auth-form",{key:"user-panel"})],1)},[],!1,dr,null,null).exports;function fr(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}hn.default,function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?fr(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):fr(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}}({},Object(c.e)({currentUser:function(t){return t.users.currentUser},privateMode:function(t){return t.instance.private},federating:function(t){return t.instance.federating}}));function hr(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var mr={created:function(){this.currentUser&&this.currentUser.locked&&this.$store.dispatch("startFetchingFollowRequests")},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?hr(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):hr(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({onTimelineRoute:function(){return!!{friends:"nav.timeline",bookmarks:"nav.bookmarks",dms:"nav.dms","public-timeline":"nav.public_tl","public-external-timeline":"nav.twkn","tag-timeline":"tag"}[this.$route.name]},timelinesRoute:function(){return this.$store.state.interface.lastTimeline?this.$store.state.interface.lastTimeline:this.currentUser?"friends":"public-timeline"}},Object(c.e)({currentUser:function(t){return t.users.currentUser},followRequestCount:function(t){return t.api.followRequests.length},privateMode:function(t){return t.instance.private},federating:function(t){return t.instance.federating},pleromaChatMessagesAvailable:function(t){return t.instance.pleromaChatMessagesAvailable}}),{},Object(c.c)(["unreadChatCount"]))};var gr=function(t){n(531)},vr=Object(dn.a)(mr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"nav-panel"},[n("div",{staticClass:"panel panel-default"},[n("ul",[t.currentUser||!t.privateMode?n("li",[n("router-link",{class:t.onTimelineRoute&&"router-link-active",attrs:{to:{name:t.timelinesRoute}}},[n("i",{staticClass:"button-icon icon-home-2"}),t._v(" "+t._s(t.$t("nav.timelines"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser?n("li",[n("router-link",{attrs:{to:{name:"interactions",params:{username:t.currentUser.screen_name}}}},[n("i",{staticClass:"button-icon icon-bell-alt"}),t._v(" "+t._s(t.$t("nav.interactions"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser&&t.pleromaChatMessagesAvailable?n("li",[n("router-link",{attrs:{to:{name:"chats",params:{username:t.currentUser.screen_name}}}},[t.unreadChatCount?n("div",{staticClass:"badge badge-notification unread-chat-count"},[t._v("\n "+t._s(t.unreadChatCount)+"\n ")]):t._e(),t._v(" "),n("i",{staticClass:"button-icon icon-chat"}),t._v(" "+t._s(t.$t("nav.chats"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser&&t.currentUser.locked?n("li",[n("router-link",{attrs:{to:{name:"friend-requests"}}},[n("i",{staticClass:"button-icon icon-user-plus"}),t._v(" "+t._s(t.$t("nav.friend_requests"))+"\n "),t.followRequestCount>0?n("span",{staticClass:"badge follow-request-count"},[t._v("\n "+t._s(t.followRequestCount)+"\n ")]):t._e()])],1):t._e(),t._v(" "),n("li",[n("router-link",{attrs:{to:{name:"about"}}},[n("i",{staticClass:"button-icon icon-info-circled"}),t._v(" "+t._s(t.$t("nav.about"))+"\n ")])],1)])])])},[],!1,gr,null,null).exports,br={data:function(){return{searchTerm:void 0,hidden:!0,error:!1,loading:!1}},watch:{$route:function(t){"search"===t.name&&(this.searchTerm=t.query.query)}},methods:{find:function(t){this.$router.push({name:"search",query:{query:t}}),this.$refs.searchInput.focus()},toggleHidden:function(){var t=this;this.hidden=!this.hidden,this.$emit("toggled",this.hidden),this.$nextTick(function(){t.hidden||t.$refs.searchInput.focus()})}}};var wr=function(t){n(533)},_r=Object(dn.a)(br,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",[n("div",{staticClass:"search-bar-container"},[t.loading?n("i",{staticClass:"icon-spin4 finder-icon animate-spin-slow"}):t._e(),t._v(" "),t.hidden?n("a",{attrs:{href:"#",title:t.$t("nav.search")}},[n("i",{staticClass:"button-icon icon-search",on:{click:function(e){return e.preventDefault(),e.stopPropagation(),t.toggleHidden(e)}}})]):[n("input",{directives:[{name:"model",rawName:"v-model",value:t.searchTerm,expression:"searchTerm"}],ref:"searchInput",staticClass:"search-bar-input",attrs:{id:"search-bar-input",placeholder:t.$t("nav.search"),type:"text"},domProps:{value:t.searchTerm},on:{keyup:function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:t.find(t.searchTerm)},input:function(e){e.target.composing||(t.searchTerm=e.target.value)}}}),t._v(" "),n("button",{staticClass:"btn search-button",on:{click:function(e){return t.find(t.searchTerm)}}},[n("i",{staticClass:"icon-search"})]),t._v(" "),n("i",{staticClass:"button-icon icon-cancel",on:{click:function(e){return e.preventDefault(),e.stopPropagation(),t.toggleHidden(e)}}})]],2)])},[],!1,wr,null,null).exports,xr=n(221),yr=n.n(xr);function kr(t){var e=t.$store.state.users.currentUser.credentials;e&&(t.usersToFollow.forEach(function(t){t.name="Loading..."}),w.c.suggestions({credentials:e}).then(function(e){!function(t,e){var n=this,i=yr()(e);t.usersToFollow.forEach(function(e,o){var r=i[o],s=r.avatar||n.$store.state.instance.defaultAvatar,a=r.acct;e.img=s,e.name=a,t.$store.state.api.backendInteractor.fetchUser({id:a}).then(function(n){n.error||(t.$store.commit("addNewUsers",[n]),e.id=n.id)})})}(t,e)}))}var Cr={data:function(){return{usersToFollow:[]}},computed:{user:function(){return this.$store.state.users.currentUser.screen_name},suggestionsEnabled:function(){return this.$store.state.instance.suggestionsEnabled}},methods:{userProfileLink:function(t,e){return Object(Rn.a)(t,e,this.$store.state.instance.restrictedNicknames)}},watch:{user:function(t,e){this.suggestionsEnabled&&kr(this)}},mounted:function(){var t=this;this.usersToFollow=new Array(3).fill().map(function(e){return{img:t.$store.state.instance.defaultAvatar,name:"",id:0}}),this.suggestionsEnabled&&kr(this)}};var Sr=function(t){n(535)},jr=Object(dn.a)(Cr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"who-to-follow-panel"},[n("div",{staticClass:"panel panel-default base01-background"},[n("div",{staticClass:"panel-heading timeline-heading base02-background base04"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("who_to_follow.who_to_follow"))+"\n ")])]),t._v(" "),n("div",{staticClass:"who-to-follow"},[t._l(t.usersToFollow,function(e){return n("p",{key:e.id,staticClass:"who-to-follow-items"},[n("img",{attrs:{src:e.img}}),t._v(" "),n("router-link",{attrs:{to:t.userProfileLink(e.id,e.name)}},[t._v("\n "+t._s(e.name)+"\n ")]),n("br")],1)}),t._v(" "),n("p",{staticClass:"who-to-follow-more"},[n("router-link",{attrs:{to:{name:"who-to-follow"}}},[t._v("\n "+t._s(t.$t("who_to_follow.more"))+"\n ")])],1)],2)])])},[],!1,Sr,null,null).exports,Or={props:{isOpen:{type:Boolean,default:!0},noBackground:{type:Boolean,default:!1}},computed:{classes:function(){return{"modal-background":!this.noBackground,open:this.isOpen}}}};var Pr=function(t){n(542)},$r=Object(dn.a)(Or,function(){var t=this,e=t.$createElement;return(t._self._c||e)("div",{directives:[{name:"show",rawName:"v-show",value:t.isOpen,expression:"isOpen"},{name:"body-scroll-lock",rawName:"v-body-scroll-lock",value:t.isOpen&&!t.noBackground,expression:"isOpen && !noBackground"}],staticClass:"modal-view",class:t.classes,on:{click:function(e){return e.target!==e.currentTarget?null:t.$emit("backdropClicked")}}},[t._t("default")],2)},[],!1,Pr,null,null).exports;var Tr=function(t){n(544)};var Ir=function(t){n(546)};function Er(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var Mr={components:{Modal:$r,SettingsModalContent:function(t,e){var n=function(){return function(){return function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Er(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Er(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({component:t()},e)}},i=s.a.observable({c:n()});return{functional:!0,render:function(t,e){var o=e.data,r=e.children;return o.on={},o.on.resetAsyncComponent=function(){i.c=n()},t(i.c,o,r)}}}(function(){return Promise.all([n.e(3),n.e(2)]).then(n.bind(null,641))},{loading:Object(dn.a)(null,function(){var t=this.$createElement,e=this._self._c||t;return e("div",{staticClass:"panel-loading"},[e("span",{staticClass:"loading-text"},[e("i",{staticClass:"icon-spin4 animate-spin"}),this._v("\n "+this._s(this.$t("general.loading"))+"\n ")])])},[],!1,Tr,null,null).exports,error:Object(dn.a)({methods:{retry:function(){this.$emit("resetAsyncComponent")}}},function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"async-component-error"},[n("div",[n("h4",[t._v("\n "+t._s(t.$t("general.generic_error"))+"\n ")]),t._v(" "),n("p",[t._v("\n "+t._s(t.$t("general.error_retry"))+"\n ")]),t._v(" "),n("button",{staticClass:"btn",on:{click:t.retry}},[t._v("\n "+t._s(t.$t("general.retry"))+"\n ")])])])},[],!1,Ir,null,null).exports,delay:0})},methods:{closeModal:function(){this.$store.dispatch("closeSettingsModal")},peekModal:function(){this.$store.dispatch("togglePeekSettingsModal")}},computed:{currentSaveStateNotice:function(){return this.$store.state.interface.settings.currentSaveStateNotice},modalActivated:function(){return"hidden"!==this.$store.state.interface.settingsModalState},modalOpenedOnce:function(){return this.$store.state.interface.settingsModalLoaded},modalPeeked:function(){return"minimized"===this.$store.state.interface.settingsModalState}}};var Ur=function(t){n(540)},Fr=Object(dn.a)(Mr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("Modal",{staticClass:"settings-modal",class:{peek:t.modalPeeked},attrs:{"is-open":t.modalActivated,"no-background":t.modalPeeked}},[n("div",{staticClass:"settings-modal-panel panel"},[n("div",{staticClass:"panel-heading"},[n("span",{staticClass:"title"},[t._v("\n "+t._s(t.$t("settings.settings"))+"\n ")]),t._v(" "),n("transition",{attrs:{name:"fade"}},[t.currentSaveStateNotice?[t.currentSaveStateNotice.error?n("div",{staticClass:"alert error",on:{click:function(t){t.preventDefault()}}},[t._v("\n "+t._s(t.$t("settings.saving_err"))+"\n ")]):t._e(),t._v(" "),t.currentSaveStateNotice.error?t._e():n("div",{staticClass:"alert transparent",on:{click:function(t){t.preventDefault()}}},[t._v("\n "+t._s(t.$t("settings.saving_ok"))+"\n ")])]:t._e()],2),t._v(" "),n("button",{staticClass:"btn",on:{click:t.peekModal}},[t._v("\n "+t._s(t.$t("general.peek"))+"\n ")]),t._v(" "),n("button",{staticClass:"btn",on:{click:t.closeModal}},[t._v("\n "+t._s(t.$t("general.close"))+"\n ")])],1),t._v(" "),n("div",{staticClass:"panel-body"},[t.modalOpenedOnce?n("SettingsModalContent"):t._e()],1)])])},[],!1,Ur,null,null).exports,Dr=n(62),Lr=n(110),Nr=function(t){return[t.touches[0].screenX,t.touches[0].screenY]},Rr=function(t){return Math.sqrt(t[0]*t[0]+t[1]*t[1])},Ar=function(t,e){return t[0]*e[0]+t[1]*e[1]},Br=function(t,e){var n=Ar(t,e)/Ar(e,e);return[n*e[0],n*e[1]]},zr={DIRECTION_LEFT:[-1,0],DIRECTION_RIGHT:[1,0],DIRECTION_UP:[0,-1],DIRECTION_DOWN:[0,1],swipeGesture:function(t,e){return{direction:t,onSwipe:e,threshold:arguments.length>2&&void 0!==arguments[2]?arguments[2]:30,perpendicularTolerance:arguments.length>3&&void 0!==arguments[3]?arguments[3]:1,_startPos:[0,0],_swiping:!1}},beginSwipe:function(t,e){e._startPos=Nr(t),e._swiping=!0},updateSwipe:function(t,e){if(e._swiping){var n,i,o=(n=e._startPos,[(i=Nr(t))[0]-n[0],i[1]-n[1]]);if(!(Rr(o)<e.threshold||Ar(o,e.direction)<0)){var r,s=Br(o,e.direction),a=[(r=e.direction)[1],-r[0]],c=Br(o,a);Rr(s)*e.perpendicularTolerance<Rr(c)||(e.onSwipe(),e._swiping=!1)}}}},Hr={components:{StillImage:Dr.a,VideoAttachment:Lr.a,Modal:$r},computed:{showing:function(){return this.$store.state.mediaViewer.activated},media:function(){return this.$store.state.mediaViewer.media},currentIndex:function(){return this.$store.state.mediaViewer.currentIndex},currentMedia:function(){return this.media[this.currentIndex]},canNavigate:function(){return this.media.length>1},type:function(){return this.currentMedia?ie.a.fileType(this.currentMedia.mimetype):null}},created:function(){this.mediaSwipeGestureRight=zr.swipeGesture(zr.DIRECTION_RIGHT,this.goPrev,50),this.mediaSwipeGestureLeft=zr.swipeGesture(zr.DIRECTION_LEFT,this.goNext,50)},methods:{mediaTouchStart:function(t){zr.beginSwipe(t,this.mediaSwipeGestureRight),zr.beginSwipe(t,this.mediaSwipeGestureLeft)},mediaTouchMove:function(t){zr.updateSwipe(t,this.mediaSwipeGestureRight),zr.updateSwipe(t,this.mediaSwipeGestureLeft)},hide:function(){this.$store.dispatch("closeMediaViewer")},goPrev:function(){if(this.canNavigate){var t=0===this.currentIndex?this.media.length-1:this.currentIndex-1;this.$store.dispatch("setCurrent",this.media[t])}},goNext:function(){if(this.canNavigate){var t=this.currentIndex===this.media.length-1?0:this.currentIndex+1;this.$store.dispatch("setCurrent",this.media[t])}},handleKeyupEvent:function(t){this.showing&&27===t.keyCode&&this.hide()},handleKeydownEvent:function(t){this.showing&&(39===t.keyCode?this.goNext():37===t.keyCode&&this.goPrev())}},mounted:function(){window.addEventListener("popstate",this.hide),document.addEventListener("keyup",this.handleKeyupEvent),document.addEventListener("keydown",this.handleKeydownEvent)},destroyed:function(){window.removeEventListener("popstate",this.hide),document.removeEventListener("keyup",this.handleKeyupEvent),document.removeEventListener("keydown",this.handleKeydownEvent)}};var qr=function(t){n(548)},Wr=Object(dn.a)(Hr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.showing?n("Modal",{staticClass:"media-modal-view",on:{backdropClicked:t.hide}},["image"===t.type?n("img",{staticClass:"modal-image",attrs:{src:t.currentMedia.url,alt:t.currentMedia.description,title:t.currentMedia.description},on:{touchstart:function(e){return e.stopPropagation(),t.mediaTouchStart(e)},touchmove:function(e){return e.stopPropagation(),t.mediaTouchMove(e)},click:t.hide}}):t._e(),t._v(" "),"video"===t.type?n("VideoAttachment",{staticClass:"modal-image",attrs:{attachment:t.currentMedia,controls:!0}}):t._e(),t._v(" "),"audio"===t.type?n("audio",{staticClass:"modal-image",attrs:{src:t.currentMedia.url,alt:t.currentMedia.description,title:t.currentMedia.description,controls:""}}):t._e(),t._v(" "),t.canNavigate?n("button",{staticClass:"modal-view-button-arrow modal-view-button-arrow--prev",attrs:{title:t.$t("media_modal.previous")},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.goPrev(e)}}},[n("i",{staticClass:"icon-left-open arrow-icon"})]):t._e(),t._v(" "),t.canNavigate?n("button",{staticClass:"modal-view-button-arrow modal-view-button-arrow--next",attrs:{title:t.$t("media_modal.next")},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.goNext(e)}}},[n("i",{staticClass:"icon-right-open arrow-icon"})]):t._e()],1):t._e()},[],!1,qr,null,null).exports;function Vr(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var Gr={props:["logout"],data:function(){return{closed:!0,closeGesture:void 0}},created:function(){this.closeGesture=zr.swipeGesture(zr.DIRECTION_LEFT,this.toggleDrawer),this.currentUser&&this.currentUser.locked&&this.$store.dispatch("startFetchingFollowRequests")},components:{UserCard:Dn.a},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Vr(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Vr(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({currentUser:function(){return this.$store.state.users.currentUser},chat:function(){return"joined"===this.$store.state.chat.channel.state},unseenNotifications:function(){return Object(G.e)(this.$store)},unseenNotificationsCount:function(){return this.unseenNotifications.length},suggestionsEnabled:function(){return this.$store.state.instance.suggestionsEnabled},logo:function(){return this.$store.state.instance.logo},hideSitename:function(){return this.$store.state.instance.hideSitename},sitename:function(){return this.$store.state.instance.name},followRequestCount:function(){return this.$store.state.api.followRequests.length},privateMode:function(){return this.$store.state.instance.private},federating:function(){return this.$store.state.instance.federating},timelinesRoute:function(){return this.$store.state.interface.lastTimeline?this.$store.state.interface.lastTimeline:this.currentUser?"friends":"public-timeline"}},Object(c.e)({pleromaChatMessagesAvailable:function(t){return t.instance.pleromaChatMessagesAvailable}}),{},Object(c.c)(["unreadChatCount"])),methods:{toggleDrawer:function(){this.closed=!this.closed},doLogout:function(){this.logout(),this.toggleDrawer()},touchStart:function(t){zr.beginSwipe(t,this.closeGesture)},touchMove:function(t){zr.updateSwipe(t,this.closeGesture)},openSettingsModal:function(){this.$store.dispatch("openSettingsModal")}}};var Kr=function(t){n(550)},Yr=Object(dn.a)(Gr,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"side-drawer-container",class:{"side-drawer-container-closed":t.closed,"side-drawer-container-open":!t.closed}},[n("div",{staticClass:"side-drawer-darken",class:{"side-drawer-darken-closed":t.closed}}),t._v(" "),n("div",{staticClass:"side-drawer",class:{"side-drawer-closed":t.closed},on:{touchstart:t.touchStart,touchmove:t.touchMove}},[n("div",{staticClass:"side-drawer-heading",on:{click:t.toggleDrawer}},[t.currentUser?n("UserCard",{attrs:{"user-id":t.currentUser.id,"hide-bio":!0}}):n("div",{staticClass:"side-drawer-logo-wrapper"},[n("img",{attrs:{src:t.logo}}),t._v(" "),t.hideSitename?t._e():n("span",[t._v(t._s(t.sitename))])])],1),t._v(" "),n("ul",[t.currentUser?t._e():n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:"login"}}},[n("i",{staticClass:"button-icon icon-login"}),t._v(" "+t._s(t.$t("login.login"))+"\n ")])],1),t._v(" "),t.currentUser||!t.privateMode?n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:t.timelinesRoute}}},[n("i",{staticClass:"button-icon icon-home-2"}),t._v(" "+t._s(t.$t("nav.timelines"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser&&t.pleromaChatMessagesAvailable?n("li",{on:{click:t.toggleDrawer}},[n("router-link",{staticStyle:{position:"relative"},attrs:{to:{name:"chats",params:{username:t.currentUser.screen_name}}}},[n("i",{staticClass:"button-icon icon-chat"}),t._v(" "+t._s(t.$t("nav.chats"))+"\n "),t.unreadChatCount?n("span",{staticClass:"badge badge-notification unread-chat-count"},[t._v("\n "+t._s(t.unreadChatCount)+"\n ")]):t._e()])],1):t._e()]),t._v(" "),t.currentUser?n("ul",[n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:"interactions",params:{username:t.currentUser.screen_name}}}},[n("i",{staticClass:"button-icon icon-bell-alt"}),t._v(" "+t._s(t.$t("nav.interactions"))+"\n ")])],1),t._v(" "),t.currentUser.locked?n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:"/friend-requests"}},[n("i",{staticClass:"button-icon icon-user-plus"}),t._v(" "+t._s(t.$t("nav.friend_requests"))+"\n "),t.followRequestCount>0?n("span",{staticClass:"badge follow-request-count"},[t._v("\n "+t._s(t.followRequestCount)+"\n ")]):t._e()])],1):t._e(),t._v(" "),t.chat?n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:"chat"}}},[n("i",{staticClass:"button-icon icon-megaphone"}),t._v(" "+t._s(t.$t("shoutbox.title"))+"\n ")])],1):t._e()]):t._e(),t._v(" "),n("ul",[t.currentUser||!t.privateMode?n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:"search"}}},[n("i",{staticClass:"button-icon icon-search"}),t._v(" "+t._s(t.$t("nav.search"))+"\n ")])],1):t._e(),t._v(" "),t.currentUser&&t.suggestionsEnabled?n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:"who-to-follow"}}},[n("i",{staticClass:"button-icon icon-user-plus"}),t._v(" "+t._s(t.$t("nav.who_to_follow"))+"\n ")])],1):t._e(),t._v(" "),n("li",{on:{click:t.toggleDrawer}},[n("a",{attrs:{href:"#"},on:{click:t.openSettingsModal}},[n("i",{staticClass:"button-icon icon-cog"}),t._v(" "+t._s(t.$t("settings.settings"))+"\n ")])]),t._v(" "),n("li",{on:{click:t.toggleDrawer}},[n("router-link",{attrs:{to:{name:"about"}}},[n("i",{staticClass:"button-icon icon-info-circled"}),t._v(" "+t._s(t.$t("nav.about"))+"\n ")])],1),t._v(" "),t.currentUser&&"admin"===t.currentUser.role?n("li",{on:{click:t.toggleDrawer}},[n("a",{attrs:{href:"/pleroma/admin/#/login-pleroma",target:"_blank"}},[n("i",{staticClass:"button-icon icon-gauge"}),t._v(" "+t._s(t.$t("nav.administration"))+"\n ")])]):t._e(),t._v(" "),t.currentUser?n("li",{on:{click:t.toggleDrawer}},[n("a",{attrs:{href:"#"},on:{click:t.doLogout}},[n("i",{staticClass:"button-icon icon-logout"}),t._v(" "+t._s(t.$t("login.logout"))+"\n ")])]):t._e()])]),t._v(" "),n("div",{staticClass:"side-drawer-click-outside",class:{"side-drawer-click-outside-closed":t.closed},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.toggleDrawer(e)}}})])},[],!1,Kr,null,null).exports,Jr=n(41),Xr=n.n(Jr),Qr=new Set(["chats","chat"]),Zr={data:function(){return{hidden:!1,scrollingDown:!1,inputActive:!1,oldScrollPos:0,amountScrolled:0}},created:function(){this.autohideFloatingPostButton&&this.activateFloatingPostButtonAutohide(),window.addEventListener("resize",this.handleOSK)},destroyed:function(){this.autohideFloatingPostButton&&this.deactivateFloatingPostButtonAutohide(),window.removeEventListener("resize",this.handleOSK)},computed:{isLoggedIn:function(){return!!this.$store.state.users.currentUser},isHidden:function(){return!!Qr.has(this.$route.name)||this.autohideFloatingPostButton&&(this.hidden||this.inputActive)},autohideFloatingPostButton:function(){return!!this.$store.getters.mergedConfig.autohideFloatingPostButton}},watch:{autohideFloatingPostButton:function(t){t?this.activateFloatingPostButtonAutohide():this.deactivateFloatingPostButtonAutohide()}},methods:{activateFloatingPostButtonAutohide:function(){window.addEventListener("scroll",this.handleScrollStart),window.addEventListener("scroll",this.handleScrollEnd)},deactivateFloatingPostButtonAutohide:function(){window.removeEventListener("scroll",this.handleScrollStart),window.removeEventListener("scroll",this.handleScrollEnd)},openPostForm:function(){this.$store.dispatch("openPostStatusModal")},handleOSK:function(){var t=window.innerWidth<350,e=t&&window.innerHeight<345,n=!t&&window.innerWidth<450&&window.innerHeight<560;this.inputActive=!(!e&&!n)},handleScrollStart:Xr()(function(){window.scrollY>this.oldScrollPos?this.hidden=!0:this.hidden=!1,this.oldScrollPos=window.scrollY},100,{leading:!0,trailing:!1}),handleScrollEnd:Xr()(function(){this.hidden=!1,this.oldScrollPos=window.scrollY},100,{leading:!1,trailing:!0})}};var ts=function(t){n(552)},es=Object(dn.a)(Zr,function(){var t=this.$createElement,e=this._self._c||t;return this.isLoggedIn?e("div",[e("button",{staticClass:"new-status-button",class:{hidden:this.isHidden},on:{click:this.openPostForm}},[e("i",{staticClass:"icon-edit"})])]):this._e()},[],!1,ts,null,null).exports;function ns(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var is={components:{SideDrawer:Yr,Notifications:Gn},data:function(){return{notificationsCloseGesture:void 0,notificationsOpen:!1}},created:function(){this.notificationsCloseGesture=zr.swipeGesture(zr.DIRECTION_RIGHT,this.closeMobileNotifications,50)},computed:function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?ns(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):ns(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({currentUser:function(){return this.$store.state.users.currentUser},unseenNotifications:function(){return Object(G.e)(this.$store)},unseenNotificationsCount:function(){return this.unseenNotifications.length},hideSitename:function(){return this.$store.state.instance.hideSitename},sitename:function(){return this.$store.state.instance.name},isChat:function(){return"chat"===this.$route.name}},Object(c.c)(["unreadChatCount"])),methods:{toggleMobileSidebar:function(){this.$refs.sideDrawer.toggleDrawer()},openMobileNotifications:function(){this.notificationsOpen=!0},closeMobileNotifications:function(){this.notificationsOpen&&(this.notificationsOpen=!1,this.markNotificationsAsSeen())},notificationsTouchStart:function(t){zr.beginSwipe(t,this.notificationsCloseGesture)},notificationsTouchMove:function(t){zr.updateSwipe(t,this.notificationsCloseGesture)},scrollToTop:function(){window.scrollTo(0,0)},logout:function(){this.$router.replace("/main/public"),this.$store.dispatch("logout")},markNotificationsAsSeen:function(){this.$refs.notifications.markAsSeen()},onScroll:function(t){var e=t.target;e.scrollTop+e.clientHeight>=e.scrollHeight&&this.$refs.notifications.fetchOlderNotifications()}},watch:{$route:function(){this.closeMobileNotifications()}}};var os=function(t){n(554)},rs=Object(dn.a)(is,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",[n("nav",{staticClass:"nav-bar container",class:{"mobile-hidden":t.isChat},attrs:{id:"nav"}},[n("div",{staticClass:"mobile-inner-nav",on:{click:function(e){return t.scrollToTop()}}},[n("div",{staticClass:"item"},[n("a",{staticClass:"mobile-nav-button",attrs:{href:"#"},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.toggleMobileSidebar()}}},[n("i",{staticClass:"button-icon icon-menu"}),t._v(" "),t.unreadChatCount?n("div",{staticClass:"alert-dot"}):t._e()]),t._v(" "),t.hideSitename?t._e():n("router-link",{staticClass:"site-name",attrs:{to:{name:"root"},"active-class":"home"}},[t._v("\n "+t._s(t.sitename)+"\n ")])],1),t._v(" "),n("div",{staticClass:"item right"},[t.currentUser?n("a",{staticClass:"mobile-nav-button",attrs:{href:"#"},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.openMobileNotifications()}}},[n("i",{staticClass:"button-icon icon-bell-alt"}),t._v(" "),t.unseenNotificationsCount?n("div",{staticClass:"alert-dot"}):t._e()]):t._e()])])]),t._v(" "),t.currentUser?n("div",{staticClass:"mobile-notifications-drawer",class:{closed:!t.notificationsOpen},on:{touchstart:function(e){return e.stopPropagation(),t.notificationsTouchStart(e)},touchmove:function(e){return e.stopPropagation(),t.notificationsTouchMove(e)}}},[n("div",{staticClass:"mobile-notifications-header"},[n("span",{staticClass:"title"},[t._v(t._s(t.$t("notifications.notifications")))]),t._v(" "),n("a",{staticClass:"mobile-nav-button",on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.closeMobileNotifications()}}},[n("i",{staticClass:"button-icon icon-cancel"})])]),t._v(" "),n("div",{staticClass:"mobile-notifications",on:{scroll:t.onScroll}},[n("Notifications",{ref:"notifications",attrs:{"no-heading":!0}})],1)]):t._e(),t._v(" "),n("SideDrawer",{ref:"sideDrawer",attrs:{logout:t.logout}})],1)},[],!1,os,null,null).exports,ss=n(54);function as(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}var cs={components:{Status:sn.default,List:pi.a,Checkbox:ss.a,Modal:$r},data:function(){return{comment:"",forward:!1,statusIdsToReport:[],processing:!1,error:!1}},computed:{isLoggedIn:function(){return!!this.$store.state.users.currentUser},isOpen:function(){return this.isLoggedIn&&this.$store.state.reports.modalActivated},userId:function(){return this.$store.state.reports.userId},user:function(){return this.$store.getters.findUser(this.userId)},remoteInstance:function(){return!this.user.is_local&&this.user.screen_name.substr(this.user.screen_name.indexOf("@")+1)},statuses:function(){return this.$store.state.reports.statuses}},watch:{userId:"resetState"},methods:{resetState:function(){this.comment="",this.forward=!1,this.statusIdsToReport=[],this.processing=!1,this.error=!1},closeModal:function(){this.$store.dispatch("closeUserReportingModal")},reportUser:function(){var t=this;this.processing=!0,this.error=!1;var e={userId:this.userId,comment:this.comment,forward:this.forward,statusIds:this.statusIdsToReport};this.$store.state.api.backendInteractor.reportUser(function(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?as(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):as(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}({},e)).then(function(){t.processing=!1,t.resetState(),t.closeModal()}).catch(function(){t.processing=!1,t.error=!0})},clearError:function(){this.error=!1},isChecked:function(t){return-1!==this.statusIdsToReport.indexOf(t)},toggleStatus:function(t,e){t!==this.isChecked(e)&&(t?this.statusIdsToReport.push(e):this.statusIdsToReport.splice(this.statusIdsToReport.indexOf(e),1))},resize:function(t){var e=t.target||t;e instanceof window.Element&&(e.style.height="auto",e.style.height="".concat(e.scrollHeight,"px"),""===e.value&&(e.style.height=null))}}};var ls=function(t){n(556)},us=Object(dn.a)(cs,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.isOpen?n("Modal",{on:{backdropClicked:t.closeModal}},[n("div",{staticClass:"user-reporting-panel panel"},[n("div",{staticClass:"panel-heading"},[n("div",{staticClass:"title"},[t._v("\n "+t._s(t.$t("user_reporting.title",[t.user.screen_name]))+"\n ")])]),t._v(" "),n("div",{staticClass:"panel-body"},[n("div",{staticClass:"user-reporting-panel-left"},[n("div",[n("p",[t._v(t._s(t.$t("user_reporting.add_comment_description")))]),t._v(" "),n("textarea",{directives:[{name:"model",rawName:"v-model",value:t.comment,expression:"comment"}],staticClass:"form-control",attrs:{placeholder:t.$t("user_reporting.additional_comments"),rows:"1"},domProps:{value:t.comment},on:{input:[function(e){e.target.composing||(t.comment=e.target.value)},t.resize]}})]),t._v(" "),t.user.is_local?t._e():n("div",[n("p",[t._v(t._s(t.$t("user_reporting.forward_description")))]),t._v(" "),n("Checkbox",{model:{value:t.forward,callback:function(e){t.forward=e},expression:"forward"}},[t._v("\n "+t._s(t.$t("user_reporting.forward_to",[t.remoteInstance]))+"\n ")])],1),t._v(" "),n("div",[n("button",{staticClass:"btn btn-default",attrs:{disabled:t.processing},on:{click:t.reportUser}},[t._v("\n "+t._s(t.$t("user_reporting.submit"))+"\n ")]),t._v(" "),t.error?n("div",{staticClass:"alert error"},[t._v("\n "+t._s(t.$t("user_reporting.generic_error"))+"\n ")]):t._e()])]),t._v(" "),n("div",{staticClass:"user-reporting-panel-right"},[n("List",{attrs:{items:t.statuses},scopedSlots:t._u([{key:"item",fn:function(e){var i=e.item;return[n("div",{staticClass:"status-fadein user-reporting-panel-sitem"},[n("Status",{attrs:{"in-conversation":!1,focused:!1,statusoid:i}}),t._v(" "),n("Checkbox",{attrs:{checked:t.isChecked(i.id)},on:{change:function(e){return t.toggleStatus(e,i.id)}}})],1)]}}],null,!1,2514683306)})],1)])])]):t._e()},[],!1,ls,null,null).exports,ds={components:{PostStatusForm:ji.a,Modal:$r},data:function(){return{resettingForm:!1}},computed:{isLoggedIn:function(){return!!this.$store.state.users.currentUser},modalActivated:function(){return this.$store.state.postStatus.modalActivated},isFormVisible:function(){return this.isLoggedIn&&!this.resettingForm&&this.modalActivated},params:function(){return this.$store.state.postStatus.params||{}}},watch:{params:function(t,e){var n=this;Ie()(t,"repliedUser.id")!==Ie()(e,"repliedUser.id")&&(this.resettingForm=!0,this.$nextTick(function(){n.resettingForm=!1}))},isFormVisible:function(t){var e=this;t&&this.$nextTick(function(){return e.$el&&e.$el.querySelector("textarea").focus()})}},methods:{closeModal:function(){this.$store.dispatch("closePostStatusModal")}}};var ps=function(t){n(558)},fs=Object(dn.a)(ds,function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.isLoggedIn&&!t.resettingForm?n("Modal",{staticClass:"post-form-modal-view",attrs:{"is-open":t.modalActivated},on:{backdropClicked:t.closeModal}},[n("div",{staticClass:"post-form-modal-panel panel"},[n("div",{staticClass:"panel-heading"},[t._v("\n "+t._s(t.$t("post_status.new_status"))+"\n ")]),t._v(" "),n("PostStatusForm",t._b({staticClass:"panel-body",on:{posted:t.closeModal}},"PostStatusForm",t.params,!1))],1)]):t._e()},[],!1,ps,null,null).exports,hs={computed:{notices:function(){return this.$store.state.interface.globalNotices}},methods:{closeNotice:function(t){this.$store.dispatch("removeGlobalNotice",t)}}};var ms=function(t){n(560)},gs=Object(dn.a)(hs,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"global-notice-list"},t._l(t.notices,function(e,i){var o;return n("div",{key:i,staticClass:"alert global-notice",class:(o={},o["global-"+e.level]=!0,o)},[n("div",{staticClass:"notice-message"},[t._v("\n "+t._s(t.$t(e.messageKey,e.messageArgs))+"\n ")]),t._v(" "),n("i",{staticClass:"button-icon icon-cancel",on:{click:function(n){return t.closeNotice(e)}}})])}),0)},[],!1,ms,null,null).exports,vs=function(){return window.innerWidth||document.documentElement.clientWidth||document.body.clientWidth},bs={name:"app",components:{UserPanel:pr,NavPanel:vr,Notifications:Gn,SearchBar:_r,InstanceSpecificPanel:Ho,FeaturesPanel:Vo,WhoToFollowPanel:jr,ChatPanel:No,MediaModal:Wr,SideDrawer:Yr,MobilePostStatusButton:es,MobileNav:rs,SettingsModal:Fr,UserReportingModal:us,PostStatusModal:fs,GlobalNoticeList:gs},data:function(){return{mobileActivePanel:"timeline",searchBarHidden:!0,supportsMask:window.CSS&&window.CSS.supports&&(window.CSS.supports("mask-size","contain")||window.CSS.supports("-webkit-mask-size","contain")||window.CSS.supports("-moz-mask-size","contain")||window.CSS.supports("-ms-mask-size","contain")||window.CSS.supports("-o-mask-size","contain"))}},created:function(){var t=this.$store.getters.mergedConfig.interfaceLanguage;this.$store.dispatch("setOption",{name:"interfaceLanguage",value:t}),window.addEventListener("resize",this.updateMobileState)},destroyed:function(){window.removeEventListener("resize",this.updateMobileState)},computed:{currentUser:function(){return this.$store.state.users.currentUser},background:function(){return this.currentUser.background_image||this.$store.state.instance.background},enableMask:function(){return this.supportsMask&&this.$store.state.instance.logoMask},logoStyle:function(){return{visibility:this.enableMask?"hidden":"visible"}},logoMaskStyle:function(){return this.enableMask?{"mask-image":"url(".concat(this.$store.state.instance.logo,")")}:{"background-color":this.enableMask?"":"transparent"}},logoBgStyle:function(){return Object.assign({margin:"".concat(this.$store.state.instance.logoMargin," 0"),opacity:this.searchBarHidden?1:0},this.enableMask?{}:{"background-color":this.enableMask?"":"transparent"})},logo:function(){return this.$store.state.instance.logo},bgStyle:function(){return{"background-image":"url(".concat(this.background,")")}},bgAppStyle:function(){return{"--body-background-image":"url(".concat(this.background,")")}},sitename:function(){return this.$store.state.instance.name},chat:function(){return"joined"===this.$store.state.chat.channel.state},hideSitename:function(){return this.$store.state.instance.hideSitename},suggestionsEnabled:function(){return this.$store.state.instance.suggestionsEnabled},showInstanceSpecificPanel:function(){return this.$store.state.instance.showInstanceSpecificPanel&&!this.$store.getters.mergedConfig.hideISP&&this.$store.state.instance.instanceSpecificPanelContent},showFeaturesPanel:function(){return this.$store.state.instance.showFeaturesPanel},isMobileLayout:function(){return this.$store.state.interface.mobileLayout},privateMode:function(){return this.$store.state.instance.private},sidebarAlign:function(){return{order:this.$store.state.instance.sidebarRight?99:0}}},methods:{scrollToTop:function(){window.scrollTo(0,0)},logout:function(){this.$router.replace("/main/public"),this.$store.dispatch("logout")},onSearchBarToggled:function(t){this.searchBarHidden=t},openSettingsModal:function(){this.$store.dispatch("openSettingsModal")},updateMobileState:function(){var t=vs()<=800,e=window.innerHeight||document.documentElement.clientHeight||document.body.clientHeight;t!==this.isMobileLayout&&this.$store.dispatch("setMobileLayout",t),this.$store.dispatch("setLayoutHeight",e)}}};var ws=function(t){n(527)},_s=Object(dn.a)(bs,function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{style:t.bgAppStyle,attrs:{id:"app"}},[n("div",{staticClass:"app-bg-wrapper",style:t.bgStyle,attrs:{id:"app_bg_wrapper"}}),t._v(" "),t.isMobileLayout?n("MobileNav"):n("nav",{staticClass:"nav-bar container",attrs:{id:"nav"},on:{click:function(e){return t.scrollToTop()}}},[n("div",{staticClass:"inner-nav"},[n("div",{staticClass:"logo",style:t.logoBgStyle},[n("div",{staticClass:"mask",style:t.logoMaskStyle}),t._v(" "),n("img",{style:t.logoStyle,attrs:{src:t.logo}})]),t._v(" "),n("div",{staticClass:"item"},[t.hideSitename?t._e():n("router-link",{staticClass:"site-name",attrs:{to:{name:"root"},"active-class":"home"}},[t._v("\n "+t._s(t.sitename)+"\n ")])],1),t._v(" "),n("div",{staticClass:"item right"},[t.currentUser||!t.privateMode?n("search-bar",{staticClass:"nav-icon mobile-hidden",on:{toggled:t.onSearchBarToggled},nativeOn:{click:function(t){t.stopPropagation()}}}):t._e(),t._v(" "),n("a",{staticClass:"mobile-hidden",attrs:{href:"#"},on:{click:function(e){return e.stopPropagation(),t.openSettingsModal(e)}}},[n("i",{staticClass:"button-icon icon-cog nav-icon",attrs:{title:t.$t("nav.preferences")}})]),t._v(" "),t.currentUser&&"admin"===t.currentUser.role?n("a",{staticClass:"mobile-hidden",attrs:{href:"/pleroma/admin/#/login-pleroma",target:"_blank"}},[n("i",{staticClass:"button-icon icon-gauge nav-icon",attrs:{title:t.$t("nav.administration")}})]):t._e(),t._v(" "),t.currentUser?n("a",{staticClass:"mobile-hidden",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.logout(e)}}},[n("i",{staticClass:"button-icon icon-logout nav-icon",attrs:{title:t.$t("login.logout")}})]):t._e()],1)])]),t._v(" "),n("div",{staticClass:"app-bg-wrapper app-container-wrapper"}),t._v(" "),n("div",{staticClass:"container underlay",attrs:{id:"content"}},[n("div",{staticClass:"sidebar-flexer mobile-hidden",style:t.sidebarAlign},[n("div",{staticClass:"sidebar-bounds"},[n("div",{staticClass:"sidebar-scroller"},[n("div",{staticClass:"sidebar"},[n("user-panel"),t._v(" "),t.isMobileLayout?t._e():n("div",[n("nav-panel"),t._v(" "),t.showInstanceSpecificPanel?n("instance-specific-panel"):t._e(),t._v(" "),!t.currentUser&&t.showFeaturesPanel?n("features-panel"):t._e(),t._v(" "),t.currentUser&&t.suggestionsEnabled?n("who-to-follow-panel"):t._e(),t._v(" "),t.currentUser?n("notifications"):t._e()],1)],1)])])]),t._v(" "),n("div",{staticClass:"main"},[t.currentUser?t._e():n("div",{staticClass:"login-hint panel panel-default"},[n("router-link",{staticClass:"panel-body",attrs:{to:{name:"login"}}},[t._v("\n "+t._s(t.$t("login.hint"))+"\n ")])],1),t._v(" "),n("router-view")],1),t._v(" "),n("media-modal")],1),t._v(" "),t.currentUser&&t.chat?n("chat-panel",{staticClass:"floating-chat mobile-hidden",attrs:{floating:!0}}):t._e(),t._v(" "),n("MobilePostStatusButton"),t._v(" "),n("UserReportingModal"),t._v(" "),n("PostStatusModal"),t._v(" "),n("SettingsModal"),t._v(" "),n("portal-target",{attrs:{name:"modal"}}),t._v(" "),n("GlobalNoticeList")],1)},[],!1,ws,null,null).exports;function xs(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter(function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable})),n.push.apply(n,i)}return n}function ys(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?xs(Object(n),!0).forEach(function(e){h()(t,e,n[e])}):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):xs(Object(n)).forEach(function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))})}return t}var ks=null,Cs=function(t){var e=atob(t),n=Uint8Array.from(p()(e).map(function(t){return t.charCodeAt(0)}));return(new TextDecoder).decode(n)},Ss=function(t){var e,n,i;return o.a.async(function(o){for(;;)switch(o.prev=o.next){case 0:if((e=document.getElementById("initial-results")?(ks||(ks=JSON.parse(document.getElementById("initial-results").textContent)),ks):null)&&e[t]){o.next=3;break}return o.abrupt("return",window.fetch(t));case 3:return n=Cs(e[t]),i=JSON.parse(n),o.abrupt("return",{ok:!0,json:function(){return i},text:function(){return i}});case 6:case"end":return o.stop()}})},js=function(t){var e,n,i,r,s;return o.a.async(function(a){for(;;)switch(a.prev=a.next){case 0:return e=t.store,a.prev=1,a.next=4,o.a.awrap(Ss("/api/v1/instance"));case 4:if(!(n=a.sent).ok){a.next=15;break}return a.next=8,o.a.awrap(n.json());case 8:i=a.sent,r=i.max_toot_chars,s=i.pleroma.vapid_public_key,e.dispatch("setInstanceOption",{name:"textlimit",value:r}),s&&e.dispatch("setInstanceOption",{name:"vapidPublicKey",value:s}),a.next=16;break;case 15:throw n;case 16:a.next=22;break;case 18:a.prev=18,a.t0=a.catch(1),console.error("Could not load instance config, potentially fatal"),console.error(a.t0);case 22:case"end":return a.stop()}},null,null,[[1,18]])},Os=function(t){var e,n;return o.a.async(function(i){for(;;)switch(i.prev=i.next){case 0:return t.store,i.prev=1,i.next=4,o.a.awrap(window.fetch("/api/pleroma/frontend_configurations"));case 4:if(!(e=i.sent).ok){i.next=12;break}return i.next=8,o.a.awrap(e.json());case 8:return n=i.sent,i.abrupt("return",n.pleroma_fe);case 12:throw e;case 13:i.next=19;break;case 15:i.prev=15,i.t0=i.catch(1),console.error("Could not load backend-provided frontend config, potentially fatal"),console.error(i.t0);case 19:case"end":return i.stop()}},null,null,[[1,15]])},Ps=function(){var t;return o.a.async(function(e){for(;;)switch(e.prev=e.next){case 0:return e.prev=0,e.next=3,o.a.awrap(window.fetch("/static/config.json"));case 3:if(!(t=e.sent).ok){e.next=8;break}return e.abrupt("return",t.json());case 8:throw t;case 9:e.next=16;break;case 11:return e.prev=11,e.t0=e.catch(0),console.warn("Failed to load static/config.json, continuing without it."),console.warn(e.t0),e.abrupt("return",{});case 16:case"end":return e.stop()}},null,null,[[0,11]])},$s=function(t){var e,n,i,r,s,a,c;return o.a.async(function(o){for(;;)switch(o.prev=o.next){case 0:return e=t.apiConfig,n=t.staticConfig,i=t.store,r=window.___pleromafe_dev_overrides||{},s=window.___pleromafe_mode.NODE_ENV,a={},r.staticConfigPreference&&"development"===s?(console.warn("OVERRIDING API CONFIG WITH STATIC CONFIG"),a=Object.assign({},e,n)):a=Object.assign({},n,e),(c=function(t){i.dispatch("setInstanceOption",{name:t,value:a[t]})})("nsfwCensorImage"),c("background"),c("hidePostStats"),c("hideUserStats"),c("hideFilteredStatuses"),c("logo"),i.dispatch("setInstanceOption",{name:"logoMask",value:void 0===a.logoMask||a.logoMask}),i.dispatch("setInstanceOption",{name:"logoMargin",value:void 0===a.logoMargin?0:a.logoMargin}),i.commit("authFlow/setInitialStrategy",a.loginMethod),c("redirectRootNoLogin"),c("redirectRootLogin"),c("showInstanceSpecificPanel"),c("minimalScopesMode"),c("hideMutedPosts"),c("collapseMessageWithSubject"),c("scopeCopy"),c("subjectLineBehavior"),c("postContentType"),c("alwaysShowSubjectInput"),c("showFeaturesPanel"),c("hideSitename"),c("sidebarRight"),o.abrupt("return",i.dispatch("setTheme",a.theme));case 29:case"end":return o.stop()}})},Ts=function(t){var e,n,i;return o.a.async(function(r){for(;;)switch(r.prev=r.next){case 0:return e=t.store,r.prev=1,r.next=4,o.a.awrap(window.fetch("/static/terms-of-service.html"));case 4:if(!(n=r.sent).ok){r.next=12;break}return r.next=8,o.a.awrap(n.text());case 8:i=r.sent,e.dispatch("setInstanceOption",{name:"tos",value:i}),r.next=13;break;case 12:throw n;case 13:r.next=19;break;case 15:r.prev=15,r.t0=r.catch(1),console.warn("Can't load TOS"),console.warn(r.t0);case 19:case"end":return r.stop()}},null,null,[[1,15]])},Is=function(t){var e,n,i;return o.a.async(function(r){for(;;)switch(r.prev=r.next){case 0:return e=t.store,r.prev=1,r.next=4,o.a.awrap(Ss("/instance/panel.html"));case 4:if(!(n=r.sent).ok){r.next=12;break}return r.next=8,o.a.awrap(n.text());case 8:i=r.sent,e.dispatch("setInstanceOption",{name:"instanceSpecificPanelContent",value:i}),r.next=13;break;case 12:throw n;case 13:r.next=19;break;case 15:r.prev=15,r.t0=r.catch(1),console.warn("Can't load instance panel"),console.warn(r.t0);case 19:case"end":return r.stop()}},null,null,[[1,15]])},Es=function(t){var e,n,i,r;return o.a.async(function(s){for(;;)switch(s.prev=s.next){case 0:return e=t.store,s.prev=1,s.next=4,o.a.awrap(window.fetch("/static/stickers.json"));case 4:if(!(n=s.sent).ok){s.next=16;break}return s.next=8,o.a.awrap(n.json());case 8:return i=s.sent,s.next=11,o.a.awrap(Promise.all(Object.entries(i).map(function(t){var e,n,i,r,s;return o.a.async(function(a){for(;;)switch(a.prev=a.next){case 0:return e=g()(t,2),n=e[0],i=e[1],a.next=3,o.a.awrap(window.fetch(i+"pack.json"));case 3:if(r=a.sent,s={},!r.ok){a.next=9;break}return a.next=8,o.a.awrap(r.json());case 8:s=a.sent;case 9:return a.abrupt("return",{pack:n,path:i,meta:s});case 10:case"end":return a.stop()}})})));case 11:s.t0=function(t,e){return t.meta.title.localeCompare(e.meta.title)},r=s.sent.sort(s.t0),e.dispatch("setInstanceOption",{name:"stickers",value:r}),s.next=17;break;case 16:throw n;case 17:s.next=23;break;case 19:s.prev=19,s.t1=s.catch(1),console.warn("Can't load stickers"),console.warn(s.t1);case 23:case"end":return s.stop()}},null,null,[[1,19]])},Ms=function(t){var e,n,i,r,s;return o.a.async(function(o){for(;;)switch(o.prev=o.next){case 0:return e=t.store,n=e.state,i=e.commit,r=n.oauth,s=n.instance,o.abrupt("return",Tt(ys({},r,{instance:s.server,commit:i})).then(function(t){return It(ys({},t,{instance:s.server}))}).then(function(t){i("setAppToken",t.access_token),i("setBackendInteractor",jt(e.getters.getToken()))}));case 4:case"end":return o.stop()}})},Us=function(t){var e=t.store,n=t.accounts.map(function(t){return t.split("/").pop()});e.dispatch("setInstanceOption",{name:"staffAccounts",value:n})},Fs=function(t){var e,n,i,r,s,a,c,l,u,d,p,f,h;return o.a.async(function(m){for(;;)switch(m.prev=m.next){case 0:return e=t.store,m.prev=1,m.next=4,o.a.awrap(Ss("/nodeinfo/2.0.json"));case 4:if(!(n=m.sent).ok){m.next=49;break}return m.next=8,o.a.awrap(n.json());case 8:i=m.sent,r=i.metadata,s=r.features,e.dispatch("setInstanceOption",{name:"name",value:r.nodeName}),e.dispatch("setInstanceOption",{name:"registrationOpen",value:i.openRegistrations}),e.dispatch("setInstanceOption",{name:"mediaProxyAvailable",value:s.includes("media_proxy")}),e.dispatch("setInstanceOption",{name:"safeDM",value:s.includes("safe_dm_mentions")}),e.dispatch("setInstanceOption",{name:"chatAvailable",value:s.includes("chat")}),e.dispatch("setInstanceOption",{name:"pleromaChatMessagesAvailable",value:s.includes("pleroma_chat_messages")}),e.dispatch("setInstanceOption",{name:"gopherAvailable",value:s.includes("gopher")}),e.dispatch("setInstanceOption",{name:"pollsAvailable",value:s.includes("polls")}),e.dispatch("setInstanceOption",{name:"pollLimits",value:r.pollLimits}),e.dispatch("setInstanceOption",{name:"mailerEnabled",value:r.mailerEnabled}),a=r.uploadLimits,e.dispatch("setInstanceOption",{name:"uploadlimit",value:parseInt(a.general)}),e.dispatch("setInstanceOption",{name:"avatarlimit",value:parseInt(a.avatar)}),e.dispatch("setInstanceOption",{name:"backgroundlimit",value:parseInt(a.background)}),e.dispatch("setInstanceOption",{name:"bannerlimit",value:parseInt(a.banner)}),e.dispatch("setInstanceOption",{name:"fieldsLimits",value:r.fieldsLimits}),e.dispatch("setInstanceOption",{name:"restrictedNicknames",value:r.restrictedNicknames}),e.dispatch("setInstanceOption",{name:"postFormats",value:r.postFormats}),c=r.suggestions,e.dispatch("setInstanceOption",{name:"suggestionsEnabled",value:c.enabled}),e.dispatch("setInstanceOption",{name:"suggestionsWeb",value:c.web}),l=i.software,e.dispatch("setInstanceOption",{name:"backendVersion",value:l.version}),e.dispatch("setInstanceOption",{name:"pleromaBackend",value:"pleroma"===l.name}),u=r.private,e.dispatch("setInstanceOption",{name:"private",value:u}),d=window.___pleromafe_commit_hash,e.dispatch("setInstanceOption",{name:"frontendVersion",value:d}),p=r.federation,e.dispatch("setInstanceOption",{name:"tagPolicyAvailable",value:void 0!==p.mrf_policies&&r.federation.mrf_policies.includes("TagPolicy")}),e.dispatch("setInstanceOption",{name:"federationPolicy",value:p}),e.dispatch("setInstanceOption",{name:"federating",value:void 0===p.enabled||p.enabled}),f=r.accountActivationRequired,e.dispatch("setInstanceOption",{name:"accountActivationRequired",value:f}),h=r.staffAccounts,Us({store:e,accounts:h}),m.next=50;break;case 49:throw n;case 50:m.next=56;break;case 52:m.prev=52,m.t0=m.catch(1),console.warn("Could not load nodeinfo"),console.warn(m.t0);case 56:case"end":return m.stop()}},null,null,[[1,52]])},Ds=function(t){var e,n,i,r;return o.a.async(function(s){for(;;)switch(s.prev=s.next){case 0:return e=t.store,s.next=3,o.a.awrap(Promise.all([Os({store:e}),Ps()]));case 3:return n=s.sent,i=n[0],r=n[1],s.next=8,o.a.awrap($s({store:e,apiConfig:i,staticConfig:r}).then(Ms({store:e})));case 8:case"end":return s.stop()}})},Ls=function(t){var e;return o.a.async(function(n){for(;;)switch(n.prev=n.next){case 0:return e=t.store,n.abrupt("return",new Promise(function(t,n){return o.a.async(function(n){for(;;)switch(n.prev=n.next){case 0:if(!e.getters.getUserToken()){n.next=9;break}return n.prev=1,n.next=4,o.a.awrap(e.dispatch("loginUser",e.getters.getUserToken()));case 4:n.next=9;break;case 6:n.prev=6,n.t0=n.catch(1),console.error(n.t0);case 9:t();case 10:case"end":return n.stop()}},null,null,[[1,6]])}));case 2:case"end":return n.stop()}})},Ns=function(t){var e,n,i,r,c,l,u,d,p,f;return o.a.async(function(h){for(;;)switch(h.prev=h.next){case 0:return e=t.store,n=t.i18n,i=vs(),e.dispatch("setMobileLayout",i<=800),r=window.___pleromafe_dev_overrides||{},c=void 0!==r.target?r.target:window.location.origin,e.dispatch("setInstanceOption",{name:"server",value:c}),h.next=8,o.a.awrap(Ds({store:e}));case 8:return l=e.state.config,u=l.customTheme,d=l.customThemeSource,p=e.state.instance.theme,d||u?d&&d.themeEngineVersion===b.a?Object(v.b)(d):Object(v.b)(u):p||console.error("Failed to load any theme!"),h.next=14,o.a.awrap(Promise.all([Ls({store:e}),Is({store:e}),Fs({store:e}),js({store:e})]));case 14:return e.dispatch("fetchMutes"),Ts({store:e}),Es({store:e}),f=new a.a({mode:"history",routes:cr(e),scrollBehavior:function(t,e,n){return!t.matched.some(function(t){return t.meta.dontScroll})&&(n||{x:0,y:0})}}),h.abrupt("return",new s.a({router:f,store:e,i18n:n,el:"#app",render:function(t){return t(_s)}}));case 19:case"end":return h.stop()}})},Rs=(window.navigator.language||"en").split("-")[0];s.a.use(c.a),s.a.use(a.a),s.a.use(Se.a),s.a.use(We.a),s.a.use(Ge.a),s.a.use(Ye.a),s.a.use(function(t){t.directive("body-scroll-lock",tn)});var As=new Se.a({locale:"en",fallbackLocale:"en",messages:He.a.default});He.a.setLanguage(As,Rs);var Bs,zs,Hs,qs,Ws={paths:["config","users.lastLoginName","oauth"]};o.a.async(function(t){for(;;)switch(t.prev=t.next){case 0:return Bs=!1,zs=[ze],t.prev=2,t.next=5,o.a.awrap(Re(Ws));case 5:Hs=t.sent,zs.push(Hs),t.next=13;break;case 9:t.prev=9,t.t0=t.catch(2),console.error(t.t0),Bs=!0;case 13:qs=new c.a.Store({modules:{i18n:{getters:{i18n:function(){return As}}},interface:u,instance:y,statuses:ot,users:Kt,api:Qt,config:_.a,chat:Zt,oauth:te,authFlow:ne,mediaViewer:oe,oauthTokens:re,reports:ce,polls:le,postStatus:ue,chats:Ce},plugins:zs,strict:!1}),Bs&&qs.dispatch("pushGlobalNotice",{messageKey:"errors.storage_unavailable",level:"error"}),Ns({store:qs,i18n:As});case 16:case"end":return t.stop()}},null,null,[[2,9]]),window.___pleromafe_mode=Object({NODE_ENV:"production"}),window.___pleromafe_commit_hash="b225c357\n",window.___pleromafe_dev_overrides=void 0}]); +//# sourceMappingURL=app.826c44232e0a76bbd9ba.js.map +\ No newline at end of file diff --git a/priv/static/static/js/app.826c44232e0a76bbd9ba.js.map b/priv/static/static/js/app.826c44232e0a76bbd9ba.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["webpack:///webpack/bootstrap","webpack:///./src/services/entity_normalizer/entity_normalizer.service.js","webpack:///./src/services/color_convert/color_convert.js","webpack:///./src/services/errors/errors.js","webpack:///./src/modules/errors.js","webpack:///./src/services/api/api.service.js","webpack:///./src/services/user_profile_link_generator/user_profile_link_generator.js","webpack:///./src/components/user_avatar/user_avatar.js","webpack:///./src/components/user_avatar/user_avatar.vue","webpack:///./src/components/user_avatar/user_avatar.vue?c9b6","webpack:///./src/services/notification_utils/notification_utils.js","webpack:///./src/services/file_type/file_type.service.js","webpack:///./src/components/popover/popover.js","webpack:///./src/components/popover/popover.vue","webpack:///./src/components/popover/popover.vue?66e9","webpack:///./src/components/dialog_modal/dialog_modal.js","webpack:///./src/components/dialog_modal/dialog_modal.vue","webpack:///./src/components/dialog_modal/dialog_modal.vue?5301","webpack:///./src/components/moderation_tools/moderation_tools.js","webpack:///./src/components/moderation_tools/moderation_tools.vue","webpack:///./src/components/moderation_tools/moderation_tools.vue?ab91","webpack:///./src/components/account_actions/account_actions.js","webpack:///./src/components/account_actions/account_actions.vue","webpack:///./src/components/account_actions/account_actions.vue?e5e1","webpack:///./src/components/user_card/user_card.js","webpack:///./src/components/user_card/user_card.vue","webpack:///./src/components/user_card/user_card.vue?3e53","webpack:///./src/services/theme_data/pleromafe.js","webpack:///./src/services/style_setter/style_setter.js","webpack:///./src/components/favorite_button/favorite_button.js","webpack:///./src/components/favorite_button/favorite_button.vue","webpack:///./src/components/favorite_button/favorite_button.vue?d75b","webpack:///./src/components/react_button/react_button.js","webpack:///./src/components/react_button/react_button.vue","webpack:///./src/components/react_button/react_button.vue?875f","webpack:///./src/components/retweet_button/retweet_button.js","webpack:///./src/components/retweet_button/retweet_button.vue","webpack:///./src/components/retweet_button/retweet_button.vue?98e9","webpack:///./src/components/extra_buttons/extra_buttons.js","webpack:///./src/components/extra_buttons/extra_buttons.vue","webpack:///./src/components/extra_buttons/extra_buttons.vue?566f","webpack:///./src/components/status_popover/status_popover.js","webpack:///./src/components/status_popover/status_popover.vue","webpack:///./src/components/status_popover/status_popover.vue?f976","webpack:///./src/components/user_list_popover/user_list_popover.js","webpack:///./src/components/user_list_popover/user_list_popover.vue","webpack:///./src/components/user_list_popover/user_list_popover.vue?e656","webpack:///./src/components/emoji_reactions/emoji_reactions.js","webpack:///./src/components/emoji_reactions/emoji_reactions.vue","webpack:///./src/components/emoji_reactions/emoji_reactions.vue?64d9","webpack:///./src/components/status/status.js","webpack:///./src/components/status/status.vue","webpack:///./src/components/status/status.vue?cd63","webpack:///./src/components/poll/poll.js","webpack:///./src/components/poll/poll.vue","webpack:///./src/components/poll/poll.vue?db59","webpack:///./src/components/status_content/status_content.js","webpack:///./src/services/tiny_post_html_processor/tiny_post_html_processor.service.js","webpack:///./src/services/matcher/matcher.service.js","webpack:///./src/components/status_content/status_content.vue","webpack:///./src/components/status_content/status_content.vue?149c","webpack:///./src/services/date_utils/date_utils.js","webpack:///./src/components/basic_user_card/basic_user_card.js","webpack:///./src/components/basic_user_card/basic_user_card.vue","webpack:///./src/components/basic_user_card/basic_user_card.vue?78e9","webpack:///./src/services/theme_data/theme_data.service.js","webpack:///./src/components/media_upload/media_upload.js","webpack:///./src/components/media_upload/media_upload.vue","webpack:///./src/components/media_upload/media_upload.vue?c04b","webpack:///./src/components/poll/poll_form.js","webpack:///./src/components/poll/poll_form.vue","webpack:///./src/components/poll/poll_form.vue?41d8","webpack:///./src/components/post_status_form/post_status_form.js","webpack:///./src/components/post_status_form/post_status_form.vue","webpack:///./src/components/post_status_form/post_status_form.vue?81ba","webpack:///./src/components/attachment/attachment.js","webpack:///./src/components/attachment/attachment.vue","webpack:///./src/components/attachment/attachment.vue?0d3d","webpack:///src/components/timeago/timeago.vue","webpack:///./src/components/timeago/timeago.vue","webpack:///./src/components/timeago/timeago.vue?d70d","webpack:///./src/services/user_highlighter/user_highlighter.js","webpack:///src/components/list/list.vue","webpack:///./src/components/list/list.vue","webpack:///./src/components/list/list.vue?c7b8","webpack:///src/components/checkbox/checkbox.vue","webpack:///./src/components/checkbox/checkbox.vue","webpack:///./src/components/checkbox/checkbox.vue?d59e","webpack:///./src/services/status_poster/status_poster.service.js","webpack:///./src/components/still-image/still-image.js","webpack:///./src/components/still-image/still-image.vue","webpack:///./src/components/still-image/still-image.vue?a0b5","webpack:///./src/i18n/messages.js","webpack:///src/components/progress_button/progress_button.vue","webpack:///./src/components/progress_button/progress_button.vue","webpack:///./src/components/progress_button/progress_button.vue?6be4","webpack:///./src/modules/config.js","webpack:///./src/services/status_parser/status_parser.js","webpack:///./src/services/desktop_notification_utils/desktop_notification_utils.js","webpack:///./src/services/offset_finder/offset_finder.service.js","webpack:///./src/services/follow_manipulate/follow_manipulate.js","webpack:///./src/components/follow_button/follow_button.js","webpack:///./src/components/follow_button/follow_button.vue","webpack:///./src/components/follow_button/follow_button.vue?8c95","webpack:///./src/components/video_attachment/video_attachment.js","webpack:///./src/components/video_attachment/video_attachment.vue","webpack:///./src/components/video_attachment/video_attachment.vue?ba43","webpack:///./src/components/gallery/gallery.js","webpack:///./src/components/gallery/gallery.vue","webpack:///./src/components/gallery/gallery.vue?7538","webpack:///./src/components/link-preview/link-preview.js","webpack:///./src/components/link-preview/link-preview.vue","webpack:///./src/components/link-preview/link-preview.vue?7d0d","webpack:///./src/components/remote_follow/remote_follow.js","webpack:///./src/components/remote_follow/remote_follow.vue","webpack:///./src/components/remote_follow/remote_follow.vue?deba","webpack:///./src/components/avatar_list/avatar_list.js","webpack:///./src/components/avatar_list/avatar_list.vue","webpack:///./src/components/avatar_list/avatar_list.vue?e3d4","webpack:///./src/services/file_size_format/file_size_format.js","webpack:///./src/components/emoji_input/suggestor.js","webpack:///./src/components/tab_switcher/tab_switcher.js","webpack:///./src/services/component_utils/component_utils.js","webpack:///./src/services/completion/completion.js","webpack:///./src/components/emoji_picker/emoji_picker.js","webpack:///./src/components/emoji_picker/emoji_picker.vue","webpack:///./src/components/emoji_picker/emoji_picker.vue?3a64","webpack:///./src/components/emoji_input/emoji_input.js","webpack:///./src/components/emoji_input/emoji_input.vue","webpack:///./src/components/emoji_input/emoji_input.vue?4cb6","webpack:///./src/components/scope_selector/scope_selector.js","webpack:///./src/components/scope_selector/scope_selector.vue","webpack:///./src/components/scope_selector/scope_selector.vue?4ef5","webpack:///./src/assets/nsfw.png","webpack:///./src/components/timeline/timeline.vue?f674","webpack:///./src/components/timeline/timeline.vue?d6bb","webpack:///./src/components/status/status.scss?412d","webpack:///./src/components/status/status.scss","webpack:///./src/components/favorite_button/favorite_button.vue?0184","webpack:///./src/components/favorite_button/favorite_button.vue?9b9b","webpack:///./src/components/react_button/react_button.vue?f6fc","webpack:///./src/components/react_button/react_button.vue?5317","webpack:///./src/components/popover/popover.vue?1bf1","webpack:///./src/components/popover/popover.vue?333e","webpack:///./src/components/retweet_button/retweet_button.vue?8eee","webpack:///./src/components/retweet_button/retweet_button.vue?ecd9","webpack:///./src/components/extra_buttons/extra_buttons.vue?2134","webpack:///./src/components/extra_buttons/extra_buttons.vue?bef5","webpack:///./src/components/post_status_form/post_status_form.vue?fd6e","webpack:///./src/components/post_status_form/post_status_form.vue?5887","webpack:///./src/components/media_upload/media_upload.vue?d613","webpack:///./src/components/media_upload/media_upload.vue?1e11","webpack:///./src/components/scope_selector/scope_selector.vue?baf6","webpack:///./src/components/scope_selector/scope_selector.vue?341e","webpack:///./src/components/emoji_input/emoji_input.vue?88c6","webpack:///./src/components/emoji_input/emoji_input.vue?c0d0","webpack:///./src/components/emoji_picker/emoji_picker.scss?a54d","webpack:///./src/components/emoji_picker/emoji_picker.scss","webpack:///./src/components/checkbox/checkbox.vue?3599","webpack:///./src/components/checkbox/checkbox.vue?bf55","webpack:///./src/components/poll/poll_form.vue?43b8","webpack:///./src/components/poll/poll_form.vue?f333","webpack:///./src/components/attachment/attachment.vue?4fa7","webpack:///./src/components/attachment/attachment.vue?5971","webpack:///./src/components/still-image/still-image.vue?21db","webpack:///./src/components/still-image/still-image.vue?da13","webpack:///./src/components/status_content/status_content.vue?2f26","webpack:///./src/components/status_content/status_content.vue?6841","webpack:///./src/components/poll/poll.vue?7318","webpack:///./src/components/poll/poll.vue?192f","webpack:///./src/components/gallery/gallery.vue?ea2c","webpack:///./src/components/gallery/gallery.vue?759e","webpack:///./src/components/link-preview/link-preview.vue?95df","webpack:///./src/components/link-preview/link-preview.vue?40b7","webpack:///./src/components/user_card/user_card.vue?1920","webpack:///./src/components/user_card/user_card.vue?a3c0","webpack:///./src/components/user_avatar/user_avatar.vue?aac8","webpack:///./src/components/user_avatar/user_avatar.vue?6951","webpack:///./src/components/remote_follow/remote_follow.vue?44cd","webpack:///./src/components/remote_follow/remote_follow.vue?2689","webpack:///./src/components/moderation_tools/moderation_tools.vue?3b42","webpack:///./src/components/moderation_tools/moderation_tools.vue?870b","webpack:///./src/components/dialog_modal/dialog_modal.vue?66ca","webpack:///./src/components/dialog_modal/dialog_modal.vue?e653","webpack:///./src/components/account_actions/account_actions.vue?755f","webpack:///./src/components/account_actions/account_actions.vue?1dab","webpack:///./src/components/avatar_list/avatar_list.vue?83d0","webpack:///./src/components/avatar_list/avatar_list.vue?4546","webpack:///./src/components/status_popover/status_popover.vue?91c2","webpack:///./src/components/status_popover/status_popover.vue?2f11","webpack:///./src/components/user_list_popover/user_list_popover.vue?2010","webpack:///./src/components/user_list_popover/user_list_popover.vue?2f9d","webpack:///./src/components/emoji_reactions/emoji_reactions.vue?bab1","webpack:///./src/components/emoji_reactions/emoji_reactions.vue?6021","webpack:///./src/components/conversation/conversation.vue?e1e5","webpack:///./src/components/conversation/conversation.vue?e01a","webpack:///./src/components/timeline_menu/timeline_menu.vue?c2cd","webpack:///./src/components/timeline_menu/timeline_menu.vue?9147","webpack:///./src/components/notifications/notifications.scss?c04f","webpack:///./src/components/notifications/notifications.scss","webpack:///./src/components/notification/notification.scss?2458","webpack:///./src/components/notification/notification.scss","webpack:///./src/components/chat_list/chat_list.vue?81f0","webpack:///./src/components/chat_list/chat_list.vue?e459","webpack:///./src/components/chat_list_item/chat_list_item.vue?5950","webpack:///./src/components/chat_list_item/chat_list_item.vue?c379","webpack:///./src/components/chat_title/chat_title.vue?5034","webpack:///./src/components/chat_title/chat_title.vue?11d1","webpack:///./src/components/chat_new/chat_new.vue?b3ff","webpack:///./src/components/chat_new/chat_new.vue?4b23","webpack:///./src/components/basic_user_card/basic_user_card.vue?ba41","webpack:///./src/components/basic_user_card/basic_user_card.vue?0481","webpack:///./src/components/list/list.vue?17ca","webpack:///./src/components/list/list.vue?e2c8","webpack:///./src/components/chat/chat.vue?445e","webpack:///./src/components/chat/chat.vue?559d","webpack:///./src/components/chat_message/chat_message.vue?7fac","webpack:///./src/components/chat_message/chat_message.vue?9c38","webpack:///./src/components/user_profile/user_profile.vue?7fb4","webpack:///./src/components/user_profile/user_profile.vue?899c","webpack:///./src/components/follow_card/follow_card.vue?5688","webpack:///./src/components/follow_card/follow_card.vue?ad43","webpack:///./src/components/search/search.vue?9825","webpack:///./src/components/search/search.vue?e198","webpack:///./src/components/registration/registration.vue?d518","webpack:///./src/components/registration/registration.vue?fd73","webpack:///./src/components/password_reset/password_reset.vue?d048","webpack:///./src/components/password_reset/password_reset.vue?5ec5","webpack:///./src/components/follow_request_card/follow_request_card.vue?c9e7","webpack:///./src/components/follow_request_card/follow_request_card.vue?b0bb","webpack:///./src/components/login_form/login_form.vue?99e8","webpack:///./src/components/login_form/login_form.vue?9c6d","webpack:///./src/components/chat_panel/chat_panel.vue?9dd9","webpack:///./src/components/chat_panel/chat_panel.vue?d094","webpack:///./src/components/who_to_follow/who_to_follow.vue?6f47","webpack:///./src/components/who_to_follow/who_to_follow.vue?4eb6","webpack:///./src/components/about/about.vue?47a2","webpack:///./src/components/about/about.vue?7cdd","webpack:///./src/components/features_panel/features_panel.vue?b8ab","webpack:///./src/components/features_panel/features_panel.vue?867d","webpack:///./src/components/terms_of_service_panel/terms_of_service_panel.vue?7e97","webpack:///./src/components/terms_of_service_panel/terms_of_service_panel.vue?7643","webpack:///./src/components/staff_panel/staff_panel.vue?020d","webpack:///./src/components/staff_panel/staff_panel.vue?a8d5","webpack:///./src/components/mrf_transparency_panel/mrf_transparency_panel.vue?eece","webpack:///./src/components/mrf_transparency_panel/mrf_transparency_panel.vue?6ed6","webpack:///./src/components/remote_user_resolver/remote_user_resolver.vue?7d1a","webpack:///./src/components/remote_user_resolver/remote_user_resolver.vue?f8d3","webpack:///./src/App.scss?b70d","webpack:///./src/App.scss","webpack:///./src/components/user_panel/user_panel.vue?e12b","webpack:///./src/components/user_panel/user_panel.vue?63b4","webpack:///./src/components/nav_panel/nav_panel.vue?7be9","webpack:///./src/components/nav_panel/nav_panel.vue?be5f","webpack:///./src/components/search_bar/search_bar.vue?269b","webpack:///./src/components/search_bar/search_bar.vue?0fb3","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.vue?2f6b","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.vue?1274","webpack:///./src/components/settings_modal/settings_modal.scss?e42a","webpack:///./src/components/settings_modal/settings_modal.scss","webpack:///./src/components/modal/modal.vue?a37f","webpack:///./src/components/modal/modal.vue?328d","webpack:///./src/components/panel_loading/panel_loading.vue?b42a","webpack:///./src/components/panel_loading/panel_loading.vue?0d54","webpack:///./src/components/async_component_error/async_component_error.vue?82c7","webpack:///./src/components/async_component_error/async_component_error.vue?e57d","webpack:///./src/components/media_modal/media_modal.vue?2930","webpack:///./src/components/media_modal/media_modal.vue?1d79","webpack:///./src/components/side_drawer/side_drawer.vue?472d","webpack:///./src/components/side_drawer/side_drawer.vue?fcf9","webpack:///./src/components/mobile_post_status_button/mobile_post_status_button.vue?1868","webpack:///./src/components/mobile_post_status_button/mobile_post_status_button.vue?7cf2","webpack:///./src/components/mobile_nav/mobile_nav.vue?46cb","webpack:///./src/components/mobile_nav/mobile_nav.vue?9a0e","webpack:///./src/components/user_reporting_modal/user_reporting_modal.vue?7889","webpack:///./src/components/user_reporting_modal/user_reporting_modal.vue?1af4","webpack:///./src/components/post_status_modal/post_status_modal.vue?892e","webpack:///./src/components/post_status_modal/post_status_modal.vue?b34c","webpack:///./src/components/global_notice_list/global_notice_list.vue?353b","webpack:///./src/components/global_notice_list/global_notice_list.vue?3d13","webpack:///./src/lib/event_target_polyfill.js","webpack:///./src/modules/interface.js","webpack:///./src/modules/instance.js","webpack:///./src/modules/statuses.js","webpack:///./src/services/timeline_fetcher/timeline_fetcher.service.js","webpack:///./src/services/notifications_fetcher/notifications_fetcher.service.js","webpack:///./src/services/follow_request_fetcher/follow_request_fetcher.service.js","webpack:///./src/services/backend_interactor_service/backend_interactor_service.js","webpack:///./src/services/new_api/oauth.js","webpack:///./src/services/push/push.js","webpack:///./src/modules/users.js","webpack:///./src/services/chat_utils/chat_utils.js","webpack:///./src/modules/api.js","webpack:///./src/modules/chat.js","webpack:///./src/modules/oauth.js","webpack:///./src/modules/auth_flow.js","webpack:///./src/modules/media_viewer.js","webpack:///./src/modules/oauth_tokens.js","webpack:///./src/modules/reports.js","webpack:///./src/modules/polls.js","webpack:///./src/modules/postStatus.js","webpack:///./src/services/chat_service/chat_service.js","webpack:///./src/modules/chats.js","webpack:///./src/lib/persisted_state.js","webpack:///./src/lib/push_notifications_plugin.js","webpack:///./src/directives/body_scroll_lock.js","webpack:///./src/components/conversation/conversation.js","webpack:///./src/components/conversation/conversation.vue","webpack:///./src/components/conversation/conversation.vue?ff89","webpack:///./src/components/timeline_menu/timeline_menu.js","webpack:///./src/components/timeline_menu/timeline_menu.vue","webpack:///./src/components/timeline_menu/timeline_menu.vue?9808","webpack:///./src/components/timeline/timeline.js","webpack:///./src/components/timeline/timeline.vue","webpack:///./src/components/timeline/timeline.vue?88ac","webpack:///./src/components/public_timeline/public_timeline.js","webpack:///./src/components/public_timeline/public_timeline.vue","webpack:///./src/components/public_timeline/public_timeline.vue?bba0","webpack:///./src/components/public_and_external_timeline/public_and_external_timeline.js","webpack:///./src/components/public_and_external_timeline/public_and_external_timeline.vue","webpack:///./src/components/public_and_external_timeline/public_and_external_timeline.vue?0d56","webpack:///./src/components/friends_timeline/friends_timeline.js","webpack:///./src/components/friends_timeline/friends_timeline.vue","webpack:///./src/components/friends_timeline/friends_timeline.vue?0810","webpack:///./src/components/tag_timeline/tag_timeline.js","webpack:///./src/components/tag_timeline/tag_timeline.vue","webpack:///./src/components/tag_timeline/tag_timeline.vue?ee38","webpack:///./src/components/bookmark_timeline/bookmark_timeline.js","webpack:///./src/components/bookmark_timeline/bookmark_timeline.vue","webpack:///./src/components/bookmark_timeline/bookmark_timeline.vue?9b5f","webpack:///./src/components/conversation-page/conversation-page.js","webpack:///./src/components/conversation-page/conversation-page.vue","webpack:///./src/components/conversation-page/conversation-page.vue?d63c","webpack:///./src/components/notification/notification.js","webpack:///./src/components/notification/notification.vue","webpack:///./src/components/notification/notification.vue?1875","webpack:///./src/components/notifications/notifications.js","webpack:///./src/components/notifications/notifications.vue","webpack:///./src/components/notifications/notifications.vue?a489","webpack:///./src/components/interactions/interactions.js","webpack:///./src/components/interactions/interactions.vue","webpack:///./src/components/interactions/interactions.vue?db62","webpack:///./src/components/dm_timeline/dm_timeline.js","webpack:///./src/components/dm_timeline/dm_timeline.vue","webpack:///./src/components/dm_timeline/dm_timeline.vue?4177","webpack:///./src/components/chat_title/chat_title.js","webpack:///./src/components/chat_title/chat_title.vue","webpack:///./src/components/chat_title/chat_title.vue?144f","webpack:///./src/components/chat_list_item/chat_list_item.js","webpack:///./src/components/chat_list_item/chat_list_item.vue","webpack:///./src/components/chat_list_item/chat_list_item.vue?692f","webpack:///./src/components/chat_new/chat_new.js","webpack:///./src/components/chat_new/chat_new.vue","webpack:///./src/components/chat_new/chat_new.vue?559e","webpack:///./src/components/chat_list/chat_list.js","webpack:///./src/components/chat_list/chat_list.vue","webpack:///./src/components/chat_list/chat_list.vue?de9d","webpack:///src/components/chat_message_date/chat_message_date.vue","webpack:///./src/components/chat_message_date/chat_message_date.vue","webpack:///./src/components/chat_message_date/chat_message_date.vue?82ca","webpack:///./src/components/chat_message/chat_message.js","webpack:///./src/components/chat_message/chat_message.vue","webpack:///./src/components/chat_message/chat_message.vue?0d68","webpack:///./src/components/chat/chat_layout_utils.js","webpack:///./src/components/chat/chat.js","webpack:///./src/components/chat/chat.vue","webpack:///./src/components/chat/chat.vue?3acb","webpack:///./src/components/follow_card/follow_card.js","webpack:///./src/components/follow_card/follow_card.vue","webpack:///./src/components/follow_card/follow_card.vue?ac60","webpack:///./src/hocs/with_load_more/with_load_more.js","webpack:///./src/components/user_profile/user_profile.js","webpack:///./src/components/user_profile/user_profile.vue","webpack:///./src/components/user_profile/user_profile.vue?52aa","webpack:///./src/components/search/search.js","webpack:///./src/components/search/search.vue","webpack:///./src/components/search/search.vue?ec9a","webpack:///./src/components/registration/registration.js","webpack:///./src/components/registration/registration.vue","webpack:///./src/components/registration/registration.vue?3c1d","webpack:///./src/services/new_api/password_reset.js","webpack:///./src/components/password_reset/password_reset.js","webpack:///./src/components/password_reset/password_reset.vue","webpack:///./src/components/password_reset/password_reset.vue?4c1d","webpack:///./src/components/follow_request_card/follow_request_card.js","webpack:///./src/components/follow_request_card/follow_request_card.vue","webpack:///./src/components/follow_requests/follow_requests.js","webpack:///./src/components/follow_request_card/follow_request_card.vue?e2ae","webpack:///./src/components/follow_requests/follow_requests.vue","webpack:///./src/components/follow_requests/follow_requests.vue?6944","webpack:///./src/components/oauth_callback/oauth_callback.js","webpack:///./src/components/oauth_callback/oauth_callback.vue","webpack:///./src/components/oauth_callback/oauth_callback.vue?99e7","webpack:///./src/components/login_form/login_form.js","webpack:///./src/components/login_form/login_form.vue","webpack:///./src/components/login_form/login_form.vue?ec94","webpack:///./src/services/new_api/mfa.js","webpack:///./src/components/mfa_form/recovery_form.js","webpack:///./src/components/mfa_form/recovery_form.vue","webpack:///./src/components/mfa_form/recovery_form.vue?9df7","webpack:///./src/components/mfa_form/totp_form.js","webpack:///./src/components/mfa_form/totp_form.vue","webpack:///./src/components/mfa_form/totp_form.vue?2e19","webpack:///./src/components/auth_form/auth_form.js","webpack:///./src/components/chat_panel/chat_panel.js","webpack:///./src/components/chat_panel/chat_panel.vue","webpack:///./src/components/chat_panel/chat_panel.vue?e9a2","webpack:///./src/components/who_to_follow/who_to_follow.js","webpack:///./src/components/who_to_follow/who_to_follow.vue","webpack:///./src/components/who_to_follow/who_to_follow.vue?4a17","webpack:///./src/components/instance_specific_panel/instance_specific_panel.js","webpack:///./src/components/instance_specific_panel/instance_specific_panel.vue","webpack:///./src/components/instance_specific_panel/instance_specific_panel.vue?3490","webpack:///./src/components/features_panel/features_panel.js","webpack:///./src/components/features_panel/features_panel.vue","webpack:///./src/components/features_panel/features_panel.vue?d4b0","webpack:///./src/components/terms_of_service_panel/terms_of_service_panel.js","webpack:///./src/components/terms_of_service_panel/terms_of_service_panel.vue","webpack:///./src/components/terms_of_service_panel/terms_of_service_panel.vue?25e4","webpack:///./src/components/staff_panel/staff_panel.js","webpack:///./src/components/staff_panel/staff_panel.vue","webpack:///./src/components/staff_panel/staff_panel.vue?0ab8","webpack:///./src/components/mrf_transparency_panel/mrf_transparency_panel.js","webpack:///./src/components/mrf_transparency_panel/mrf_transparency_panel.vue","webpack:///./src/components/about/about.js","webpack:///./src/components/mrf_transparency_panel/mrf_transparency_panel.vue?8c91","webpack:///./src/components/about/about.vue","webpack:///./src/components/about/about.vue?7acf","webpack:///./src/components/remote_user_resolver/remote_user_resolver.js","webpack:///./src/components/remote_user_resolver/remote_user_resolver.vue","webpack:///./src/components/remote_user_resolver/remote_user_resolver.vue?5c98","webpack:///./src/boot/routes.js","webpack:///./src/components/user_panel/user_panel.js","webpack:///./src/components/user_panel/user_panel.vue","webpack:///./src/components/user_panel/user_panel.vue?b455","webpack:///./src/components/nav_panel/nav_panel.js","webpack:///./src/components/nav_panel/nav_panel.vue","webpack:///./src/components/nav_panel/nav_panel.vue?1bfb","webpack:///./src/components/search_bar/search_bar.js","webpack:///./src/components/search_bar/search_bar.vue","webpack:///./src/components/search_bar/search_bar.vue?fd14","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.js","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.vue","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.vue?3d0c","webpack:///src/components/modal/modal.vue","webpack:///./src/components/modal/modal.vue","webpack:///./src/components/modal/modal.vue?8f96","webpack:///./src/components/panel_loading/panel_loading.vue","webpack:///./src/components/async_component_error/async_component_error.vue","webpack:///./src/services/resettable_async_component.js","webpack:///./src/components/settings_modal/settings_modal.js","webpack:///./src/components/panel_loading/panel_loading.vue?d82c","webpack:///src/components/async_component_error/async_component_error.vue","webpack:///./src/components/async_component_error/async_component_error.vue?b33c","webpack:///./src/components/settings_modal/settings_modal.vue","webpack:///./src/components/settings_modal/settings_modal.vue?9c49","webpack:///./src/services/gesture_service/gesture_service.js","webpack:///./src/components/media_modal/media_modal.js","webpack:///./src/components/media_modal/media_modal.vue","webpack:///./src/components/media_modal/media_modal.vue?360f","webpack:///./src/components/side_drawer/side_drawer.js","webpack:///./src/components/side_drawer/side_drawer.vue","webpack:///./src/components/side_drawer/side_drawer.vue?b11d","webpack:///./src/components/mobile_post_status_button/mobile_post_status_button.js","webpack:///./src/components/mobile_post_status_button/mobile_post_status_button.vue","webpack:///./src/components/mobile_post_status_button/mobile_post_status_button.vue?c48d","webpack:///./src/components/mobile_nav/mobile_nav.js","webpack:///./src/components/mobile_nav/mobile_nav.vue","webpack:///./src/components/mobile_nav/mobile_nav.vue?d8b6","webpack:///./src/components/user_reporting_modal/user_reporting_modal.js","webpack:///./src/components/user_reporting_modal/user_reporting_modal.vue","webpack:///./src/components/user_reporting_modal/user_reporting_modal.vue?a9b0","webpack:///./src/components/post_status_modal/post_status_modal.js","webpack:///./src/components/post_status_modal/post_status_modal.vue","webpack:///./src/components/post_status_modal/post_status_modal.vue?e267","webpack:///./src/components/global_notice_list/global_notice_list.js","webpack:///./src/components/global_notice_list/global_notice_list.vue","webpack:///./src/components/global_notice_list/global_notice_list.vue?2baf","webpack:///./src/services/window_utils/window_utils.js","webpack:///./src/App.js","webpack:///./src/App.vue","webpack:///./src/App.vue?24c5","webpack:///./src/boot/after_store.js","webpack:///./src/main.js"],"names":["webpackJsonpCallback","data","moduleId","chunkId","chunkIds","moreModules","executeModules","i","resolves","length","installedChunks","push","Object","prototype","hasOwnProperty","call","modules","parentJsonpFunction","shift","deferredModules","apply","checkDeferredModules","result","deferredModule","fulfilled","j","depId","splice","__webpack_require__","s","installedModules","installedCssChunks","0","exports","module","l","e","promises","2","3","Promise","resolve","reject","href","4","5","6","7","8","9","10","11","12","13","14","15","16","17","18","19","20","21","22","23","24","25","26","27","28","29","30","fullhref","p","existingLinkTags","document","getElementsByTagName","dataHref","tag","getAttribute","rel","existingStyleTags","linkTag","createElement","type","onload","onerror","event","request","target","src","err","Error","parentNode","removeChild","appendChild","then","installedChunkData","promise","onScriptComplete","script","charset","timeout","nc","setAttribute","jsonpScriptSrc","error","clearTimeout","chunk","errorType","realSrc","message","undefined","setTimeout","head","all","m","c","d","name","getter","o","defineProperty","enumerable","get","r","Symbol","toStringTag","value","t","mode","__esModule","ns","create","key","bind","n","object","property","oe","console","jsonpArray","window","oldJsonpFunction","slice","parseUser","output","masto","mastoShort","id","String","screen_name","acct","statusnet_profile_url","url","display_name","name_html","addEmojis","escape","emojis","description","note","description_html","fields","fields_html","map","field","fields_text","unescape","replace","profile_image_url","avatar","profile_image_url_original","cover_photo","header","friends_count","following_count","bot","pleroma","relationship","background_image","favicon","token","chat_token","allow_following_move","hide_follows","hide_followers","hide_follows_count","hide_followers_count","rights","moderator","is_moderator","admin","is_admin","role","source","default_scope","privacy","no_rich_text","show_role","discoverable","is_local","includes","delete_others_notice","muting","muted","blocking","statusnet_blocking","followed_by","follows_you","following","created_at","Date","locked","followers_count","statuses_count","friendIds","followerIds","pinnedStatusIds","follow_request_count","tags","deactivated","notification_settings","unread_chat_count","parseAttachment","mimetype","mime_type","meta","large_thumb_url","preview_url","string","matchOperatorsRegex","reduce","acc","emoji","regexSafeShortCode","shortcode","RegExp","concat","parseStatus","status","favorited","favourited","fave_num","favourites_count","repeated","reblogged","repeat_num","reblogs_count","bookmarked","reblog","nsfw","sensitive","statusnet_html","content","text","summary","spoiler_text","statusnet_conversation_id","conversation_id","local","in_reply_to_screen_name","in_reply_to_account_acct","thread_muted","emoji_reactions","parent_visible","in_reply_to_status_id","in_reply_to_id","in_reply_to_user_id","in_reply_to_account_id","replies_count","retweeted_status","summary_html","external_url","poll","options","_objectSpread","title_html","title","pinned","is_post_verb","uri","match","qvitter_delete_notice","activity_type","isNsfw","visibility","card","user","account","attentions","mentions","attachments","media_attachments","retweetedStatus","favoritedBy","rebloggedBy","parseNotification","favourite","seen","is_seen","isStatusNotification","action","from_profile","parsedNotice","notice","ntype","Boolean","favorited_status","parseInt","parseLinkHeaderPagination","linkHeader","flakeId","arguments","parsedLinkHeader","parseLinkHeader","maxId","next","max_id","minId","prev","min_id","parseChat","chat","unread","lastMessage","parseChatMessage","last_message","updated_at","isNormalized","chat_id","attachment","rgb2hex","g","b","_babel_runtime_helpers_typeof__WEBPACK_IMPORTED_MODULE_2___default","_r","_map","val","Math","ceil","_map2","_babel_runtime_helpers_slicedToArray__WEBPACK_IMPORTED_MODULE_1___default","toString","srgbToLinear","srgb","split","bit","pow","c2linear","relativeLuminance","_srgbToLinear","getContrastRatio","a","la","lb","_ref","_ref2","getContrastRatioLayers","layers","bedrock","alphaBlendLayers","alphaBlend","fg","fga","bg","_ref3","_ref4","color","opacity","hex2rgb","hex","exec","mixrgb","k","rgba2css","rgba","floor","getTextColor","preserve","base","assign","invertLightness","rgb","contrastRatio","getCssColor","input","startsWith","StatusCodeError","statusCode","body","response","this","JSON","stringify","captureStackTrace","constructor","RegistrationError","_Error","_this","errors","classCallCheck_default","possibleConstructorReturn_default","getPrototypeOf_default","assertThisInitialized_default","parse","typeof_default","errorContents","ap_id","username","entries","errs","slicedToArray_default","capitalize_default","join","toConsumableArray_default","inherits_default","wrapNativeSuper_default","PERMISSION_GROUP_URL","screenName","right","MASTODON_DISMISS_NOTIFICATION_URL","MASTODON_FAVORITE_URL","MASTODON_UNFAVORITE_URL","MASTODON_RETWEET_URL","MASTODON_UNRETWEET_URL","MASTODON_USER_TIMELINE_URL","MASTODON_TAG_TIMELINE_URL","MASTODON_MUTE_USER_URL","MASTODON_UNMUTE_USER_URL","MASTODON_SUBSCRIBE_USER","MASTODON_UNSUBSCRIBE_USER","MASTODON_BOOKMARK_STATUS_URL","MASTODON_UNBOOKMARK_STATUS_URL","MASTODON_STATUS_FAVORITEDBY_URL","MASTODON_STATUS_REBLOGGEDBY_URL","MASTODON_PIN_OWN_STATUS","MASTODON_UNPIN_OWN_STATUS","MASTODON_MUTE_CONVERSATION","MASTODON_UNMUTE_CONVERSATION","PLEROMA_EMOJI_REACTIONS_URL","PLEROMA_EMOJI_REACT_URL","PLEROMA_EMOJI_UNREACT_URL","PLEROMA_CHAT_MESSAGES_URL","PLEROMA_CHAT_READ_URL","PLEROMA_DELETE_CHAT_MESSAGE_URL","chatId","messageId","oldfetch","fetch","fullUrl","credentials","promisedRequest","method","params","payload","_ref$headers","headers","Accept","Content-Type","encodeURIComponent","authHeaders","json","ok","accessToken","Authorization","fetchFriends","_ref20","sinceId","_ref20$limit","limit","MASTODON_FOLLOWING_URL","args","filter","_","getMastodonSocketURI","_ref81","stream","_ref81$args","access_token","_ref82","_ref83","MASTODON_STREAMING","MASTODON_STREAMING_EVENTS","Set","PLEROMA_STREAMING_EVENTS","ProcessedWS","_ref84","_ref84$preprocessor","preprocessor","handleMastoWS","_ref84$id","eventTarget","EventTarget","socket","WebSocket","proxy","original","eventName","processor","addEventListener","eventData","dispatchEvent","CustomEvent","detail","wsEvent","debug","code","close","parsedEvent","has","warn","notification","chatUpdate","WSConnectionStatus","freeze","JOINED","CLOSED","ERROR","apiService","verifyCredentials","fetchTimeline","_ref34","timeline","_ref34$since","since","_ref34$until","until","_ref34$userId","userId","_ref34$tag","_ref34$withMuted","withMuted","_ref34$replyVisibilit","replyVisibility","isNotifications","public","friends","dms","notifications","publicAndExternal","media","favorites","bookmarks","queryString","map_default","param","statusText","pagination","fetchPinnedStatuses","_ref35","fetchConversation","_ref24","urlContext","MASTODON_STATUS_CONTEXT_URL","_ref25","ancestors","descendants","fetchStatus","_ref26","MASTODON_STATUS_URL","exportFriends","_ref21","more","users","regenerator_default","async","_context","last_default","awrap","sent","concat_default","t0","stop","fetchFollowers","_ref22","_ref22$limit","MASTODON_FOLLOWERS_URL","followUser","_ref8","objectWithoutProperties_default","MASTODON_FOLLOW_URL","form","reblogs","unfollowUser","_ref9","MASTODON_UNFOLLOW_URL","pinOwnStatus","_ref10","unpinOwnStatus","_ref11","muteConversation","_ref12","unmuteConversation","_ref13","blockUser","_ref14","MASTODON_BLOCK_USER_URL","unblockUser","_ref15","MASTODON_UNBLOCK_USER_URL","fetchUser","_ref18","fetchUserRelationship","_ref19","favorite","_ref36","unfavorite","_ref37","retweet","_ref38","unretweet","_ref39","bookmarkStatus","_ref40","unbookmarkStatus","_ref41","postStatus","_ref42","spoilerText","_ref42$mediaIds","mediaIds","inReplyToStatusId","contentType","preview","idempotencyKey","FormData","pollOptions","append","forEach","some","option","normalizedPoll","expires_in","expiresIn","multiple","keys","postHeaders","deleteStatus","_ref43","MASTODON_DELETE_URL","uploadMedia","_ref44","formData","setMediaDescription","_ref45","fetchMutes","_ref56","muteUser","_ref57","unmuteUser","_ref58","subscribeUser","_ref59","unsubscribeUser","_ref60","fetchBlocks","_ref61","fetchOAuthTokens","_ref62","revokeOAuthToken","_ref63","tagUser","_ref27","nicknames","untagUser","_ref28","deleteUser","_ref33","addRight","_ref29","deleteRight","_ref30","activateUser","_ref31","nickname","get_default","deactivateUser","_ref32","register","_ref7","rest","locale","agreement","getCaptcha","resp","updateProfileImages","_ref5","_ref5$avatar","_ref5$banner","banner","_ref5$background","background","updateProfile","_ref6","importBlocks","_ref46","file","importFollows","_ref47","deleteAccount","_ref48","password","changeEmail","_ref49","email","changePassword","_ref50","newPassword","newPasswordConfirmation","settingsMFA","_ref51","mfaDisableOTP","_ref52","generateMfaBackupCodes","_ref55","mfaSetupOTP","_ref54","mfaConfirmOTP","_ref53","fetchFollowRequests","_ref23","approveUser","_ref16","MASTODON_APPROVE_USER_URL","denyUser","_ref17","MASTODON_DENY_USER_URL","suggestions","_ref64","markNotificationsAsSeen","_ref65","_ref65$single","single","dismissNotification","_ref80","vote","_ref66","pollId","choices","fetchPoll","_ref67","fetchFavoritedByUsers","_ref68","fetchRebloggedByUsers","_ref69","fetchEmojiReactions","_ref70","reactions","accounts","reactWithEmoji","_ref71","unreactWithEmoji","_ref72","reportUser","_ref73","statusIds","comment","forward","account_id","status_ids","updateNotificationSettings","settings","each_default","search2","_ref75","q","offset","u","statuses","searchUsers","_ref74","query","fetchKnownDomains","_ref76","fetchDomainMutes","_ref77","muteDomain","_ref78","domain","unmuteDomain","_ref79","chats","_ref85","getOrCreateChat","_ref86","accountId","chatMessages","_ref87","_ref87$limit","sendChatMessage","_ref88","_ref88$mediaId","mediaId","readChat","_ref89","lastReadId","last_read_id","deleteChatMessage","_ref90","isExternal","generateProfileLink","restrictedNicknames","complicated","lodash_includes__WEBPACK_IMPORTED_MODULE_0___default","UserAvatar","props","showPlaceholder","defaultAvatar","$store","state","instance","server","components","StillImage","methods","imgSrc","imageLoadError","__vue_styles__","context","Component","component_normalizer","user_avatar","_h","$createElement","_self","_c","staticClass","class","avatar-compact","compact","better-shadow","betterShadow","attrs","alt","image-load-error","__webpack_exports__","notificationsFromStore","store","visibleTypes","rootState","config","notificationVisibility","likes","repeats","follows","followRequest","moves","emojiReactions","statusNotifications","sortById","seqA","Number","seqB","isSeqA","isNaN","isSeqB","maybeShowNotification","muteWordHits","rootGetters","mergedConfig","muteWords","isMutedNotification","notificationObject","prepareNotificationObject","i18n","showDesktopNotification","filteredNotificationsFromStore","types","sortedNotifications","sort","lodash_sortBy__WEBPACK_IMPORTED_MODULE_1___default","unseenNotificationsFromStore","lodash_filter__WEBPACK_IMPORTED_MODULE_2___default","i18nString","notifObj","icon","image","fileType","fileTypeService","fileMatchesSomeType","Popover","trigger","placement","boundTo","boundToSelector","margin","popoverClass","hidden","styles","oldSize","width","height","containerBoundingClientRect","$el","closest","offsetParent","getBoundingClientRect","updateStyles","anchorEl","$refs","children","screenBox","origin","left","top","parentBounds","x","y","xBounds","min","max","innerWidth","yBounds","bottom","innerHeight","horizOffset","offsetWidth","usingTop","offsetHeight","yOffset","translateY","xOffset","translateX","transform","round","showPopover","$emit","$nextTick","hidePopover","onMouseenter","onMouseleave","onClick","onClickOutside","contains","updated","created","destroyed","removeEventListener","popover","_vm","on","mouseenter","mouseleave","ref","click","_t","_v","_e","style","DialogModal","darkOverlay","default","onCancel","Function","dialog_modal_dialog_modal","dialog_modal","dark-overlay","$event","currentTarget","stopPropagation","ModerationTools","FORCE_NSFW","STRIP_MEDIA","FORCE_UNLISTED","DISABLE_REMOTE_SUBSCRIPTION","DISABLE_ANY_SUBSCRIPTION","SANDBOX","QUARANTINE","showDeleteUserDialog","toggled","computed","tagsSet","hasTagPolicy","tagPolicyAvailable","hasTag","tagName","toggleTag","api","backendInteractor","commit","toggleRight","_this2","toggleActivationStatus","dispatch","deleteUserDialog","show","_this3","isProfile","$route","isTargetUser","history","back","setToggled","moderation_tools_vue_styles_","moderation_tools_moderation_tools","moderation_tools","slot","_s","$t","menu-checkbox-checked","to","on-cancel","AccountActions","ProgressButton","showRepeats","hideRepeats","openChat","$router","recipient_id","mapState","pleromaChatMessagesAvailable","account_actions_vue_styles_","account_actions_account_actions","account_actions","bound-to","showing_reblogs","user_card","followRequestInProgress","browserSupport","cssFilter","user_card_objectSpread","getters","findUser","classes","user-card-rounded-t","rounded","user-card-rounded","user-card-bordered","bordered","backgroundImage","isOtherUser","currentUser","subscribeUrl","serverUrl","URL","protocol","host","loggedIn","dailyAvg","days","userHighlightType","highlight","set","mapGetters","userHighlightColor","visibleRole","validRole","roleTitle","hideFollowsCount","hideFollowersCount","RemoteFollow","FollowButton","setProfileView","v","switcher","linkClicked","open","userProfileLink","zoomAvatar","mentionUser","replyTo","repliedUser","user_card_vue_styles_","user_card_Component","hide-bio","hideBio","_m","domProps","innerHTML","hideUserStats","directives","rawName","expression","composing","for","change","$$selectedVal","Array","selected","_value","subscribing","preventDefault","LAYERS","DEFAULT_OPACITY","SLOT_INHERITANCE","chromatism__WEBPACK_IMPORTED_MODULE_0__","_color_convert_color_convert_js__WEBPACK_IMPORTED_MODULE_1__","undelay","topBar","badge","profileTint","panel","selectedMenu","btn","btnPanel","btnTopBar","inputPanel","inputTopBar","alert","alertPanel","chatBg","chatMessage","faint","underlay","alertPopup","depends","priority","layer","link","accent","faintLink","postFaintLink","cBlue","cRed","cGreen","cOrange","profileBg","mod","brightness","highlightLightText","textColor","highlightPostLink","highlightFaintText","highlightFaintLink","highlightPostFaintLink","highlightText","highlightLink","highlightIcon","popoverLightText","popoverPostLink","popoverFaintText","popoverFaintLink","popoverPostFaintLink","popoverText","popoverLink","popoverIcon","selectedPost","selectedPostFaintText","variant","selectedPostLightText","selectedPostPostLink","selectedPostFaintLink","selectedPostText","selectedPostLink","selectedPostIcon","selectedMenuLightText","selectedMenuFaintText","selectedMenuFaintLink","selectedMenuText","selectedMenuLink","selectedMenuIcon","selectedMenuPopover","selectedMenuPopoverLightText","selectedMenuPopoverFaintText","selectedMenuPopoverFaintLink","selectedMenuPopoverText","selectedMenuPopoverLink","selectedMenuPopoverIcon","lightText","postLink","postGreentext","border","copacity","pollText","inheritsOpacity","fgText","fgLink","panelText","panelFaint","panelLink","topBarText","topBarLink","tab","tabText","tabActiveText","btnText","btnPanelText","btnTopBarText","btnPressed","btnPressedText","btnPressedPanel","btnPressedPanelText","btnPressedTopBar","btnPressedTopBarText","btnToggled","btnToggledText","btnToggledPanelText","btnToggledTopBarText","btnDisabled","btnDisabledText","btnDisabledPanelText","btnDisabledTopBarText","inputText","inputPanelText","inputTopbarText","alertError","alertErrorText","alertErrorPanelText","alertWarning","alertWarningText","alertWarningPanelText","alertNeutral","alertNeutralText","alertNeutralPanelText","alertPopupError","alertPopupErrorText","alertPopupWarning","alertPopupWarningText","alertPopupNeutral","alertPopupNeutralText","badgeNotification","badgeNotificationText","chatMessageIncomingBg","chatMessageIncomingText","chatMessageIncomingLink","chatMessageIncomingBorder","chatMessageOutgoingBg","chatMessageOutgoingText","chatMessageOutgoingLink","chatMessageOutgoingBorder","applyTheme","rules","generatePreset","classList","add","styleEl","styleSheet","sheet","insertRule","radii","colors","shadows","fonts","remove","getCssShadow","usesDropShadow","inset","shad","blur","spread","alpha","generateColors","themeData","sourceColors","themeEngineVersion","colors2to3","_getColors","getColors","htmlColors","_babel_runtime_helpers_slicedToArray__WEBPACK_IMPORTED_MODULE_3___default","solid","complete","theme","generateRadii","inputRadii","btnRadius","endsWith","checkbox","avatarAlt","tooltip","generateFonts","interface","family","post","postCode","shadow","buttonInsetFakeBorders","inputInsetFakeBorders","hoverGlow","DEFAULT_SHADOWS","popup","avatarStatus","panelHeader","button","buttonHover","buttonPressed","generateShadows","hackContextDict","inputShadows","shadows2to3","shadowsAcc","slotName","shadowDefs","slotFirstWord","colorSlotName","convert","newShadow","shadowAcc","def","_babel_runtime_helpers_toConsumableArray__WEBPACK_IMPORTED_MODULE_1___default","computeDynamicColor","variableSlot","_babel_runtime_helpers_defineProperty__WEBPACK_IMPORTED_MODULE_2___default","composePreset","getThemes","cache","themes","_babel_runtime_helpers_typeof__WEBPACK_IMPORTED_MODULE_0___default","statePositionAcc","position","getOpacitySlot","substring","getPreset","isV1","isArray","setPreset","FavoriteButton","animated","icon-star-empty","icon-star","animate-spin","favorite_button_favorite_button","favorite_button","hidePostStats","ReactButton","filterWord","addReaction","existingReaction","find","me","react_button_objectSpread","commonEmojis","filterWordLowercase","toLowerCase","displayText","react_button_vue_styles_","react_button_react_button","react_button","scopedSlots","_u","fn","placeholder","_l","replacement","RetweetButton","retweet_button_objectSpread","retweeted","retweeted-empty","retweet_button_vue_styles_","retweet_button_retweet_button","retweet_button","ExtraButtons","confirm","pinStatus","unpinStatus","_this4","copyLink","_this5","navigator","clipboard","writeText","statusLink","_this6","_this7","canDelete","ownStatus","canPin","canMute","extra_buttons_vue_styles_","extra_buttons_extra_buttons","extra_buttons","StatusPopover","find_default","allStatuses","statusId","Status","enter","status_popover_vue_styles_","status_popover_status_popover","status_popover","popover-class","is-preview","statusoid","UserListPopover","usersCapped","user_list_popover_vue_styles_","user_list_popover_user_list_popover","user_list_popover","EmojiReactions","showAll","tooManyReactions","showMoreString","accountsForEmoji","reaction","toggleShowAll","reactedWith","fetchEmojiReactionsByIfMissing","reactWith","unreact","emojiOnClick","emoji_reactions_vue_styles_","emoji_reactions_emoji_reactions","picked-reaction","not-clickable","count","PostStatusForm","UserCard","AvatarList","Timeago","StatusContent","replying","unmuted","userExpanded","status_objectSpread","showReasonMutedThread","inConversation","repeaterClass","highlightClass","userClass","deleted","repeaterStyle","highlightStyle","userStyle","noHeading","generateUserProfileLink","replyProfileLink","isReply","replyToName","retweeter","retweeterHtml","retweeterProfileLink","statusFromGlobalRepository","allStatusesObject","relationshipReblog","reasonsToMute","excusesNotToMute","inProfile","profileUserId","hideFilteredStatuses","hideStatus","isFocused","focused","replySubject","decodedSummary","unescape_default","behavior","subjectLineBehavior","startsWithRe","combinedFavsAndRepeatsUsers","combinedUsers","uniqBy_default","tagObj","visibilityIcon","showError","clearError","toggleReplying","gotoOriginal","toggleExpanded","toggleMute","toggleUserExpanded","watch","rect","scrollBy","status.repeat_num","num","status.fave_num","filters","capitalize","str","charAt","toUpperCase","status_vue_styles_","status_Component","status_status","-focused","-conversation","inlineExpanded","isPreview","highlighted","-repeat","data-tags","nativeOn","!click","user-id","time","auto-update","_f","expandable","-strikethrough","staticStyle","min-width","status-id","aria-label","replies","reply","no-heading","emojiReactionsOnTimeline","-active","logged-in","onError","onSuccess","reply-to","replied-user","copy-message-scope","subject","posted","loading","polls","pollsObject","basePoll","expiresAt","expires_at","expired","showResults","voted","totalVotesCount","votes_count","containerClass","choiceIndices","entry","index","isDisabled","noChoice","percentageForOption","resultTitle","activateOption","allElements","querySelectorAll","clickedElement","querySelector","checked","forEach_default","element","optionId","poll_poll","disabled","path","now-threshold","showingTall","fullContent","showingLongSubject","expandingSubject","collapseMessageWithSubject","localCollapseSubjectDefault","hideAttachments","hideAttachmentsInConv","tallStatus","longSubject","mightHideBecauseSubject","mightHideBecauseTall","hideSubjectStatus","hideTallStatus","showingMore","nsfwClickthrough","attachmentSize","maxThumbnails","galleryTypes","playVideosInModal","galleryAttachments","nonGalleryAttachments","attachmentTypes","postBodyHtml","html","greentext","handledTags","openCloseTags","buffer","level","textBuffer","tagBuffer","flush","trim","handleBr","handleOpen","handleClose","pop","char","tagFull","processHtml","Attachment","Poll","Gallery","LinkPreview","className","attn","attention","_attention$screen_nam","_attention$screen_nam2","namepart","instancepart","matchstring","mentionMatchesUrl","dataset","generateTagLink","toggleShowMore","setMedia","status_content_vue_styles_","status_content_Component","status_content","tall-subject","tall-subject-hider_focused","tall-status","tall-status-hider_focused","single-line","singleLine","base-poll","size","allow-play","set-media","MINUTE","HOUR","DAY","relativeTime","relativeTimeShort","WEEK","MONTH","YEAR","date","nowThreshold","now","abs","BasicUserCard","basic_user_card","CURRENT_VERSION","getLayersArray","array","parent","unshift","getLayers","opacitySlot","currentLayer","getDependencies","inheritance","layerDeps","_babel_runtime_helpers_toConsumableArray__WEBPACK_IMPORTED_MODULE_3___default","expandSlotValue","getDeps","findInheritedOpacity","visited","depSlot","dependency","getLayerSlot","findInheritedLayer","SLOT_ORDERED","allKeys","whites","grays","blacks","unprocessed","step","node","ai","bi","depsA","depsB","topoSort","aV","bV","_babel_runtime_helpers_defineProperty__WEBPACK_IMPORTED_MODULE_0___default","OPACITIES","defaultValue","affectedSlots","sourceColor","getColor","targetColor","_sourceColor$split$ma","_sourceColor$split$ma2","variable","modifier","parseFloat","sourceOpacity","deps","isTextColor","backgroundColor","outputColor","colorFunc","dep","ownOpacitySlot","opacityOverriden","dependencySlot","dependencyColor","mediaUpload","uploadCount","uploadReady","uploading","uploadFile","self","uploadlimit","filesize","fileSizeFormatService","fileSizeFormat","allowedsize","filesizeunit","unit","allowedsizeunit","statusPosterService","fileData","decreaseUploadCount","clearFile","multiUpload","files","_iteratorNormalCompletion","_didIteratorError","_iteratorError","_step","_iterator","iterator","done","dropFiles","fileInfos","media_upload_media_upload","media_upload","poll_form","pollType","expiryAmount","expiryUnit","pollLimits","maxOptions","max_options","maxLength","max_option_chars","expiryUnits","expiry","convertExpiryFromUnit","max_expiration","minExpirationInCurrentUnit","convertExpiryToUnit","min_expiration","maxExpirationInCurrentUnit","clear","nextOption","focus","addOption","deleteOption","updatePollToParent","amount","DateUtils","expiryAmountChange","uniq_default","poll_form_vue_styles_","poll_poll_form","maxlength","keydown","indexOf","_k","keyCode","$set","pxStringToNumber","MediaUpload","EmojiInput","PollForm","ScopeSelector","Checkbox","mounted","updateIdempotencyKey","resize","textarea","textLength","setSelectionRange","autoFocus","scopeCopy","_ref$attentions","allAttentions","reject_default","buildMentionsString","scope","copyMessageScope","postContentType","uploadingFiles","posting","newStatus","mediaDescriptions","caret","pollFormVisible","showDropIcon","dropStopTimeout","previewLoading","emojiInputShown","userDefaultScope","showAllScopes","minimalScopesMode","emojiUserSuggestor","suggestor","customEmoji","updateUsersList","emojiSuggestor","statusLength","spoilerTextLength","statusLengthLimit","textlimit","hasStatusLengthLimit","charactersLeft","isOverLengthLimit","alwaysShowSubject","alwaysShowSubjectInput","postFormats","safeDMEnabled","safeDM","pollsAvailable","disablePolls","hideScopeNotice","disableNotice","pollContentError","showPreview","disablePreview","emptyStatus","uploadFileLimitReached","fileLimit","mobileLayout","deep","handler","statusChanged","autoPreview","clearStatus","clearPollForm","preserveFocus","el","previewStatus","postingOptions","_args","abrupt","disableSubmit","submitOnEnter","setAllMediaDescriptions","postHandler","statusPoster","debouncePreviewStatus","debounce_default","closePreview","togglePreview","addMediaFile","fileInfo","delayed","removeMediaFile","uploadFailed","errString","templateArgs","startedUploadingFiles","finishedUploadingFiles","paste","clipboardData","fileDrop","dataTransfer","fileDragStop","fileDrag","dropEffect","onEmojiInputInput","Element","formRef","bottomRef","bottomBottomPaddingStr","getComputedStyle","bottomBottomPadding","scrollerRef","topPaddingStr","bottomPaddingStr","vertPadding","oldHeight","currentScroll","scrollY","scrollTop","scrollerHeight","scrollerBottomBorder","heightWithoutPadding","scrollHeight","newHeight","maxHeight","bottomBottomBorder","findOffset","isBottomObstructed","isFormBiggerThanScroller","bottomChangeDelta","targetScroll","selectionStart","scroll","showEmojiPicker","triggerShowPicker","changeVis","togglePollForm","setPoll","pollForm","dismissScopeNotice","ids","handleEmojiInputShow","openProfileTab","post_status_form_vue_styles_","post_status_form_Component","post_status_form","autocomplete","submit","dragover","animation","dragleave","drop","disableLockWarning","disableSubject","enable-emoji-picker","suggest","model","callback","$$v","emojiPickerPlacement","hide-emoji-button","newline-on-ctrl-enter","enable-sticker-picker","sticker-uploaded","sticker-upload-failed","shown","scrollable-form","rows","cols","ctrlKey","shiftKey","altKey","metaKey","compositionupdate","disableScopeSelector","show-all","user-default","original-scope","initial-scope","on-scope-change","postFormat","visible","update-poll","drop-files","uploaded","upload-failed","all-uploaded","touchstart","disableSensitivityCheckbox","nsfwImage","nsfwCensorImage","hideNsfwLocal","hideNsfw","preloadImage","img","modalOpen","showHidden","VideoAttachment","usePlaceholder","placeholderName","placeholderIconClass","referrerpolicy","mediaProxyAvailable","isEmpty","oembed","isSmall","fullwidth","useModal","openModal","toggleHidden","useOneClickNsfw","onImageLoad","naturalWidth","naturalHeight","naturalSizeLoad","_obj","small","image-load-handler","allowPlay","controls","thumb_url","oembedHTML","timeago","interval","localeDateString","toLocaleString","refreshRelativeTimeObject","longFormat","date_utils","autoUpdate","datetime","_color_convert_color_convert_js__WEBPACK_IMPORTED_MODULE_0__","prefs","solidColor","tintColor","tintColor2","backgroundPosition","list","items","getKey","item","$slots","empty","prop","indeterminate","_ref$media","_ref$inReplyToStatusI","_ref$contentType","_ref$preview","_ref$idempotencyKey","lodash_map__WEBPACK_IMPORTED_MODULE_0___default","showImmediately","noIdUpdate","stopGifs","onLoad","imageLoadHandler","canvas","getContext","drawImage","still_image","load","loaders","ar","ca","cs","de","eo","es","et","eu","fi","fr","ga","he","hu","it","ja","ja_easy","ko","nb","nl","oc","pl","pt","ro","ru","te","zh","messages","languages","en","require","setLanguage","language","_messages","_babel_runtime_regenerator__WEBPACK_IMPORTED_MODULE_0___default","setLocaleMessage","progress_button","progress","browserLocale","multiChoiceProperties","defaultState","customTheme","customThemeSource","hideISP","hideMutedPosts","padEmoji","loopVideo","loopVideoSilentOnly","streaming","autohideFloatingPostButton","pauseOnUnfocused","chatMention","webPushNotifications","interfaceLanguage","useStreamingApi","useContainFit","instanceDefaultProperties","mutations","setOption","setHighlight","del","actions","statusSummary","lodash_filter__WEBPACK_IMPORTED_MODULE_0___default","muteWord","desktopNotificationOpts","Notification","permission","desktopNotificationSilence","desktopNotification","child","_ref$top","_ref$left","ignorePadding","offsetTop","offsetLeft","_findPadding","findPadding","topPadding","leftPadding","_findPadding2","leftPaddingStr","requestFollow","requested","fetchRelationship","attempt","follow_button","inProgress","isPressed","label","labelFollowing","unfollow","follow","requestUnfollow","onVideoDataLoad","srcElement","webkitAudioDecodedByteCount","mozHasAudio","audioTracks","video_attachment","loop","playsinline","loadeddata","sizes","chunk_default","lastAttachment","allButLastRow","dropRight_default","onNaturalSizeLoad","rowStyle","itemsPerRow","padding-bottom","itemStyle","row","total","sumBy_default","getAspectRatio","flex","gallery","contain-fit","cover-fit","natural-size-load","imageLoaded","useImage","useDescription","test","newImg","Image","link_preview","small-image","provider_name","remote_follow","slicedUsers","avatar_list","exponent","units","log","toFixed","debounceUserSearch","lodash_debounce__WEBPACK_IMPORTED_MODULE_0___default","firstChar","suggestEmoji","suggestUsers","noPrefix","substr","aScore","bScore","imageUrl","newUsers","detailText","Vue","component","renderOnlyFocused","required","onSwitch","activeTab","scrollableTabs","sideTabBar","active","findIndex","activeIndex","settingsModalVisible","settingsModalState","beforeUpdate","clickTab","setTab","contents","render","h","tabs","classesTab","classesWrapper","fullHeight","renderSlot","getComponentProps","lodash_isFunction__WEBPACK_IMPORTED_MODULE_0__","lodash_isFunction__WEBPACK_IMPORTED_MODULE_0___default","isFunction","getComponentOptions","addPositionToWords","words","reduce_default","word","start","end","previous","splitByWhitespaceBoundary","currentWord","currentChar","completion","wordAtPosition","pos","wordsWithPosition","replaceWord","toReplace","filterByKeyword","keyword","EmojiPicker","enableStickerPicker","activeGroup","showingStickers","groupsScrolledClass","keepOpen","customEmojiBufferSlice","customEmojiTimeout","customEmojiLoadAllConfirmed","StickerPicker","onStickerUploaded","onStickerUploadFailed","onEmoji","insertion","onScroll","updateScrolledClass","scrolledGroup","triggerLoadMore","setShowStickers","scrollTopMax","scrollerBottom","clientHeight","scrollerTop","scrollerMax","loadEmoji","emojisView","group","customEmojiBuffer","filteredEmoji","startEmojiLoad","forceUpdate","toggleStickers","activeGroupView","stickersAvailable","stickers","standardEmojis","customEmojis","stickerPickerEnabled","emoji_picker_emoji_picker","emoji_picker","refInFor","enableEmojiPicker","hideEmojiButton","newlineOnCtrlEnter","blurTimeout","showPicker","temporarilyHideSuggestions","disableClickOutside","firstchar","textAtCaret","matchedSuggestions","take_default","showSuggestions","wordAtCaret","Completion","slots","elm","onBlur","onFocus","onPaste","onKeyUp","onKeyDown","onClickInput","onTransition","onInput","unmounted","newValue","picker","scrollIntoView","togglePicker","insert","_ref2$surroundingSpac","surroundingSpace","before","after","isSpaceRegex","spaceBefore","spaceAfter","replaceText","suggestion","len","cycleBackward","cycleForward","rootRef","rootBottomBorder","setCaret","panelBody","_this$input$elm","offsetBottom","setPlacement","container","overflowsBottom","emoji_input_vue_styles_","emoji_input_Component","emoji_input","with-picker","hide","currentScope","initialScope","showNothing","showPublic","showUnlisted","showPrivate","showDirect","originalScope","shouldShow","css","unlisted","private","direct","userDefault","onScopeChange","scope_selector","locals","EventTargetPolyfill","interfaceMod","settingsModalLoaded","settingsModalTargetTab","currentSaveStateNotice","noticeClearTimeout","notificationPermission","CSS","supports","globalNotices","layoutHeight","lastTimeline","settingsSaved","success","errorData","setNotificationPermission","setMobileLayout","closeSettingsModal","togglePeekSettingsModal","openSettingsModal","setSettingsModalTargetTab","pushGlobalNotice","removeGlobalNotice","setLayoutHeight","setLastTimeline","setPageTitle","clearSettingsModalTargetTab","openSettingsModalTab","messageKey","_ref13$messageArgs","messageArgs","_ref13$level","_ref13$timeout","registrationOpen","vapidPublicKey","defaultBanner","disableChat","hideSitename","loginMethod","logo","logoMargin","logoMask","redirectRootLogin","redirectRootNoLogin","showFeaturesPanel","showInstanceSpecificPanel","sidebarRight","customEmojiFetched","emojiFetched","pleromaBackend","knownDomains","chatAvailable","gopherAvailable","suggestionsEnabled","suggestionsWeb","instanceSpecificPanelContent","tos","backendVersion","frontendVersion","setInstanceOption","setKnownDomains","domains","instanceDefaultConfig","defineProperty_default","getStaticEmoji","res","values","getCustomEmoji","_context2","image_url","setTheme","themeName","themeSource","fetchEmoji","getKnownDomains","_context3","emptyTl","statusesObject","faves","visibleStatuses","visibleStatusesObject","newStatusCount","minVisibleId","followers","flushMarker","emptyNotifications","POSITIVE_INFINITY","idStore","conversationsObject","timelines","mergeOrAdd","arr","obj","oldItem","merge_default","omitBy_default","new","sortTimeline","addStatusToGlobalStorage","conversationId","addNewStatuses","_ref2$showImmediately","_ref2$user","_ref2$noIdUpdate","_ref2$pagination","isArray_default","timelineObject","minNew","minBy_default","maxNew","maxBy_default","newer","older","addStatus","resultForCurrentTimeline","addToTimeline","processors","counter","favoriteStatus","deletion","remove_default","removeStatusFromGlobalStorage","unknown","addNewNotifications","newNotificationSideEffects","visibleNotificationTypes","removeStatus","first_default","showNewStatuses","oldTimeline","slice_default","resetStatuses","emptyState","clearTimeline","_ref8$excludeUserId","excludeUserId","clearNotifications","setFavorited","setFavoritedConfirm","findIndex_default","setMutedStatus","setRetweeted","setRetweetedConfirm","setBookmarked","setBookmarkedConfirm","setDeleted","setManyDeleted","condition","setLoading","setNsfw","setError","setErrorData","setNotificationsLoading","setNotificationsError","setNotificationsSilence","markSingleNotificationAsSeen","dismissNotifications","finder","updateNotification","updater","queueFlush","queueFlushAll","addRepeats","rebloggedByUsers","addFavs","favoritedByUsers","addEmojiReactionsBy","addOwnReaction","reactionIndex","newReaction","statuses_objectSpread","removeOwnReaction","updateStatusWithPoll","_ref37$showImmediatel","_ref37$timeline","_ref37$noIdUpdate","markStatusesAsDeleted","bookmark","unbookmark","dismissNotificationLocal","fetchFavsAndRepeats","fetchEmojiReactionsBy","fetchFavs","fetchRepeats","search","fetchAndUpdate","_ref2$timeline","_ref2$older","_ref2$userId","_ref2$tag","timelineData","camelCase_default","_getters$mergedConfig","numStatusesBeforeFetch","ccTimeline","update","timelineFetcher","startFetching","_ref3$timeline","_ref3$userId","_ref3$tag","setInterval","allowFollowingMove","fetchNotifications","readNotifsIds","notificationsFetcher","requests","followRequestFetcher","backendInteractorService","backend_interactor_service_objectSpread","startFetchingTimeline","_ref$userId","timelineFetcherService","startFetchingNotifications","startFetchingFollowRequests","startUserSocket","func","REDIRECT_URI","location","getOrCreateApp","clientId","clientSecret","___pleromafe_commit_hash","toISOString","app","client_id","client_secret","getClientToken","oauth","login","response_type","redirect_uri","dataString","encoded","getToken","getTokenWithCredentials","verifyOTPCode","mfaToken","verifyRecoveryCode","revokeToken","isPushSupported","getOrCreateServiceWorker","runtime","deleteSubscriptionFromBackEnd","registerPushNotifications","isEnabled","registration","base64String","base64","rawData","subscribeOptions","userVisibleOnly","applicationServerKey","repeat","atob","Uint8Array","from","charCodeAt","pushManager","subscribe","subscribePush","subscription","alerts","mention","move","responseData","sendSubscriptionToBackEnd","mergeArrayLength","oldValue","mergeWith_default","predictedRelationship","relationships","loggingIn","lastLoginName","usersObject","signUpPending","signUpErrors","newTags","updateRight","newRights","updateActivationStatus","setCurrentUser","clearCurrentUser","beginLogin","endLogin","saveFriendIds","saveFollowerIds","clearFriends","clearFollowers","addNewUsers","updateUserRelationship","saveBlockIds","blockIds","addBlockId","blockId","saveMuteIds","muteIds","addMuteId","muteId","saveDomainMutes","domainMutes","addDomainMute","removeDomainMute","setPinnedToUser","setUserForStatus","setUserForNotification","setColor","signUpSuccess","signUpFailure","fetchUserIfMissing","blocks","blockUsers","unblockUsers","mutes","hideReblogs","showReblogs","muteUsers","unmuteUsers","muteDomains","unmuteDomains","unregisterPushNotifications","getSubscription","subscribtion","unsubscribe","unsubscribePush","unregister","retweetedUsers","compact_default","targetUsers","notificationIds","notificationsObject","relevantNotifications","signUp","userInfo","users_objectSpread","logout","_store$rootState","oauthApi","userToken","loginUser","requestPermission","startPolling","latest","maybeShowChatNotification","currentChatId","opts","fetchers","mastoUserSocket","mastoUserSocketStatus","followRequests","setBackendInteractor","addFetcher","fetcherName","fetcher","removeFetcher","clearInterval","setWsToken","wsToken","setSocket","setFollowRequests","setMastoUserSocketStatus","enableMastoSockets","disableMastoSockets","startMastoUserSocket","closeEvent","ignoreCodes","restartMastoUserSocket","stopMastoUserSocket","_ref8$timeline","_ref8$tag","_ref8$userId","stopFetchingTimeline","stopFetchingNotifications","stopFetchingFollowRequests","removeFollowRequest","initializeSocket","Socket","connect","disconnectFromSocket","disconnect","channel","setChannel","addMessage","setMessages","initializeChat","msg","appToken","setClientData","setAppToken","setToken","clearToken","getUserToken","resetState","strategy","initStrategy","auth_flow","namespaced","requiredPassword","requiredToken","requiredTOTP","requiredRecovery","setInitialStrategy","requirePassword","requireToken","requireMFA","requireRecovery","requireTOTP","abortMFA","root","mediaViewer","currentIndex","activated","setCurrent","current","closeMediaViewer","oauthTokens","tokens","fetchTokens","swapTokens","reports","modalActivated","openUserReportingModal","closeUserReportingModal","trackedPolls","mergeOrAddPoll","existingPoll","trackPoll","currentValue","untrackPoll","updateTrackedPoll","votePoll","openPostStatusModal","closePostStatusModal","ChatService","storage","newMessages","_ref$updateMaxId","updateMaxId","idIndex","lastSeenTimestamp","newMessageCount","getView","currentMessageChainId","sortBy_default","firstMessage","previousMessage","setHours","getTime","afterDate","nextMessage","messageChainId","uniqueId_default","deleteMessage","resetNewMessageCount","getChatById","chatList","chats_objectSpread","chatListFetcher","openedChats","openedChatMessageServices","currentChat","currentChatMessageService","findOpenedChatByRecipientId","recipientId","sortedChatList","orderBy_default","unreadChatCount","startFetchingChats","stopFetchingChats","fetchChats","addNewChats","newChatMessageSideEffects","updateChat","startFetchingCurrentChat","setCurrentChatFetcher","addOpenedChat","addChatMessages","resetChatNewMessageCount","clearCurrentChat","resetChats","clearOpenedChats","setChatListFetcher","prevFetcher","_dispatch","chatService","setCurrentChatId","updatedChat","isNewMessage","_rootGetters","deleteChat","conversation","last_status","setChatsLoading","chatMessageService","loaded","defaultReducer","paths","substate","set_default","saveImmedeatelyActions","defaultStorage","localforage","createPersistedState","_ref$key","_ref$paths","_ref$getState","getState","getItem","_ref$setState","setState","setItem","_ref$reducer","reducer","_ref$storage","_ref$subscriber","subscriber","savedState","usersState","replaceState","merge","mutation","previousNavPaddingRight","previousAppBgWrapperRight","push_notifications_plugin","webPushNotification","isUserMutation","isVapidMutation","isPermMutation","isUserConfigMutation","isVisibilityMutation","lockerEls","disableBodyScroll","scrollBarGap","documentElement","clientWidth","bodyScrollLock","reserveScrollBarGap","navEl","getElementById","getPropertyValue","paddingRight","appBgWrapperEl","enableBodyScroll","directive","inserted","binding","componentUpdated","unbind","idA","idB","expanded","isPage","originalStatusId","getConversationId","isExpanded","clone_default","statusIndex","filter_default","sortAndFilterConversation","irid","newVal","oldVal","newConversationId","oldConversationId","getReplies","getHighlight","src_components_conversation_conversation","components_conversation_conversation","-expanded","inline-expanded","collapsable","show-pinned","pinnedStatusIdsObject","in-conversation","in-profile","profile-user-id","goto","TimelineMenu","isOpen","public-timeline","public-external-timeline","tag-timeline","openMenu","timelineName","route","i18nkey","timeline_menu_objectSpread","privateMode","federating","timeline_menu_vue_styles_","timeline_menu_timeline_menu","timeline_menu","Timeline","paused","unfocused","bottomedOut","Conversation","timelineError","showLoadButton","loadButtonString","embedded","footer","excludedStatusIdsObject","getExcludedStatusIdsByPinning","keyBy_default","scrollLoad","handleVisibilityChange","handleShortKey","fetchOlderStatuses","throttle_default","bodyBRect","pageYOffset","doc","clientTop","timeline_vue_styles_","components_timeline_timeline","timeline_timeline","pinned-status-ids-object","PublicTimeline","public_timeline_public_timeline","public_timeline","timeline-name","PublicAndExternalTimeline","public_and_external_timeline_public_and_external_timeline","public_and_external_timeline","FriendsTimeline","friends_timeline_friends_timeline","friends_timeline","TagTimeline","tag_timeline_tag_timeline","tag_timeline","Bookmarks","bookmark_timeline_bookmark_timeline","bookmark_timeline","conversationPage","conversation_page_conversation_page","conversation_page","is-page","getUser","notification_objectSpread","targetUser","targetUserProfileLink","needMute","notification_vue_styles_","components_notification_notification","notification_notification","white-space","Notifications","minimalMode","filterMode","seenToDisplayCount","notifications_objectSpread","mainClass","unseenNotifications","filteredNotifications","unseenCount","unseenCountTitle","notificationsToDisplay","markAsSeen","fetchOlderNotifications","seenCount","notifs","notifications_vue_styles_","components_notifications_notifications","notifications_notifications","minimal","unseen","tabModeDict","likes+repeats","Interactions","onModeSwitch","interactions_interactions","interactions","on-switch","minimal-mode","filter-mode","DMs","dm_timeline_dm_timeline","dm_timeline","htmlTitle","getUserProfileLink","chat_title_vue_styles_","chat_title_chat_title","chat_title","withAvatar","ChatListItem","ChatTitle","chat_list_item_objectSpread","attachmentInfo","messageForStatusContent","isYou","messagePreview","chat_list_item_vue_styles_","chat_list_item_chat_list_item","chat_list_item","chatNew","userIds","chat_new_objectSpread","availableUsers","goBack","goToChat","addUser","selectedUserIds","removeUser","chat_new_vue_styles_","chat_new_chat_new","chat_new","ChatList","List","ChatNew","chat_list_objectSpread","isNew","cancelNewChat","newChat","chat_list_vue_styles_","chat_list_chat_list","chat_list","cancel","chat_message_date","displayDate","today","toLocaleDateString","day","month","chat_message_date_chat_message_date","ChatMessage","ChatMessageDate","chat_message_objectSpread","createdAt","chatViewItem","toLocaleTimeString","hour","minute","hour12","isCurrentUser","author","isMessage","hasAttachment","popoverMarginStyle","hovered","menuOpened","onHover","bool","isHovered","chat_message_vue_styles_","chat_message_chat_message","chat_message","hovered-message-chain","hoveredMessageChain","mouseover","outgoing","incoming","without-attachment","bound-to-selector","full-content","getScrollPosition","Chat","jumpToBottomButtonVisible","hoveredMessageChainId","lastScrollPosition","scrollableContainerHeight","errorLoadingChat","handleLayoutChange","handleScroll","updateScrollableContainerHeight","handleResize","setChatLayout","unsetChatLayout","chat_objectSpread","recipient","formPlaceholder","chatViewItems","streamingEnabled","bottomedOutBeforeUpdate","scrollDown","forceRead","expand","fetchChat","isFirstFetch","onMessageHover","onFilesDropped","inner","_opts$expand","_opts$delayed","_this7$lastScrollPosi","scrollable","diff","scrollTo","_options$behavior","_options$forceRead","isBottomedOut","reachedTop","handleScrollUp","positionBeforeLoading","previousPosition","newPosition","positionAfterLoading","_this8","_ref2$isFirstFetch","_ref2$fetchLatest","fetchLatest","fetchOlderMessages","positionBeforeUpdate","_this9","doStartFetching","_this10","sendMessage","_this11","chat_vue_styles_","src_components_chat_chat","components_chat_chat","with-avatar","chat-view-item","hover","disable-subject","disable-scope-selector","disable-notice","disable-lock-warning","disable-polls","disable-sensitivity-checkbox","disable-submit","disable-preview","post-handler","submit-on-enter","preserve-focus","auto-focus","file-limit","max-height","emoji-picker-placement","FollowCard","isMe","follow_card_vue_styles_","follow_card_follow_card","follow_card","noFollowsYou","label-following","withLoadMore","select","destroy","_ref$childPropName","childPropName","_ref$additionalPropNa","additionalPropNames","WrappedComponent","$props","fetchEntries","newEntries","with_load_more_objectSpread","$listeners","$scopedSlots","helper_default","FollowerList","FriendList","UserProfile","routeParams","stopFetching","isUs","followsTabVisible","followersTabVisible","userNameOrId","loadById","reason","errorMessage","switchUser","onTabSwitch","$route.params.id","$route.params.name","$route.query","TabSwitcher","user_profile_vue_styles_","user_profile_user_profile","user_profile","viewing","allow-zooming-avatar","active-tab","render-only-focused","pinned-status-ids","no-follows-you","Search","searchTerm","hashtags","currenResultTab","newQuery","searchInput","getActiveTab","resultCount","tabName","onResultTabSwitch","lastHistoryRecord","hashtag","search_vue_styles_","components_search_search","search_search","keyup","uses","mixins","validationMixin","fullname","captcha","validations","requiredIf","accountActivationRequired","sameAsPassword","sameAs","signedIn","setCaptcha","registration_objectSpread","bioPlaceholder","isPending","serverValidationErrors","termsOfService","mapActions","captcha_solution","solution","captcha_token","captcha_answer_data","answer_data","$v","$touch","$invalid","cpt","registration_vue_styles_","src_components_registration_registration","components_registration_registration","form-group--error","$error","modifiers","$forceUpdate","autocorrect","autocapitalize","spellcheck","resetPassword","passwordReset","throttled","password_reset_objectSpread","mailerEnabled","passwordResetRequested","dismissError","passwordResetApi","password_reset_vue_styles_","components_password_reset_password_reset","password_reset_password_reset","FollowRequestCard","findFollowRequestNotificationId","notif","notifId","follow_request_card_vue_styles_","FollowRequests","follow_request_card","follow_requests_follow_requests","follow_requests","oac","_this$$store$state$oa","oauth_callback_oauth_callback","oauth_callback","LoginForm","login_form_objectSpread","isPasswordAuth","isTokenAuth","mapMutations","submitToken","submitPassword","_this$oauth","identifier","focusOnPasswordInput","passwordInput","login_form_vue_styles_","login_form_login_form","login_form","mfa","recovery_form","recovery_form_objectSpread","authSettings","mfa_token","mfaApi","mfa_form_recovery_form","totp_form","totp_form_objectSpread","mfa_form_totp_form","AuthForm","is","authForm","auth_form_objectSpread","MFARecoveryForm","MFATOTPForm","chatPanel","currentMessage","collapsed","togglePanel","chat_panel_vue_styles_","chat_panel_chat_panel","chat_panel","floating","chat-heading","WhoToFollow","getWhoToFollow","showWhoToFollow","externalUser","who_to_follow_vue_styles_","who_to_follow_who_to_follow","who_to_follow","InstanceSpecificPanel","instance_specific_panel_instance_specific_panel","instance_specific_panel","FeaturesPanel","pleromaChatMessages","gopher","whoToFollow","mediaProxy","features_panel_vue_styles_","features_panel_features_panel","features_panel","TermsOfServicePanel","terms_of_service_panel_vue_styles_","terms_of_service_panel_terms_of_service_panel","terms_of_service_panel","StaffPanel","staffAccounts","staff_panel_vue_styles_","staff_panel_staff_panel","staff_panel","MRFTransparencyPanel","mrf_transparency_panel_objectSpread","federationPolicy","mrfPolicies","quarantineInstances","acceptInstances","rejectInstances","ftlRemovalInstances","mediaNsfwInstances","mediaRemovalInstances","keywordsFtlRemoval","keywordsReject","keywordsReplace","hasInstanceSpecificPolicies","hasKeywordPolicies","mrf_transparency_panel_vue_styles_","About","mrf_transparency_panel","policy","textContent","pattern","about_vue_styles_","about_about","about","RemoteUserResolver","redirect","hostname","remote_user_resolver_vue_styles_","remote_user_resolver_remote_user_resolver","remote_user_resolver","boot_routes","validateAuthenticatedRoute","routes","_to","beforeEnter","BookmarkTimeline","ConversationPage","dontScroll","Registration","PasswordReset","ChatPanel","OAuthCallback","UserPanel","user_panel_objectSpread","user_panel_vue_styles_","user_panel_user_panel","user_panel","timeline_menu_timeline_menu_objectSpread","NavPanel","nav_panel_objectSpread","onTimelineRoute","timelinesRoute","followRequestCount","nav_panel_vue_styles_","nav_panel_nav_panel","nav_panel","SearchBar","search_bar_vue_styles_","search_bar_search_bar","search_bar","usersToFollow","toFollow","shuffled","shuffle_default","WhoToFollowPanel","oldUser","fill","who_to_follow_panel_vue_styles_","who_to_follow_panel_who_to_follow_panel","who_to_follow_panel","modal","noBackground","modal-background","modal_vue_styles_","modal_modal","panel_loading_vue_styles_","async_component_error_vue_styles_","getResettableAsyncComponent","SettingsModal","Modal","SettingsModalContent","asyncComponent","asyncComponentFactory","resettable_async_component_objectSpread","observe","observable","functional","resetAsyncComponent","retry","delay","closeModal","peekModal","modalOpenedOnce","modalPeeked","settings_modal_vue_styles_","settings_modal_settings_modal","settings_modal","peek","is-open","no-background","touchEventCoord","touches","screenX","screenY","vectorLength","sqrt","dotProduct","v1","v2","project","scalar","GestureService","DIRECTION_LEFT","DIRECTION_RIGHT","DIRECTION_UP","DIRECTION_DOWN","swipeGesture","direction","onSwipe","threshold","perpendicularTolerance","_startPos","_swiping","beginSwipe","gesture","updateSwipe","oldCoord","newCoord","delta","towardsDir","perpendicularDir","towardsPerpendicular","MediaModal","showing","currentMedia","canNavigate","mediaSwipeGestureRight","goPrev","mediaSwipeGestureLeft","goNext","mediaTouchStart","mediaTouchMove","prevIndex","nextIndex","handleKeyupEvent","handleKeydownEvent","media_modal_vue_styles_","media_modal_media_modal","media_modal","backdropClicked","touchmove","SideDrawer","closed","closeGesture","toggleDrawer","side_drawer_objectSpread","unseenNotificationsCount","sitename","doLogout","touchStart","touchMove","side_drawer_vue_styles_","side_drawer_side_drawer","side_drawer","side-drawer-container-closed","side-drawer-container-open","side-drawer-darken-closed","side-drawer-closed","side-drawer-click-outside-closed","HIDDEN_FOR_PAGES","MobilePostStatusButton","scrollingDown","inputActive","oldScrollPos","amountScrolled","activateFloatingPostButtonAutohide","handleOSK","deactivateFloatingPostButtonAutohide","isLoggedIn","isHidden","handleScrollStart","handleScrollEnd","openPostForm","smallPhone","smallPhoneKbOpen","biggerPhoneKbOpen","leading","trailing","mobile_post_status_button_vue_styles_","mobile_post_status_button_mobile_post_status_button","mobile_post_status_button","MobileNav","notificationsCloseGesture","notificationsOpen","closeMobileNotifications","mobile_nav_objectSpread","isChat","toggleMobileSidebar","sideDrawer","openMobileNotifications","notificationsTouchStart","notificationsTouchMove","scrollToTop","_ref$target","mobile_nav_vue_styles_","mobile_nav_mobile_nav","mobile_nav","mobile-hidden","active-class","UserReportingModal","statusIdsToReport","processing","remoteInstance","user_reporting_modal_objectSpread","isChecked","toggleStatus","user_reporting_modal_vue_styles_","user_reporting_modal_user_reporting_modal","user_reporting_modal","PostStatusModal","resettingForm","isFormVisible","post_status_modal_vue_styles_","post_status_modal_post_status_modal","post_status_modal","_b","GlobalNoticeList","notices","closeNotice","global_notice_list_vue_styles_","global_notice_list_global_notice_list","global_notice_list","windowWidth","App","mobileActivePanel","searchBarHidden","supportsMask","updateMobileState","enableMask","logoStyle","logoMaskStyle","mask-image","background-color","logoBgStyle","bgStyle","background-image","bgAppStyle","--body-background-image","isMobileLayout","sidebarAlign","order","onSearchBarToggled","App_vue_styles_","src_App","staticInitialResults","decodeUTF8Base64","TextDecoder","decode","preloadFetch","decoded","requestData","getInstanceConfig","max_toot_chars","vapid_public_key","getBackendProvidedConfig","pleroma_fe","getStaticConfig","_context4","setSettings","apiConfig","staticConfig","overrides","env","copyInstanceOption","_context5","___pleromafe_dev_overrides","___pleromafe_mode","NODE_ENV","staticConfigPreference","getTOS","_context6","getInstancePanel","_context7","getStickers","_context9","resPack","_context8","pack","localeCompare","t1","getAppSecret","_context10","after_store_objectSpread","resolveStaffAccounts","getNodeInfo","metadata","features","uploadLimits","software","priv","federation","_context11","nodeName","openRegistrations","general","fieldsLimits","enabled","web","version","mrf_policies","setConfig","configInfos","_context12","checkOAuthToken","_context14","_context13","afterStoreSetup","_store$state$config","router","_context15","VueRouter","scrollBehavior","_from","savedPosition","matched","currentLocale","use","Vuex","VueI18n","VueChatScroll","VueClickOutside","PortalVue","fallbackLocale","storageError","plugins","persistedState","persistedStateOptions","pushNotifications","Store","interfaceModule","instanceModule","statusesModule","usersModule","apiModule","configModule","chatModule","oauthModule","authFlow","authFlowModule","mediaViewerModule","oauthTokensModule","reportsModule","pollsModule","postStatusModule","chatsModule","strict","process","COMMIT_HASH","DEV_OVERRIDES"],"mappings":"aACA,SAAAA,EAAAC,GAQA,IAPA,IAMAC,EAAAC,EANAC,EAAAH,EAAA,GACAI,EAAAJ,EAAA,GACAK,EAAAL,EAAA,GAIAM,EAAA,EAAAC,EAAA,GACQD,EAAAH,EAAAK,OAAoBF,IAC5BJ,EAAAC,EAAAG,GACAG,EAAAP,IACAK,EAAAG,KAAAD,EAAAP,GAAA,IAEAO,EAAAP,GAAA,EAEA,IAAAD,KAAAG,EACAO,OAAAC,UAAAC,eAAAC,KAAAV,EAAAH,KACAc,EAAAd,GAAAG,EAAAH,IAKA,IAFAe,KAAAhB,GAEAO,EAAAC,QACAD,EAAAU,OAAAV,GAOA,OAHAW,EAAAR,KAAAS,MAAAD,EAAAb,GAAA,IAGAe,IAEA,SAAAA,IAEA,IADA,IAAAC,EACAf,EAAA,EAAiBA,EAAAY,EAAAV,OAA4BF,IAAA,CAG7C,IAFA,IAAAgB,EAAAJ,EAAAZ,GACAiB,GAAA,EACAC,EAAA,EAAkBA,EAAAF,EAAAd,OAA2BgB,IAAA,CAC7C,IAAAC,EAAAH,EAAAE,GACA,IAAAf,EAAAgB,KAAAF,GAAA,GAEAA,IACAL,EAAAQ,OAAApB,IAAA,GACAe,EAAAM,IAAAC,EAAAN,EAAA,KAIA,OAAAD,EAIA,IAAAQ,EAAA,GAGAC,EAAA,CACAC,EAAA,GAMAtB,EAAA,CACAsB,EAAA,GAGAb,EAAA,GAQA,SAAAS,EAAA1B,GAGA,GAAA4B,EAAA5B,GACA,OAAA4B,EAAA5B,GAAA+B,QAGA,IAAAC,EAAAJ,EAAA5B,GAAA,CACAK,EAAAL,EACAiC,GAAA,EACAF,QAAA,IAUA,OANAjB,EAAAd,GAAAa,KAAAmB,EAAAD,QAAAC,IAAAD,QAAAL,GAGAM,EAAAC,GAAA,EAGAD,EAAAD,QAKAL,EAAAQ,EAAA,SAAAjC,GACA,IAAAkC,EAAA,GAKAN,EAAA5B,GAAAkC,EAAA1B,KAAAoB,EAAA5B,IACA,IAAA4B,EAAA5B,IAFA,CAAoBmC,EAAA,EAAAC,EAAA,GAEpBpC,IACAkC,EAAA1B,KAAAoB,EAAA5B,GAAA,IAAAqC,QAAA,SAAAC,EAAAC,GAIA,IAHA,IAAAC,EAAA,kBAAmCxC,OAAA,KAA6BmC,EAAA,uBAAAC,EAAA,uBAAAK,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,wBAAoyBnE,GAAA,OACp2BoE,EAAA3C,EAAA4C,EAAA7B,EACA8B,EAAAC,SAAAC,qBAAA,QACApE,EAAA,EAAmBA,EAAAkE,EAAAhE,OAA6BF,IAAA,CAChD,IACAqE,GADAC,EAAAJ,EAAAlE,IACAuE,aAAA,cAAAD,EAAAC,aAAA,QACA,kBAAAD,EAAAE,MAAAH,IAAAjC,GAAAiC,IAAAL,GAAA,OAAA9B,IAEA,IAAAuC,EAAAN,SAAAC,qBAAA,SACA,IAAApE,EAAA,EAAmBA,EAAAyE,EAAAvE,OAA8BF,IAAA,CACjD,IAAAsE,EAEA,IADAD,GADAC,EAAAG,EAAAzE,IACAuE,aAAA,gBACAnC,GAAAiC,IAAAL,EAAA,OAAA9B,IAEA,IAAAwC,EAAAP,SAAAQ,cAAA,QACAD,EAAAF,IAAA,aACAE,EAAAE,KAAA,WACAF,EAAAG,OAAA3C,EACAwC,EAAAI,QAAA,SAAAC,GACA,IAAAC,EAAAD,KAAAE,QAAAF,EAAAE,OAAAC,KAAAlB,EACAmB,EAAA,IAAAC,MAAA,qBAAAxF,EAAA,cAAAoF,EAAA,KACAG,EAAAH,iBACAxD,EAAA5B,GACA8E,EAAAW,WAAAC,YAAAZ,GACAvC,EAAAgD,IAEAT,EAAAtC,KAAA4B,EAEAG,SAAAC,qBAAA,WACAmB,YAAAb,KACKc,KAAA,WACLhE,EAAA5B,GAAA,KAMA,IAAA6F,EAAAtF,EAAAP,GACA,OAAA6F,EAGA,GAAAA,EACA3D,EAAA1B,KAAAqF,EAAA,QACK,CAEL,IAAAC,EAAA,IAAAzD,QAAA,SAAAC,EAAAC,GACAsD,EAAAtF,EAAAP,GAAA,CAAAsC,EAAAC,KAEAL,EAAA1B,KAAAqF,EAAA,GAAAC,GAGA,IACAC,EADAC,EAAAzB,SAAAQ,cAAA,UAGAiB,EAAAC,QAAA,QACAD,EAAAE,QAAA,IACAzE,EAAA0E,IACAH,EAAAI,aAAA,QAAA3E,EAAA0E,IAEAH,EAAAV,IAlGA,SAAAtF,GACA,OAAAyB,EAAA4C,EAAA,iBAAoDrE,OAAA,KAA6BmC,EAAA,uBAAAC,EAAA,uBAAAK,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,EAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,uBAAAC,GAAA,wBAAoyBnE,GAAA,MAiGr3BqG,CAAArG,GAGA,IAAAsG,EAAA,IAAAd,MACAO,EAAA,SAAAZ,GAEAa,EAAAd,QAAAc,EAAAf,OAAA,KACAsB,aAAAL,GACA,IAAAM,EAAAjG,EAAAP,GACA,OAAAwG,EAAA,CACA,GAAAA,EAAA,CACA,IAAAC,EAAAtB,IAAA,SAAAA,EAAAH,KAAA,UAAAG,EAAAH,MACA0B,EAAAvB,KAAAE,QAAAF,EAAAE,OAAAC,IACAgB,EAAAK,QAAA,iBAAA3G,EAAA,cAAAyG,EAAA,KAAAC,EAAA,IACAJ,EAAAtB,KAAAyB,EACAH,EAAAlB,QAAAsB,EACAF,EAAA,GAAAF,GAEA/F,EAAAP,QAAA4G,IAGA,IAAAV,EAAAW,WAAA,WACAd,EAAA,CAAwBf,KAAA,UAAAK,OAAAW,KAClB,MACNA,EAAAd,QAAAc,EAAAf,OAAAc,EACAxB,SAAAuC,KAAAnB,YAAAK,GAGA,OAAA3D,QAAA0E,IAAA7E,IAIAT,EAAAuF,EAAAnG,EAGAY,EAAAwF,EAAAtF,EAGAF,EAAAyF,EAAA,SAAApF,EAAAqF,EAAAC,GACA3F,EAAA4F,EAAAvF,EAAAqF,IACA1G,OAAA6G,eAAAxF,EAAAqF,EAAA,CAA0CI,YAAA,EAAAC,IAAAJ,KAK1C3F,EAAAgG,EAAA,SAAA3F,GACA,oBAAA4F,eAAAC,aACAlH,OAAA6G,eAAAxF,EAAA4F,OAAAC,YAAA,CAAwDC,MAAA,WAExDnH,OAAA6G,eAAAxF,EAAA,cAAiD8F,OAAA,KAQjDnG,EAAAoG,EAAA,SAAAD,EAAAE,GAEA,GADA,EAAAA,IAAAF,EAAAnG,EAAAmG,IACA,EAAAE,EAAA,OAAAF,EACA,KAAAE,GAAA,iBAAAF,QAAAG,WAAA,OAAAH,EACA,IAAAI,EAAAvH,OAAAwH,OAAA,MAGA,GAFAxG,EAAAgG,EAAAO,GACAvH,OAAA6G,eAAAU,EAAA,WAAyCT,YAAA,EAAAK,UACzC,EAAAE,GAAA,iBAAAF,EAAA,QAAAM,KAAAN,EAAAnG,EAAAyF,EAAAc,EAAAE,EAAA,SAAAA,GAAgH,OAAAN,EAAAM,IAAqBC,KAAA,KAAAD,IACrI,OAAAF,GAIAvG,EAAA2G,EAAA,SAAArG,GACA,IAAAqF,EAAArF,KAAAgG,WACA,WAA2B,OAAAhG,EAAA,SAC3B,WAAiC,OAAAA,GAEjC,OADAN,EAAAyF,EAAAE,EAAA,IAAAA,GACAA,GAIA3F,EAAA4F,EAAA,SAAAgB,EAAAC,GAAsD,OAAA7H,OAAAC,UAAAC,eAAAC,KAAAyH,EAAAC,IAGtD7G,EAAA4C,EAAA,IAGA5C,EAAA8G,GAAA,SAAAhD,GAA8D,MAApBiD,QAAAlC,MAAAf,GAAoBA,GAE9D,IAAAkD,EAAAC,OAAA,aAAAA,OAAA,iBACAC,EAAAF,EAAAjI,KAAA2H,KAAAM,GACAA,EAAAjI,KAAAX,EACA4I,IAAAG,QACA,QAAAxI,EAAA,EAAgBA,EAAAqI,EAAAnI,OAAuBF,IAAAP,EAAA4I,EAAArI,IACvC,IAAAU,EAAA6H,EAIA3H,EAAAR,KAAA,SAEAU,uiBCpQA,IAyBa2H,EAAY,SAAC/I,GACxB,IAAMgJ,EAAS,GACTC,EAAQjJ,EAAKa,eAAe,QAE5BqI,EAAaD,IAAUjJ,EAAKa,eAAe,UAIjD,GAFAmI,EAAOG,GAAKC,OAAOpJ,EAAKmJ,IAEpBF,EAAO,CAKT,GAJAD,EAAOK,YAAcrJ,EAAKsJ,KAC1BN,EAAOO,sBAAwBvJ,EAAKwJ,IAGhCN,EACF,OAAOF,EAkCT,GA/BAA,EAAO3B,KAAOrH,EAAKyJ,aACnBT,EAAOU,UAAYC,EAAUC,IAAO5J,EAAKyJ,cAAezJ,EAAK6J,QAE7Db,EAAOc,YAAc9J,EAAK+J,KAC1Bf,EAAOgB,iBAAmBL,EAAU3J,EAAK+J,KAAM/J,EAAK6J,QAEpDb,EAAOiB,OAASjK,EAAKiK,OACrBjB,EAAOkB,YAAclK,EAAKiK,OAAOE,IAAI,SAAAC,GACnC,MAAO,CACL/C,KAAMsC,EAAUS,EAAM/C,KAAMrH,EAAK6J,QACjC/B,MAAO6B,EAAUS,EAAMtC,MAAO9H,EAAK6J,WAGvCb,EAAOqB,YAAcrK,EAAKiK,OAAOE,IAAI,SAAAC,GACnC,MAAO,CACL/C,KAAMiD,SAASF,EAAM/C,KAAKkD,QAAQ,WAAY,KAC9CzC,MAAOwC,SAASF,EAAMtC,MAAMyC,QAAQ,WAAY,QAKpDvB,EAAOwB,kBAAoBxK,EAAKyK,OAChCzB,EAAO0B,2BAA6B1K,EAAKyK,OAGzCzB,EAAO2B,YAAc3K,EAAK4K,OAE1B5B,EAAO6B,cAAgB7K,EAAK8K,gBAE5B9B,EAAO+B,IAAM/K,EAAK+K,IAEd/K,EAAKgL,QAAS,CAChB,IAAMC,EAAejL,EAAKgL,QAAQC,aAElCjC,EAAOkC,iBAAmBlL,EAAKgL,QAAQE,iBACvClC,EAAOmC,QAAUnL,EAAKgL,QAAQG,QAC9BnC,EAAOoC,MAAQpL,EAAKgL,QAAQK,WAExBJ,IACFjC,EAAOiC,aAAeA,GAGxBjC,EAAOsC,qBAAuBtL,EAAKgL,QAAQM,qBAE3CtC,EAAOuC,aAAevL,EAAKgL,QAAQO,aACnCvC,EAAOwC,eAAiBxL,EAAKgL,QAAQQ,eACrCxC,EAAOyC,mBAAqBzL,EAAKgL,QAAQS,mBACzCzC,EAAO0C,qBAAuB1L,EAAKgL,QAAQU,qBAE3C1C,EAAO2C,OAAS,CACdC,UAAW5L,EAAKgL,QAAQa,aACxBC,MAAO9L,EAAKgL,QAAQe,UAGlB/C,EAAO2C,OAAOG,MAChB9C,EAAOgD,KAAO,QACLhD,EAAO2C,OAAOC,UACvB5C,EAAOgD,KAAO,YAEdhD,EAAOgD,KAAO,SAIdhM,EAAKiM,SACPjD,EAAOc,YAAc9J,EAAKiM,OAAOlC,KACjCf,EAAOkD,cAAgBlM,EAAKiM,OAAOE,QACnCnD,EAAOiB,OAASjK,EAAKiM,OAAOhC,OACxBjK,EAAKiM,OAAOjB,UACdhC,EAAOoD,aAAepM,EAAKiM,OAAOjB,QAAQoB,aAC1CpD,EAAOqD,UAAYrM,EAAKiM,OAAOjB,QAAQqB,UACvCrD,EAAOsD,aAAetM,EAAKiM,OAAOjB,QAAQsB,eAK9CtD,EAAOuD,UAAYvD,EAAOK,YAAYmD,SAAS,UAE/CxD,EAAOK,YAAcrJ,EAAKqJ,YAE1BL,EAAO3B,KAAOrH,EAAKqH,KACnB2B,EAAOU,UAAY1J,EAAK0J,UAExBV,EAAOc,YAAc9J,EAAK8J,YAC1Bd,EAAOgB,iBAAmBhK,EAAKgK,iBAE/BhB,EAAOwB,kBAAoBxK,EAAKwK,kBAChCxB,EAAO0B,2BAA6B1K,EAAK0K,2BAEzC1B,EAAO2B,YAAc3K,EAAK2K,YAE1B3B,EAAO6B,cAAgB7K,EAAK6K,cAI5B7B,EAAOO,sBAAwBvJ,EAAKuJ,sBAEpCP,EAAOuD,SAAWvM,EAAKuM,SACvBvD,EAAOgD,KAAOhM,EAAKgM,KACnBhD,EAAOqD,UAAYrM,EAAKqM,UAEpBrM,EAAK2L,SACP3C,EAAO2C,OAAS,CACdC,UAAW5L,EAAK2L,OAAOc,qBACvBX,MAAO9L,EAAK2L,OAAOG,QAGvB9C,EAAOoD,aAAepM,EAAKoM,aAC3BpD,EAAOkD,cAAgBlM,EAAKkM,cAC5BlD,EAAOuC,aAAevL,EAAKuL,aAC3BvC,EAAOwC,eAAiBxL,EAAKwL,eAC7BxC,EAAOyC,mBAAqBzL,EAAKyL,mBACjCzC,EAAO0C,qBAAuB1L,EAAK0L,qBACnC1C,EAAOkC,iBAAmBlL,EAAKkL,iBAE/BlC,EAAOoC,MAAQpL,EAAKoL,MAGpBpC,EAAOiC,aAAe,CACpByB,OAAQ1M,EAAK2M,MACbC,SAAU5M,EAAK6M,mBACfC,YAAa9M,EAAK+M,YAClBC,UAAWhN,EAAKgN,WA0BpB,OAtBAhE,EAAOiE,WAAa,IAAIC,KAAKlN,EAAKiN,YAClCjE,EAAOmE,OAASnN,EAAKmN,OACrBnE,EAAOoE,gBAAkBpN,EAAKoN,gBAC9BpE,EAAOqE,eAAiBrN,EAAKqN,eAC7BrE,EAAOsE,UAAY,GACnBtE,EAAOuE,YAAc,GACrBvE,EAAOwE,gBAAkB,GAErBxN,EAAKgL,UACPhC,EAAOyE,qBAAuBzN,EAAKgL,QAAQyC,qBAE3CzE,EAAO0E,KAAO1N,EAAKgL,QAAQ0C,KAC3B1E,EAAO2E,YAAc3N,EAAKgL,QAAQ2C,YAElC3E,EAAO4E,sBAAwB5N,EAAKgL,QAAQ4C,sBAC5C5E,EAAO6E,kBAAoB7N,EAAKgL,QAAQ6C,mBAG1C7E,EAAO0E,KAAO1E,EAAO0E,MAAQ,GAC7B1E,EAAO2C,OAAS3C,EAAO2C,QAAU,GACjC3C,EAAO4E,sBAAwB5E,EAAO4E,uBAAyB,GAExD5E,GAGI8E,EAAkB,SAAC9N,GAC9B,IAAMgJ,EAAS,GAiBf,OAhBehJ,EAAKa,eAAe,WAIjCmI,EAAO+E,SAAW/N,EAAKgL,QAAUhL,EAAKgL,QAAQgD,UAAYhO,EAAKkF,KAC/D8D,EAAOiF,KAAOjO,EAAKiO,KACnBjF,EAAOG,GAAKnJ,EAAKmJ,IAEjBH,EAAO+E,SAAW/N,EAAK+N,SAIzB/E,EAAOQ,IAAMxJ,EAAKwJ,IAClBR,EAAOkF,gBAAkBlO,EAAKmO,YAC9BnF,EAAOc,YAAc9J,EAAK8J,YAEnBd,GAEIW,EAAY,SAACyE,EAAQvE,GAChC,IAAMwE,EAAsB,uBAC5B,OAAOxE,EAAOyE,OAAO,SAACC,EAAKC,GACzB,IAAMC,EAAqBD,EAAME,UAAUnE,QAAQ8D,EAAqB,QACxE,OAAOE,EAAIhE,QACT,IAAIoE,OAAJ,IAAAC,OAAeH,EAAf,KAAsC,KADjC,aAAAG,OAEQJ,EAAMhF,IAFd,YAAAoF,OAE4BJ,EAAME,UAFlC,eAAAE,OAEyDJ,EAAME,UAF/D,yBAINN,IAGQS,EAAc,SAAdA,EAAe7O,GAC1B,IAhOyB8O,EAgOnB9F,EAAS,GACTC,EAAQjJ,EAAKa,eAAe,WAElC,GAAIoI,EAAO,CAgBT,GAfAD,EAAO+F,UAAY/O,EAAKgP,WACxBhG,EAAOiG,SAAWjP,EAAKkP,iBAEvBlG,EAAOmG,SAAWnP,EAAKoP,UACvBpG,EAAOqG,WAAarP,EAAKsP,cAEzBtG,EAAOuG,WAAavP,EAAKuP,WAEzBvG,EAAO9D,KAAOlF,EAAKwP,OAAS,UAAY,SACxCxG,EAAOyG,KAAOzP,EAAK0P,UAEnB1G,EAAO2G,eAAiBhG,EAAU3J,EAAK4P,QAAS5P,EAAK6J,QAErDb,EAAO0E,KAAO1N,EAAK0N,KAEf1N,EAAKgL,QAAS,KACRA,EAAYhL,EAAZgL,QACRhC,EAAO6G,KAAO7E,EAAQ4E,QAAU5P,EAAKgL,QAAQ4E,QAAQ,cAAgB5P,EAAK4P,QAC1E5G,EAAO8G,QAAU9E,EAAQ+E,aAAe/P,EAAKgL,QAAQ+E,aAAa,cAAgB/P,EAAK+P,aACvF/G,EAAOgH,0BAA4BhQ,EAAKgL,QAAQiF,gBAChDjH,EAAOuD,SAAWvB,EAAQkF,MAC1BlH,EAAOmH,wBAA0BnQ,EAAKgL,QAAQoF,yBAC9CpH,EAAOqH,aAAerF,EAAQqF,aAC9BrH,EAAOsH,gBAAkBtF,EAAQsF,gBACjCtH,EAAOuH,oBAA4CzJ,IAA3BkE,EAAQuF,gBAAsCvF,EAAQuF,oBAE9EvH,EAAO6G,KAAO7P,EAAK4P,QACnB5G,EAAO8G,QAAU9P,EAAK+P,aAGxB/G,EAAOwH,sBAAwBxQ,EAAKyQ,eACpCzH,EAAO0H,oBAAsB1Q,EAAK2Q,uBAClC3H,EAAO4H,cAAgB5Q,EAAK4Q,cAER,YAAhB5H,EAAO9D,OACT8D,EAAO6H,iBAAmBhC,EAAY7O,EAAKwP,SAG7CxG,EAAO8H,aAAenH,EAAUC,IAAO5J,EAAK+P,cAAe/P,EAAK6J,QAChEb,EAAO+H,aAAe/Q,EAAKwJ,IAC3BR,EAAOgI,KAAOhR,EAAKgR,KACfhI,EAAOgI,OACThI,EAAOgI,KAAKC,SAAWjI,EAAOgI,KAAKC,SAAW,IAAI9G,IAAI,SAAAC,GAAK,oWAAA8G,CAAA,GACtD9G,EADsD,CAEzD+G,WAAYxH,EAAUS,EAAMgH,MAAOpR,EAAK6J,aAG5Cb,EAAOqI,OAASrR,EAAKqR,OACrBrI,EAAO2D,MAAQ3M,EAAK2M,WAEpB3D,EAAO+F,UAAY/O,EAAK+O,UACxB/F,EAAOiG,SAAWjP,EAAKiP,SAEvBjG,EAAOmG,SAAWnP,EAAKmP,SACvBnG,EAAOqG,WAAarP,EAAKqP,WAKzBrG,EAAO9D,MA/RgB4J,EA+RS9O,GA9RvBsR,aACF,SAGLxC,EAAO+B,iBACF,UAGkB,iBAAf/B,EAAOyC,KAAoBzC,EAAOyC,IAAIC,MAAM,gCAC5B,iBAAhB1C,EAAOe,MAAqBf,EAAOe,KAAK2B,MAAM,aACjD,WAGL1C,EAAOe,KAAK2B,MAAM,yBAA2B1C,EAAO2C,sBAC/C,WAGL3C,EAAOe,KAAK2B,MAAM,sBAAiD,WAAzB1C,EAAO4C,cAC5C,SAGF,eA2Qa5K,IAAd9G,EAAKyP,MACPzG,EAAOyG,KAAOkC,EAAO3R,GACjBA,EAAK6Q,mBACP7H,EAAOyG,KAAOzP,EAAK6Q,iBAAiBpB,OAGtCzG,EAAOyG,KAAOzP,EAAKyP,KAGrBzG,EAAO2G,eAAiB3P,EAAK2P,eAC7B3G,EAAO6G,KAAO7P,EAAK6P,KAEnB7G,EAAOwH,sBAAwBxQ,EAAKwQ,sBACpCxH,EAAO0H,oBAAsB1Q,EAAK0Q,oBAClC1H,EAAOmH,wBAA0BnQ,EAAKmQ,wBACtCnH,EAAOgH,0BAA4BhQ,EAAKgQ,0BAEpB,YAAhBhH,EAAO9D,OACT8D,EAAO6H,iBAAmBhC,EAAY7O,EAAK6Q,mBAG7C7H,EAAO8G,QAAU9P,EAAK8P,QACtB9G,EAAO8H,aAAe9Q,EAAK8Q,aAC3B9H,EAAO+H,aAAe/Q,EAAK+Q,aAC3B/H,EAAOuD,SAAWvM,EAAKuM,SAGzBvD,EAAOG,GAAKC,OAAOpJ,EAAKmJ,IACxBH,EAAO4I,WAAa5R,EAAK4R,WACzB5I,EAAO6I,KAAO7R,EAAK6R,KACnB7I,EAAOiE,WAAa,IAAIC,KAAKlN,EAAKiN,YAGlCjE,EAAOwH,sBAAwBxH,EAAOwH,sBAClCpH,OAAOJ,EAAOwH,uBACd,KACJxH,EAAO0H,oBAAsB1H,EAAO0H,oBAChCtH,OAAOJ,EAAO0H,qBACd,KAEJ1H,EAAO8I,KAAO/I,EAAUE,EAAQjJ,EAAK+R,QAAU/R,EAAK8R,MAEpD9I,EAAOgJ,aAAe/I,EAAQjJ,EAAKiS,SAAWjS,EAAKgS,aAAe,IAAI7H,IAAIpB,GAE1EC,EAAOkJ,cAAgBjJ,EAAQjJ,EAAKmS,kBAAoBnS,EAAKkS,cAAgB,IAC1E/H,IAAI2D,GAEP,IAAMsE,EAAkBnJ,EAAQjJ,EAAKwP,OAASxP,EAAK6Q,iBAQnD,OAPIuB,IACFpJ,EAAO6H,iBAAmBhC,EAAYuD,IAGxCpJ,EAAOqJ,YAAc,GACrBrJ,EAAOsJ,YAAc,GAEdtJ,GAGIuJ,EAAoB,SAACvS,GAChC,IAKMgJ,EAAS,GAEf,IAHehJ,EAAKa,eAAe,SAIjCmI,EAAO9D,KARS,CAChBsN,UAAa,OACbhD,OAAU,UAMcxP,EAAKkF,OAASlF,EAAKkF,KAC3C8D,EAAOyJ,KAAOzS,EAAKgL,QAAQ0H,QAC3B1J,EAAO8F,OAAS6D,YAAqB3J,EAAO9D,MAAQ2J,EAAY7O,EAAK8O,QAAU,KAC/E9F,EAAO4J,OAAS5J,EAAO8F,OACvB9F,EAAOzD,OAAyB,SAAhByD,EAAO9D,KACnB,KACA6D,EAAU/I,EAAKuF,QACnByD,EAAO6J,aAAe9J,EAAU/I,EAAK+R,SACrC/I,EAAOwF,MAAQxO,EAAKwO,UACf,CACL,IAAMsE,EAAejE,EAAY7O,EAAK+S,QACtC/J,EAAO9D,KAAOlF,EAAKgT,MACnBhK,EAAOyJ,KAAOQ,QAAQjT,EAAK0S,SAC3B1J,EAAO8F,OAAyB,SAAhB9F,EAAO9D,KACnB2J,EAAY7O,EAAK+S,OAAOG,kBACxBJ,EACJ9J,EAAO4J,OAASE,EAChB9J,EAAO6J,aAA+B,yBAAhB7J,EAAO9D,KAAkC6D,EAAU/I,EAAK+R,SAAWhJ,EAAU/I,EAAK6S,cAM1G,OAHA7J,EAAOiE,WAAa,IAAIC,KAAKlN,EAAKiN,YAClCjE,EAAOG,GAAKgK,SAASnT,EAAKmJ,IAEnBH,GAGH2I,EAAS,SAAC7C,GAEd,OAAQA,EAAOpB,MAAQ,IAAIlB,SAAS,YAAcsC,EAAOe,MAAQ,IAAI2B,MADnD,WAIP4B,EAA4B,SAACC,GAA0B,IAC5DC,GAD4DC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAP,IACtCD,QACfE,EAAmBC,IAAgBJ,GACzC,GAAKG,EAAL,CACA,IAAME,EAAQF,EAAiBG,KAAKC,OAC9BC,EAAQL,EAAiBM,KAAKC,OAEpC,MAAO,CACLL,MAAOJ,EAAUI,EAAQP,SAASO,EAAO,IACzCG,MAAOP,EAAUO,EAAQV,SAASU,EAAO,OAIhCG,EAAY,SAACC,GACxB,IAAMjL,EAAS,GAMf,OALAA,EAAOG,GAAK8K,EAAK9K,GACjBH,EAAO+I,QAAUhJ,EAAUkL,EAAKlC,SAChC/I,EAAOkL,OAASD,EAAKC,OACrBlL,EAAOmL,YAAcC,EAAiBH,EAAKI,cAC3CrL,EAAOsL,WAAa,IAAIpH,KAAK+G,EAAKK,YAC3BtL,GAGIoL,EAAmB,SAACvN,GAC/B,GAAKA,EAAL,CACA,GAAIA,EAAQ0N,aAAgB,OAAO1N,EACnC,IAAMmC,EAASnC,EAef,OAdAmC,EAAOG,GAAKtC,EAAQsC,GACpBH,EAAOiE,WAAa,IAAIC,KAAKrG,EAAQoG,YACrCjE,EAAOwL,QAAU3N,EAAQ2N,QACrB3N,EAAQ+I,QACV5G,EAAO4G,QAAUjG,EAAU9C,EAAQ+I,QAAS/I,EAAQgD,QAEpDb,EAAO4G,QAAU,GAEf/I,EAAQ4N,WACVzL,EAAOkJ,YAAc,CAACpE,EAAgBjH,EAAQ4N,aAE9CzL,EAAOkJ,YAAc,GAEvBlJ,EAAOuL,cAAe,EACfvL,2nBC7aF,IASM0L,EAAU,SAAC/M,EAAGgN,EAAGC,GAC5B,GAAIjN,QAAJ,CAIA,GAAa,MAATA,EAAE,IAAoB,gBAANA,EAClB,OAAOA,EAET,GAAiB,WAAbkN,IAAOlN,GAAgB,KAAAmN,EACVnN,EAAZA,EADsBmN,EACtBnN,EAAGgN,EADmBG,EACnBH,EAAGC,EADgBE,EAChBF,EATuB,IAAAG,EAWtB,CAACpN,EAAGgN,EAAGC,GAAGzK,IAAI,SAAA6K,GAIxB,OADAA,GADAA,GADAA,EAAMC,KAAKC,KAAKF,IACJ,EAAI,EAAIA,GACR,IAAM,IAAMA,IAdQG,EAAAC,IAAAL,EAAA,GAiBlC,OANCpN,EAXiCwN,EAAA,GAW9BR,EAX8BQ,EAAA,GAW3BP,EAX2BO,EAAA,GAiBlC,IAAAvG,SAAa,GAAK,KAAOjH,GAAK,KAAOgN,GAAK,GAAKC,GAAGS,SAAS,IAAIvM,MAAM,MA8BjEwM,EAAe,SAACC,GACpB,MAAO,MAAMC,MAAM,IAAIlH,OAAO,SAACC,EAAKpH,GAAoC,OAA5BoH,EAAIpH,GAnBjC,SAACsO,GAKhB,IAAMtO,EAAIsO,EAAM,IAChB,OAAItO,EAAI,OACCA,EAAI,MAEJ8N,KAAKS,KAAKvO,EAAI,MAAS,MAAO,KAUcwO,CAASJ,EAAKpO,IAAYoH,GAAO,KAW3EqH,EAAoB,SAACL,GAAS,IAAAM,EACrBP,EAAaC,GACjC,MAAO,MAFkCM,EACjClO,EACY,MAFqBkO,EAC9BlB,EACsB,MAFQkB,EAC3BjB,GAYHkB,EAAmB,SAACC,EAAGnB,GAClC,IAAMoB,EAAKJ,EAAkBG,GACvBE,EAAKL,EAAkBhB,GAFWsB,EAGvBF,EAAKC,EAAK,CAACD,EAAIC,GAAM,CAACA,EAAID,GAHHG,EAAAf,IAAAc,EAAA,GAKxC,OALwCC,EAAA,GAK3B,MAL2BA,EAAA,GAKb,MAUhBC,EAAyB,SAACvG,EAAMwG,EAAQC,GACnD,OAAOR,EAAiBS,EAAiBD,EAASD,GAASxG,IAWhD2G,EAAa,SAACC,EAAIC,EAAKC,GAClC,OAAY,IAARD,QAA4B,IAARA,EAA4BD,EAC7C,MAAMjB,MAAM,IAAIlH,OAAO,SAACC,EAAKpH,GAIlC,OADAoH,EAAIpH,GAAMsP,EAAGtP,GAAKuP,EAAMC,EAAGxP,IAAM,EAAIuP,GAC9BnI,GACN,KASQgI,EAAmB,SAACD,EAASD,GAAV,OAAqBA,EAAO/H,OAAO,SAACC,EAADqI,GAA2B,IAAAC,EAAAzB,IAAAwB,EAAA,GAApBE,EAAoBD,EAAA,GAAbE,EAAaF,EAAA,GAC5F,OAAOL,EAAWM,EAAOC,EAASxI,IACjC+H,IAeUU,EAAU,SAACC,GACtB,IAAM5V,EAAS,4CAA4C6V,KAAKD,GAChE,OAAO5V,EAAS,CACdsG,EAAGwL,SAAS9R,EAAO,GAAI,IACvBsT,EAAGxB,SAAS9R,EAAO,GAAI,IACvBuT,EAAGzB,SAAS9R,EAAO,GAAI,KACrB,MAUO8V,EAAS,SAACpB,EAAGnB,GACxB,MAAO,MAAMY,MAAM,IAAIlH,OAAO,SAACC,EAAK6I,GAElC,OADA7I,EAAI6I,IAAMrB,EAAEqB,GAAKxC,EAAEwC,IAAM,EAClB7I,GACN,KAQQ8I,EAAW,SAAUC,GAChC,cAAA1I,OAAeqG,KAAKsC,MAAMD,EAAK3P,GAA/B,MAAAiH,OAAsCqG,KAAKsC,MAAMD,EAAK3C,GAAtD,MAAA/F,OAA6DqG,KAAKsC,MAAMD,EAAK1C,GAA7E,MAAAhG,OAAoF0I,EAAKvB,EAAzF,MAaWyB,EAAe,SAAUb,EAAI9G,EAAM4H,GAG9C,GAFiB3B,EAAiBa,EAAI9G,GAEvB,IAAK,CAClB,IAAM6H,OAAyB,IAAX7H,EAAKkG,EAAoB,CAAEA,EAAGlG,EAAKkG,GAAM,GACvD1U,EAASV,OAAOgX,OAAOD,EAAME,0BAAgB/H,GAAMgI,KACzD,OAAKJ,GAAY3B,EAAiBa,EAAItV,GAAU,IAEvCyW,wBAAcnB,EAAI9G,GAAMgI,IAG1BxW,EAET,OAAOwO,GAUIkI,EAAc,SAACC,EAAOjC,GACjC,IAAI8B,EAAM,GACV,GAAqB,WAAjBhD,IAAOmD,GACTH,EAAMG,OACD,GAAqB,iBAAVA,EAAoB,CACpC,IAAIA,EAAMC,WAAW,KAGnB,OAAOD,EAFPH,EAAMb,EAAQgB,GAKlB,OAAOX,+VAAQnG,CAAA,GAAM2G,EAAN,CAAW9B,wWC1NrB,SAASmC,EAAiBC,EAAYC,EAAMnH,EAASoH,GAC1DC,KAAKjR,KAAO,kBACZiR,KAAKH,WAAaA,EAClBG,KAAKzR,QAAUsR,EAAa,OAASI,MAAQA,KAAKC,UAAYD,KAAKC,UAAUJ,GAAQA,GACrFE,KAAK9R,MAAQ4R,EACbE,KAAKrH,QAAUA,EACfqH,KAAKD,SAAWA,EAEZ3S,MAAM+S,mBACR/S,MAAM+S,kBAAkBH,MAG5BJ,EAAgBtX,UAAYD,OAAOwH,OAAOzC,MAAM9E,WAChDsX,EAAgBtX,UAAU8X,YAAcR,EAEjC,IAAMS,EAAb,SAAAC,GACE,SAAAD,EAAanS,GAAO,IAAAqS,EChBUC,EDgBVC,IAAAT,KAAAK,GAClBE,EAAAG,IAAAV,KAAAW,IAAAN,GAAA7X,KAAAwX,OACI5S,MAAM+S,mBACR/S,MAAM+S,kBAANS,IAAAL,IAGF,IASE,GAPqB,iBAAVrS,IACTA,EAAQ+R,KAAKY,MAAM3S,IACT3F,eAAe,WACvB2F,EAAQ+R,KAAKY,MAAM3S,EAAMA,QAIR,WAAjB4S,IAAO5S,GAAoB,CAC7B,IAAM6S,EAAgBd,KAAKY,MAAM3S,EAAMA,OAMnC6S,EAAcC,QAChBD,EAAcE,SAAWF,EAAcC,aAChCD,EAAcC,OAGvBT,EAAKhS,SC3CmBiS,ED2CMO,EC1C7B1Y,OAAO6Y,QAAQV,GAAQxK,OAAO,SAACmL,EAADvD,GAAoB,IAAAC,EAAAuD,IAAAxD,EAAA,GAAZkB,EAAYjB,EAAA,GACnDtP,EADmDsP,EAAA,GACrC7H,OAAO,SAACC,EAAK1H,GAE7B,OAAO0H,EAAM,CADHoL,IAAWvC,EAAE7M,QAAQ,KAAM,MAClB1D,GAAS+S,KAAK,KAAO,MACvC,IACH,SAAAhL,OAAAiL,IAAWJ,GAAX,CAAiB5S,KAChB,UDsCGgS,EAAKhS,QAAUL,EAEjB,MAAOrE,GAEP0W,EAAKhS,QAAUL,EAjCC,OAAAqS,EADtB,OAAAiB,IAAAnB,EAAAC,GAAAD,EAAA,CAAAoB,IAAuCrU,sqBEZvC,IAMMsU,EAAuB,SAACC,EAAYC,GAAb,kCAAAtL,OAAmDqL,EAAnD,sBAAArL,OAAkFsL,IAmBzGC,EAAoC,SAAAhR,GAAE,+BAAAyF,OAA6BzF,EAA7B,aACtCiR,EAAwB,SAAAjR,GAAE,0BAAAyF,OAAwBzF,EAAxB,eAC1BkR,EAA0B,SAAAlR,GAAE,0BAAAyF,OAAwBzF,EAAxB,iBAC5BmR,EAAuB,SAAAnR,GAAE,0BAAAyF,OAAwBzF,EAAxB,YACzBoR,EAAyB,SAAApR,GAAE,0BAAAyF,OAAwBzF,EAAxB,cAgB3BqR,EAA6B,SAAArR,GAAE,0BAAAyF,OAAwBzF,EAAxB,cAC/BsR,EAA4B,SAAA7V,GAAG,+BAAAgK,OAA6BhK,IAM5D8V,EAAyB,SAAAvR,GAAE,0BAAAyF,OAAwBzF,EAAxB,UAC3BwR,EAA2B,SAAAxR,GAAE,0BAAAyF,OAAwBzF,EAAxB,YAC7ByR,GAA0B,SAAAzR,GAAE,kCAAAyF,OAAgCzF,EAAhC,eAC5B0R,GAA4B,SAAA1R,GAAE,kCAAAyF,OAAgCzF,EAAhC,iBAC9B2R,GAA+B,SAAA3R,GAAE,0BAAAyF,OAAwBzF,EAAxB,cACjC4R,GAAiC,SAAA5R,GAAE,0BAAAyF,OAAwBzF,EAAxB,gBAKnC6R,GAAkC,SAAA7R,GAAE,0BAAAyF,OAAwBzF,EAAxB,mBACpC8R,GAAkC,SAAA9R,GAAE,0BAAAyF,OAAwBzF,EAAxB,kBAGpC+R,GAA0B,SAAA/R,GAAE,0BAAAyF,OAAwBzF,EAAxB,SAC5BgS,GAA4B,SAAAhS,GAAE,0BAAAyF,OAAwBzF,EAAxB,WAC9BiS,GAA6B,SAAAjS,GAAE,0BAAAyF,OAAwBzF,EAAxB,UAC/BkS,GAA+B,SAAAlS,GAAE,0BAAAyF,OAAwBzF,EAAxB,YAMjCmS,GAA8B,SAAAnS,GAAE,kCAAAyF,OAAgCzF,EAAhC,eAChCoS,GAA0B,SAACpS,EAAIqF,GAAL,kCAAAI,OAA2CzF,EAA3C,eAAAyF,OAA2DJ,IACrFgN,GAA4B,SAACrS,EAAIqF,GAAL,kCAAAI,OAA2CzF,EAA3C,eAAAyF,OAA2DJ,IAGvFiN,GAA4B,SAAAtS,GAAE,+BAAAyF,OAA6BzF,EAA7B,cAC9BuS,GAAwB,SAAAvS,GAAE,+BAAAyF,OAA6BzF,EAA7B,UAC1BwS,GAAkC,SAACC,EAAQC,GAAT,+BAAAjN,OAAgDgN,EAAhD,cAAAhN,OAAmEiN,IAErGC,GAAWlT,OAAOmT,MAEpBA,GAAQ,SAACvS,EAAKyH,GAEhB,IACM+K,EADU,GACUxS,EAE1B,OAJAyH,EAAUA,GAAW,IAGbgL,YAAc,cACfH,GAASE,EAAS/K,IAGrBiL,GAAkB,SAAAhG,GAAiE,IAA9DiG,EAA8DjG,EAA9DiG,OAAQ3S,EAAsD0M,EAAtD1M,IAAK4S,EAAiDlG,EAAjDkG,OAAQC,EAAyCnG,EAAzCmG,QAASJ,EAAgC/F,EAAhC+F,YAAgCK,EAAApG,EAAnBqG,QAC9DtL,EAAU,CACdkL,SACAI,QAAOrL,EAAA,CACLsL,OAAU,mBACVC,eAAgB,yBALmE,IAAAH,EAAT,GAASA,IAuBvF,OAdIF,IACF5S,GAAO,IAAM7I,OAAO6Y,QAAQ4C,GACzBjS,IAAI,SAAAgM,GAAA,IAAAS,EAAA8C,IAAAvD,EAAA,GAAE/N,EAAFwO,EAAA,GAAO9O,EAAP8O,EAAA,UAAkB8F,mBAAmBtU,GAAO,IAAMsU,mBAAmB5U,KACzE8R,KAAK,MAENyC,IACFpL,EAAQmH,KAAOG,KAAKC,UAAU6D,IAE5BJ,IACFhL,EAAQsL,QAARrL,EAAA,GACKD,EAAQsL,QADb,GAEKI,GAAYV,KAGZF,GAAMvS,EAAKyH,GACfnL,KAAK,SAACuS,GACL,OAAO,IAAI9V,QAAQ,SAACC,EAASC,GAAV,OAAqB4V,EAASuE,OAC9C9W,KAAK,SAAC8W,GACL,OAAKvE,EAASwE,GAGPra,EAAQoa,GAFNna,EAAO,IAAIyV,EAAgBG,EAASvJ,OAAQ8N,EAAM,CAAEpT,MAAKyH,WAAWoH,WAkFjFsE,GAAc,SAACG,GACnB,OAAIA,EACK,CAAEC,cAAA,UAAAnO,OAA2BkO,IAE7B,IAgGLE,GAAe,SAAAC,GAAqD,IAAlD9T,EAAkD8T,EAAlD9T,GAAIuK,EAA8CuJ,EAA9CvJ,MAAOwJ,EAAuCD,EAAvCC,QAAuCC,EAAAF,EAA9BG,aAA8B,IAAAD,EAAtB,GAAsBA,EAAlBlB,EAAkBgB,EAAlBhB,YAClDzS,EAhRyB,SAAAL,GAAE,0BAAAyF,OAAwBzF,EAAxB,cAgRrBkU,CAAuBlU,GAC3BmU,EAAO,CACX5J,GAAK,UAAA9E,OAAc8E,GACnBwJ,GAAO,YAAAtO,OAAgBsO,GACvBE,GAAK,SAAAxO,OAAawO,GAHP,2BAKXG,OAAO,SAAAC,GAAC,OAAIA,IAAG5D,KAAK,KAGtB,OAAOmC,GADPvS,GAAa8T,EAAO,IAAMA,EAAO,GACf,CAAEf,QAASI,GAAYV,KACtCnW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GAAD,OAAUA,EAAKmK,IAAIpB,QAmuBhB0U,GAAuB,SAAAC,GAAwC,IAArCzB,EAAqCyB,EAArCzB,YAAa0B,EAAwBD,EAAxBC,OAAwBC,EAAAF,EAAhBJ,YAAgB,IAAAM,EAAT,GAASA,EAC1E,OAAOjd,OAAO6Y,QAAPtI,EAAA,GACD+K,EACA,CAAE4B,aAAc5B,GAChB,GAHC,CAKL0B,UACGL,IACFhP,OAAO,SAACC,EAADuP,GAAqB,IAAAC,EAAArE,IAAAoE,EAAA,GAAd1V,EAAc2V,EAAA,GAAT/I,EAAS+I,EAAA,GAC7B,OAAOxP,EAAG,GAAAK,OAAMxG,EAAN,KAAAwG,OAAaoG,EAAb,MACTgJ,uBAGCC,GAA4B,IAAIC,IAAI,CACxC,SACA,eACA,SACA,oBAGIC,GAA2B,IAAID,IAAI,CACvC,wBAKWE,GAAc,SAAAC,GAIrB,IAHJ7U,EAGI6U,EAHJ7U,IAGI8U,EAAAD,EAFJE,oBAEI,IAAAD,EAFWE,GAEXF,EAAAG,EAAAJ,EADJlV,UACI,IAAAsV,EADC,UACDA,EACEC,EAAc,IAAIC,YAClBC,EAAS,IAAIC,UAAUrV,GAC7B,IAAKoV,EAAQ,MAAM,IAAIlZ,MAAJ,2BAAAkJ,OAAqCzF,IACxD,IAAM2V,EAAQ,SAACC,EAAUC,GAAkC,IAAvBC,EAAuB1L,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAX,SAAAwC,GAAC,OAAIA,GACnDgJ,EAASG,iBAAiBF,EAAW,SAACG,GACpCT,EAAYU,cAAc,IAAIC,YAC5BL,EACA,CAAEM,OAAQL,EAAUE,SAkC1B,OA9BAP,EAAOM,iBAAiB,OAAQ,SAACK,GAC/B7W,QAAQ8W,MAAR,QAAA5Q,OAAsBzF,EAAtB,sBAA8CoW,KAEhDX,EAAOM,iBAAiB,QAAS,SAACK,GAChC7W,QAAQ8W,MAAR,QAAA5Q,OAAsBzF,EAAtB,oBAA4CoW,KAE9CX,EAAOM,iBAAiB,QAAS,SAACK,GAChC7W,QAAQ8W,MAAR,QAAA5Q,OACUzF,EADV,oCAAAyF,OAC+C2Q,EAAQE,MACrDF,KAaJT,EAAMF,EAAQ,QACdE,EAAMF,EAAQ,SACdE,EAAMF,EAAQ,UAAWL,GACzBO,EAAMF,EAAQ,SAGdF,EAAYgB,MAAQ,WAAQd,EAAOc,MAAM,IAAM,yBAExChB,GAGIF,GAAgB,SAACe,GAAY,IAChCvf,EAASuf,EAATvf,KACR,GAAKA,EAAL,CACA,IAAM2f,EAAcpH,KAAKY,MAAMnZ,GACvBqF,EAAmBsa,EAAnBta,MAAOgX,EAAYsD,EAAZtD,QACf,IAAI4B,GAA0B2B,IAAIva,KAAU8Y,GAAyByB,IAAIva,GAevE,OADAqD,QAAQmX,KAAK,gBAAiBN,GACvB,KAbP,GAAc,WAAVla,EACF,MAAO,CAAEA,QAAO8D,GAAIkT,GAEtB,IAAMrc,EAAOqc,EAAU9D,KAAKY,MAAMkD,GAAW,KAC7C,MAAc,WAAVhX,EACK,CAAEA,QAAOyJ,OAAQD,YAAY7O,IACjB,iBAAVqF,EACF,CAAEA,QAAOya,aAAcvN,YAAkBvS,IAC7B,wBAAVqF,EACF,CAAEA,QAAO0a,WAAY/L,YAAUhU,SADjC,IASEggB,GAAqBrf,OAAOsf,OAAO,CAC9CC,OAAU,EACVC,OAAU,EACVC,MAAS,IAwELC,GAAa,CACjBC,kBAxpBwB,SAACxO,GACzB,OAAOiK,GAliBkB,sCAkiBQ,CAC/BQ,QAASI,GAAY7K,KAEpBhM,KAAK,SAACuS,GACL,OAAIA,EAASwE,GACJxE,EAASuE,OAET,CACLpW,MAAO6R,KAIZvS,KAAK,SAAC9F,GAAD,OAAUA,EAAKwG,MAAQxG,EAAO+I,YAAU/I,MA4oBhDugB,cAnvBoB,SAAAC,GAShB,IARJC,EAQID,EARJC,SACAxE,EAOIuE,EAPJvE,YAOIyE,EAAAF,EANJG,aAMI,IAAAD,KAAAE,EAAAJ,EALJK,aAKI,IAAAD,KAAAE,EAAAN,EAJJO,cAII,IAAAD,KAAAE,EAAAR,EAHJ5b,WAGI,IAAAoc,KAAAC,EAAAT,EAFJU,iBAEI,IAAAD,KAAAE,EAAAX,EADJY,uBACI,IAAAD,EADc,MACdA,EAaEE,EAA+B,kBAAbZ,EAClBrE,EAAS,GAEX5S,EAfiB,CACnB8X,OAhc6B,2BAic7BC,QAhcoC,yBAicpCC,IAnc0C,2BAoc1CC,cAldoC,wBAmdpCC,kBApc6B,2BAqc7B5P,KAAM0I,EACNmH,MAAOnH,EACPoH,UAvdyC,qBAwdzChd,IAAK6V,EACLoH,UAjcmC,qBAscdpB,GAEN,SAAbA,GAAoC,UAAbA,IACzBjX,EAAMA,EAAIuX,IAGRJ,GACFvE,EAAO1b,KAAK,CAAC,WAAYigB,IAEvBE,GACFzE,EAAO1b,KAAK,CAAC,SAAUmgB,IAErBjc,IACF4E,EAAMA,EAAI5E,IAEK,UAAb6b,GACFrE,EAAO1b,KAAK,CAAC,aAAc,IAEZ,WAAb+f,GACFrE,EAAO1b,KAAK,CAAC,SAAS,IAEP,WAAb+f,GAAsC,sBAAbA,GAC3BrE,EAAO1b,KAAK,CAAC,cAAc,IAEZ,cAAb+f,GAAyC,cAAbA,GAC9BrE,EAAO1b,KAAK,CAAC,aAAcwgB,IAEL,QAApBE,GACFhF,EAAO1b,KAAK,CAAC,mBAAoB0gB,IAGnChF,EAAO1b,KAAK,CAAC,QAAS,KAEtB,IAAMohB,EAAcC,IAAI3F,EAAQ,SAAC4F,GAAD,SAAApT,OAAcoT,EAAM,GAApB,KAAApT,OAA0BoT,EAAM,MAAMpI,KAAK,KAC3EpQ,GAAG,IAAAoF,OAAQkT,GACX,IAAIhT,EAAS,GACTmT,EAAa,GACbC,EAAa,GACjB,OAAOnG,GAAMvS,EAAK,CAAE+S,QAASI,GAAYV,KACtCnW,KAAK,SAAC9F,GAML,OALA8O,EAAS9O,EAAK8O,OACdmT,EAAajiB,EAAKiiB,WAClBC,EAAa9O,YAA0BpT,EAAKuc,QAAQ7U,IAAI,QAAS,CAC/D4L,QAAsB,cAAbmN,GAAyC,kBAAbA,IAEhCzgB,IAER8F,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GACL,OAAKA,EAAKwG,OAGRxG,EAAK8O,OAASA,EACd9O,EAAKiiB,WAAaA,EACXjiB,GAJA,CAAEA,KAAMA,EAAKmK,IAAIkX,EAAkB9O,IAAoB1D,KAAcqT,iBAyqBlFC,oBAhqB0B,SAAAC,GAAyB,IAAtBjZ,EAAsBiZ,EAAtBjZ,GAAI8S,EAAkBmG,EAAlBnG,YAC3BzS,EAAMgR,EAA2BrR,GAAM,eAC7C,OAAO+S,GAAgB,CAAE1S,MAAKyS,gBAC3BnW,KAAK,SAAC9F,GAAD,OAAUA,EAAKmK,IAAI0E,QA8pB3BwT,kBAx2BwB,SAAAC,GAAyB,IAAtBnZ,EAAsBmZ,EAAtBnZ,GAAI8S,EAAkBqG,EAAlBrG,YAC3BsG,EAhU8B,SAAApZ,GAAE,0BAAAyF,OAAwBzF,EAAxB,YAgUnBqZ,CAA4BrZ,GAC7C,OAAO4S,GAAMwG,EAAY,CAAEhG,QAASI,GAAYV,KAC7CnW,KAAK,SAAC9F,GACL,GAAIA,EAAK6c,GACP,OAAO7c,EAET,MAAM,IAAI0F,MAAM,0BAA2B1F,KAE5C8F,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAA2c,GAAA,IAAGC,EAAHD,EAAGC,UAAWC,EAAdF,EAAcE,YAAd,MAAiC,CACrCD,UAAWA,EAAUvY,IAAI0E,KACzB8T,YAAaA,EAAYxY,IAAI0E,SA61BjC+T,YAz1BkB,SAAAC,GAAyB,IAAtB1Z,EAAsB0Z,EAAtB1Z,GAAI8S,EAAkB4G,EAAlB5G,YACrBzS,EAjVsB,SAAAL,GAAE,0BAAAyF,OAAwBzF,GAiV1C2Z,CAAoB3Z,GAC9B,OAAO4S,GAAMvS,EAAK,CAAE+S,QAASI,GAAYV,KACtCnW,KAAK,SAAC9F,GACL,GAAIA,EAAK6c,GACP,OAAO7c,EAET,MAAM,IAAI0F,MAAM,0BAA2B1F,KAE5C8F,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAg1B9Bgd,gBACA+F,cAr5BoB,SAAAC,GAAyB,IAAtB7Z,EAAsB6Z,EAAtB7Z,GAAI8S,EAAkB+G,EAAlB/G,YAC3B,OAAO,IAAI1Z,QAAQ,SAAOC,EAASC,GAAhB,IAAA8e,EAAA0B,EAAAvP,EAAAwP,EAAA,OAAAC,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,OAAA0P,EAAAvP,KAAA,EAEXyN,EAAU,GACV0B,GAAO,EAHI,WAIRA,EAJQ,CAAAI,EAAA1P,KAAA,gBAKPD,EAAQ6N,EAAQ/gB,OAAS,EAAI8iB,IAAK/B,GAASpY,QAAKrC,EALzCuc,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAMOvG,GAAa,CAAE7T,KAAIuK,QAAOuI,iBANjC,OAMPiH,EANOG,EAAAG,KAObjC,EAAUkC,IAAOlC,EAAS2B,GACL,IAAjBA,EAAM1iB,SACRyiB,GAAO,GATII,EAAA1P,KAAA,gBAYfnR,EAAQ+e,GAZO8B,EAAA1P,KAAA,iBAAA0P,EAAAvP,KAAA,GAAAuP,EAAAK,GAAAL,EAAA,SAcf5gB,EAAM4gB,EAAAK,IAdS,yBAAAL,EAAAM,SAAA,uBAq5BnBC,eAl4BqB,SAAAC,GAAqD,IAAlD1a,EAAkD0a,EAAlD1a,GAAIuK,EAA8CmQ,EAA9CnQ,MAAOwJ,EAAuC2G,EAAvC3G,QAAuC4G,EAAAD,EAA9BzG,aAA8B,IAAA0G,EAAtB,GAAsBA,EAAlB7H,EAAkB4H,EAAlB5H,YACpDzS,EAlTyB,SAAAL,GAAE,0BAAAyF,OAAwBzF,EAAxB,cAkTrB4a,CAAuB5a,GAC3BmU,EAAO,CACX5J,GAAK,UAAA9E,OAAc8E,GACnBwJ,GAAO,YAAAtO,OAAgBsO,GACvBE,GAAK,SAAAxO,OAAawO,GAHP,2BAKXG,OAAO,SAAAC,GAAC,OAAIA,IAAG5D,KAAK,KAGtB,OAAOmC,GADPvS,GAAO8T,EAAO,IAAMA,EAAO,GACT,CAAEf,QAASI,GAAYV,KACtCnW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GAAD,OAAUA,EAAKmK,IAAIpB,QAu3B3Bib,WAlgCiB,SAAAC,GAAqC,IAAlC9a,EAAkC8a,EAAlC9a,GAAI8S,EAA8BgI,EAA9BhI,YAAgBhL,EAAciT,IAAAD,EAAA,sBAClDza,EAtLsB,SAAAL,GAAE,0BAAAyF,OAAwBzF,EAAxB,WAsLlBgb,CAAoBhb,GACxBib,EAAO,GAEb,YADwBtd,IAApBmK,EAAQoT,UAAyBD,EAAI,QAAcnT,EAAQoT,SACxDtI,GAAMvS,EAAK,CAChB4O,KAAMG,KAAKC,UAAU4L,GACrB7H,QAAOrL,EAAA,GACFyL,GAAYV,GADV,CAELQ,eAAgB,qBAElBN,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAw/BvB0H,aAr/BmB,SAAAC,GAAyB,IAAtBpb,EAAsBob,EAAtBpb,GAAI8S,EAAkBsI,EAAlBtI,YACtBzS,EAnMwB,SAAAL,GAAE,0BAAAyF,OAAwBzF,EAAxB,aAmMpBqb,CAAsBrb,GAChC,OAAO4S,GAAMvS,EAAK,CAChB+S,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAi/BvB6H,aA9+BmB,SAAAC,GAAyB,IAAtBvb,EAAsBub,EAAtBvb,GAAI8S,EAAkByI,EAAlBzI,YAC1B,OAAOC,GAAgB,CAAE1S,IAAK0R,GAAwB/R,GAAK8S,cAAaE,OAAQ,SAC7ErW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MA6+B9B2kB,eA1+BqB,SAAAC,GAAyB,IAAtBzb,EAAsByb,EAAtBzb,GAAI8S,EAAkB2I,EAAlB3I,YAC5B,OAAOC,GAAgB,CAAE1S,IAAK2R,GAA0BhS,GAAK8S,cAAaE,OAAQ,SAC/ErW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAy+B9B6kB,iBAt+BuB,SAAAC,GAAyB,IAAtB3b,EAAsB2b,EAAtB3b,GAAI8S,EAAkB6I,EAAlB7I,YAC9B,OAAOC,GAAgB,CAAE1S,IAAK4R,GAA2BjS,GAAK8S,cAAaE,OAAQ,SAChFrW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAq+B9B+kB,mBAl+ByB,SAAAC,GAAyB,IAAtB7b,EAAsB6b,EAAtB7b,GAAI8S,EAAkB+I,EAAlB/I,YAChC,OAAOC,GAAgB,CAAE1S,IAAK6R,GAA6BlS,GAAK8S,cAAaE,OAAQ,SAClFrW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAi+B9BilB,UA99BgB,SAAAC,GAAyB,IAAtB/b,EAAsB+b,EAAtB/b,GAAI8S,EAAkBiJ,EAAlBjJ,YACvB,OAAOF,GA7MuB,SAAA5S,GAAE,0BAAAyF,OAAwBzF,EAAxB,UA6MnBgc,CAAwBhc,GAAK,CACxCoT,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UA29BvBwI,YAx9BkB,SAAAC,GAAyB,IAAtBlc,EAAsBkc,EAAtBlc,GAAI8S,EAAkBoJ,EAAlBpJ,YACzB,OAAOF,GAnNyB,SAAA5S,GAAE,0BAAAyF,OAAwBzF,EAAxB,YAmNrBmc,CAA0Bnc,GAAK,CAC1CoT,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAq9BvB2I,UAl8BgB,SAAAC,GAAyB,IAAtBrc,EAAsBqc,EAAtBrc,GAAI8S,EAAkBuJ,EAAlBvJ,YACnBzS,EAAG,GAAAoF,OAlPiB,mBAkPjB,KAAAA,OAA2BzF,GAClC,OAAO+S,GAAgB,CAAE1S,MAAKyS,gBAC3BnW,KAAK,SAAC9F,GAAD,OAAU+I,YAAU/I,MAg8B5BylB,sBA77B4B,SAAAC,GAAyB,IAAtBvc,EAAsBuc,EAAtBvc,GAAI8S,EAAkByJ,EAAlBzJ,YAC/BzS,EAAG,GAAAoF,OAvP+B,iCAuP/B,SAAAA,OAA6CzF,GACpD,OAAO4S,GAAMvS,EAAK,CAAE+S,QAASI,GAAYV,KACtCnW,KAAK,SAACuS,GACL,OAAO,IAAI9V,QAAQ,SAACC,EAASC,GAAV,OAAqB4V,EAASuE,OAC9C9W,KAAK,SAAC8W,GACL,OAAKvE,EAASwE,GAGPra,EAAQoa,GAFNna,EAAO,IAAIyV,EAAgBG,EAASvJ,OAAQ8N,EAAM,CAAEpT,OAAO6O,WAu7B5EsN,SA1pBe,SAAAC,GAAyB,IAAtBzc,EAAsByc,EAAtBzc,GAAI8S,EAAkB2J,EAAlB3J,YACtB,OAAOC,GAAgB,CAAE1S,IAAK4Q,EAAsBjR,GAAKgT,OAAQ,OAAQF,gBACtEnW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAypB9B6lB,WAtpBiB,SAAAC,GAAyB,IAAtB3c,EAAsB2c,EAAtB3c,GAAI8S,EAAkB6J,EAAlB7J,YACxB,OAAOC,GAAgB,CAAE1S,IAAK6Q,EAAwBlR,GAAKgT,OAAQ,OAAQF,gBACxEnW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAqpB9B+lB,QAlpBc,SAAAC,GAAyB,IAAtB7c,EAAsB6c,EAAtB7c,GAAI8S,EAAkB+J,EAAlB/J,YACrB,OAAOC,GAAgB,CAAE1S,IAAK8Q,EAAqBnR,GAAKgT,OAAQ,OAAQF,gBACrEnW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MAipB9BimB,UA9oBgB,SAAAC,GAAyB,IAAtB/c,EAAsB+c,EAAtB/c,GAAI8S,EAAkBiK,EAAlBjK,YACvB,OAAOC,GAAgB,CAAE1S,IAAK+Q,EAAuBpR,GAAKgT,OAAQ,OAAQF,gBACvEnW,KAAK,SAAC9F,GAAD,OAAU6O,YAAY7O,MA6oB9BmmB,eA1oBqB,SAAAC,GAAyB,IAAtBjd,EAAsBid,EAAtBjd,GAAI8S,EAAkBmK,EAAlBnK,YAC5B,OAAOC,GAAgB,CACrB1S,IAAKsR,GAA6B3R,GAClCoT,QAASI,GAAYV,GACrBE,OAAQ,UAuoBVkK,iBAnoBuB,SAAAC,GAAyB,IAAtBnd,EAAsBmd,EAAtBnd,GAAI8S,EAAkBqK,EAAlBrK,YAC9B,OAAOC,GAAgB,CACrB1S,IAAKuR,GAA+B5R,GACpCoT,QAASI,GAAYV,GACrBE,OAAQ,UAgoBVoK,WA5nBiB,SAAAC,GAYb,IAXJvK,EAWIuK,EAXJvK,YACAnN,EAUI0X,EAVJ1X,OACA2X,EASID,EATJC,YACA7U,EAQI4U,EARJ5U,WACAlC,EAOI8W,EAPJ9W,UACAsB,EAMIwV,EANJxV,KAMI0V,EAAAF,EALJG,gBAKI,IAAAD,EALO,GAKPA,EAJJE,EAIIJ,EAJJI,kBACAC,EAGIL,EAHJK,YACAC,EAEIN,EAFJM,QACAC,EACIP,EADJO,eAEM3C,EAAO,IAAI4C,SACXC,EAAcjW,EAAKC,SAAW,GAWpC,GATAmT,EAAK8C,OAAO,SAAUpY,GACtBsV,EAAK8C,OAAO,SAAU,cAClBT,GAAarC,EAAK8C,OAAO,eAAgBT,GACzC7U,GAAYwS,EAAK8C,OAAO,aAActV,GACtClC,GAAW0U,EAAK8C,OAAO,YAAaxX,GACpCmX,GAAazC,EAAK8C,OAAO,eAAgBL,GAC7CF,EAASQ,QAAQ,SAAAnS,GACfoP,EAAK8C,OAAO,cAAelS,KAEzBiS,EAAYG,KAAK,SAAAC,GAAM,MAAe,KAAXA,IAAgB,CAC7C,IAAMC,EAAiB,CACrBC,WAAYvW,EAAKwW,UACjBC,SAAUzW,EAAKyW,UAEjB9mB,OAAO+mB,KAAKJ,GAAgBH,QAAQ,SAAA/e,GAClCgc,EAAK8C,OAAL,QAAAtY,OAAoBxG,EAApB,KAA4Bkf,EAAelf,MAG7C6e,EAAYE,QAAQ,SAAAE,GAClBjD,EAAK8C,OAAO,kBAAmBG,KAG/BT,GACFxC,EAAK8C,OAAO,iBAAkBN,GAE5BE,GACF1C,EAAK8C,OAAO,UAAW,QAGzB,IAAIS,EAAchL,GAAYV,GAK9B,OAJI8K,IACFY,EAAY,mBAAqBZ,GAG5BhL,GAlmBwB,mBAkmBQ,CACrC3D,KAAMgM,EACNjI,OAAQ,OACRI,QAASoL,IAER7hB,KAAK,SAACuS,GACL,OAAOA,EAASuE,SAEjB9W,KAAK,SAAC9F,GAAD,OAAUA,EAAKwG,MAAQxG,EAAO6O,YAAY7O,MAmkBlD4nB,aAhkBmB,SAAAC,GAAyB,IAAtB1e,EAAsB0e,EAAtB1e,GAAI8S,EAAkB4L,EAAlB5L,YAC1B,OAAOF,GA1oBmB,SAAA5S,GAAE,0BAAAyF,OAAwBzF,GA0oBvC2e,CAAoB3e,GAAK,CACpCoT,QAASI,GAAYV,GACrBE,OAAQ,YA8jBV4L,YA1jBkB,SAAAC,GAA+B,IAA5BC,EAA4BD,EAA5BC,SAAUhM,EAAkB+L,EAAlB/L,YAC/B,OAAOF,GApnByB,gBAonBQ,CACtC3D,KAAM6P,EACN9L,OAAQ,OACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GAAD,OAAU8N,YAAgB9N,MAojBlCkoB,oBAjjB0B,SAAAC,GAAsC,IAAnChf,EAAmCgf,EAAnChf,GAAIW,EAA+Bqe,EAA/Bre,YAAamS,EAAkBkM,EAAlBlM,YAC9C,OAAOC,GAAgB,CACrB1S,IAAG,GAAAoF,OA/nB2B,gBA+nB3B,KAAAA,OAAkCzF,GACrCgT,OAAQ,MACRI,QAASI,GAAYV,GACrBI,QAAS,CACPvS,iBAEDhE,KAAK,SAAC9F,GAAD,OAAU8N,YAAgB9N,MA0iBlCooB,WA1biB,SAAAC,GAAqB,IAAlBpM,EAAkBoM,EAAlBpM,YACpB,OAAOC,GAAgB,CAAE1S,IAhwBK,iBAgwByByS,gBACpDnW,KAAK,SAACod,GAAD,OAAWA,EAAM/Y,IAAIpB,QAyb7Buf,SAtbe,SAAAC,GAAyB,IAAtBpf,EAAsBof,EAAtBpf,GAAI8S,EAAkBsM,EAAlBtM,YACtB,OAAOC,GAAgB,CAAE1S,IAAKkR,EAAuBvR,GAAK8S,cAAaE,OAAQ,UAsb/EqM,WAnbiB,SAAAC,GAAyB,IAAtBtf,EAAsBsf,EAAtBtf,GAAI8S,EAAkBwM,EAAlBxM,YACxB,OAAOC,GAAgB,CAAE1S,IAAKmR,EAAyBxR,GAAK8S,cAAaE,OAAQ,UAmbjFuM,cAhboB,SAAAC,GAAyB,IAAtBxf,EAAsBwf,EAAtBxf,GAAI8S,EAAkB0M,EAAlB1M,YAC3B,OAAOC,GAAgB,CAAE1S,IAAKoR,GAAwBzR,GAAK8S,cAAaE,OAAQ,UAgbhFyM,gBA7asB,SAAAC,GAAyB,IAAtB1f,EAAsB0f,EAAtB1f,GAAI8S,EAAkB4M,EAAlB5M,YAC7B,OAAOC,GAAgB,CAAE1S,IAAKqR,GAA0B1R,GAAK8S,cAAaE,OAAQ,UA6alF2M,YA1akB,SAAAC,GAAqB,IAAlB9M,EAAkB8M,EAAlB9M,YACrB,OAAOC,GAAgB,CAAE1S,IAtxBM,kBAsxByByS,gBACrDnW,KAAK,SAACod,GAAD,OAAWA,EAAM/Y,IAAIpB,QAya7BigB,iBAtauB,SAAAC,GAAqB,IAAlBhN,EAAkBgN,EAAlBhN,YAG1B,OAAOF,GAFK,yBAEM,CAChBQ,QAASI,GAAYV,KACpBnW,KAAK,SAAC9F,GACP,GAAIA,EAAK6c,GACP,OAAO7c,EAAK4c,OAEd,MAAM,IAAIlX,MAAM,6BAA8B1F,MA8ZhDkpB,iBA1ZuB,SAAAC,GAAyB,IAAtBhgB,EAAsBggB,EAAtBhgB,GAAI8S,EAAkBkN,EAAlBlN,YACxBzS,EAAG,qBAAAoF,OAAwBzF,GAEjC,OAAO4S,GAAMvS,EAAK,CAChB+S,QAASI,GAAYV,GACrBE,OAAQ,YAsZViN,QA52Bc,SAAAC,GAAgC,IAA7BzkB,EAA6BykB,EAA7BzkB,IAAKqX,EAAwBoN,EAAxBpN,YAEhBmI,EAAO,CACXkF,UAAW,CAHiCD,EAAXvX,KACXzI,aAGtBqE,KAAM,CAAC9I,IAGH2X,EAAUI,GAAYV,GAG5B,OAFAM,EAAQ,gBAAkB,mBAEnBR,GA3YY,+BA2YQ,CACzBI,OAAQ,MACRI,QAASA,EACTnE,KAAMG,KAAKC,UAAU4L,MAg2BvBmF,UA51BgB,SAAAC,GAAgC,IAA7B5kB,EAA6B4kB,EAA7B5kB,IAAKqX,EAAwBuN,EAAxBvN,YAElB7D,EAAO,CACXkR,UAAW,CAHmCE,EAAX1X,KACbzI,aAGtBqE,KAAM,CAAC9I,IAGH2X,EAAUI,GAAYV,GAG5B,OAFAM,EAAQ,gBAAkB,mBAEnBR,GA5ZY,+BA4ZQ,CACzBI,OAAQ,SACRI,QAASA,EACTnE,KAAMG,KAAKC,UAAUJ,MAg1BvBqR,WAlyBiB,SAAAC,GAA2B,IAAxBzN,EAAwByN,EAAxBzN,YACdhC,EADsCyP,EAAX5X,KACTzI,YAClBkT,EAAUI,GAAYV,GAE5B,OAAOF,GAAK,GAAAnN,OA7cU,2BA6cV,cAAAA,OAAgCqL,GAAc,CACxDkC,OAAQ,SACRI,QAASA,KA6xBXoN,SA70Be,SAAAC,GAAkC,IAA/B1P,EAA+B0P,EAA/B1P,MAAO+B,EAAwB2N,EAAxB3N,YACnBhC,EAD2C2P,EAAX9X,KACdzI,YAExB,OAAO0S,GAAM/B,EAAqBC,EAAYC,GAAQ,CACpDiC,OAAQ,OACRI,QAASI,GAAYV,GACrB7D,KAAM,MAw0BRyR,YAp0BkB,SAAAC,GAAkC,IAA/B5P,EAA+B4P,EAA/B5P,MAAO+B,EAAwB6N,EAAxB7N,YACtBhC,EAD8C6P,EAAXhY,KACjBzI,YAExB,OAAO0S,GAAM/B,EAAqBC,EAAYC,GAAQ,CACpDiC,OAAQ,SACRI,QAASI,GAAYV,GACrB7D,KAAM,MA+zBR2R,aA3zBmB,SAAAC,GAAsD,IAAnD/N,EAAmD+N,EAAnD/N,YAAkCgO,EAAiBD,EAAtClY,KAAQzI,YAC3C,OAAO6S,GAAgB,CACrB1S,IAvbsB,oCAwbtB2S,OAAQ,QACRF,cACAI,QAAS,CACPiN,UAAW,CAACW,MAEbnkB,KAAK,SAAAuS,GAAQ,OAAI6R,IAAI7R,EAAU,cAozBlC8R,eAjzBqB,SAAAC,GAAsD,IAAnDnO,EAAmDmO,EAAnDnO,YAAkCgO,EAAiBG,EAAtCtY,KAAQzI,YAC7C,OAAO6S,GAAgB,CACrB1S,IAjcwB,sCAkcxB2S,OAAQ,QACRF,cACAI,QAAS,CACPiN,UAAW,CAACW,MAEbnkB,KAAK,SAAAuS,GAAQ,OAAI6R,IAAI7R,EAAU,cA0yBlCgS,SAvkCe,SAAAC,GAA6B,IAA1BlO,EAA0BkO,EAA1BlO,OAAQH,EAAkBqO,EAAlBrO,YAClBgO,EAAsB7N,EAAtB6N,SAAaM,EADuBrG,IACd9H,EADc,cAE5C,OAAOL,GA9JyB,mBA8JQ,CACtCI,OAAQ,OACRI,QAAOrL,EAAA,GACFyL,GAAYV,GADV,CAELQ,eAAgB,qBAElBrE,KAAMG,KAAKC,UAALtH,EAAA,CACJ+Y,WACAO,OAAQ,QACRC,WAAW,GACRF,MAGJzkB,KAAK,SAACuS,GACL,OAAIA,EAASwE,GACJxE,EAASuE,OAETvE,EAASuE,OAAO9W,KAAK,SAACU,GAAY,MAAM,IAAImS,EAAkBnS,QAqjC3EkkB,WAhjCiB,kBAAM3O,GAAM,wBAAwBjW,KAAK,SAAA6kB,GAAI,OAAIA,EAAK/N,UAijCvEgO,oBA5mC0B,SAAAC,GAAsE,IAAnE5O,EAAmE4O,EAAnE5O,YAAmE6O,EAAAD,EAAtDpgB,cAAsD,IAAAqgB,EAA7C,KAA6CA,EAAAC,EAAAF,EAAvCG,cAAuC,IAAAD,EAA9B,KAA8BA,EAAAE,EAAAJ,EAAxBK,kBAAwB,IAAAD,EAAX,KAAWA,EAC1F7G,EAAO,IAAI4C,SAIjB,OAHe,OAAXvc,GAAiB2Z,EAAK8C,OAAO,SAAUzc,GAC5B,OAAXugB,GAAiB5G,EAAK8C,OAAO,SAAU8D,GACxB,OAAfE,GAAqB9G,EAAK8C,OAAO,2BAA4BgE,GAC1DnP,GApF2B,sCAoFQ,CACxCQ,QAASI,GAAYV,GACrBE,OAAQ,QACR/D,KAAMgM,IAELte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GAAD,OAAU+I,YAAU/I,MAkmC5BmrB,cA/lCoB,SAAAC,GAA6B,IAA1BnP,EAA0BmP,EAA1BnP,YAAaG,EAAagP,EAAbhP,OACpC,OAAOF,GAAgB,CACrB1S,IA/FgC,sCAgGhC2S,OAAQ,QACRE,QAASD,EACTH,gBACCnW,KAAK,SAAC9F,GAAD,OAAU+I,YAAU/I,MA0lC5BqrB,aA1jBmB,SAAAC,GAA2B,IAAxBC,EAAwBD,EAAxBC,KAAMtP,EAAkBqP,EAAlBrP,YACtBgM,EAAW,IAAIjB,SAErB,OADAiB,EAASf,OAAO,OAAQqE,GACjBxP,GAtsBiB,6BAssBQ,CAC9B3D,KAAM6P,EACN9L,OAAQ,OACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAACuS,GAAD,OAAcA,EAASwE,MAmjB/B2O,cAhjBoB,SAAAC,GAA2B,IAAxBF,EAAwBE,EAAxBF,KAAMtP,EAAkBwP,EAAlBxP,YACvBgM,EAAW,IAAIjB,SAErB,OADAiB,EAASf,OAAO,OAAQqE,GACjBxP,GAhtBiB,6BAgtBQ,CAC9B3D,KAAM6P,EACN9L,OAAQ,OACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAACuS,GAAD,OAAcA,EAASwE,MAyiB/B6O,cAtiBoB,SAAAC,GAA+B,IAA5B1P,EAA4B0P,EAA5B1P,YAAa2P,EAAeD,EAAfC,SAC9BxH,EAAO,IAAI4C,SAIjB,OAFA5C,EAAK8C,OAAO,WAAY0E,GAEjB7P,GA5tBkB,8BA4tBQ,CAC/B3D,KAAMgM,EACNjI,OAAQ,OACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAACuS,GAAD,OAAcA,EAASuE,UA6hB/BiP,YA1hBkB,SAAAC,GAAsC,IAAnC7P,EAAmC6P,EAAnC7P,YAAa8P,EAAsBD,EAAtBC,MAAOH,EAAeE,EAAfF,SACnCxH,EAAO,IAAI4C,SAKjB,OAHA5C,EAAK8C,OAAO,QAAS6E,GACrB3H,EAAK8C,OAAO,WAAY0E,GAEjB7P,GAzuBgB,4BAyuBQ,CAC7B3D,KAAMgM,EACNjI,OAAQ,OACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAACuS,GAAD,OAAcA,EAASuE,UAghB/BoP,eA7gBqB,SAAAC,GAAqE,IAAlEhQ,EAAkEgQ,EAAlEhQ,YAAa2P,EAAqDK,EAArDL,SAAUM,EAA2CD,EAA3CC,YAAaC,EAA8BF,EAA9BE,wBACtD/H,EAAO,IAAI4C,SAMjB,OAJA5C,EAAK8C,OAAO,WAAY0E,GACxBxH,EAAK8C,OAAO,eAAgBgF,GAC5B9H,EAAK8C,OAAO,4BAA6BiF,GAElCpQ,GAvvBmB,+BAuvBQ,CAChC3D,KAAMgM,EACNjI,OAAQ,OACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAACuS,GAAD,OAAcA,EAASuE,UAkgB/BwP,YA/fkB,SAAAC,GAAqB,IAAlBpQ,EAAkBoQ,EAAlBpQ,YACrB,OAAOF,GAtvBgB,4BAsvBQ,CAC7BQ,QAASI,GAAYV,GACrBE,OAAQ,QACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UA4fvB0P,cAzfoB,SAAAC,GAA+B,IAA5BtQ,EAA4BsQ,EAA5BtQ,YAAa2P,EAAeW,EAAfX,SAC9BxH,EAAO,IAAI4C,SAIjB,OAFA5C,EAAK8C,OAAO,WAAY0E,GAEjB7P,GA5vBmB,iCA4vBQ,CAChC3D,KAAMgM,EACNjI,OAAQ,SACRI,QAASI,GAAYV,KAEpBnW,KAAK,SAACuS,GAAD,OAAcA,EAASuE,UAgf/B4P,uBA3d6B,SAAAC,GAAqB,IAAlBxQ,EAAkBwQ,EAAlBxQ,YAChC,OAAOF,GA3xBoB,yCA2xBQ,CACjCQ,QAASI,GAAYV,GACrBE,OAAQ,QACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAwdvB8P,YAlekB,SAAAC,GAAqB,IAAlB1Q,EAAkB0Q,EAAlB1Q,YACrB,OAAOF,GAnxBiB,uCAmxBQ,CAC9BQ,QAASI,GAAYV,GACrBE,OAAQ,QACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UA+dvBgQ,cA/eoB,SAAAC,GAAsC,IAAnC5Q,EAAmC4Q,EAAnC5Q,YAAa2P,EAAsBiB,EAAtBjB,SAAUxgB,EAAYyhB,EAAZzhB,MACxCgZ,EAAO,IAAI4C,SAKjB,OAHA5C,EAAK8C,OAAO,WAAY0E,GACxBxH,EAAK8C,OAAO,OAAQ9b,GAEb2Q,GA3wBmB,yCA2wBQ,CAChC3D,KAAMgM,EACN7H,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAsevBkQ,oBAr6B0B,SAAAC,GAAqB,IAAlB9Q,EAAkB8Q,EAAlB9Q,YAE7B,OAAOF,GAjU4B,0BAiUjB,CAAEQ,QAASI,GAAYV,KACtCnW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GAAD,OAAUA,EAAKmK,IAAIpB,QAk6B3BikB,YA5/BkB,SAAAC,GAAyB,IAAtB9jB,EAAsB8jB,EAAtB9jB,GAAI8S,EAAkBgR,EAAlBhR,YACrBzS,EAzO4B,SAAAL,GAAE,iCAAAyF,OAA+BzF,EAA/B,cAyOxB+jB,CAA0B/jB,GACpC,OAAO4S,GAAMvS,EAAK,CAChB+S,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAw/BvBuQ,SAr/Be,SAAAC,GAAyB,IAAtBjkB,EAAsBikB,EAAtBjkB,GAAI8S,EAAkBmR,EAAlBnR,YAClBzS,EAhPyB,SAAAL,GAAE,iCAAAyF,OAA+BzF,EAA/B,WAgPrBkkB,CAAuBlkB,GACjC,OAAO4S,GAAMvS,EAAK,CAChB+S,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAi/BvB0Q,YA1akB,SAAAC,GAAqB,IAAlBtR,EAAkBsR,EAAlBtR,YACrB,OAAOF,GAv1Be,sBAu1BQ,CAC5BQ,QAASI,GAAYV,KACpBnW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAwavB4Q,wBAra8B,SAAAC,GAAyC,IAAtCtkB,EAAsCskB,EAAtCtkB,GAAI8S,EAAkCwR,EAAlCxR,YAAkCyR,EAAAD,EAArBE,cAAqB,IAAAD,KACjEtV,EAAO,IAAI4O,SAQjB,OANI2G,EACFvV,EAAK8O,OAAO,KAAM/d,GAElBiP,EAAK8O,OAAO,SAAU/d,GAGjB4S,GAn2BqB,qCAm2BQ,CAClC3D,OACAmE,QAASI,GAAYV,GACrBE,OAAQ,SACPrW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAyZvBgR,oBAtP0B,SAAAC,GAAyB,IAAtB5R,EAAsB4R,EAAtB5R,YAAa9S,EAAS0kB,EAAT1kB,GAC1C,OAAO+S,GAAgB,CACrB1S,IAAK2Q,EAAkChR,GACvCgT,OAAQ,OACRE,QAAS,CAAElT,MACX8S,iBAkPF6R,KAvZW,SAAAC,GAAsC,IA1zBzB5kB,EA0zBV6kB,EAAmCD,EAAnCC,OAAQC,EAA2BF,EAA3BE,QAAShS,EAAkB8R,EAAlB9R,YAI/B,OAHa,IAAI+K,UACZE,OAAO,UAAW+G,GAEhB/R,GAAgB,CACrB1S,KA/zBsBL,EA+zBCuT,mBAAmBsR,GA/zBlB,iBAAApf,OAAqBzF,EAArB,WAg0BxBgT,OAAQ,OACRF,cACAI,QAAS,CACP4R,QAASA,MA+YbC,UA1YgB,SAAAC,GAA6B,IAv0BrBhlB,EAu0BL6kB,EAA0BG,EAA1BH,OAAQ/R,EAAkBkS,EAAlBlS,YAC3B,OAAOC,GACL,CACE1S,KA10BoBL,EA00BGuT,mBAAmBsR,GA10BpB,iBAAApf,OAAqBzF,IA20B3CgT,OAAQ,MACRF,iBAsYJmS,sBAjY4B,SAAAC,GAAyB,IAAtBllB,EAAsBklB,EAAtBllB,GAAI8S,EAAkBoS,EAAlBpS,YACnC,OAAOC,GAAgB,CACrB1S,IAAKwR,GAAgC7R,GACrCgT,OAAQ,MACRF,gBACCnW,KAAK,SAACod,GAAD,OAAWA,EAAM/Y,IAAIpB,QA6X7BulB,sBA1X4B,SAAAC,GAAyB,IAAtBplB,EAAsBolB,EAAtBplB,GAAI8S,EAAkBsS,EAAlBtS,YACnC,OAAOC,GAAgB,CACrB1S,IAAKyR,GAAgC9R,GACrCgT,OAAQ,MACRF,gBACCnW,KAAK,SAACod,GAAD,OAAWA,EAAM/Y,IAAIpB,QAsX7BylB,oBAnX0B,SAAAC,GAAyB,IAAtBtlB,EAAsBslB,EAAtBtlB,GAAI8S,EAAkBwS,EAAlBxS,YACjC,OAAOC,GAAgB,CAAE1S,IAAK8R,GAA4BnS,GAAK8S,gBAC5DnW,KAAK,SAAC4oB,GAAD,OAAeA,EAAUvkB,IAAI,SAAAxC,GAEjC,OADAA,EAAEgnB,SAAWhnB,EAAEgnB,SAASxkB,IAAIpB,KACrBpB,OAgXXinB,eA5WqB,SAAAC,GAAgC,IAA7B1lB,EAA6B0lB,EAA7B1lB,GAAIqF,EAAyBqgB,EAAzBrgB,MAAOyN,EAAkB4S,EAAlB5S,YACnC,OAAOC,GAAgB,CACrB1S,IAAK+R,GAAwBpS,EAAIqF,GACjC2N,OAAQ,MACRF,gBACCnW,KAAK+I,MAwWRigB,iBArWuB,SAAAC,GAAgC,IAA7B5lB,EAA6B4lB,EAA7B5lB,GAAIqF,EAAyBugB,EAAzBvgB,MAAOyN,EAAkB8S,EAAlB9S,YACrC,OAAOC,GAAgB,CACrB1S,IAAKgS,GAA0BrS,EAAIqF,GACnC2N,OAAQ,SACRF,gBACCnW,KAAK+I,MAiWRmgB,WA9ViB,SAAAC,GAA0D,IAAvDhT,EAAuDgT,EAAvDhT,YAAa8E,EAA0CkO,EAA1ClO,OAAQmO,EAAkCD,EAAlCC,UAAWC,EAAuBF,EAAvBE,QAASC,EAAcH,EAAdG,QAC7D,OAAOlT,GAAgB,CACrB1S,IAv3B6B,kBAw3B7B2S,OAAQ,OACRE,QAAS,CACPgT,WAActO,EACduO,WAAcJ,EACdC,UACAC,WAEFnT,iBAqVFsT,2BAppCiC,SAAA1Y,GAA+B,IAA5BoF,EAA4BpF,EAA5BoF,YAAauT,EAAe3Y,EAAf2Y,SAC3CpL,EAAO,IAAI4C,SAMjB,OAJAyI,IAAKD,EAAU,SAAC1nB,EAAOM,GACrBgc,EAAK8C,OAAO9e,EAAKN,KAGZiU,GA7HyB,qCA6HQ,CACtCQ,QAASI,GAAYV,GACrBE,OAAQ,MACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UA0oCvB8S,QAtUc,SAAAC,GAA2D,IAAxD1T,EAAwD0T,EAAxD1T,YAAa2T,EAA2CD,EAA3CC,EAAGptB,EAAwCmtB,EAAxCntB,QAAS4a,EAA+BuS,EAA/BvS,MAAOyS,EAAwBF,EAAxBE,OAAQ7iB,EAAgB2iB,EAAhB3iB,UACrDxD,EA34BiB,iBA44BjB4S,EAAS,GAETwT,GACFxT,EAAO1b,KAAK,CAAC,IAAKgc,mBAAmBkT,KAGnCptB,GACF4Z,EAAO1b,KAAK,CAAC,UAAW8B,IAGtB4a,GACFhB,EAAO1b,KAAK,CAAC,QAAS0c,IAGpByS,GACFzT,EAAO1b,KAAK,CAAC,SAAUmvB,IAGrB7iB,GACFoP,EAAO1b,KAAK,CAAC,aAAa,IAG5B0b,EAAO1b,KAAK,CAAC,sBAAsB,IAEnC,IAAIohB,EAAcC,IAAI3F,EAAQ,SAAC4F,GAAD,SAAApT,OAAcoT,EAAM,GAApB,KAAApT,OAA0BoT,EAAM,MAAMpI,KAAK,KAGzE,OAFApQ,GAAG,IAAAoF,OAAQkT,GAEJ/F,GAAMvS,EAAK,CAAE+S,QAASI,GAAYV,KACtCnW,KAAK,SAAC9F,GACL,GAAIA,EAAK6c,GACP,OAAO7c,EAET,MAAM,IAAI0F,MAAM,+BAAgC1F,KAEjD8F,KAAK,SAAC9F,GAAW,OAAOA,EAAK4c,SAC7B9W,KAAK,SAAC9F,GAGL,OAFAA,EAAK2uB,SAAW3uB,EAAK2uB,SAAS7lB,MAAM,EAAGsU,GAAOjT,IAAI,SAAA2lB,GAAC,OAAI/mB,YAAU+mB,KACjE9vB,EAAK+vB,SAAW/vB,EAAK+vB,SAASjnB,MAAM,EAAGsU,GAAOjT,IAAI,SAAAvI,GAAC,OAAIiN,YAAYjN,KAC5D5B,KA+RXgwB,YAnVkB,SAAAC,GAA4B,IAAzBhU,EAAyBgU,EAAzBhU,YAAaiU,EAAYD,EAAZC,MAClC,OAAOhU,GAAgB,CACrB1S,IA/3B6B,0BAg4B7B4S,OAAQ,CACNwT,EAAGM,EACH1tB,SAAS,GAEXyZ,gBAECnW,KAAK,SAAC9F,GAAD,OAAUA,EAAKmK,IAAIpB,QA2U3BonB,kBA5RwB,SAAAC,GAAqB,IAAlBnU,EAAkBmU,EAAlBnU,YAC3B,OAAOC,GAAgB,CAAE1S,IAn7BY,yBAm7ByByS,iBA4R9DoU,iBAzRuB,SAAAC,GAAqB,IAAlBrU,EAAkBqU,EAAlBrU,YAC1B,OAAOC,GAAgB,CAAE1S,IAz7BQ,wBAy7ByByS,iBAyR1DsU,WAtRiB,SAAAC,GAA6B,IAA1BC,EAA0BD,EAA1BC,OAAQxU,EAAkBuU,EAAlBvU,YAC5B,OAAOC,GAAgB,CACrB1S,IA97B+B,wBA+7B/B2S,OAAQ,OACRE,QAAS,CAAEoU,UACXxU,iBAkRFyU,aA9QmB,SAAAC,GAA6B,IAA1BF,EAA0BE,EAA1BF,OAAQxU,EAAkB0U,EAAlB1U,YAC9B,OAAOC,GAAgB,CACrB1S,IAv8B+B,wBAw8B/B2S,OAAQ,SACRE,QAAS,CAAEoU,UACXxU,iBA0QF2U,MApJY,SAAAC,GAAqB,IAAlB5U,EAAkB4U,EAAlB5U,YACf,OAAOF,GA3jCc,wBA2jCW,CAAEQ,QAASI,GAAYV,KACpDnW,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAAC9F,GACL,MAAO,CAAE4wB,MAAO5wB,EAAKmK,IAAI6J,KAAWuJ,OAAO,SAAApW,GAAC,OAAIA,QAiJpD2pB,gBA7IsB,SAAAC,GAAgC,IAjkC/B5nB,EAikCE6nB,EAA6BD,EAA7BC,UAAW/U,EAAkB8U,EAAlB9U,YACpC,OAAOC,GAAgB,CACrB1S,KAnkCqBL,EAmkCC6nB,EAnkCC,uCAAApiB,OAA2CzF,IAokClEgT,OAAQ,OACRF,iBA0IFgV,aAtImB,SAAAC,GAAqD,IAAlD/nB,EAAkD+nB,EAAlD/nB,GAAI8S,EAA8CiV,EAA9CjV,YAAavI,EAAiCwd,EAAjCxd,MAAOwJ,EAA0BgU,EAA1BhU,QAA0BiU,EAAAD,EAAjB9T,aAAiB,IAAA+T,EAAT,GAASA,EACpE3nB,EAAMiS,GAA0BtS,GAC9BmU,EAAO,CACX5J,GAAK,UAAA9E,OAAc8E,GACnBwJ,GAAO,YAAAtO,OAAgBsO,GACvBE,GAAK,SAAAxO,OAAawO,IAClBG,OAAO,SAAAC,GAAC,OAAIA,IAAG5D,KAAK,KAItB,OAAOsC,GAAgB,CACrB1S,IAHFA,GAAa8T,EAAO,IAAMA,EAAO,GAI/BnB,OAAQ,MACRF,iBA0HFmV,gBAtHsB,SAAAC,GAAkD,IAA/CloB,EAA+CkoB,EAA/CloB,GAAIyG,EAA2CyhB,EAA3CzhB,QAA2C0hB,EAAAD,EAAlCE,eAAkC,IAAAD,EAAxB,KAAwBA,EAAlBrV,EAAkBoV,EAAlBpV,YAChDI,EAAU,CACdzM,QAAWA,GAOb,OAJI2hB,IACFlV,EAAO,SAAekV,GAGjBrV,GAAgB,CACrB1S,IAAKiS,GAA0BtS,GAC/BgT,OAAQ,OACRE,QAASA,EACTJ,iBA0GFuV,SAtGe,SAAAC,GAAqC,IAAlCtoB,EAAkCsoB,EAAlCtoB,GAAIuoB,EAA8BD,EAA9BC,WAAYzV,EAAkBwV,EAAlBxV,YAClC,OAAOC,GAAgB,CACrB1S,IAAKkS,GAAsBvS,GAC3BgT,OAAQ,OACRE,QAAS,CACPsV,aAAgBD,GAElBzV,iBAgGF2V,kBA5FwB,SAAAC,GAAwC,IAArCjW,EAAqCiW,EAArCjW,OAAQC,EAA6BgW,EAA7BhW,UAAWI,EAAkB4V,EAAlB5V,YAC9C,OAAOC,GAAgB,CACrB1S,IAAKmS,GAAgCC,EAAQC,GAC7CM,OAAQ,SACRF,kBA2FWoE,+DC/xCTyR,EAAa,SAAA7X,GAAU,OAAIA,GAAcA,EAAWzN,SAAS,MAEpDulB,IAVa,SAAC5oB,EAAI8Q,EAAY+X,GAC3C,IAAMC,GAAehY,GAAe6X,EAAW7X,IAAeiY,IAASF,EAAqB/X,GAC5F,MAAO,CACL5S,KAAO4qB,EAAc,wBAA0B,eAC/C7V,OAAS6V,EAAc,CAAE9oB,MAAO,CAAE9B,KAAM4S,8CCqB7BkY,EAzBI,CACjBC,MAAO,CACL,OACA,eACA,WAEFpyB,KANiB,WAOf,MAAO,CACLqyB,iBAAiB,EACjBC,cAAa,GAAA1jB,OAAK0J,KAAKia,OAAOC,MAAMC,SAASC,OAASpa,KAAKia,OAAOC,MAAMC,SAASH,iBAGrFK,WAAY,CACVC,oBAEFC,QAAS,CACPC,OADO,SACCttB,GACN,OAASA,GAAO8S,KAAK+Z,gBAAmB/Z,KAAKga,cAAgB9sB,GAE/DutB,eAJO,WAKLza,KAAK+Z,iBAAkB,YCd7B,IAEAW,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdyyB,ECjBF,WAA0B,IAAaC,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,cAAwBI,YAAA,SAAAC,MAAA,CAA4BC,iBAAnHrb,KAAmHsb,QAAAC,gBAAnHvb,KAAmHwb,cAAmEC,MAAA,CAAQC,IAA9L1b,KAA8LxG,KAAAzI,YAAA+H,MAA9LkH,KAA8LxG,KAAAzI,YAAA7D,IAA9L8S,KAA8Lwa,OAA9Lxa,KAA8LxG,KAAApH,4BAAAupB,mBAA9L3b,KAA8Lya,mBACxN,IDOA,EAaAC,EATA,KAEA,MAYekB,EAAA,QAAAhB,EAAiB,8QEtBnBiB,EAAyB,SAAAC,GAAK,OAAIA,EAAM5B,MAAMzC,SAAStO,cAAczhB,MAErEq0B,EAAe,SAAAD,GAC1B,IAAME,EAAYF,EAAME,WAAaF,EAAM5B,MAE3C,MAAQ,CACN8B,EAAUC,OAAOC,uBAAuBC,OAAS,OACjDH,EAAUC,OAAOC,uBAAuBviB,UAAY,UACpDqiB,EAAUC,OAAOC,uBAAuBE,SAAW,SACnDJ,EAAUC,OAAOC,uBAAuBG,SAAW,SACnDL,EAAUC,OAAOC,uBAAuBI,eAAiB,iBACzDN,EAAUC,OAAOC,uBAAuBK,OAAS,OACjDP,EAAUC,OAAOC,uBAAuBM,gBAAkB,0BAC1DvX,OAAO,SAAAC,GAAC,OAAIA,KAGVuX,EAAsB,CAAC,OAAQ,UAAW,SAAU,0BAE7CpiB,EAAuB,SAACzN,GAAD,OAAUgtB,IAAS6C,EAAqB7vB,IAEtE8vB,EAAW,SAACjf,EAAGnB,GACnB,IAAMqgB,EAAOC,OAAOnf,EAAE5M,IAChBgsB,EAAOD,OAAOtgB,EAAEzL,IAChBisB,GAAUF,OAAOG,MAAMJ,GACvBK,GAAUJ,OAAOG,MAAMF,GAC7B,OAAIC,GAAUE,EACLL,EAAOE,GAAQ,EAAI,EACjBC,IAAWE,EACb,GACGF,GAAUE,GACZ,EAEDvf,EAAE5M,GAAKyL,EAAEzL,IAAM,EAAI,GASjBosB,EAAwB,SAACnB,EAAOtU,GAC3C,IAAMwU,EAAYF,EAAME,WAAaF,EAAM5B,MAE3C,IAAI1S,EAAarN,MACZ4hB,EAAaD,GAAO5nB,SAASsT,EAAa5a,QACrB,YAAtB4a,EAAa5a,OAVS,SAACkvB,EAAOtU,GAClC,GAAKA,EAAahR,OAClB,OAAOgR,EAAahR,OAAOnC,OAAS6oB,YAAa1V,EAAahR,OAAQslB,EAAMqB,YAAYC,aAAaC,WAAWn1B,OAAS,EAQlFo1B,CAAoBxB,EAAOtU,IAAlE,CAEA,IAAM+V,EAAqBC,EAA0BhW,EAAcsU,EAAMqB,YAAYM,MACrFC,YAAwB1B,EAAWuB,KAGxBI,EAAiC,SAAC7B,EAAO8B,GAEpD,IAAIC,EAAsBhC,EAAuBC,GAAOjqB,IAAI,SAAAqT,GAAC,OAAIA,IAAG4Y,KAAKpB,GAEzE,OADAmB,EAAsBE,IAAOF,EAAqB,SACvB5Y,OACzB,SAACuC,GAAD,OAAmBoW,GAAS7B,EAAaD,IAAQ5nB,SAASsT,EAAa5a,SAI9DoxB,EAA+B,SAAAlC,GAAK,OAC/CmC,IAAON,EAA+B7B,GAAQ,SAAAle,GAAA,OAAAA,EAAGzD,QAEtCqjB,EAA4B,SAAChW,EAAciW,GACtD,IAOIS,EAPEC,EAAW,CACf7xB,IAAKkb,EAAa3W,IAEd2F,EAASgR,EAAahR,OACtBsC,EAAQ0O,EAAajN,aAAaxL,KAIxC,OAHAovB,EAASrlB,MAAQA,EACjBqlB,EAASC,KAAO5W,EAAajN,aAAarI,kBAElCsV,EAAa5a,MACnB,IAAK,OACHsxB,EAAa,gBACb,MACF,IAAK,SACHA,EAAa,eACb,MACF,IAAK,SACHA,EAAa,eACb,MACF,IAAK,OACHA,EAAa,cACb,MACF,IAAK,iBACHA,EAAa,iBAkBjB,MAd0B,2BAAtB1W,EAAa5a,KACfuxB,EAASre,KAAO2d,EAAKhuB,EAAE,6BAA8B,CAAC+X,EAAatR,QAC1DgoB,EACTC,EAASre,KAAO2d,EAAKhuB,EAAE,iBAAmByuB,GACjC7jB,EAAqBmN,EAAa5a,QAC3CuxB,EAASre,KAAO0H,EAAahR,OAAOe,MAIlCf,GAAUA,EAAOoD,aAAepD,EAAOoD,YAAY1R,OAAS,IAAMsO,EAAOW,MAC3EX,EAAOoD,YAAY,GAAGnE,SAASkK,WAAW,YAC1Cwe,EAASE,MAAQ7nB,EAAOoD,YAAY,GAAG1I,KAGlCitB,kCC1GT,IAAMG,EAAW,SAAA7oB,GACf,OAAIA,EAASyD,MAAM,cACV,OAGLzD,EAASyD,MAAM,SACV,QAGLzD,EAASyD,MAAM,SACV,QAGLzD,EAASyD,MAAM,SACV,QAGF,WAMHqlB,EAAkB,CACtBD,WACAE,oBAL0B,SAACZ,EAAO3K,GAAR,OAC1B2K,EAAM9O,KAAK,SAAAliB,GAAI,OAAI0xB,EAASrL,EAAKxd,YAAc7I,MAOlC2xB,2CC/Bf,IAoKeE,EApKC,CACd1vB,KAAM,UACN+qB,MAAO,CAEL4E,QAAS5tB,OAET6tB,UAAW7tB,OAIX8tB,QAASv2B,OAGTw2B,gBAAiB/tB,OAGjBguB,OAAQz2B,OAGRkvB,OAAQlvB,OAIR02B,aAAcjuB,QAEhBpJ,KAzBc,WA0BZ,MAAO,CACLs3B,QAAQ,EACRC,OAAQ,CAAExgB,QAAS,GACnBygB,QAAS,CAAEC,MAAO,EAAGC,OAAQ,KAGjC7E,QAAS,CACP8E,4BADO,WAGL,OADkBrf,KAAK6e,gBAAkB7e,KAAKsf,IAAIC,QAAQvf,KAAK6e,iBAAmB7e,KAAKsf,IAAIE,cAC1EC,yBAEnBC,aALO,WAML,GAAI1f,KAAKgf,OACPhf,KAAKif,OAAS,CACZxgB,QAAS,OAFb,CASA,IAAMkhB,EAAY3f,KAAK4f,MAAMlB,SAAW1e,KAAK4f,MAAMlB,QAAQmB,SAAS,IAAO7f,KAAKsf,IAC1EQ,EAAYH,EAASF,wBAErBM,EAAcD,EAAUE,KAAyB,GAAlBF,EAAUX,MAAzCY,EAAyDD,EAAUG,IACnE3oB,EAAU0I,KAAK4f,MAAMtoB,QAErB4oB,EAAelgB,KAAK4e,UACJ,cAAnB5e,KAAK4e,QAAQuB,GAAwC,cAAnBngB,KAAK4e,QAAQwB,IAChDpgB,KAAKqf,8BAEDP,EAAS9e,KAAK8e,QAAU,GAIxBuB,EAAUrgB,KAAK4e,SAA8B,cAAnB5e,KAAK4e,QAAQuB,EAAoB,CAC/DG,IAAKJ,EAAaF,MAAQlB,EAAOkB,MAAQ,GACzCO,IAAKL,EAAate,OAASkd,EAAOld,OAAS,IACzC,CACF0e,IAAK,GAAKxB,EAAOkB,MAAQ,IACzBO,IAAKjwB,OAAOkwB,YAAc1B,EAAOld,OAAS,KAGtC6e,EAAUzgB,KAAK4e,SAA8B,cAAnB5e,KAAK4e,QAAQwB,EAAoB,CAC/DE,IAAKJ,EAAaD,KAAOnB,EAAOmB,KAAO,GACvCM,IAAKL,EAAaQ,QAAU5B,EAAO4B,QAAU,IAC3C,CACFJ,IAAK,GAAKxB,EAAOmB,KAAO,IACxBM,IAAKjwB,OAAOqwB,aAAe7B,EAAO4B,QAAU,IAG1CE,EAAc,EAGbb,EAAiC,GAAtBzoB,EAAQupB,YAAqBR,EAAQC,MACnDM,KAAiBb,EAAiC,GAAtBzoB,EAAQupB,aAAqBR,EAAQC,KAI9DP,EAAWa,EAAoC,GAAtBtpB,EAAQupB,YAAqBR,EAAQE,MACjEK,GAAgBb,EAAWa,EAAoC,GAAtBtpB,EAAQupB,YAAqBR,EAAQE,KAIhF,IAAIO,EAA8B,WAAnB9gB,KAAK2e,UAKhBoB,EAAWzoB,EAAQypB,aAAeN,EAAQF,MAAKO,GAAW,GAC1Df,EAAWzoB,EAAQypB,aAAeN,EAAQH,MAAKQ,GAAW,GAE9D,IAAME,EAAWhhB,KAAKuX,QAAUvX,KAAKuX,OAAO6I,GAAM,EAC5Ca,EAAaH,GACdnB,EAASoB,aAAeC,EAAU1pB,EAAQypB,aAC3CC,EAEEE,EAAWlhB,KAAKuX,QAAUvX,KAAKuX,OAAO4I,GAAM,EAC5CgB,EAAqC,GAAvBxB,EAASkB,YAA2C,GAAtBvpB,EAAQupB,YAAoBD,EAAcM,EAI5FlhB,KAAKif,OAAS,CACZxgB,QAAS,EACT2iB,UAAS,cAAA9qB,OAAgBqG,KAAK0kB,MAAMF,GAA3B,mBAAA7qB,OAAwDqG,KAAK0kB,MAAMJ,GAAnE,UAGbK,YAjFO,WAkFDthB,KAAKgf,QAAQhf,KAAKuhB,MAAM,QAC5BvhB,KAAKgf,QAAS,EACdhf,KAAKwhB,UAAUxhB,KAAK0f,eAEtB+B,YAtFO,WAuFAzhB,KAAKgf,QAAQhf,KAAKuhB,MAAM,SAC7BvhB,KAAKgf,QAAS,EACdhf,KAAKif,OAAS,CAAExgB,QAAS,IAE3BijB,aA3FO,SA2FO73B,GACS,UAAjBmW,KAAK0e,SAAqB1e,KAAKshB,eAErCK,aA9FO,SA8FO93B,GACS,UAAjBmW,KAAK0e,SAAqB1e,KAAKyhB,eAErCG,QAjGO,SAiGE/3B,GACc,UAAjBmW,KAAK0e,UACH1e,KAAKgf,OACPhf,KAAKshB,cAELthB,KAAKyhB,gBAIXI,eA1GO,SA0GSh4B,GACVmW,KAAKgf,QACLhf,KAAKsf,IAAIwC,SAASj4B,EAAEoD,SACxB+S,KAAKyhB,gBAGTM,QAhJc,WAoJZ,IAAMzqB,EAAU0I,KAAK4f,MAAMtoB,QACtBA,IACD0I,KAAKkf,QAAQC,QAAU7nB,EAAQupB,aAAe7gB,KAAKkf,QAAQE,SAAW9nB,EAAQypB,eAChF/gB,KAAK0f,eACL1f,KAAKkf,QAAU,CAAEC,MAAO7nB,EAAQupB,YAAazB,OAAQ9nB,EAAQypB,iBAGjEiB,QA3Jc,WA4JZ71B,SAASya,iBAAiB,QAAS5G,KAAK6hB,iBAE1CI,UA9Jc,WA+JZ91B,SAAS+1B,oBAAoB,QAASliB,KAAK6hB,gBAC3C7hB,KAAKyhB,uBCxJT,IAEA/G,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACd85B,ECjBF,WAA0B,IAAAC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBmH,GAAA,CAAIC,WAAAF,EAAAV,aAAAa,WAAAH,EAAAT,eAA6D,CAAAzG,EAAA,OAAYsH,IAAA,UAAAH,GAAA,CAAkBI,MAAAL,EAAAR,UAAqB,CAAAQ,EAAAM,GAAA,eAAAN,EAAAO,GAAA,KAAAP,EAAApD,OAAgNoD,EAAAQ,KAAhN1H,EAAA,OAA4DsH,IAAA,UAAArH,YAAA,UAAAC,MAAAgH,EAAArD,cAAA,kBAAA8D,MAAAT,EAAA,QAAmG,CAAAA,EAAAM,GAAA,gBAAyBtb,MAAAgb,EAAAX,eAAwB,MAC9a,IDOA,EAaA/G,EATA,KAEA,MAYekB,EAAA,QAAAhB,EAAiB,iGEbjBkI,EAbK,CAClBhJ,MAAO,CACLiJ,YAAa,CACXC,SAAS,EACTp2B,KAAM+N,SAERsoB,SAAU,CACRD,QAAS,aACTp2B,KAAMs2B,mBCAZ,IAEAxI,EAVA,SAAAC,GACEtxB,EAAQ,MAyBK85B,EAVC96B,OAAAwyB,EAAA,EAAAxyB,CACd+6B,ECjBF,WAA0B,IAAAhB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,QAAkBE,MAAA,CAAOiI,eAAAjB,EAAAW,aAAkCV,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAA,EAAAr2B,SAAAq2B,EAAAC,cAA2C,MAAeD,EAAAE,kBAAyBpB,EAAAa,eAAwB,CAAA/H,EAAA,OAAYC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,SAAAa,GAAyBA,EAAAE,qBAA4B,CAAAtI,EAAA,OAAYC,YAAA,sCAAiD,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAM,GAAA,gBAAAN,EAAAO,GAAA,KAAAzH,EAAA,OAA+CC,YAAA,wBAAmC,CAAAiH,EAAAM,GAAA,eAAAN,EAAAO,GAAA,KAAAzH,EAAA,OAA8CC,YAAA,sDAAiE,CAAAiH,EAAAM,GAAA,mBAC/qB,IDOA,EAaAhI,EATA,KAEA,MAYgC,gBE0EjB+I,EAzFS,CACtB3J,MAAO,CACL,QAEFpyB,KAJsB,WAKpB,MAAO,CACL0N,KAAM,CACJsuB,WAfW,2BAgBXC,YAfY,sBAgBZC,eAfe,yBAgBfC,4BAf4B,sCAgB5BC,yBAfyB,mCAgBzBC,QAfQ,kBAgBRC,WAfW,sBAiBbC,sBAAsB,EACtBC,SAAS,IAGb7J,WAAY,CACVyI,cACArE,mBAEF0F,SAAU,CACRC,QADQ,WAEN,OAAO,IAAIxe,IAAI5F,KAAKxG,KAAKpE,OAE3BivB,aAJQ,WAKN,OAAOrkB,KAAKia,OAAOC,MAAMC,SAASmK,qBAGtC/J,QAAS,CACPgK,OADO,SACCC,GACN,OAAOxkB,KAAKokB,QAAQ9c,IAAIkd,IAE1BC,UAJO,SAIIn4B,GAAK,IAAAiU,EAAAP,KACR8b,EAAQ9b,KAAKia,OACfja,KAAKokB,QAAQ9c,IAAIhb,GACnBwvB,EAAM5B,MAAMwK,IAAIC,kBAAkB1T,UAAU,CAAEzX,KAAMwG,KAAKxG,KAAMlN,QAAOkB,KAAK,SAAAuS,GACpEA,EAASwE,IACduX,EAAM8I,OAAO,YAAa,CAAEprB,KAAM+G,EAAK/G,KAAMlN,UAG/CwvB,EAAM5B,MAAMwK,IAAIC,kBAAkB7T,QAAQ,CAAEtX,KAAMwG,KAAKxG,KAAMlN,QAAOkB,KAAK,SAAAuS,GAClEA,EAASwE,IACduX,EAAM8I,OAAO,UAAW,CAAEprB,KAAM+G,EAAK/G,KAAMlN,WAIjDu4B,YAlBO,SAkBMjjB,GAAO,IAAAkjB,EAAA9kB,KACZ8b,EAAQ9b,KAAKia,OACfja,KAAKxG,KAAKnG,OAAOuO,GACnBka,EAAM5B,MAAMwK,IAAIC,kBAAkBpT,YAAY,CAAE/X,KAAMwG,KAAKxG,KAAMoI,UAASpU,KAAK,SAAAuS,GACxEA,EAASwE,IACduX,EAAM8I,OAAO,cAAe,CAAEprB,KAAMsrB,EAAKtrB,KAAMoI,QAAOpS,OAAO,MAG/DssB,EAAM5B,MAAMwK,IAAIC,kBAAkBtT,SAAS,CAAE7X,KAAMwG,KAAKxG,KAAMoI,UAASpU,KAAK,SAAAuS,GACrEA,EAASwE,IACduX,EAAM8I,OAAO,cAAe,CAAEprB,KAAMsrB,EAAKtrB,KAAMoI,QAAOpS,OAAO,OAInEu1B,uBAhCO,WAiCL/kB,KAAKia,OAAO+K,SAAS,yBAA0B,CAAExrB,KAAMwG,KAAKxG,QAE9DyrB,iBAnCO,SAmCWC,GAChBllB,KAAKikB,qBAAuBiB,GAE9B/T,WAtCO,WAsCO,IAAAgU,EAAAnlB,KACN8b,EAAQ9b,KAAKia,OACbzgB,EAAOwG,KAAKxG,KACV3I,EAAa2I,EAAb3I,GAAI9B,EAASyK,EAATzK,KACZ+sB,EAAM5B,MAAMwK,IAAIC,kBAAkBxT,WAAW,CAAE3X,SAC5ChM,KAAK,SAAA3D,GACJs7B,EAAKlL,OAAO+K,SAAS,wBAAyB,SAAAxuB,GAAM,OAAIgD,EAAK3I,KAAO2F,EAAOgD,KAAK3I,KAChF,IAAMu0B,EAAiC,0BAArBD,EAAKE,OAAOt2B,MAAyD,iBAArBo2B,EAAKE,OAAOt2B,KACxEu2B,EAAeH,EAAKE,OAAOvhB,OAAO/U,OAASA,GAAQo2B,EAAKE,OAAOvhB,OAAOjT,KAAOA,EAC/Eu0B,GAAaE,GACfh1B,OAAOi1B,QAAQC,UAIvBC,WApDO,SAoDKj2B,GACVwQ,KAAKkkB,QAAU10B,KCvFrB,IAEIk2B,EAVJ,SAAoB/K,GAClBtxB,EAAQ,MAyBKs8B,EAVCt9B,OAAAwyB,EAAA,EAAAxyB,CACdu9B,ECjBQ,WAAgB,IAAAxD,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAAA,EAAA,WAA+BC,YAAA,2BAAAM,MAAA,CAA8CiD,QAAA,QAAAC,UAAA,SAAApH,OAAA,CAAiD6I,EAAA,IAAQiC,GAAA,CAAK6C,KAAA,SAAA5B,GAAwB,OAAAlB,EAAAqD,YAAA,IAA4Bre,MAAA,SAAAkc,GAA0B,OAAAlB,EAAAqD,YAAA,MAA+B,CAAAvK,EAAA,OAAYO,MAAA,CAAOoK,KAAA,WAAiBA,KAAA,WAAgB,CAAA3K,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAA5oB,KAAA,SAAA0hB,EAAA,QAAAA,EAAA,UAA8CC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAyC,YAAA,YAAkC,CAAAzC,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA3D,EAAA5oB,KAAAnG,OAAAG,MAAA,2FAAA4uB,EAAAO,GAAA,KAAAzH,EAAA,UAAwLC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAyC,YAAA,gBAAsC,CAAAzC,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA3D,EAAA5oB,KAAAnG,OAAAC,UAAA,mGAAA8uB,EAAAO,GAAA,KAAAzH,EAAA,OAAiMC,YAAA,mBAAAM,MAAA,CAAsC/nB,KAAA,iBAAoB0uB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,UAAsCC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA2C,4BAAsC,CAAA3C,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA3D,EAAA5oB,KAAAnE,YAAA,oGAAA+sB,EAAAO,GAAA,KAAAzH,EAAA,UAA8LC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA6C,kBAAA,MAAoC,CAAA7C,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAAO,GAAA,KAAAP,EAAA,aAAAlH,EAAA,OAAuIC,YAAA,mBAAAM,MAAA,CAAsC/nB,KAAA,eAAoB0uB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,aAAAlH,EAAA,QAAAA,EAAA,UAAkEC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAAsuB,eAA4C,CAAAtB,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sDAAA7K,EAAA,QAAyGC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAAsuB,iBAA4DtB,EAAAO,GAAA,KAAAzH,EAAA,UAA6BC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAAuuB,gBAA6C,CAAAvB,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uDAAA7K,EAAA,QAA0GC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAAuuB,kBAA6DvB,EAAAO,GAAA,KAAAzH,EAAA,UAA6BC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAAwuB,mBAAgD,CAAAxB,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0DAAA7K,EAAA,QAA6GC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAAwuB,qBAAgExB,EAAAO,GAAA,KAAAzH,EAAA,UAA6BC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAA2uB,YAAyC,CAAA3B,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mDAAA7K,EAAA,QAAsGC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAA2uB,cAAyD3B,EAAAO,GAAA,KAAAP,EAAA5oB,KAAA,SAAA0hB,EAAA,UAAiDC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAAyuB,gCAA6D,CAAAzB,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uEAAA7K,EAAA,QAA0HC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAAyuB,kCAA6EzB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5oB,KAAA,SAAA0hB,EAAA,UAA0DC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAA0uB,6BAA0D,CAAA1B,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oEAAA7K,EAAA,QAAuHC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAA0uB,+BAA0E1B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5oB,KAAA,SAAA0hB,EAAA,UAA0DC,YAAA,gBAAAkH,GAAA,CAAgCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAqC,UAAArC,EAAAhtB,KAAA4uB,eAA4C,CAAA5B,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sDAAA7K,EAAA,QAAyGC,YAAA,gBAAAC,MAAA,CAAmC4K,wBAAA5D,EAAAmC,OAAAnC,EAAAhtB,KAAA4uB,iBAA4D5B,EAAAQ,OAAAR,EAAAQ,SAAAR,EAAAO,GAAA,KAAAzH,EAAA,UAAqDC,YAAA,4BAAAC,MAAA,CAA+C8I,QAAA9B,EAAA8B,SAAuBzI,MAAA,CAAQoK,KAAA,WAAiBA,KAAA,WAAgB,CAAAzD,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA6GO,MAAA,CAAOwK,GAAA,UAAc,CAAA7D,EAAA,qBAAAlH,EAAA,eAA+CO,MAAA,CAAOyK,YAAA9D,EAAA6C,iBAAAl1B,KAAAiQ,MAAA,KAAoD,CAAAkb,EAAA,YAAiB2K,KAAA,UAAc,CAAAzD,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,YAAgN2K,KAAA,UAAc,CAAA3K,EAAA,UAAeC,YAAA,kBAAAkH,GAAA,CAAkCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA6C,kBAAA,MAAqC,CAAA7C,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAAkGC,YAAA,yBAAAkH,GAAA,CAAyCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAjR,gBAA0B,CAAAiR,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2DAAA3D,EAAAQ,MAAA,QAC5iK,IDOY,EAa7B8C,EATiB,KAEU,MAYG,2OEtBhC,IAyCeS,EAzCQ,CACrBrM,MAAO,CACL,OAAQ,gBAEVpyB,KAJqB,WAKnB,MAAO,IAET2yB,WAAY,CACV+L,mBACA3H,mBAEFlE,QAAS,CACP8L,YADO,WAELrmB,KAAKia,OAAO+K,SAAS,cAAehlB,KAAKxG,KAAK3I,KAEhDy1B,YAJO,WAKLtmB,KAAKia,OAAO+K,SAAS,cAAehlB,KAAKxG,KAAK3I,KAEhD8b,UAPO,WAQL3M,KAAKia,OAAO+K,SAAS,YAAahlB,KAAKxG,KAAK3I,KAE9Cic,YAVO,WAWL9M,KAAKia,OAAO+K,SAAS,cAAehlB,KAAKxG,KAAK3I,KAEhD6lB,WAbO,WAcL1W,KAAKia,OAAO+K,SAAS,yBAA0BhlB,KAAKxG,KAAK3I,KAE3D01B,SAhBO,WAiBLvmB,KAAKwmB,QAAQp+B,KAAK,CAChB2G,KAAM,OACN+U,OAAQ,CAAE2iB,aAAczmB,KAAKxG,KAAK3I,QAIxCszB,sWAAQvrB,CAAA,GACH8tB,YAAS,CACVC,6BAA8B,SAAAzM,GAAK,OAAIA,EAAMC,SAASwM,kCChC5D,IAEIC,EAVJ,SAAoBjM,GAClBtxB,EAAQ,MAyBKw9B,EAVCx+B,OAAAwyB,EAAA,EAAAxyB,CACdy+B,ECjBQ,WAAgB,IAAA1E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,mBAA8B,CAAAD,EAAA,WAAgBO,MAAA,CAAOiD,QAAA,QAAAC,UAAA,SAAAoI,WAAA,CAAmD5G,EAAA,eAAmB,CAAAjF,EAAA,OAAYC,YAAA,wBAAAM,MAAA,CAA2CoK,KAAA,WAAiBA,KAAA,WAAgB,CAAA3K,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAzvB,aAAA,WAAAyvB,EAAAzvB,aAAA,gBAAAuoB,EAAA,UAAgFC,YAAA,gCAAAkH,GAAA,CAAgDI,MAAAL,EAAAkE,cAAyB,CAAAlE,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAzvB,aAAAq0B,gBAAoO5E,EAAAQ,KAApO1H,EAAA,UAA2JC,YAAA,gCAAAkH,GAAA,CAAgDI,MAAAL,EAAAiE,cAAyB,CAAAjE,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAoHC,YAAA,mBAAAM,MAAA,CAAsC/nB,KAAA,gBAAoB0uB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAzvB,aAAA,SAAAuoB,EAAA,UAAiEC,YAAA,0CAAAkH,GAAA,CAA0DI,MAAAL,EAAAtV,cAAyB,CAAAsV,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA7K,EAAA,UAAyFC,YAAA,0CAAAkH,GAAA,CAA0DI,MAAAL,EAAAzV,YAAuB,CAAAyV,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAAmGC,YAAA,0CAAAkH,GAAA,CAA0DI,MAAAL,EAAA1L,aAAwB,CAAA0L,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAO,GAAA,KAAAP,EAAA,6BAAAlH,EAAA,UAAuIC,YAAA,0CAAAkH,GAAA,CAA0DI,MAAAL,EAAAmE,WAAsB,CAAAnE,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAQ,MAAA,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAiHC,YAAA,kCAAAM,MAAA,CAAqDoK,KAAA,WAAiBA,KAAA,WAAgB,CAAA3K,EAAA,KAAUC,YAAA,sCAA2C,IACn0D,IDOY,EAa7ByL,EATiB,KAEU,MAYG,2kBEjBjB,IAAAK,EAAA,CACbnN,MAAO,CACL,SAAU,WAAY,WAAY,UAAW,UAAW,WAAY,sBAEtEpyB,KAJa,WAKX,MAAO,CACLw/B,yBAAyB,EACzB1L,aAAcxb,KAAKia,OAAOC,MAAZ,UAA4BiN,eAAeC,YAG7DpF,QAVa,WAWXhiB,KAAKia,OAAO+K,SAAS,wBAAyBhlB,KAAKxG,KAAK3I,KAE1DszB,SAAUkD,EAAA,CACR7tB,KADM,WAEJ,OAAOwG,KAAKia,OAAOqN,QAAQC,SAASvnB,KAAKyI,SAE3C9V,aAJM,WAKJ,OAAOqN,KAAKia,OAAOqN,QAAQ30B,aAAaqN,KAAKyI,SAE/C+e,QAPM,WAQJ,MAAO,CAAC,CACNC,sBAAwC,QAAjBznB,KAAK0nB,QAC5BC,qBAAsC,IAAjB3nB,KAAK0nB,QAC1BE,sBAAwC,IAAlB5nB,KAAK6nB,YAG/BhF,MAdM,WAeJ,MAAO,CACLiF,gBAAiB,6EAAAxxB,OAER0J,KAAKxG,KAAKnH,YAFF,MAGfiP,KAAK,QAGXymB,YAtBM,WAuBJ,OAAO/nB,KAAKxG,KAAK3I,KAAOmP,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYn3B,IAE9Do3B,aAzBM,WA2BJ,IAAMC,EAAY,IAAIC,IAAInoB,KAAKxG,KAAKvI,uBACpC,SAAAqF,OAAU4xB,EAAUE,SAApB,MAAA9xB,OAAiC4xB,EAAUG,KAA3C,kBAEFC,SA9BM,WA+BJ,OAAOtoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAEjCO,SAjCM,WAkCJ,IAAMC,EAAO7rB,KAAKC,MAAM,IAAIhI,KAAS,IAAIA,KAAKoL,KAAKxG,KAAK7E,aAAjC,OACvB,OAAOgI,KAAK0kB,MAAMrhB,KAAKxG,KAAKzE,eAAiByzB,IAE/CC,kBAAmBpB,EAAA,CACjBj4B,IADe,WAEb,IAAM1H,EAAOsY,KAAKia,OAAOqN,QAAQlK,aAAasL,UAAU1oB,KAAKxG,KAAKzI,aAClE,OAAQrJ,GAAQA,EAAKkF,MAAS,YAEhC+7B,IALe,SAKV/7B,GACH,IAAMlF,EAAOsY,KAAKia,OAAOqN,QAAQlK,aAAasL,UAAU1oB,KAAKxG,KAAKzI,aACrD,aAATnE,EACFoT,KAAKia,OAAO+K,SAAS,eAAgB,CAAExrB,KAAMwG,KAAKxG,KAAKzI,YAAayN,MAAQ9W,GAAQA,EAAK8W,OAAU,UAAW5R,SAE9GoT,KAAKia,OAAO+K,SAAS,eAAgB,CAAExrB,KAAMwG,KAAKxG,KAAKzI,YAAayN,WAAOhQ,MAG5Eo6B,YAAW,CAAC,kBAEjBC,mBAAoB,CAClBz5B,IADkB,WAEhB,IAAM1H,EAAOsY,KAAKia,OAAOqN,QAAQlK,aAAasL,UAAU1oB,KAAKxG,KAAKzI,aAClE,OAAOrJ,GAAQA,EAAK8W,OAEtBmqB,IALkB,SAKbnqB,GACHwB,KAAKia,OAAO+K,SAAS,eAAgB,CAAExrB,KAAMwG,KAAKxG,KAAKzI,YAAayN,YAGxEsqB,YA7DM,WA8DJ,IAAMz1B,EAAS2M,KAAKxG,KAAKnG,OACzB,GAAKA,EAAL,CACA,IAAM01B,EAAY11B,EAAOG,OAASH,EAAOC,UACnC01B,EAAY31B,EAAOG,MAAQ,QAAU,YAC3C,OAAOu1B,GAAaC,IAEtBC,iBApEM,WAqEJ,OAAOjpB,KAAK+nB,aAAe/nB,KAAKxG,KAAKrG,oBAEvC+1B,mBAvEM,WAwEJ,OAAOlpB,KAAK+nB,aAAe/nB,KAAKxG,KAAKpG,uBAEpCw1B,YAAW,CAAC,kBAEjBvO,WAAY,CACVR,qBACAsP,iBACA1F,kBACA0C,iBACAC,mBACAgD,kBAEF7O,QAAS,CACPvK,SADO,WAELhQ,KAAKia,OAAO+K,SAAS,WAAYhlB,KAAKxG,KAAK3I,KAE7Cqf,WAJO,WAKLlQ,KAAKia,OAAO+K,SAAS,aAAchlB,KAAKxG,KAAK3I,KAE/Cuf,cAPO,WAQL,OAAOpQ,KAAKia,OAAO+K,SAAS,gBAAiBhlB,KAAKxG,KAAK3I,KAEzDyf,gBAVO,WAWL,OAAOtQ,KAAKia,OAAO+K,SAAS,kBAAmBhlB,KAAKxG,KAAK3I,KAE3Dw4B,eAbO,SAaSC,GACVtpB,KAAKupB,UACOvpB,KAAKia,OACb2K,OAAO,iBAAkB,CAAE0E,OAGrCE,YAnBO,SAAA5rB,GAmBkB,IAAV3Q,EAAU2Q,EAAV3Q,OACU,SAAnBA,EAAOu3B,UACTv3B,EAASA,EAAOI,YAEK,MAAnBJ,EAAOu3B,SACTl0B,OAAOm5B,KAAKx8B,EAAO7C,KAAM,WAG7Bs/B,gBA3BO,SA2BUlwB,GACf,OAAOigB,YACLjgB,EAAK3I,GAAI2I,EAAKzI,YACdiP,KAAKia,OAAOC,MAAMC,SAAST,sBAG/BiQ,WAjCO,WAkCL,IAAMxtB,EAAa,CACjBjL,IAAK8O,KAAKxG,KAAKpH,2BACfqD,SAAU,SAEZuK,KAAKia,OAAO+K,SAAS,WAAY,CAAC7oB,IAClC6D,KAAKia,OAAO+K,SAAS,aAAc7oB,IAErCytB,YAzCO,WA0CL5pB,KAAKia,OAAO+K,SAAS,sBAAuB,CAAE6E,SAAS,EAAMC,YAAa9pB,KAAKxG,UC5IrF,IAEIuwB,EAVJ,SAAoBpP,GAClBtxB,EAAQ,MAeN2gC,EAAY3hC,OAAAwyB,EAAA,EAAAxyB,CACd4+B,ECjBQ,WAAgB,IAAA7E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,YAAAC,MAAAgH,EAAAoF,SAA0C,CAAAtM,EAAA,OAAYC,YAAA,mBAAAC,MAAA,CAAsC6O,WAAA7H,EAAA8H,SAA0BrH,MAAAT,EAAA,QAAmBA,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,iBAA4B,CAAAD,EAAA,OAAYC,YAAA,aAAwB,CAAAD,EAAA,OAAYC,YAAA,aAAwB,CAAAiH,EAAA,mBAAAlH,EAAA,KAAmCC,YAAA,wBAAAkH,GAAA,CAAwCI,MAAAL,EAAAuH,aAAwB,CAAAzO,EAAA,cAAmBO,MAAA,CAAOF,gBAAA6G,EAAA5G,aAAAhiB,KAAA4oB,EAAA5oB,QAAkD4oB,EAAAO,GAAA,KAAAP,EAAA+H,GAAA,OAAAjP,EAAA,eAA8CO,MAAA,CAAOwK,GAAA7D,EAAAsH,gBAAAtH,EAAA5oB,QAAoC,CAAA0hB,EAAA,cAAmBO,MAAA,CAAOF,gBAAA6G,EAAA5G,aAAAhiB,KAAA4oB,EAAA5oB,SAAkD,GAAA4oB,EAAAO,GAAA,KAAAzH,EAAA,OAA4BC,YAAA,gBAA2B,CAAAD,EAAA,OAAYC,YAAA,YAAuB,CAAAiH,EAAA5oB,KAAA,UAAA0hB,EAAA,OAAiCC,YAAA,YAAAM,MAAA,CAA+B3iB,MAAAspB,EAAA5oB,KAAAzK,MAAsBq7B,SAAA,CAAWC,UAAAjI,EAAA0D,GAAA1D,EAAA5oB,KAAApI,cAAwC8pB,EAAA,OAAYC,YAAA,YAAAM,MAAA,CAA+B3iB,MAAAspB,EAAA5oB,KAAAzK,OAAuB,CAAAqzB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA5oB,KAAAzK,MAAA,oBAAAqzB,EAAAO,GAAA,KAAAP,EAAA2F,cAAA3F,EAAA5oB,KAAAvF,SAAAinB,EAAA,KAAkIO,MAAA,CAAOrxB,KAAAg4B,EAAA5oB,KAAAvI,sBAAAhE,OAAA,WAAyD,CAAAiuB,EAAA,KAAUC,YAAA,iCAAyCiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA2F,aAAA3F,EAAAkG,SAAApN,EAAA,kBAAgFO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,KAAA7G,aAAAyvB,EAAAzvB,gBAAiDyvB,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAqCC,YAAA,eAA0B,CAAAD,EAAA,eAAoBC,YAAA,mBAAAM,MAAA,CAAsC3iB,MAAAspB,EAAA5oB,KAAAzI,YAAAk1B,GAAA7D,EAAAsH,gBAAAtH,EAAA5oB,QAAiE,CAAA4oB,EAAAO,GAAA,oBAAAP,EAAA0D,GAAA1D,EAAA5oB,KAAAzI,aAAA,oBAAAqxB,EAAAO,GAAA,KAAAP,EAAA8H,QAAgU9H,EAAAQ,KAAhU,CAAAR,EAAA0G,YAAA5N,EAAA,QAAyIC,YAAA,mBAA8B,CAAAiH,EAAAO,GAAA,qBAAAP,EAAA0D,GAAA1D,EAAA0G,aAAA,sBAAA1G,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5oB,KAAA,IAAA0hB,EAAA,QAA2HC,YAAA,mBAA8B,CAAAiH,EAAAO,GAAA,2CAAAP,EAAAQ,MAAAR,EAAAO,GAAA,KAAAP,EAAA5oB,KAAA,OAAA0hB,EAAA,QAAAA,EAAA,KAAwHC,YAAA,qBAA6BiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAhF,aAAAkN,eAAAlI,EAAA8H,QAA6G9H,EAAAQ,KAA7G1H,EAAA,QAAsFC,YAAA,YAAuB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAmG,UAAA,IAAAnG,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAkHC,YAAA,aAAwB,CAAAiH,EAAAzvB,aAAA6B,aAAA4tB,EAAAkG,UAAAlG,EAAA2F,YAAA7M,EAAA,OAA8EC,YAAA,aAAwB,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAA2F,cAAA3F,EAAAkG,UAAAlG,EAAAmH,SAAu6DnH,EAAAQ,KAAv6D1H,EAAA,OAAoKC,YAAA,eAA0B,cAAAiH,EAAAqG,kBAAAvN,EAAA,SAAqDqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,mBAAAqI,WAAA,uBAA8FtP,YAAA,oBAAAM,MAAA,CAAyC5qB,GAAA,uBAAAuxB,EAAA5oB,KAAA3I,GAAAjE,KAAA,QAAsDw9B,SAAA,CAAW56B,MAAA4yB,EAAA,oBAAiCC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAyG,mBAAAvF,EAAAr2B,OAAAuC,WAA6C4yB,EAAAQ,KAAAR,EAAAO,GAAA,kBAAAP,EAAAqG,kBAAAvN,EAAA,SAA0EqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,mBAAAqI,WAAA,uBAA8FtP,YAAA,kBAAAM,MAAA,CAAuC5qB,GAAA,qBAAAuxB,EAAA5oB,KAAA3I,GAAAjE,KAAA,SAAqDw9B,SAAA,CAAW56B,MAAA4yB,EAAA,oBAAiCC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAyG,mBAAAvF,EAAAr2B,OAAAuC,WAA6C4yB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,SAAmCC,YAAA,0BAAAM,MAAA,CAA6CkP,IAAA,cAAmB,CAAAzP,EAAA,UAAeqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,kBAAAqI,WAAA,sBAA4FtP,YAAA,mBAAAM,MAAA,CAAwC5qB,GAAA,mBAAAuxB,EAAA5oB,KAAA3I,IAAoCwxB,GAAA,CAAKuI,OAAA,SAAAtH,GAA0B,IAAAuH,EAAAC,MAAAxiC,UAAA2c,OAAAzc,KAAA86B,EAAAr2B,OAAA0L,QAAA,SAAA1J,GAAkF,OAAAA,EAAA87B,WAAkBl5B,IAAA,SAAA5C,GAA+D,MAA7C,WAAAA,IAAA+7B,OAAA/7B,EAAAO,QAA0D4yB,EAAAqG,kBAAAnF,EAAAr2B,OAAAkiB,SAAA0b,IAAA,MAAmF,CAAA3P,EAAA,UAAeO,MAAA,CAAOjsB,MAAA,aAAoB,CAAA4yB,EAAAO,GAAA,kBAAAP,EAAAO,GAAA,KAAAzH,EAAA,UAAoDO,MAAA,CAAOjsB,MAAA,UAAiB,CAAA4yB,EAAAO,GAAA,cAAAP,EAAAO,GAAA,KAAAzH,EAAA,UAAgDO,MAAA,CAAOjsB,MAAA,YAAmB,CAAA4yB,EAAAO,GAAA,gBAAAP,EAAAO,GAAA,KAAAzH,EAAA,UAAkDO,MAAA,CAAOjsB,MAAA,SAAgB,CAAA4yB,EAAAO,GAAA,mBAAAP,EAAAO,GAAA,KAAAzH,EAAA,KAAgDC,YAAA,yBAA6BiH,EAAAO,GAAA,KAAAP,EAAAkG,UAAAlG,EAAA2F,YAAA7M,EAAA,OAAyEC,YAAA,qBAAgC,CAAAD,EAAA,OAAYC,YAAA,aAAwB,CAAAD,EAAA,gBAAqBO,MAAA,CAAO9oB,aAAAyvB,EAAAzvB,gBAAiCyvB,EAAAO,GAAA,KAAAP,EAAAzvB,aAAA,WAAAyvB,EAAAzvB,aAAAs4B,YAA6O/P,EAAA,kBAAyBC,YAAA,0BAAAM,MAAA,CAA6CgH,MAAAL,EAAA9R,gBAAAxX,MAAAspB,EAAA2D,GAAA,2BAAqE,CAAA7K,EAAA,KAAUC,YAAA,0BAAlYD,EAAA,kBAAiGC,YAAA,kBAAAM,MAAA,CAAqCgH,MAAAL,EAAAhS,cAAAtX,MAAAspB,EAAA2D,GAAA,yBAAiE,CAAA7K,EAAA,KAAUC,YAAA,qBAAmNiH,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAAkH,EAAAzvB,aAAA,OAAAuoB,EAAA,UAA+EC,YAAA,oCAAAkH,GAAA,CAAoDI,MAAAL,EAAAlS,aAAwB,CAAAkS,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA7K,EAAA,UAA2FC,YAAA,4BAAAkH,GAAA,CAA4CI,MAAAL,EAAApS,WAAsB,CAAAoS,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAAA,EAAA,UAAkHC,YAAA,4BAAAkH,GAAA,CAA4CI,MAAAL,EAAAwH,cAAyB,CAAAxH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAO,GAAA,eAAAP,EAAAkG,SAAA50B,KAAAwnB,EAAA,mBAAoJO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,QAAiB4oB,EAAAQ,MAAA,GAAAR,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAAkG,UAAAlG,EAAA5oB,KAAAvF,SAAAinB,EAAA,OAAmFC,YAAA,qBAAgC,CAAAD,EAAA,gBAAqBO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,SAAiB,GAAA4oB,EAAAQ,SAAAR,EAAAO,GAAA,KAAAP,EAAA8H,QAA81C9H,EAAAQ,KAA91C1H,EAAA,OAAwDC,YAAA,cAAyB,EAAAiH,EAAAhF,aAAAkN,eAAAlI,EAAAmH,SAAArO,EAAA,OAA8DC,YAAA,eAA0B,CAAAD,EAAA,OAAYC,YAAA,aAAAkH,GAAA,CAA6BI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAiH,eAAA,eAAwC,CAAAnO,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5oB,KAAAzE,gBAAA,KAAAmmB,EAAA,UAAAkH,EAAAO,GAAA,KAAAzH,EAAA,OAAgKC,YAAA,aAAAkH,GAAA,CAA6BI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAiH,eAAA,cAAuC,CAAAnO,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA6G,iBAAA7G,EAAA2D,GAAA,oBAAA3D,EAAA5oB,KAAAjH,oBAAA6vB,EAAAO,GAAA,KAAAzH,EAAA,OAAuMC,YAAA,aAAAkH,GAAA,CAA6BI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAiH,eAAA,gBAAyC,CAAAnO,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA8G,mBAAA9G,EAAA2D,GAAA,oBAAA3D,EAAA5oB,KAAA1E,wBAAAstB,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAA8H,SAAA9H,EAAA5oB,KAAA9H,iBAAAwpB,EAAA,KAAgQC,YAAA,gBAAAiP,SAAA,CAAsCC,UAAAjI,EAAA0D,GAAA1D,EAAA5oB,KAAA9H,mBAA8C2wB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoH,YAAAlG,OAAiClB,EAAA8H,QAAqD9H,EAAAQ,KAArD1H,EAAA,KAAyBC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA5oB,KAAAhI,aAAA,iBAC5+N,YAAiB,IAAaupB,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,iCAA4C,CAAAD,EAAA,KAAUC,YAAA,kCDO3I,EAa7B4O,EATiB,KAEU,MAYdnO,EAAA,EAAAoO,EAAiB,sCE1BhC3gC,EAAAyF,EAAA8sB,EAAA,sBAAAuP,IAAA9hC,EAAAyF,EAAA8sB,EAAA,sBAAAwP,IAAA/hC,EAAAyF,EAAA8sB,EAAA,sBAAAyP,IAAA,IAAAC,EAAAjiC,EAAA,IAAAkiC,EAAAliC,EAAA,GAMa8hC,EAAS,CACpBK,QAAS,KACTC,OAAQ,KACRC,MAAO,KACPC,YAAa,KACbxtB,GAAI,KACJE,GAAI,WACJqqB,UAAW,KACXkD,MAAO,KACPzJ,QAAS,KACT0J,aAAc,UACdC,IAAK,KACLC,SAAU,QACVC,UAAW,SACXtsB,MAAO,KACPusB,WAAY,QACZC,YAAa,SACbC,MAAO,KACPC,WAAY,QACZ1zB,KAAM,KACN2zB,OAAQ,WACRC,YAAa,UAMFlB,EAAkB,CAC7BO,YAAa,GACbQ,MAAO,GACPzsB,MAAO,GACP6sB,MAAO,GACPC,SAAU,IACVC,WAAY,KAyCDpB,EAAmB,CAC9BhtB,GAAI,CACFquB,QAAS,GACTjuB,QAAS,KACTkuB,SAAU,GAEZxuB,GAAI,CACFuuB,QAAS,GACTC,SAAU,GAEZp1B,KAAM,CACJm1B,QAAS,GACTE,MAAO,KACPnuB,QAAS,KACTkuB,SAAU,GAEZH,SAAU,CACRxJ,QAAS,UACTvkB,QAAS,YAEXouB,KAAM,CACJH,QAAS,CAAC,UACVC,SAAU,GAEZG,OAAQ,CACNJ,QAAS,CAAC,QACVC,SAAU,GAEZJ,MAAO,CACLG,QAAS,CAAC,QACVjuB,QAAS,SAEXsuB,UAAW,CACTL,QAAS,CAAC,QACVjuB,QAAS,SAEXuuB,cAAe,CACbN,QAAS,CAAC,YACVjuB,QAAS,SAGXwuB,MAAO,UACPC,KAAM,UACNC,OAAQ,UACRC,QAAS,UAETC,UAAW,CACTX,QAAS,CAAC,MACVluB,MAAO,SAAC8uB,EAAKjvB,GAAN,MAAc,CACnBhP,EAAGsN,KAAKsC,MAAa,IAAPZ,EAAGhP,GACjBgN,EAAGM,KAAKsC,MAAa,IAAPZ,EAAGhC,GACjBC,EAAGK,KAAKsC,MAAa,IAAPZ,EAAG/B,MAGrBqvB,YAAa,CACXe,QAAS,CAAC,MACVE,MAAO,cACPnuB,QAAS,eAGXiqB,UAAW,CACTgE,QAAS,CAAC,MACVluB,MAAO,SAAC8uB,EAAKjvB,GAAN,OAAakvB,qBAAW,EAAID,EAAKjvB,GAAIkB,MAE9CiuB,mBAAoB,CAClBd,QAAS,CAAC,aACVE,MAAO,YACPa,WAAW,GAEbC,kBAAmB,CACjBhB,QAAS,CAAC,YACVE,MAAO,YACPa,UAAW,YAEbE,mBAAoB,CAClBjB,QAAS,CAAC,SACVE,MAAO,YACPa,WAAW,GAEbG,mBAAoB,CAClBlB,QAAS,CAAC,aACVE,MAAO,YACPa,UAAW,YAEbI,uBAAwB,CACtBnB,QAAS,CAAC,iBACVE,MAAO,YACPa,UAAW,YAEbK,cAAe,CACbpB,QAAS,CAAC,QACVE,MAAO,YACPa,WAAW,GAEbM,cAAe,CACbrB,QAAS,CAAC,QACVE,MAAO,YACPa,UAAW,YAEbO,cAAe,CACbtB,QAAS,CAAC,YAAa,iBACvBluB,MAAO,SAAC8uB,EAAKjvB,EAAI9G,GAAV,OAAmBsH,YAAOR,EAAI9G,KAGvC4qB,QAAS,CACPuK,QAAS,CAAC,MACVjuB,QAAS,WAEXwvB,iBAAkB,CAChBvB,QAAS,CAAC,aACVE,MAAO,UACPa,WAAW,GAEbS,gBAAiB,CACfxB,QAAS,CAAC,YACVE,MAAO,UACPa,UAAW,YAEbU,iBAAkB,CAChBzB,QAAS,CAAC,SACVE,MAAO,UACPa,WAAW,GAEbW,iBAAkB,CAChB1B,QAAS,CAAC,aACVE,MAAO,UACPa,UAAW,YAEbY,qBAAsB,CACpB3B,QAAS,CAAC,iBACVE,MAAO,UACPa,UAAW,YAEba,YAAa,CACX5B,QAAS,CAAC,QACVE,MAAO,UACPa,WAAW,GAEbc,YAAa,CACX7B,QAAS,CAAC,QACVE,MAAO,UACPa,UAAW,YAEbe,YAAa,CACX9B,QAAS,CAAC,UAAW,eACrBluB,MAAO,SAAC8uB,EAAKjvB,EAAI9G,GAAV,OAAmBsH,YAAOR,EAAI9G,KAGvCk3B,aAAc,cACdC,sBAAuB,CACrBhC,QAAS,CAAC,sBACVE,MAAO,YACP+B,QAAS,eACTlB,WAAW,GAEbmB,sBAAuB,CACrBlC,QAAS,CAAC,sBACVE,MAAO,YACP+B,QAAS,eACTlB,WAAW,GAEboB,qBAAsB,CACpBnC,QAAS,CAAC,qBACVE,MAAO,YACP+B,QAAS,eACTlB,UAAW,YAEbqB,sBAAuB,CACrBpC,QAAS,CAAC,sBACVE,MAAO,YACP+B,QAAS,eACTlB,UAAW,YAEbsB,iBAAkB,CAChBrC,QAAS,CAAC,iBACVE,MAAO,YACP+B,QAAS,eACTlB,WAAW,GAEbuB,iBAAkB,CAChBtC,QAAS,CAAC,iBACVE,MAAO,YACP+B,QAAS,eACTlB,UAAW,YAEbwB,iBAAkB,CAChBvC,QAAS,CAAC,eAAgB,oBAC1BluB,MAAO,SAAC8uB,EAAKjvB,EAAI9G,GAAV,OAAmBsH,YAAOR,EAAI9G,KAGvCs0B,aAAc,CACZa,QAAS,CAAC,MACVluB,MAAO,SAAC8uB,EAAKjvB,GAAN,OAAakvB,qBAAW,EAAID,EAAKjvB,GAAIkB,MAE9C2vB,sBAAuB,CACrBxC,QAAS,CAAC,sBACVE,MAAO,eACP+B,QAAS,eACTlB,WAAW,GAEb0B,sBAAuB,CACrBzC,QAAS,CAAC,sBACVE,MAAO,eACP+B,QAAS,eACTlB,WAAW,GAEb2B,sBAAuB,CACrB1C,QAAS,CAAC,sBACVE,MAAO,eACP+B,QAAS,eACTlB,UAAW,YAEb4B,iBAAkB,CAChB3C,QAAS,CAAC,iBACVE,MAAO,eACP+B,QAAS,eACTlB,WAAW,GAEb6B,iBAAkB,CAChB5C,QAAS,CAAC,iBACVE,MAAO,eACP+B,QAAS,eACTlB,UAAW,YAEb8B,iBAAkB,CAChB7C,QAAS,CAAC,eAAgB,oBAC1BluB,MAAO,SAAC8uB,EAAKjvB,EAAI9G,GAAV,OAAmBsH,YAAOR,EAAI9G,KAGvCi4B,oBAAqB,CACnB9C,QAAS,CAAC,WACVluB,MAAO,SAAC8uB,EAAKjvB,GAAN,OAAakvB,qBAAW,EAAID,EAAKjvB,GAAIkB,MAE9CkwB,6BAA8B,CAC5B/C,QAAS,CAAC,yBACVE,MAAO,sBACP+B,QAAS,sBACTlB,WAAW,GAEbiC,6BAA8B,CAC5BhD,QAAS,CAAC,yBACVE,MAAO,sBACP+B,QAAS,sBACTlB,WAAW,GAEbkC,6BAA8B,CAC5BjD,QAAS,CAAC,yBACVE,MAAO,sBACP+B,QAAS,sBACTlB,UAAW,YAEbmC,wBAAyB,CACvBlD,QAAS,CAAC,oBACVE,MAAO,sBACP+B,QAAS,sBACTlB,WAAW,GAEboC,wBAAyB,CACvBnD,QAAS,CAAC,oBACVE,MAAO,sBACP+B,QAAS,sBACTlB,UAAW,YAEbqC,wBAAyB,CACvBpD,QAAS,CAAC,sBAAuB,oBACjCluB,MAAO,SAAC8uB,EAAKjvB,EAAI9G,GAAV,OAAmBsH,YAAOR,EAAI9G,KAGvCw4B,UAAW,CACTrD,QAAS,CAAC,QACVE,MAAO,KACPa,UAAW,WACXjvB,MAAO,SAAC8uB,EAAK/1B,GAAN,OAAeg2B,qBAAW,GAAKD,EAAK/1B,GAAMgI,MAGnDywB,SAAU,CACRtD,QAAS,CAAC,QACVE,MAAO,KACPa,UAAW,YAGbwC,cAAe,CACbvD,QAAS,CAAC,UACVE,MAAO,KACPa,UAAW,YAGbyC,OAAQ,CACNxD,QAAS,CAAC,MACVjuB,QAAS,SACTD,MAAO,SAAC8uB,EAAKnvB,GAAN,OAAaovB,qBAAW,EAAID,EAAKnvB,GAAIoB,MAG9C7G,KAAM,CACJg0B,QAAS,CAAC,SAAU,MACpByD,SAAU,OACV3xB,MAAO,SAAC8uB,EAAKR,EAAQzuB,GAAd,OAAqBH,YAAW4uB,EAAQ,GAAKzuB,KAEtD+xB,SAAU,CACR1D,QAAS,CAAC,QACVE,MAAO,OACPa,WAAW,GAGbrP,KAAM,CACJsO,QAAS,CAAC,KAAM,QAChB2D,iBAAiB,EACjB7xB,MAAO,SAAC8uB,EAAKjvB,EAAI9G,GAAV,OAAmBsH,YAAOR,EAAI9G,KAIvC+4B,OAAQ,CACN5D,QAAS,CAAC,QACVE,MAAO,KACPa,WAAW,GAEb8C,OAAQ,CACN7D,QAAS,CAAC,QACVE,MAAO,KACPa,UAAW,YAIb7B,MAAO,CACLc,QAAS,CAAC,MACVjuB,QAAS,SAEX+xB,UAAW,CACT9D,QAAS,CAAC,QACVE,MAAO,QACPa,WAAW,GAEbgD,WAAY,CACV/D,QAAS,CAAC,UACVE,MAAO,QACPnuB,QAAS,QACTgvB,WAAW,GAEbiD,UAAW,CACThE,QAAS,CAAC,UACVE,MAAO,QACPa,UAAW,YAIbhC,OAAQ,OACRkF,WAAY,CACVjE,QAAS,CAAC,UACVE,MAAO,SACPa,WAAW,GAEbmD,WAAY,CACVlE,QAAS,CAAC,UACVE,MAAO,SACPa,UAAW,YAIboD,IAAK,CACHnE,QAAS,CAAC,QAEZoE,QAAS,CACPpE,QAAS,CAAC,WACVE,MAAO,MACPa,WAAW,GAEbsD,cAAe,CACbrE,QAAS,CAAC,QACVE,MAAO,KACPa,WAAW,GAIb3B,IAAK,CACHY,QAAS,CAAC,MACViC,QAAS,MACTlwB,QAAS,OAEXuyB,QAAS,CACPtE,QAAS,CAAC,UACVE,MAAO,MACPa,WAAW,GAEbwD,aAAc,CACZvE,QAAS,CAAC,WACVE,MAAO,WACP+B,QAAS,MACTlB,WAAW,GAEbyD,cAAe,CACbxE,QAAS,CAAC,WACVE,MAAO,YACP+B,QAAS,MACTlB,WAAW,GAIb0D,WAAY,CACVzE,QAAS,CAAC,OACVE,MAAO,OAETwE,eAAgB,CACd1E,QAAS,CAAC,WACVE,MAAO,MACP+B,QAAS,aACTlB,WAAW,GAEb4D,gBAAiB,CACf3E,QAAS,CAAC,cACVE,MAAO,OAET0E,oBAAqB,CACnB5E,QAAS,CAAC,gBACVE,MAAO,WACP+B,QAAS,aACTlB,WAAW,GAEb8D,iBAAkB,CAChB7E,QAAS,CAAC,cACVE,MAAO,OAET4E,qBAAsB,CACpB9E,QAAS,CAAC,iBACVE,MAAO,YACP+B,QAAS,aACTlB,WAAW,GAIbgE,WAAY,CACV/E,QAAS,CAAC,OACVE,MAAO,MACPpuB,MAAO,SAAC8uB,EAAKxB,GAAN,OAAcyB,qBAAiB,GAAND,EAAUxB,GAAKvsB,MAEjDmyB,eAAgB,CACdhF,QAAS,CAAC,WACVE,MAAO,MACP+B,QAAS,aACTlB,WAAW,GAEbkE,oBAAqB,CACnBjF,QAAS,CAAC,gBACVE,MAAO,WACP+B,QAAS,aACTlB,WAAW,GAEbmE,qBAAsB,CACpBlF,QAAS,CAAC,iBACVE,MAAO,YACP+B,QAAS,aACTlB,WAAW,GAIboE,YAAa,CACXnF,QAAS,CAAC,MAAO,MACjBluB,MAAO,SAAC8uB,EAAKxB,EAAKztB,GAAX,OAAkBH,YAAW4tB,EAAK,IAAMztB,KAEjDyzB,gBAAiB,CACfpF,QAAS,CAAC,UAAW,eACrBE,MAAO,MACP+B,QAAS,cACTnwB,MAAO,SAAC8uB,EAAK/1B,EAAMu0B,GAAZ,OAAoB5tB,YAAW3G,EAAM,IAAMu0B,KAEpDiG,qBAAsB,CACpBrF,QAAS,CAAC,eAAgB,eAC1BE,MAAO,WACP+B,QAAS,cACTnwB,MAAO,SAAC8uB,EAAK/1B,EAAMu0B,GAAZ,OAAoB5tB,YAAW3G,EAAM,IAAMu0B,KAEpDkG,sBAAuB,CACrBtF,QAAS,CAAC,gBAAiB,eAC3BE,MAAO,YACP+B,QAAS,cACTnwB,MAAO,SAAC8uB,EAAK/1B,EAAMu0B,GAAZ,OAAoB5tB,YAAW3G,EAAM,IAAMu0B,KAIpDpsB,MAAO,CACLgtB,QAAS,CAAC,MACVjuB,QAAS,SAEXwzB,UAAW,CACTvF,QAAS,CAAC,QACVE,MAAO,QACPa,WAAW,GAEbyE,eAAgB,CACdxF,QAAS,CAAC,aACVE,MAAO,aACP+B,QAAS,QACTlB,WAAW,GAEb0E,gBAAiB,CACfzF,QAAS,CAAC,cACVE,MAAO,cACP+B,QAAS,QACTlB,WAAW,GAGb2E,WAAY,CACV1F,QAAS,CAAC,QACVjuB,QAAS,SAEX4zB,eAAgB,CACd3F,QAAS,CAAC,QACVE,MAAO,QACP+B,QAAS,aACTlB,WAAW,GAEb6E,oBAAqB,CACnB5F,QAAS,CAAC,aACVE,MAAO,aACP+B,QAAS,aACTlB,WAAW,GAGb8E,aAAc,CACZ7F,QAAS,CAAC,WACVjuB,QAAS,SAEX+zB,iBAAkB,CAChB9F,QAAS,CAAC,QACVE,MAAO,QACP+B,QAAS,eACTlB,WAAW,GAEbgF,sBAAuB,CACrB/F,QAAS,CAAC,aACVE,MAAO,aACP+B,QAAS,eACTlB,WAAW,GAGbiF,aAAc,CACZhG,QAAS,CAAC,QACVjuB,QAAS,SAEXk0B,iBAAkB,CAChBjG,QAAS,CAAC,QACVE,MAAO,QACP+B,QAAS,eACTnwB,MAAO,SAAC8uB,EAAK/1B,GAAN,OAAe+H,0BAAgB/H,GAAMgI,KAC5CkuB,WAAW,GAEbmF,sBAAuB,CACrBlG,QAAS,CAAC,aACVE,MAAO,aACP+B,QAAS,eACTlB,WAAW,GAGboF,gBAAiB,CACfnG,QAAS,CAAC,cACVjuB,QAAS,cAEXq0B,oBAAqB,CACnBpG,QAAS,CAAC,kBACVE,MAAO,UACP+B,QAAS,kBACTlB,WAAW,GAGbsF,kBAAmB,CACjBrG,QAAS,CAAC,gBACVjuB,QAAS,cAEXu0B,sBAAuB,CACrBtG,QAAS,CAAC,oBACVE,MAAO,UACP+B,QAAS,oBACTlB,WAAW,GAGbwF,kBAAmB,CACjBvG,QAAS,CAAC,gBACVjuB,QAAS,cAEXy0B,sBAAuB,CACrBxG,QAAS,CAAC,oBACVE,MAAO,UACP+B,QAAS,oBACTlB,WAAW,GAGb0F,kBAAmB,SACnBC,sBAAuB,CACrB1G,QAAS,CAAC,OAAQ,qBAClBE,MAAO,QACP+B,QAAS,oBACTlB,UAAW,MAGbpB,OAAQ,CACNK,QAAS,CAAC,OAGZ2G,sBAAuB,CACrB3G,QAAS,CAAC,WAGZ4G,wBAAyB,CACvB5G,QAAS,CAAC,QACVE,MAAO,cACP+B,QAAS,wBACTlB,WAAW,GAGb8F,wBAAyB,CACvB7G,QAAS,CAAC,QACVE,MAAO,cACP+B,QAAS,wBACTlB,UAAW,YAGb+F,0BAA2B,CACzB9G,QAAS,CAAC,UACVjuB,QAAS,SACTD,MAAO,SAAC8uB,EAAK4C,GAAN,OAAiB3C,qBAAW,EAAID,EAAK4C,GAAQ3wB,MAGtDk0B,sBAAuB,CACrB/G,QAAS,CAAC,yBACVluB,MAAO,SAAC8uB,EAAKhB,GAAN,OAAsBiB,qBAAW,EAAID,EAAKhB,GAAa/sB,MAGhEm0B,wBAAyB,CACvBhH,QAAS,CAAC,QACVE,MAAO,cACP+B,QAAS,wBACTlB,WAAW,GAGbkG,wBAAyB,CACvBjH,QAAS,CAAC,QACVE,MAAO,cACP+B,QAAS,wBACTlB,UAAW,YAGbmG,0BAA2B,CACzBlH,QAAS,CAAC,yBACVjuB,QAAS,SACTD,MAAO,SAAC8uB,EAAK4C,GAAN,OAAiB3C,qBAAW,EAAID,EAAK4C,GAAQ3wB,+lCC/sBjD,IAAMs0B,EAAa,SAACn0B,GAAU,IAC3Bo0B,EAAUC,EAAer0B,GAAzBo0B,MACFplC,EAAOvC,SAASuC,KAChBoR,EAAO3T,SAAS2T,KACtBA,EAAKk0B,UAAUC,IAAI,UAEnB,IAAMC,EAAU/nC,SAASQ,cAAc,SACvC+B,EAAKnB,YAAY2mC,GACjB,IAAMC,EAAaD,EAAQE,MAE3BD,EAAWp3B,WACXo3B,EAAWE,WAAX,UAAA/9B,OAAgCw9B,EAAMQ,MAAtC,MAAiD,aACjDH,EAAWE,WAAX,UAAA/9B,OAAgCw9B,EAAMS,OAAtC,MAAkD,aAClDJ,EAAWE,WAAX,UAAA/9B,OAAgCw9B,EAAMU,QAAtC,MAAmD,aACnDL,EAAWE,WAAX,UAAA/9B,OAAgCw9B,EAAMW,MAAtC,MAAiD,aACjD30B,EAAKk0B,UAAUU,OAAO,WAGXC,EAAe,SAACj1B,EAAOk1B,GAClC,OAAqB,IAAjBl1B,EAAMxX,OACD,OAGFwX,EACJuF,OAAO,SAAAC,GAAC,OAAI0vB,EAAiB1vB,EAAE2vB,MAAQ3vB,IACvCrT,IAAI,SAACijC,GAAD,MAAU,CACbA,EAAK3U,EACL2U,EAAK1U,EACL0U,EAAKC,KACLD,EAAKE,QACLnjC,IAAI,SAAAqT,GAAC,OAAIA,EAAI,OAAM5O,OAAO,CAC1BmJ,YAAYq1B,EAAKt2B,MAAOs2B,EAAKG,OAC7BH,EAAKD,MAAQ,QAAU,KACtBvzB,KAAK,OAAMA,KAAK,OAuBV4zB,EAAiB,SAACC,GAC7B,IAAMC,EAAgBD,EAAUE,mBAE5BF,EAAUZ,QAAUY,EADpBG,EAAWH,EAAUZ,QAAUY,GAFQI,EAKfC,YAAUJ,EAAcD,EAAU12B,SAAW,IAAjE81B,EALmCgB,EAKnChB,OAAQ91B,EAL2B82B,EAK3B92B,QAEVg3B,EAAaptC,OAAO6Y,QAAQqzB,GAC/Bv+B,OAAO,SAACC,EAAD2H,GAAiB,IAAAC,EAAA63B,IAAA93B,EAAA,GAAVkB,EAAUjB,EAAA,GAAPyrB,EAAOzrB,EAAA,GACvB,OAAKyrB,GACLrzB,EAAI0/B,MAAM72B,GAAK1C,YAAQktB,GACvBrzB,EAAI2/B,SAAS92B,QAAoB,IAARwqB,EAAE7rB,EAAoBrB,YAAQktB,GAAKvqB,YAASuqB,GAC9DrzB,GAHQA,GAId,CAAE2/B,SAAU,GAAID,MAAO,KAC5B,MAAO,CACL7B,MAAO,CACLS,OAAQlsC,OAAO6Y,QAAQu0B,EAAWG,UAC/B3wB,OAAO,SAAA3G,GAAA,IAAAC,EAAAm3B,IAAAp3B,EAAA,GAAAC,EAAA,UAAAA,EAAA,KACP1M,IAAI,SAAA0gB,GAAA,IAAAO,EAAA4iB,IAAAnjB,EAAA,GAAEzT,EAAFgU,EAAA,GAAKwW,EAALxW,EAAA,cAAAxc,OAAiBwI,EAAjB,MAAAxI,OAAuBgzB,KAC3BhoB,KAAK,MAEVu0B,MAAO,CACLtB,OAAQkB,EAAWE,MACnBl3B,aAKOq3B,EAAgB,SAACp2B,GAC5B,IAAIq2B,EAAar2B,EAAM40B,OAAS,QAED,IAApB50B,EAAMs2B,YACfD,EAAa1tC,OACV6Y,QAAQxB,GACRuF,OAAO,SAAA+M,GAAA,IAAArG,EAAA+pB,IAAA1jB,EAAA,GAAElT,EAAF6M,EAAA,GAAAA,EAAA,UAAY7M,EAAEm3B,SAAS,YAC9BjgC,OAAO,SAACC,EAAKpM,GAA6C,OAArCoM,EAAIpM,EAAE,GAAGqT,MAAM,UAAU,IAAMrT,EAAE,GAAWoM,GAAO,KAE7E,IAAMq+B,EAAQjsC,OAAO6Y,QAAQ60B,GAAY9wB,OAAO,SAAAgH,GAAA,IAAAG,EAAAspB,IAAAzpB,EAAA,GAAAG,EAAA,UAAAA,EAAA,KAAepW,OAAO,SAACC,EAADqW,GAAiB,IAAAE,EAAAkpB,IAAAppB,EAAA,GAAVxN,EAAU0N,EAAA,GAAP8c,EAAO9c,EAAA,GAErF,OADAvW,EAAI6I,GAAKwqB,EACFrzB,GACN,CACD61B,IAAK,EACLpsB,MAAO,EACPw2B,SAAU,EACVtK,MAAO,GACPz5B,OAAQ,EACRgkC,UAAW,GACXC,QAAS,EACTj6B,WAAY,EACZmwB,YAAayJ,EAAWnK,QAG1B,MAAO,CACLkI,MAAO,CACLQ,MAAOjsC,OAAO6Y,QAAQozB,GAAOrvB,OAAO,SAAAyH,GAAA,IAAAE,EAAA8oB,IAAAhpB,EAAA,GAAAE,EAAA,UAAAA,EAAA,KAAe/a,IAAI,SAAAkb,GAAA,IAAA4H,EAAA+gB,IAAA3oB,EAAA,GAAEjO,EAAF6V,EAAA,GAAK2U,EAAL3U,EAAA,cAAAre,OAAiBwI,EAAjB,YAAAxI,OAA6BgzB,EAA7B,QAAoChoB,KAAK,MAElGu0B,MAAO,CACLvB,WAKO+B,EAAgB,SAAC32B,GAC5B,IAAM+0B,EAAQpsC,OAAO6Y,QAAQxB,EAAM+0B,OAAS,IAAIxvB,OAAO,SAAA6P,GAAA,IAAA5H,EAAAwoB,IAAA5gB,EAAA,GAAA5H,EAAA,UAAAA,EAAA,KAAelX,OAAO,SAACC,EAADmX,GAAiB,IAAAzI,EAAA+wB,IAAAtoB,EAAA,GAAVtO,EAAU6F,EAAA,GAAP2kB,EAAO3kB,EAAA,GAK5F,OAJA1O,EAAI6I,GAAKzW,OAAO6Y,QAAQooB,GAAGrkB,OAAO,SAAAyF,GAAA,IAAAa,EAAAmqB,IAAAhrB,EAAA,GAAAa,EAAA,UAAAA,EAAA,KAAevV,OAAO,SAACC,EAADwe,GAAiB,IAAAzK,EAAA0rB,IAAAjhB,EAAA,GAAV3V,EAAUkL,EAAA,GAAPsf,EAAOtf,EAAA,GAEvE,OADA/T,EAAI6I,GAAKwqB,EACFrzB,GACNA,EAAI6I,IACA7I,GACN,CACDqgC,UAAW,CACTC,OAAQ,cAEV72B,MAAO,CACL62B,OAAQ,WAEVC,KAAM,CACJD,OAAQ,WAEVE,SAAU,CACRF,OAAQ,eAIZ,MAAO,CACLzC,MAAO,CACLW,MAAOpsC,OACJ6Y,QAAQuzB,GACRxvB,OAAO,SAAAkF,GAAA,IAAAI,EAAAmrB,IAAAvrB,EAAA,GAAAI,EAAA,UAAAA,EAAA,KACP1Y,IAAI,SAAAkf,GAAA,IAAAG,EAAAwkB,IAAA3kB,EAAA,GAAEjS,EAAFoS,EAAA,GAAKoY,EAALpY,EAAA,cAAA5a,OAAiBwI,EAAjB,UAAAxI,OAA2BgzB,EAAEiN,UAAUj1B,KAAK,MAErDu0B,MAAO,CACLpB,WAKAvE,EAAS,SAACjQ,EAAKyW,GAAN,MAAkB,CAC/BvW,EAAG,EACHC,EAAGH,EAAM,GAAK,EACd8U,KAAM,EACNC,OAAQ,EACRx2B,MAAOk4B,EAAS,UAAY,UAC5BzB,MAAO,GACPJ,OAAO,IAEH8B,EAAyB,CAACzG,GAAO,GAAM,GAAQA,GAAO,GAAO,IAC7D0G,EAAwB,CAAC1G,GAAO,GAAM,GAAOA,GAAO,GAAO,IAC3D2G,EAAY,CAChB1W,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNC,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,GAGI6B,EAAkB,CAC7BlL,MAAO,CAAC,CACNzL,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNC,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,KAETxJ,OAAQ,CAAC,CACPtL,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNC,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,KAET8B,MAAO,CAAC,CACN5W,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNC,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,KAET9iC,OAAQ,CAAC,CACPguB,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNC,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,KAET+B,aAAc,GACdC,YAAa,GACbC,OAAM,CAAG,CACP/W,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNC,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,IANH3+B,OAOAqgC,GACNQ,YAAW,CAAGN,GAAHvgC,OAAiBqgC,GAC5BS,cAAa,CAAGP,GAAHvgC,OAAiBsgC,GAC9Bl3B,MAAK,GAAApJ,OAAMsgC,EAAN,CAA6B,CAChCzW,EAAG,EACHC,EAAG,EACH2U,KAAM,EACNF,OAAO,EACPG,OAAQ,EACRx2B,MAAO,UACPy2B,MAAO,MAGEoC,EAAkB,SAAC33B,EAAO60B,GAGrC,IAAM+C,EAAkB,CACtBJ,OAAQ,MACRtL,MAAO,KACP3L,IAAK,SACL8W,MAAO,UACP5kC,OAAQ,KACR8kC,YAAa,QACbv3B,MAAO,SAEH63B,EAAe73B,EAAM80B,UAAY90B,EAAM21B,mBACzCmC,EAAY93B,EAAM80B,QAAS90B,EAAMjB,SACjCiB,EAAM80B,SAAW,GACfA,EAAUnsC,OAAO6Y,QAAPtI,EAAA,GACXk+B,EADW,GAEXS,IACFvhC,OAAO,SAACyhC,EAADnmB,GAAwC,IAAAE,EAAAkkB,IAAApkB,EAAA,GAA1BomB,EAA0BlmB,EAAA,GAAhBmmB,EAAgBnmB,EAAA,GAC1ComB,EAAgBF,EAASzlC,QAAQ,WAAY,IAC7C4lC,EAAgBP,EAAgBM,GAEhCtK,EADgBhwB,YAAkBw6B,kBAAQvD,EAAOsD,IAAgBt4B,KAAO,GAClD,GAAK,EAC3Bw4B,EAAYJ,EAAW3hC,OAAO,SAACgiC,EAAWC,GAAZ,SAAA3hC,OAAA4hC,IAC/BF,GAD+B,CAAAp/B,EAAA,GAG7Bq/B,EAH6B,CAIhCz5B,MAAOpC,YAAQ+7B,YACbF,EAAIz5B,MACJ,SAAC45B,GAAD,OAAkBN,kBAAQvD,EAAO6D,IAAe74B,KAChD+tB,SAGH,IACH,OAAA10B,EAAA,GAAY6+B,EAAZY,IAAA,GAAyBX,EAAWK,KACnC,IAEH,MAAO,CACLjE,MAAO,CACLU,QAASnsC,OACN6Y,QAAQszB,GAGR3iC,IAAI,SAAA6f,GAAA,IA3OehS,EA2OfoS,EAAA4jB,IAAAhkB,EAAA,GAAE5S,EAAFgT,EAAA,GAAKwX,EAALxX,EAAA,SAAY,MAAAxb,OACVwI,EADU,YAAAxI,OACEq+B,EAAarL,IADf,KAAAhzB,OAEVwI,EAFU,kBAAAxI,QA3OGoJ,EA6OwB4pB,EA5O7B,IAAjB5pB,EAAMxX,OACD,OAGFwX,EAEJuF,OAAO,SAAC6vB,GAAD,OAAWA,EAAKD,OAAiC,IAAxBjY,OAAOkY,EAAKE,UAC5CnjC,IAAI,SAACijC,GAAD,MAAU,CACbA,EAAK3U,EACL2U,EAAK1U,EAEL0U,EAAKC,KAAO,GACZljC,IAAI,SAAAqT,GAAC,OAAIA,EAAI,OAAM5O,OAAO,CAC1BmJ,YAAYq1B,EAAKt2B,MAAOs2B,EAAKG,SAC5B3zB,KAAK,OACPzP,IAAI,SAAAqT,GAAC,qBAAA5O,OAAmB4O,EAAnB,OACL5D,KAAK,OA0Ne,KAAAhL,OAGVwI,EAHU,iBAAAxI,OAGOq+B,EAAarL,GAAG,KACtChoB,KAAK,OACNA,KAAK,MAEVu0B,MAAO,CACLrB,aAKO8D,EAAgB,SAAC/D,EAAQD,EAAOE,EAASC,GACpD,MAAO,CACLX,MAAKl7B,EAAA,GACA47B,EAAQV,MADR,GAEAS,EAAOT,MAFP,GAGAQ,EAAMR,MAHN,GAIAW,EAAMX,OAEX+B,MAAKj9B,EAAA,GACA47B,EAAQqB,MADR,GAEAtB,EAAOsB,MAFP,GAGAvB,EAAMuB,MAHN,GAIApB,EAAMoB,SAKF9B,EAAiB,SAACr0B,GAC7B,IAAM60B,EAASW,EAAex1B,GAC9B,OAAO44B,EACL/D,EACAuB,EAAcp2B,GACd23B,EAAgB33B,EAAO60B,EAAOsB,MAAMtB,OAAQA,EAAOjH,KACnD+I,EAAc32B,KAIL64B,EAAY,WAGvB,OAAOjoC,OAAOmT,MAAM,sBAAuB,CAAE+0B,MAF/B,aAGXhrC,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAACirC,GACL,OAAOpwC,OAAO6Y,QAAQu3B,GAAQ5mC,IAAI,SAAAuf,GAAY,IAAAlJ,EAAAwtB,IAAAtkB,EAAA,GAAVtS,EAAUoJ,EAAA,GAAPohB,EAAOphB,EAAA,GACxCxa,EAAU,KAWd,MAViB,WAAbgrC,IAAOpP,GACT57B,EAAUzD,QAAQC,QAAQo/B,GACJ,iBAANA,IAChB57B,EAAU4C,OAAOmT,MAAM6lB,EAAG,CAAEkP,MAVtB,aAWHhrC,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SADb,MAED,SAACza,GAEN,OADAuG,QAAQlC,MAAMrE,GACP,QAGN,CAACiV,EAAGpR,OAGdF,KAAK,SAAC1D,GACL,OAAOA,EACJkM,OAAO,SAACC,EAAD6T,GAAiB,IAAAwD,EAAAooB,IAAA5rB,EAAA,GAAVhL,EAAUwO,EAAA,GAAPgc,EAAOhc,EAAA,GAEvB,OADArX,EAAI6I,GAAKwqB,EACFrzB,GACN,OAGEq/B,EAAa,SAACf,GACzB,OAAOlsC,OAAO6Y,QAAQqzB,GAAQv+B,OAAO,SAACC,EAADuX,GAA4B,IAAAE,EAAAgoB,IAAAloB,EAAA,GAArBkqB,EAAqBhqB,EAAA,GAAXlP,EAAWkP,EAAA,GAE/D,OAAQgqB,GACN,IAAK,UACH,OAAA9+B,EAAA,GAAY3C,EAAZ,CAAiByyB,UAAWlqB,IAC9B,IAAK,UACH,OAAA5F,EAAA,GACK3C,EADL,GALiB,CAAC,GAAI,QAAS,UAQ1BD,OACC,SAAC2iC,EAAkBC,GAAnB,OAAAhgC,EAAA,GACQ+/B,EADRN,IAAA,GAC2B,MAAQO,EAAW,OAASp6B,KACrD,KAGV,QACE,OAAA5F,EAAA,GAAY3C,EAAZoiC,IAAA,GAAkBX,EAAWl5B,MAEhC,KAQQg5B,EAAc,SAAChD,EAAS/1B,GACnC,OAAOpW,OAAO6Y,QAAQszB,GAASx+B,OAAO,SAACyhC,EAAD7pB,GAAwC,IAAAE,EAAA4nB,IAAA9nB,EAAA,GAA1B8pB,EAA0B5pB,EAAA,GAAhB6pB,EAAgB7pB,EAAA,GAGtEiqB,EAAYJ,EAAW3hC,OAAO,SAACgiC,EAAWC,GAAZ,SAAA3hC,OAAA4hC,IAC/BF,GAD+B,CAAAp/B,EAAA,GAG7Bq/B,EAH6B,CAIhChD,OANcjnB,EAMGiqB,EANHjqB,EAAGxP,MAAkBmB,WAAW,OAC/BuO,EAKoB+pB,EALjBz5B,EAAH0P,EAAG1P,MAAYC,EAAQo6B,YAAer6B,EAAMs6B,UAAU,GAAG57B,MAAM,KAAK,MAKxC,GAAI+6B,EAAIhD,WALpC,IAAA/mB,EAAG1P,EADJwP,GAQf,IACH,OAAApV,EAAA,GAAY6+B,EAAZY,IAAA,GAAyBX,EAAWK,KACnC,KAGQgB,EAAY,SAACr8B,GACxB,OAAO67B,IACJ/qC,KAAK,SAACirC,GAAD,OAAYA,EAAO/7B,GAAO+7B,EAAO/7B,GAAO+7B,EAAO,kBACpDjrC,KAAK,SAACqoC,GACL,IAAMmD,EAAOlO,MAAMmO,QAAQpD,GACrBnuC,EAAOsxC,EAAO,GAAKnD,EAAMA,MAE/B,GAAImD,EAAM,CACR,IAAM36B,EAAKK,YAAQm3B,EAAM,IACnB13B,EAAKO,YAAQm3B,EAAM,IACnBt+B,EAAOmH,YAAQm3B,EAAM,IACrBhJ,EAAOnuB,YAAQm3B,EAAM,IAErB3I,EAAOxuB,YAAQm3B,EAAM,IAAM,WAC3B1I,EAASzuB,YAAQm3B,EAAM,IAAM,WAC7B5I,EAAQvuB,YAAQm3B,EAAM,IAAM,WAC5BzI,EAAU1uB,YAAQm3B,EAAM,IAAM,WAEpCnuC,EAAK6sC,OAAS,CAAEl2B,KAAIF,KAAI5G,OAAMs1B,OAAMK,OAAMD,QAAOE,SAAQC,WAG3D,MAAO,CAAEyI,MAAOnuC,EAAMiM,OAAQkiC,EAAMliC,WAI7BulC,EAAY,SAACx8B,GAAD,OAASq8B,EAAUr8B,GAAKlP,KAAK,SAAA9F,GAAI,OAAImsC,EAAWnsC,EAAKmuC,0UCzZ9E,IAgCesD,EAhCQ,CACrBrf,MAAO,CAAC,SAAU,YAClBpyB,KAFqB,WAGnB,MAAO,CACL0xC,UAAU,IAGd7e,QAAS,CACPlN,SADO,WACK,IAAA9M,EAAAP,KACLA,KAAKxJ,OAAOC,UAGfuJ,KAAKia,OAAO+K,SAAS,aAAc,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,KAFrDmP,KAAKia,OAAO+K,SAAS,WAAY,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,KAIrDmP,KAAKo5B,UAAW,EAChB3qC,WAAW,WACT8R,EAAK64B,UAAW,GACf,OAGPjV,sWAAQvrB,CAAA,CACN4uB,QADM,WAEJ,MAAO,CACL6R,mBAAoBr5B,KAAKxJ,OAAOC,UAChC6iC,YAAat5B,KAAKxJ,OAAOC,UACzB8iC,eAAgBv5B,KAAKo5B,YAGtBxQ,YAAW,CAAC,0BCtBnB,IAEAlO,EAVA,SAAAC,GACEtxB,EAAQ,MAyBKmwC,EAVCnxC,OAAAwyB,EAAA,EAAAxyB,CACdoxC,ECjBF,WAA0B,IAAArX,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,SAAAlH,EAAA,OAAAA,EAAA,KAAwCC,YAAA,yCAAAC,MAAAgH,EAAAoF,QAAA/L,MAAA,CAA8E3iB,MAAAspB,EAAA2D,GAAA,sBAAoC1D,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA/U,eAAwB+U,EAAAO,GAAA,MAAAP,EAAAhF,aAAAsc,eAAAtX,EAAA5rB,OAAAG,SAAA,EAAAukB,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAG,aAAAyrB,EAAAQ,OAAA1H,EAAA,OAAAA,EAAA,KAAyJC,YAAA,8BAAAC,MAAAgH,EAAAoF,QAAA/L,MAAA,CAAmE3iB,MAAAspB,EAAA2D,GAAA,wBAAqC3D,EAAAO,GAAA,MAAAP,EAAAhF,aAAAsc,eAAAtX,EAAA5rB,OAAAG,SAAA,EAAAukB,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAG,aAAAyrB,EAAAQ,QAClkB,IDOA,EAaAlI,EATA,KAEA,MAYgC,4OEvBhC,IAsCeif,EAtCK,CAClB7f,MAAO,CAAC,UACRpyB,KAFkB,WAGhB,MAAO,CACLkyC,WAAY,KAGhBvf,WAAY,CACVoE,mBAEFlE,QAAS,CACPsf,YADO,SACM9sC,EAAOmJ,EAAOkR,GACzB,IAAM0yB,EAAmB95B,KAAKxJ,OAAOwB,gBAAgB+hC,KAAK,SAAA1qC,GAAC,OAAIA,EAAEN,OAASmH,IACtE4jC,GAAoBA,EAAiBE,GACvCh6B,KAAKia,OAAO+K,SAAS,mBAAoB,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,GAAIqF,UAE/D8J,KAAKia,OAAO+K,SAAS,iBAAkB,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,GAAIqF,UAE/DkR,MAGJ+c,sWAAU8V,CAAA,CACRC,aADM,WAEJ,MAAO,CAAC,KAAM,KAAM,KAAM,KAAM,OAElC3oC,OAJM,WAKJ,GAAwB,KAApByO,KAAK45B,WAAmB,CAC1B,IAAMO,EAAsBn6B,KAAK45B,WAAWQ,cAC5C,OAAOp6B,KAAKia,OAAOC,MAAMC,SAASjkB,MAAM+O,OAAO,SAAA/O,GAAK,OAClDA,EAAMmkC,YAAYD,cAAclmC,SAASimC,KAG7C,OAAOn6B,KAAKia,OAAOC,MAAMC,SAASjkB,OAAS,KAE1C0yB,YAAW,CAAC,mBC7BnB,IAEI0R,EAVJ,SAAoB3f,GAClBtxB,EAAQ,MAyBKkxC,EAVClyC,OAAAwyB,EAAA,EAAAxyB,CACdmyC,ECjBQ,WAAgB,IAAApY,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,WAAqBC,YAAA,uBAAAM,MAAA,CAA0CiD,QAAA,QAAAC,UAAA,MAAApH,OAAA,CAA8C6I,EAAA,IAAQqa,YAAArY,EAAAsY,GAAA,EAAsB5qC,IAAA,UAAA6qC,GAAA,SAAAnY,GACpO,IAAApb,EAAAob,EAAApb,MACA,OAAA8T,EAAA,SAAkB,CAAAA,EAAA,OAAYC,YAAA,0BAAqC,CAAAD,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,WAAAqI,WAAA,eAA8EhP,MAAA,CAASmf,YAAAxY,EAAA2D,GAAA,uBAA2CqE,SAAA,CAAW56B,MAAA4yB,EAAA,YAAyBC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAwX,WAAAtW,EAAAr2B,OAAAuC,aAAqC4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,mBAA8B,CAAAiH,EAAAyY,GAAAzY,EAAA,sBAAAlsB,GAA4C,OAAAglB,EAAA,QAAkBprB,IAAAoG,EAAAilB,YAAA,eAAAkH,GAAA,CAAyCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAyX,YAAAvW,EAAAptB,EAAAkR,MAA+C,CAAAgb,EAAAO,GAAA,aAAAP,EAAA0D,GAAA5vB,GAAA,gBAAkDksB,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,4BAAsCiH,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAA,gBAAAlsB,EAAApG,GAAsD,OAAAorB,EAAA,QAAkBprB,MAAAqrB,YAAA,eAAAkH,GAAA,CAAuCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAyX,YAAAvW,EAAAptB,EAAA4kC,YAAA1zB,MAA2D,CAAAgb,EAAAO,GAAA,aAAAP,EAAA0D,GAAA5vB,EAAA4kC,aAAA,gBAA8D1Y,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,2BAAoC,UAAY,CAAAiH,EAAAO,GAAA,KAAAzH,EAAA,KAAsBC,YAAA,6CAAAM,MAAA,CAAgEoK,KAAA,UAAA/sB,MAAAspB,EAAA2D,GAAA,0BAAyDF,KAAA,eACzoC,IDKY,EAa7ByU,EATiB,KAEU,MAYG,oOExBhC,IAgCeS,EAhCO,CACpBjhB,MAAO,CAAC,SAAU,WAAY,cAC9BpyB,KAFoB,WAGlB,MAAO,CACL0xC,UAAU,IAGd7e,QAAS,CACP9M,QADO,WACI,IAAAlN,EAAAP,KACJA,KAAKxJ,OAAOK,SAGfmJ,KAAKia,OAAO+K,SAAS,YAAa,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,KAFpDmP,KAAKia,OAAO+K,SAAS,UAAW,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,KAIpDmP,KAAKo5B,UAAW,EAChB3qC,WAAW,WACT8R,EAAK64B,UAAW,GACf,OAGPjV,sWAAU6W,CAAA,CACRxT,QADM,WAEJ,MAAO,CACLyT,UAAaj7B,KAAKxJ,OAAOK,SACzBqkC,mBAAoBl7B,KAAKxJ,OAAOK,SAChC0iC,eAAgBv5B,KAAKo5B,YAGtBxQ,YAAW,CAAC,mBCtBnB,IAEIuS,EAVJ,SAAoBxgB,GAClBtxB,EAAQ,MAyBK+xC,EAVC/yC,OAAAwyB,EAAA,EAAAxyB,CACdgzC,ECjBQ,WAAgB,IAAAjZ,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,SAAAlH,EAAA,mBAAAkH,EAAA9oB,YAAA,WAAA8oB,EAAA9oB,WAAA,CAAA4hB,EAAA,KAAuGC,YAAA,oDAAAC,MAAAgH,EAAAoF,QAAA/L,MAAA,CAAyF3iB,MAAAspB,EAAA2D,GAAA,oBAAkC1D,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA3U,cAAuB2U,EAAAO,GAAA,MAAAP,EAAAhF,aAAAsc,eAAAtX,EAAA5rB,OAAAO,WAAA,EAAAmkB,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAO,eAAAqrB,EAAAQ,MAAA,CAAA1H,EAAA,KAAmJC,YAAA,wBAAAC,MAAAgH,EAAAoF,QAAA/L,MAAA,CAA6D3iB,MAAAspB,EAAA2D,GAAA,iCAA4C,GAAA3D,EAAAkG,SAA4IlG,EAAAQ,KAA5I1H,EAAA,OAAAA,EAAA,KAAyCC,YAAA,2BAAAC,MAAAgH,EAAAoF,QAAA/L,MAAA,CAAgE3iB,MAAAspB,EAAA2D,GAAA,sBAAmC3D,EAAAO,GAAA,MAAAP,EAAAhF,aAAAsc,eAAAtX,EAAA5rB,OAAAO,WAAA,EAAAmkB,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAO,eAAAqrB,EAAAQ,QAC7vB,IDOY,EAa7BuY,EATiB,KAEU,MAYG,QE4CjBG,EApEM,CACnBxhB,MAAO,CAAE,UACTO,WAAY,CAAEoE,mBACdlE,QAAS,CACPjL,aADO,WAEahf,OAAOirC,QAAQv7B,KAAK+lB,GAAG,2BAEvC/lB,KAAKia,OAAO+K,SAAS,eAAgB,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,MAG3D2qC,UAPO,WAOM,IAAAj7B,EAAAP,KACXA,KAAKia,OAAO+K,SAAS,YAAahlB,KAAKxJ,OAAO3F,IAC3CrD,KAAK,kBAAM+S,EAAKghB,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAIoT,EAAKghB,MAAM,UAAWp0B,EAAIe,MAAMA,UAElDutC,YAZO,WAYQ,IAAA3W,EAAA9kB,KACbA,KAAKia,OAAO+K,SAAS,cAAehlB,KAAKxJ,OAAO3F,IAC7CrD,KAAK,kBAAMs3B,EAAKvD,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAI23B,EAAKvD,MAAM,UAAWp0B,EAAIe,MAAMA,UAElDqe,iBAjBO,WAiBa,IAAA4Y,EAAAnlB,KAClBA,KAAKia,OAAO+K,SAAS,mBAAoBhlB,KAAKxJ,OAAO3F,IAClDrD,KAAK,kBAAM23B,EAAK5D,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAIg4B,EAAK5D,MAAM,UAAWp0B,EAAIe,MAAMA,UAElDue,mBAtBO,WAsBe,IAAAivB,EAAA17B,KACpBA,KAAKia,OAAO+K,SAAS,qBAAsBhlB,KAAKxJ,OAAO3F,IACpDrD,KAAK,kBAAMkuC,EAAKna,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAIuuC,EAAKna,MAAM,UAAWp0B,EAAIe,MAAMA,UAElDytC,SA3BO,WA2BK,IAAAC,EAAA57B,KACV67B,UAAUC,UAAUC,UAAU/7B,KAAKg8B,YAChCxuC,KAAK,kBAAMouC,EAAKra,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAIyuC,EAAKra,MAAM,UAAWp0B,EAAIe,MAAMA,UAElD2f,eAhCO,WAgCW,IAAAouB,EAAAj8B,KAChBA,KAAKia,OAAO+K,SAAS,WAAY,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,KAChDrD,KAAK,kBAAMyuC,EAAK1a,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAI8uC,EAAK1a,MAAM,UAAWp0B,EAAIe,MAAMA,UAElD6f,iBArCO,WAqCa,IAAAmuB,EAAAl8B,KAClBA,KAAKia,OAAO+K,SAAS,aAAc,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,KAClDrD,KAAK,kBAAM0uC,EAAK3a,MAAM,eADzB,MAES,SAAAp0B,GAAG,OAAI+uC,EAAK3a,MAAM,UAAWp0B,EAAIe,MAAMA,WAGpDi2B,SAAU,CACR6D,YADQ,WACS,OAAOhoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAChDmU,UAFQ,WAGN,GAAKn8B,KAAKgoB,YAEV,OADkBhoB,KAAKgoB,YAAY30B,OAAOC,WAAa0M,KAAKgoB,YAAY30B,OAAOG,OAC3DwM,KAAKxJ,OAAOgD,KAAK3I,KAAOmP,KAAKgoB,YAAYn3B,IAE/DurC,UAPQ,WAQN,OAAOp8B,KAAKxJ,OAAOgD,KAAK3I,KAAOmP,KAAKgoB,YAAYn3B,IAElDwrC,OAVQ,WAWN,OAAOr8B,KAAKo8B,YAAyC,WAA3Bp8B,KAAKxJ,OAAO8C,YAAsD,aAA3B0G,KAAKxJ,OAAO8C,aAE/EgjC,QAbQ,WAcN,QAASt8B,KAAKgoB,aAEhBgU,WAhBQ,WAiBN,SAAA1lC,OAAU0J,KAAKia,OAAOC,MAAMC,SAASC,QAArC9jB,OAA8C0J,KAAKwmB,QAAQt8B,QAAQ,CAAE6E,KAAM,eAAgB+U,OAAQ,CAAEjT,GAAImP,KAAKxJ,OAAO3F,MAAQzG,SCzDnI,IAEImyC,EAVJ,SAAoB5hB,GAClBtxB,EAAQ,MAyBKmzC,EAVCn0C,OAAAwyB,EAAA,EAAAxyB,CACdo0C,ECjBQ,WAAgB,IAAAra,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,WAAqBC,YAAA,uBAAAM,MAAA,CAA0CiD,QAAA,QAAAC,UAAA,MAAAoI,WAAA,CAAgD5G,EAAA,cAAkBsa,YAAArY,EAAAsY,GAAA,EAAsB5qC,IAAA,UAAA6qC,GAAA,SAAAnY,GAChP,IAAApb,EAAAob,EAAApb,MACA,OAAA8T,EAAA,SAAkB,CAAAA,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAka,UAAAla,EAAA5rB,OAAAuB,aAAAmjB,EAAA,UAAyDC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA7V,iBAAA+W,MAAsC,CAAApI,EAAA,KAAUC,YAAA,iBAA2BD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAka,SAAAla,EAAA5rB,OAAAuB,aAAAmjB,EAAA,UAA+IC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA3V,mBAAA6W,MAAwC,CAAApI,EAAA,KAAUC,YAAA,iBAA2BD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAA5rB,OAAAuC,QAAAqpB,EAAAia,OAAAnhB,EAAA,UAA2IC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,UAAAa,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoZ,UAAAlY,IAA6Blc,KAAS,CAAA8T,EAAA,KAAUC,YAAA,aAAuBD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oBAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5rB,OAAAuC,QAAAqpB,EAAAia,OAAAnhB,EAAA,UAA0HC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,UAAAa,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAAqZ,YAAAnY,IAA+Blc,KAAS,CAAA8T,EAAA,KAAUC,YAAA,aAAuBD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5rB,OAAAS,WAA+SmrB,EAAAQ,KAA/S1H,EAAA,UAAmHC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,UAAAa,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAAvU,eAAAyV,IAAkClc,KAAS,CAAA8T,EAAA,KAAUC,YAAA,wBAAkCD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yBAAA3D,EAAAO,GAAA,KAAAP,EAAA5rB,OAAA,WAAA0kB,EAAA,UAAqHC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,UAAAa,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAArU,iBAAAuV,IAAoClc,KAAS,CAAA8T,EAAA,KAAUC,YAAA,kBAA4BD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,UAAAlH,EAAA,UAA+GC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,UAAAa,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAA9S,aAAAgU,IAAgClc,KAAS,CAAA8T,EAAA,KAAUC,YAAA,gBAA0BD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uBAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,UAA2FC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAA,UAAAa,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAAuZ,SAAArY,IAA4Blc,KAAS,CAAA8T,EAAA,KAAUC,YAAA,eAAyBD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAoE,CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAsBC,YAAA,4BAAAM,MAAA,CAA+CoK,KAAA,WAAiBA,KAAA,eAC78E,IDKY,EAa7B0W,EATiB,KAEU,MAYG,0EEUjBG,EAlCO,CACpB3tC,KAAM,gBACN+qB,MAAO,CACL,YAEFpyB,KALoB,WAMlB,MAAO,CACLwG,OAAO,IAGXi2B,SAAU,CACR3tB,OADQ,WAEN,OAAOmmC,IAAK38B,KAAKia,OAAOC,MAAMzC,SAASmlB,YAAa,CAAE/rC,GAAImP,KAAK68B,aAGnExiB,WAAY,CACVyiB,OAAQ,kBAAM7yC,QAAAC,UAAAsD,KAAAnE,EAAA0G,KAAA,WACd0uB,QAAS,kBAAMx0B,QAAAC,UAAAsD,KAAAnE,EAAA0G,KAAA,YAEjBwqB,QAAS,CACPwiB,MADO,WACE,IAAAx8B,EAAAP,KACP,IAAKA,KAAKxJ,OAAQ,CAChB,IAAKwJ,KAAK68B,SAER,YADA78B,KAAK9R,OAAQ,GAGf8R,KAAKia,OAAO+K,SAAS,cAAehlB,KAAK68B,UACtCrvC,KAAK,SAAA9F,GAAI,OAAK6Y,EAAKrS,OAAQ,IAD9B,MAES,SAAArE,GAAC,OAAK0W,EAAKrS,OAAQ,QCtBpC,IAEI8uC,EAVJ,SAAoBriB,GAClBtxB,EAAQ,MAyBK4zC,EAVC50C,OAAAwyB,EAAA,EAAAxyB,CACd60C,ECjBQ,WAAgB,IAAA9a,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,WAAqBO,MAAA,CAAOiD,QAAA,QAAAye,gBAAA,iCAAApW,WAAA,CAA+E5G,EAAA,cAAkBkC,GAAA,CAAK6C,KAAA9C,EAAA2a,QAAkB,CAAA7hB,EAAA,YAAiB2K,KAAA,WAAe,CAAAzD,EAAAM,GAAA,eAAAN,EAAAO,GAAA,KAAAzH,EAAA,OAA8CO,MAAA,CAAOoK,KAAA,WAAiBA,KAAA,WAAgB,CAAAzD,EAAA,OAAAlH,EAAA,UAA4BO,MAAA,CAAO2hB,cAAA,EAAAC,UAAAjb,EAAA5rB,OAAA8kB,SAAA,KAAyD8G,EAAA,MAAAlH,EAAA,OAAwBC,YAAA,mCAA8C,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA7K,EAAA,OAAsFC,YAAA,6BAAwC,CAAAD,EAAA,KAAUC,YAAA,+BAAsC,QAChqB,IDOY,EAa7B6hB,EATiB,KAEU,MAYG,QETjBM,EAhBS,CACtBvuC,KAAM,kBACN+qB,MAAO,CACL,SAEFO,WAAY,CACVoE,QAAS,kBAAMx0B,QAAAC,UAAAsD,KAAAnE,EAAA0G,KAAA,WACf8pB,WAAY,kBAAM5vB,QAAAC,UAAAsD,KAAAnE,EAAA0G,KAAA,YAEpBo0B,SAAU,CACRoZ,YADQ,WAEN,OAAOv9B,KAAK4K,MAAMpa,MAAM,EAAG,OCJjC,IAEIgtC,EAVJ,SAAoB7iB,GAClBtxB,EAAQ,MAyBKo0C,EAVCp1C,OAAAwyB,EAAA,EAAAxyB,CACdq1C,ECjBQ,WAAgB,IAAAtb,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,WAAqBO,MAAA,CAAOiD,QAAA,QAAAC,UAAA,MAAApH,OAAA,CAA8C6I,EAAA,KAAS,CAAAlF,EAAA,YAAiB2K,KAAA,WAAe,CAAAzD,EAAAM,GAAA,eAAAN,EAAAO,GAAA,KAAAzH,EAAA,OAA8CC,YAAA,oBAAAM,MAAA,CAAuCoK,KAAA,WAAiBA,KAAA,WAAgB,CAAAzD,EAAAxX,MAAA,OAAAsQ,EAAA,MAAAkH,EAAAyY,GAAAzY,EAAA,qBAAA5oB,GAAsE,OAAA0hB,EAAA,OAAiBprB,IAAA0J,EAAA3I,GAAAsqB,YAAA,iBAAwC,CAAAD,EAAA,cAAmBC,YAAA,eAAAM,MAAA,CAAkCjiB,OAAA8hB,SAAA,KAA4B8G,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,mBAA8B,CAAAD,EAAA,QAAakP,SAAA,CAAUC,UAAAjI,EAAA0D,GAAAtsB,EAAApI,cAAoCgxB,EAAAO,GAAA,KAAAzH,EAAA,QAAyBC,YAAA,yBAAoC,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAAtsB,EAAAzI,mBAAA,KAA2C,GAAAmqB,EAAA,OAAAA,EAAA,KAAuBC,YAAA,iCAAsC,IACrxB,IDOY,EAa7BqiB,EATiB,KAEU,MAYG,QE0CjBG,EA/DQ,CACrB5uC,KAAM,iBACNsrB,WAAY,CACVR,qBACAyjB,mBAEFxjB,MAAO,CAAC,UACRpyB,KAAM,iBAAO,CACXk2C,SAAS,IAEXzZ,SAAU,CACR0Z,iBADQ,WAEN,OAAO79B,KAAKxJ,OAAOwB,gBAAgB9P,OAdL,IAgBhCs0B,eAJQ,WAKN,OAAOxc,KAAK49B,QACR59B,KAAKxJ,OAAOwB,gBACZgI,KAAKxJ,OAAOwB,gBAAgBxH,MAAM,EAnBR,KAqBhCstC,eATQ,WAUN,UAAAxnC,OAAW0J,KAAKxJ,OAAOwB,gBAAgB9P,OAtBT,KAwBhC61C,iBAZQ,WAaN,OAAO/9B,KAAKxJ,OAAOwB,gBAAgBhC,OAAO,SAACC,EAAK+nC,GAE9C,OADA/nC,EAAI+nC,EAASjvC,MAAQivC,EAAS3nB,UAAY,GACnCpgB,GACN,KAELqyB,SAlBQ,WAmBN,QAAStoB,KAAKia,OAAOC,MAAMtP,MAAMod,cAGrCzN,QAAS,CACP0jB,cADO,WAELj+B,KAAK49B,SAAW59B,KAAK49B,SAEvBM,YAJO,SAIMhoC,GACX,OAAO8J,KAAKxJ,OAAOwB,gBAAgB+hC,KAAK,SAAA1qC,GAAC,OAAIA,EAAEN,OAASmH,IAAO8jC,IAEjEmE,+BAPO,WAQiBn+B,KAAKxJ,OAAOwB,gBAAgB+hC,KAAK,SAAA1qC,GAAC,OAAKA,EAAEgnB,YAE7DrW,KAAKia,OAAO+K,SAAS,wBAAyBhlB,KAAKxJ,OAAO3F,KAG9DutC,UAbO,SAaIloC,GACT8J,KAAKia,OAAO+K,SAAS,iBAAkB,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,GAAIqF,WAE/DmoC,QAhBO,SAgBEnoC,GACP8J,KAAKia,OAAO+K,SAAS,mBAAoB,CAAEn0B,GAAImP,KAAKxJ,OAAO3F,GAAIqF,WAEjEooC,aAnBO,SAmBOpoC,EAAOnJ,GACdiT,KAAKsoB,WAENtoB,KAAKk+B,YAAYhoC,GACnB8J,KAAKq+B,QAAQnoC,GAEb8J,KAAKo+B,UAAUloC,OCtDvB,IAEIqoC,EAVJ,SAAoB5jB,GAClBtxB,EAAQ,MAyBKm1C,EAVCn2C,OAAAwyB,EAAA,EAAAxyB,CACd2P,ECjBQ,WAAgB,IAAAoqB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,mBAA8B,CAAAiH,EAAAyY,GAAAzY,EAAA,wBAAA4b,GAAiD,OAAA9iB,EAAA,mBAA6BprB,IAAAkuC,EAAAjvC,KAAA0sB,MAAA,CAAyB7Q,MAAAwX,EAAA2b,iBAAAC,EAAAjvC,QAA6C,CAAAmsB,EAAA,UAAeC,YAAA,iCAAAC,MAAA,CAAoDqjB,kBAAArc,EAAA8b,YAAAF,EAAAjvC,MAAA2vC,iBAAAtc,EAAAkG,UAAoFjG,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAkc,aAAAN,EAAAjvC,KAAAu0B,IAA+ChB,WAAA,SAAAgB,GAA+B,OAAAlB,EAAA+b,oCAA8C,CAAAjjB,EAAA,QAAaC,YAAA,kBAA6B,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAAkY,EAAAjvC,SAAAqzB,EAAAO,GAAA,KAAAzH,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAAkY,EAAAW,gBAA8Fvc,EAAAO,GAAA,KAAAP,EAAA,iBAAAlH,EAAA,KAA6CC,YAAA,8BAAAM,MAAA,CAAiDrxB,KAAA,sBAA4Bi4B,GAAA,CAAKI,MAAAL,EAAA6b,gBAA2B,CAAA7b,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAAwb,QAAAxb,EAAA2D,GAAA,qBAAA3D,EAAA0b,gBAAA,UAAA1b,EAAAQ,MAAA,IAC51B,IDOY,EAa7B2b,EATiB,KAEU,MAYG,4PEPhC,IAgRezB,EAhRA,CACb/tC,KAAM,SACNsrB,WAAY,CACV8e,iBACAQ,cACAoB,gBACAO,eACAsD,mBACAC,aACAhlB,qBACAilB,eACAC,YACArC,gBACAY,kBACAK,iBACAqB,mBAEFllB,MAAO,CACL,YACA,aACA,iBACA,UACA,YACA,UACA,UACA,YACA,YACA,iBACA,aACA,YACA,iBAEFpyB,KAhCa,WAiCX,MAAO,CACLu3C,UAAU,EACVC,SAAS,EACTC,cAAc,EACdjxC,MAAO,OAGXi2B,sWAAUib,CAAA,CACR/hB,UADM,WAEJ,OAAOrd,KAAKod,aAAaC,WAE3BgiB,sBAJM,WAKJ,OACEr/B,KAAKxJ,OAAOuB,cACTiI,KAAKxJ,OAAOU,QAAU8I,KAAKxJ,OAAOU,OAAOa,gBACxCiI,KAAKs/B,gBAEbC,cAVM,WAWJ,IAAM/lC,EAAOwG,KAAKq9B,UAAU7jC,KAC5B,OAAOgmC,YAAehmC,IAExBimC,UAdM,WAeJ,IAAMjmC,EAAOwG,KAAKyN,QAAWzN,KAAKq9B,UAAU9kC,iBAAiBiB,KAAQwG,KAAKq9B,UAAU7jC,KACpF,OAAOgmC,YAAehmC,IAExBkmC,QAlBM,WAmBJ,OAAO1/B,KAAKq9B,UAAUqC,SAExBC,cArBM,WAsBJ,IAAMnmC,EAAOwG,KAAKq9B,UAAU7jC,KACtBkvB,EAAY1oB,KAAKod,aAAasL,UACpC,OAAOkX,YAAelX,EAAUlvB,EAAKzI,eAEvC8uC,UA1BM,WA2BJ,IAAI7/B,KAAK8/B,UAAT,CACA,IAAMtmC,EAAOwG,KAAKyN,QAAWzN,KAAKq9B,UAAU9kC,iBAAiBiB,KAAQwG,KAAKq9B,UAAU7jC,KAC9EkvB,EAAY1oB,KAAKod,aAAasL,UACpC,OAAOkX,YAAelX,EAAUlvB,EAAKzI,gBAEvC24B,gBAhCM,WAiCJ,OAAO1pB,KAAK+/B,wBAAwB//B,KAAKxJ,OAAOgD,KAAK3I,GAAImP,KAAKxJ,OAAOgD,KAAKzI,cAE5EivC,iBAnCM,WAoCJ,GAAIhgC,KAAKigC,QACP,OAAOjgC,KAAK+/B,wBAAwB//B,KAAKxJ,OAAO4B,oBAAqB4H,KAAKkgC,cAG9EzyB,QAxCM,WAwCO,QAASzN,KAAKq9B,UAAU9kC,kBACrC4nC,UAzCM,WAyCS,OAAOngC,KAAKq9B,UAAU7jC,KAAKzK,MAAQiR,KAAKq9B,UAAU7jC,KAAKzI,aACtEqvC,cA1CM,WA0Ca,OAAOpgC,KAAKq9B,UAAU7jC,KAAKpI,WAC9CivC,qBA3CM,WA2CoB,OAAOrgC,KAAK+/B,wBAAwB//B,KAAKq9B,UAAU7jC,KAAK3I,GAAImP,KAAKq9B,UAAU7jC,KAAKzI,cAC1GyF,OA5CM,WA6CJ,OAAIwJ,KAAKyN,QACAzN,KAAKq9B,UAAU9kC,iBAEfyH,KAAKq9B,WAGhBiD,2BAnDM,WAqDJ,OAAOtgC,KAAKia,OAAOC,MAAMzC,SAAS8oB,kBAAkBvgC,KAAKxJ,OAAO3F,KAElEy3B,SAvDM,WAwDJ,QAAStoB,KAAKgoB,aAEhB9K,aA1DM,WA2DJ,OAAOA,YAAald,KAAKxJ,OAAQwJ,KAAKqd,YAExChpB,MA7DM,WA6DG,IACCmC,EAAWwJ,KAAXxJ,OACAU,EAAWV,EAAXU,OACFvE,EAAeqN,KAAKia,OAAOqN,QAAQ30B,aAAa6D,EAAOgD,KAAK3I,IAC5D2vC,EAAqBtpC,GAAU8I,KAAKia,OAAOqN,QAAQ30B,aAAauE,EAAOsC,KAAK3I,IAC5E4vC,EAEJjqC,EAAOnC,OAEN6C,GAAUA,EAAO7C,OAElB1B,EAAayB,QAEZosC,GAAsBA,EAAmBpsC,QAE1CoC,EAAOuB,cAEPiI,KAAKkd,aAAah1B,OAAS,EAEvBw4C,GAEF1gC,KAAK2gC,aAEDzpC,GAAUV,EAAOgD,KAAK3I,KAAOmP,KAAK4gC,eAEnC1pC,GAAUA,EAAOsC,KAAK3I,KAAOmP,KAAK4gC,gBAItC5gC,KAAKs/B,gBAAkB9oC,EAAOuB,gBAE3BiI,KAAKkd,aAAah1B,OAAS,EAEjC,OAAQ8X,KAAKk/B,UAAYwB,GAAoBD,GAE/CI,qBAhGM,WAiGJ,OAAO7gC,KAAKod,aAAayjB,sBAE3BC,WAnGM,WAoGJ,OAAO9gC,KAAK0/B,SAAY1/B,KAAK3L,OAAS2L,KAAK6gC,sBAE7CE,UAtGM,WAwGJ,QAAI/gC,KAAKghC,WAEGhhC,KAAKs/B,gBAIVt/B,KAAKxJ,OAAO3F,KAAOmP,KAAK0oB,WAEjCuX,QAhHM,WAiHJ,SAAUjgC,KAAKxJ,OAAO0B,wBAAyB8H,KAAKxJ,OAAO4B,sBAE7D8nC,YAnHM,WAoHJ,GAAIlgC,KAAKxJ,OAAOqB,wBACd,OAAOmI,KAAKxJ,OAAOqB,wBAEnB,IAAM2B,EAAOwG,KAAKia,OAAOqN,QAAQC,SAASvnB,KAAKxJ,OAAO4B,qBACtD,OAAOoB,GAAQA,EAAKzI,aAGxBkwC,aA3HM,WA4HJ,IAAKjhC,KAAKxJ,OAAOgB,QAAS,MAAO,GACjC,IAAM0pC,EAAiBC,IAASnhC,KAAKxJ,OAAOgB,SACtC4pC,EAAWphC,KAAKod,aAAaikB,oBAC7BC,EAAeJ,EAAehoC,MAAM,YAC1C,MAAkB,SAAbkoC,GAAuBE,GAA8B,UAAbF,EACpCF,EACe,UAAbE,EACF,OAAO9qC,OAAO4qC,GACC,SAAbE,EACF,QADF,GAITG,4BAxIM,WA0IJ,IAAMC,EAAgB,GAAGlrC,OACvB0J,KAAKsgC,2BAA2BvmC,YAChCiG,KAAKsgC,2BAA2BtmC,aAElC,OAAOynC,IAAOD,EAAe,OAE/BpsC,KAhJM,WAiJJ,OAAO4K,KAAKxJ,OAAOpB,KAAK6P,OAAO,SAAAy8B,GAAM,OAAIA,EAAOn5C,eAAe,UAASsJ,IAAI,SAAA6vC,GAAM,OAAIA,EAAO3yC,OAAMuS,KAAK,MAE1Go4B,cAnJM,WAoJJ,OAAO15B,KAAKod,aAAasc,gBAExB9Q,YAAW,CAAC,iBAtJT,GAuJHlC,YAAS,CACVlL,aAAc,SAAAtB,GAAK,OAAIA,EAAK,UAAWiN,eAAeC,WACtDY,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,gBAGtCzN,QAAS,CACPonB,eADO,SACSroC,GACd,OAAQA,GACN,IAAK,UACH,MAAO,YACT,IAAK,WACH,MAAO,qBACT,IAAK,SACH,MAAO,gBACT,QACE,MAAO,eAGbsoC,UAbO,SAaI1zC,GACT8R,KAAK9R,MAAQA,GAEf2zC,WAhBO,WAiBL7hC,KAAK9R,WAAQM,GAEfszC,eAnBO,WAoBL9hC,KAAKi/B,UAAYj/B,KAAKi/B,UAExB8C,aAtBO,SAsBOlxC,GACRmP,KAAKs/B,gBACPt/B,KAAKuhB,MAAM,OAAQ1wB,IAGvBmxC,eA3BO,WA4BLhiC,KAAKuhB,MAAM,mBAEb0gB,WA9BO,WA+BLjiC,KAAKk/B,SAAWl/B,KAAKk/B,SAEvBgD,mBAjCO,WAkCLliC,KAAKm/B,cAAgBn/B,KAAKm/B,cAE5BY,wBApCO,SAoCkBlvC,EAAI9B,GAC3B,OAAO0qB,YAAoB5oB,EAAI9B,EAAMiR,KAAKia,OAAOC,MAAMC,SAAST,uBAGpEyoB,MAAO,CACLzZ,UAAa,SAAU73B,GACrB,GAAImP,KAAKxJ,OAAO3F,KAAOA,EAAI,CACzB,IAAIuxC,EAAOpiC,KAAKsf,IAAIG,wBAChB2iB,EAAKniB,IAAM,IAEb3vB,OAAO+xC,SAAS,EAAGD,EAAKniB,IAAM,KACrBmiB,EAAKhjB,QAAW9uB,OAAOqwB,YAAc,GAE9CrwB,OAAO+xC,SAAS,EAAGD,EAAKniB,IAAM,KACrBmiB,EAAK1hB,OAASpwB,OAAOqwB,YAAc,IAE5CrwB,OAAO+xC,SAAS,EAAGD,EAAK1hB,OAASpwB,OAAOqwB,YAAc,MAI5D2hB,oBAAqB,SAAUC,GAEzBviC,KAAK+gC,WAAa/gC,KAAKsgC,2BAA2BtmC,aAAegG,KAAKsgC,2BAA2BtmC,YAAY9R,SAAWq6C,GAC1HviC,KAAKia,OAAO+K,SAAS,eAAgBhlB,KAAKxJ,OAAO3F,KAGrD2xC,kBAAmB,SAAUD,GAEvBviC,KAAK+gC,WAAa/gC,KAAKsgC,2BAA2BvmC,aAAeiG,KAAKsgC,2BAA2BvmC,YAAY7R,SAAWq6C,GAC1HviC,KAAKia,OAAO+K,SAAS,YAAahlB,KAAKxJ,OAAO3F,MAIpD4xC,QAAS,CACPC,WAAY,SAAUC,GACpB,OAAOA,EAAIC,OAAO,GAAGC,cAAgBF,EAAInyC,MAAM,MCtRrD,IAEIsyC,EAVJ,SAAoBnoB,GAClBtxB,EAAQ,MAeN05C,EAAY16C,OAAAwyB,EAAA,EAAAxyB,CACd26C,ECjBQ,WAAgB,IAAA5gB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA0e,WAAs0T1e,EAAAQ,KAAt0T1H,EAAA,OAAmCC,YAAA,SAAAC,MAAA,EAA6B6nB,WAAA7gB,EAAA2e,WAA4B,CAAGmC,gBAAA9gB,EAAA+gB,kBAAwC,CAAA/gB,EAAA,MAAAlH,EAAA,OAAwBC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAl0B,OAAA,YAAAgtB,EAAA,KAA0DC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAAL,EAAAyf,gBAAwBzf,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA/tB,QAAA+tB,EAAAghB,UAAA,CAAAloB,EAAA,OAAkEC,YAAA,2BAAsC,CAAAD,EAAA,SAAcC,YAAA,mBAA8B,CAAAiH,EAAA/tB,OAAA+tB,EAAA3U,QAAAyN,EAAA,KAAqCC,YAAA,6BAAuCiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,eAAyCO,MAAA,CAAOwK,GAAA7D,EAAAsH,kBAA0B,CAAAtH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAgD,KAAAzI,aAAA,sBAAAqxB,EAAAO,GAAA,KAAAP,EAAA,sBAAAlH,EAAA,SAAwIC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAid,uBAAAjd,EAAAlF,aAAAh1B,OAAA,EAAAgzB,EAAA,SAA0KC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,SAAyHC,YAAA,aAAAM,MAAA,CAAgC3iB,MAAAspB,EAAAlF,aAAA5b,KAAA,QAAqC,CAAA8gB,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAAlF,aAAA5b,KAAA,uBAAA8gB,EAAAO,GAAA,KAAAzH,EAAA,KAAgGC,YAAA,SAAAM,MAAA,CAA4BrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA6f,WAAA3e,MAAgC,CAAApI,EAAA,KAAUC,YAAA,kCAAuC,CAAAiH,EAAA,WAAAlH,EAAA,OAAmCC,YAAA,OAAkB,CAAAD,EAAA,KAAUC,YAAA,sBAAgCiH,EAAAO,GAAA,KAAAzH,EAAA,QAAyBC,YAAA,SAAoB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uBAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAA3U,SAAA2U,EAAA0d,WAAA1d,EAAAkd,eAAi3Bld,EAAAQ,KAAj3B1H,EAAA,OAAoIC,YAAA,+BAAAC,MAAA,CAAAgH,EAAAmd,cAAA,CAAsE8D,YAAAjhB,EAAAud,gBAAiC9c,MAAA,CAAAT,EAAAud,gBAA8B,CAAAvd,EAAA,QAAAlH,EAAA,cAAiCC,YAAA,4BAAAM,MAAA,CAA+CF,gBAAA6G,EAAA5G,aAAAhiB,KAAA4oB,EAAAib,UAAA7jC,QAA4D4oB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAiCC,YAAA,oBAA+B,CAAAD,EAAA,QAAaC,YAAA,gCAAAM,MAAA,CAAmD3iB,MAAAspB,EAAA+d,YAAuB,CAAA/d,EAAA,cAAAlH,EAAA,eAAwCO,MAAA,CAAOwK,GAAA7D,EAAAie,sBAA8BjW,SAAA,CAAWC,UAAAjI,EAAA0D,GAAA1D,EAAAge,kBAAuCllB,EAAA,eAAoBO,MAAA,CAAOwK,GAAA7D,EAAAie,uBAA+B,CAAAje,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA+d,eAAA,GAAA/d,EAAAO,GAAA,KAAAzH,EAAA,KAA0DC,YAAA,4BAAAM,MAAA,CAA+C3iB,MAAAspB,EAAA2D,GAAA,sBAAmC3D,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA+GC,YAAA,mBAAAC,MAAA,CAAAgH,EAAAqd,UAAA,CAAsD4D,YAAAjhB,EAAAyd,UAAAyD,UAAAlhB,EAAA3U,UAAA2U,EAAAkd,iBAA4Ezc,MAAA,CAAAT,EAAAyd,WAAApkB,MAAA,CAAmC8nB,YAAAnhB,EAAAhtB,OAAsB,CAAAgtB,EAAA0d,UAAgV1d,EAAAQ,KAAhV1H,EAAA,OAA6BC,YAAA,aAAwB,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA7D,EAAAsH,iBAAyB8Z,SAAA,CAAWC,SAAA,SAAAngB,GAA2E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA8f,mBAAA5e,MAAwC,CAAApI,EAAA,cAAmBO,MAAA,CAAOH,QAAA8G,EAAA9G,QAAAC,gBAAA6G,EAAA5G,aAAAhiB,KAAA4oB,EAAA5rB,OAAAgD,SAA+E,OAAA4oB,EAAAO,GAAA,KAAAzH,EAAA,OAAyCC,YAAA,cAAyB,CAAAiH,EAAA,aAAAlH,EAAA,YAAoCC,YAAA,WAAAM,MAAA,CAA8BioB,UAAAthB,EAAA5rB,OAAAgD,KAAA3I,GAAA62B,SAAA,EAAAG,UAAA,KAA6DzF,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA0d,UAAitH1d,EAAAQ,KAAjtH1H,EAAA,OAAkDC,YAAA,kBAA6B,CAAAD,EAAA,OAAYC,YAAA,oBAA+B,CAAAD,EAAA,OAAYC,YAAA,gBAA2B,CAAAiH,EAAA5rB,OAAAgD,KAAA,UAAA0hB,EAAA,MAAuCC,YAAA,kBAAAM,MAAA,CAAqC3iB,MAAAspB,EAAA5rB,OAAAgD,KAAAzK,MAA6Bq7B,SAAA,CAAWC,UAAAjI,EAAA0D,GAAA1D,EAAA5rB,OAAAgD,KAAApI,cAA+C8pB,EAAA,MAAWC,YAAA,kBAAAM,MAAA,CAAqC3iB,MAAAspB,EAAA5rB,OAAAgD,KAAAzK,OAA8B,CAAAqzB,EAAAO,GAAA,uBAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAgD,KAAAzK,MAAA,wBAAAqzB,EAAAO,GAAA,KAAAzH,EAAA,eAAmHC,YAAA,eAAAM,MAAA,CAAkC3iB,MAAAspB,EAAA5rB,OAAAgD,KAAAzI,YAAAk1B,GAAA7D,EAAAsH,kBAA8D,CAAAtH,EAAAO,GAAA,uBAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAAgD,KAAAzI,aAAA,wBAAAqxB,EAAAO,GAAA,KAAAP,EAAA5rB,OAAAgD,MAAA4oB,EAAA5rB,OAAAgD,KAAA3G,QAAAqoB,EAAA,OAAmKC,YAAA,iBAAAM,MAAA,CAAoCvuB,IAAAk1B,EAAA5rB,OAAAgD,KAAA3G,WAA+BuvB,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAzH,EAAA,QAAsCC,YAAA,iBAA4B,CAAAD,EAAA,eAAoBC,YAAA,qBAAAM,MAAA,CAAwCwK,GAAA,CAAMl3B,KAAA,eAAA+U,OAAA,CAAgCjT,GAAAuxB,EAAA5rB,OAAA3F,OAAwB,CAAAqqB,EAAA,WAAgBO,MAAA,CAAOkoB,KAAAvhB,EAAA5rB,OAAA7B,WAAAivC,cAAA,OAA+C,GAAAxhB,EAAAO,GAAA,KAAAP,EAAA5rB,OAAA,WAAA0kB,EAAA,OAAoDC,YAAA,+BAA0C,CAAAD,EAAA,KAAUE,MAAAgH,EAAAuf,eAAAvf,EAAA5rB,OAAA8C,YAAAmiB,MAAA,CAAuD3iB,MAAAspB,EAAAyhB,GAAA,aAAAzhB,GAAA5rB,OAAA8C,iBAAqD8oB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5rB,OAAAvC,UAAAmuB,EAAAghB,UAAmOhhB,EAAAQ,KAAnO1H,EAAA,KAA0EC,YAAA,aAAAM,MAAA,CAAgCrxB,KAAAg4B,EAAA5rB,OAAAiC,aAAAxL,OAAA,SAAA6L,MAAA,WAAmE,CAAAoiB,EAAA,KAAUC,YAAA,oCAA4CiH,EAAAO,GAAA,KAAAP,EAAA0hB,aAAA1hB,EAAAghB,UAAA,CAAAloB,EAAA,KAAqEO,MAAA,CAAOrxB,KAAA,IAAA0O,MAAA,UAA4BupB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA4f,eAAA1e,MAAoC,CAAApI,EAAA,KAAUC,YAAA,qCAA4CiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,QAAAlH,EAAA,KAAgDO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA6f,WAAA3e,MAAgC,CAAApI,EAAA,KAAUC,YAAA,+BAAuCiH,EAAAQ,MAAA,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAyCC,YAAA,qBAAgC,CAAAiH,EAAA,QAAAlH,EAAA,OAA0BC,YAAA,4BAAuC,CAAAiH,EAAAghB,UAAojBloB,EAAA,QAAiHC,YAAA,uBAAkC,CAAAD,EAAA,QAAaC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yBAAhvB7K,EAAA,iBAAuCC,YAAA,mBAAAC,MAAA,CAAsC2oB,kBAAA3hB,EAAA5rB,OAAAyB,gBAA+C+rC,YAAA,CAAcC,YAAA,KAAgBxoB,MAAA,CAAQyoB,YAAA9hB,EAAA5rB,OAAAyB,gBAAAmqB,EAAA5rB,OAAA0B,wBAA2E,CAAAgjB,EAAA,KAAUC,YAAA,WAAAM,MAAA,CAA8BrxB,KAAA,IAAA+5C,aAAA/hB,EAAA2D,GAAA,mBAAiD1D,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA2f,aAAA3f,EAAA5rB,OAAA0B,0BAA4D,CAAAgjB,EAAA,KAAUC,YAAA,wCAAkDiH,EAAAO,GAAA,KAAAzH,EAAA,QAAyBC,YAAA,4BAAuC,CAAAiH,EAAAO,GAAA,2BAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oDAA4L3D,EAAAO,GAAA,KAAAzH,EAAA,eAA8EC,YAAA,gBAAAM,MAAA,CAAmC3iB,MAAAspB,EAAA8d,YAAAja,GAAA7D,EAAA4d,mBAAmD,CAAA5d,EAAAO,GAAA,uBAAAP,EAAA0D,GAAA1D,EAAA8d,aAAA,wBAAA9d,EAAAO,GAAA,KAAAP,EAAAgiB,SAAAhiB,EAAAgiB,QAAAl8C,OAAAgzB,EAAA,QAA2IC,YAAA,2BAAsC,CAAAiH,EAAAO,GAAA,6CAAAP,EAAAQ,MAAA,GAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAkd,iBAAAld,EAAAghB,WAAAhhB,EAAAgiB,SAAAhiB,EAAAgiB,QAAAl8C,OAAAgzB,EAAA,OAA8KC,YAAA,WAAsB,CAAAD,EAAA,QAAaC,YAAA,SAAoB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAA,iBAAAiiB,GAAmG,OAAAnpB,EAAA,iBAA2BprB,IAAAu0C,EAAAxzC,GAAA4qB,MAAA,CAAoByoB,YAAAG,EAAAxzC,KAAsB,CAAAqqB,EAAA,KAAUC,YAAA,aAAAM,MAAA,CAAgCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA2f,aAAAsC,EAAAxzC,OAAoC,CAAAuxB,EAAAO,GAAAP,EAAA0D,GAAAue,EAAAt1C,cAAiC,GAAAqzB,EAAAQ,SAAAR,EAAAO,GAAA,KAAAzH,EAAA,iBAA4DO,MAAA,CAAOjlB,OAAA4rB,EAAA5rB,OAAA8tC,aAAAliB,EAAA0d,UAAApX,UAAAtG,EAAAsG,UAAAsY,QAAA5e,EAAA2e,aAAkG3e,EAAAO,GAAA,KAAAzH,EAAA,cAA+BO,MAAA,CAAO1sB,KAAA,SAAe,EAAAqzB,EAAAsX,eAAAtX,EAAA2e,WAAA3e,EAAAmf,4BAAAr5C,OAAA,EAAAgzB,EAAA,OAAgGC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAke,2BAAAtmC,aAAAooB,EAAAke,2BAAAtmC,YAAA9R,OAAA,EAAAgzB,EAAA,mBAA8HO,MAAA,CAAO7Q,MAAAwX,EAAAke,2BAAAtmC,cAAoD,CAAAkhB,EAAA,OAAYC,YAAA,cAAyB,CAAAD,EAAA,KAAUC,YAAA,cAAyB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAmEC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,2BAAAP,EAAA0D,GAAA1D,EAAAke,2BAAAtmC,YAAA9R,QAAA,gCAAAk6B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAke,2BAAAvmC,aAAAqoB,EAAAke,2BAAAvmC,YAAA7R,OAAA,EAAAgzB,EAAA,mBAA+QO,MAAA,CAAO7Q,MAAAwX,EAAAke,2BAAAvmC,cAAoD,CAAAmhB,EAAA,OAAYC,YAAA,cAAyB,CAAAD,EAAA,KAAUC,YAAA,cAAyB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wBAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAqEC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,2BAAAP,EAAA0D,GAAA1D,EAAAke,2BAAAvmC,YAAA7R,QAAA,gCAAAk6B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA6JC,YAAA,cAAyB,CAAAD,EAAA,cAAmBO,MAAA,CAAO7Q,MAAAwX,EAAAmf,gCAAyC,SAAAnf,EAAAQ,OAAAR,EAAAO,GAAA,MAAAP,EAAAhF,aAAAmnB,2BAAAniB,EAAA2e,WAAA3e,EAAA0d,WAAA1d,EAAAghB,UAAyLhhB,EAAAQ,KAAzL1H,EAAA,kBAA6JO,MAAA,CAAOjlB,OAAA4rB,EAAA5rB,UAAqB4rB,EAAAO,GAAA,KAAAP,EAAA0d,WAAA1d,EAAAghB,UAAi9BhhB,EAAAQ,KAAj9B1H,EAAA,OAAoEC,YAAA,kBAA6B,CAAAD,EAAA,OAAAkH,EAAA,SAAAlH,EAAA,KAAmCC,YAAA,sCAAAC,MAAA,CAAyDopB,UAAApiB,EAAA6c,UAAwBxjB,MAAA,CAAQ3iB,MAAAspB,EAAA2D,GAAA,mBAAiC1D,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA0f,eAAAxe,OAAoCpI,EAAA,KAAUC,YAAA,gDAAAM,MAAA,CAAmE3iB,MAAAspB,EAAA2D,GAAA,qBAAkC3D,EAAAO,GAAA,KAAAP,EAAA5rB,OAAA8B,cAAA,EAAA4iB,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5rB,OAAA8B,kBAAA8pB,EAAAQ,OAAAR,EAAAO,GAAA,KAAAzH,EAAA,kBAA+IO,MAAA,CAAOniB,WAAA8oB,EAAA5rB,OAAA8C,WAAAmrC,YAAAriB,EAAAkG,SAAA9xB,OAAA4rB,EAAA5rB,UAAiF4rB,EAAAO,GAAA,KAAAzH,EAAA,mBAAoCO,MAAA,CAAOgpB,YAAAriB,EAAAkG,SAAA9xB,OAAA4rB,EAAA5rB,UAA8C4rB,EAAAO,GAAA,KAAAP,EAAA,SAAAlH,EAAA,eAA+CO,MAAA,CAAOjlB,OAAA4rB,EAAA5rB,UAAqB4rB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,iBAA2CO,MAAA,CAAOjlB,OAAA4rB,EAAA5rB,QAAoB6rB,GAAA,CAAKqiB,QAAAtiB,EAAAwf,UAAA+C,UAAAviB,EAAAyf,eAAoD,SAAAzf,EAAAO,GAAA,KAAAP,EAAA,SAAAlH,EAAA,OAA0DC,YAAA,+BAA0C,CAAAD,EAAA,kBAAuBC,YAAA,aAAAM,MAAA,CAAgCmpB,WAAAxiB,EAAA5rB,OAAA3F,GAAA6I,WAAA0oB,EAAA5rB,OAAAkD,WAAAmrC,eAAAziB,EAAA5rB,OAAAgD,KAAAsrC,qBAAA1iB,EAAA5rB,OAAA8C,WAAAyrC,QAAA3iB,EAAA6e,cAAiK5e,GAAA,CAAK2iB,OAAA5iB,EAAA0f,mBAA6B,GAAA1f,EAAAQ,OAAA,IAC54T,IDOY,EAa7BkgB,EATiB,KAEU,MAYdlnB,EAAA,QAAAmnB,EAAiB,qGEvBjBrqC,EAAA,CACb3J,KAAM,OACN+qB,MAAO,CAAC,YACRO,WAAY,CAAE0kB,iBACdr3C,KAJa,WAKX,MAAO,CACLu9C,SAAS,EACTtvB,QAAS,KAGbqM,QAVa,WAWNhiB,KAAKia,OAAOC,MAAMgrB,MAAMC,YAAYnlC,KAAK0V,SAC5C1V,KAAKia,OAAO+K,SAAS,iBAAkBhlB,KAAKolC,UAE9CplC,KAAKia,OAAO+K,SAAS,YAAahlB,KAAK0V,SAEzCuM,UAhBa,WAiBXjiB,KAAKia,OAAO+K,SAAS,cAAehlB,KAAK0V,SAE3CyO,SAAU,CACRzO,OADQ,WAEN,OAAO1V,KAAKolC,SAASv0C,IAEvB6H,KAJQ,WAMN,OADkBsH,KAAKia,OAAOC,MAAMgrB,MAAMC,YAAYnlC,KAAK0V,SACvC,IAEtB/c,QARQ,WASN,OAAQqH,KAAKtH,MAAQsH,KAAKtH,KAAKC,SAAY,IAE7C0sC,UAXQ,WAYN,OAAQrlC,KAAKtH,MAAQsH,KAAKtH,KAAK4sC,YAAe,GAEhDC,QAdQ,WAeN,OAAQvlC,KAAKtH,MAAQsH,KAAKtH,KAAK6sC,UAAY,GAE7Cjd,SAjBQ,WAkBN,OAAOtoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAEjCwd,YApBQ,WAqBN,OAAOxlC,KAAKtH,KAAK+sC,OAASzlC,KAAKulC,UAAYvlC,KAAKsoB,UAElDod,gBAvBQ,WAwBN,OAAO1lC,KAAKtH,KAAKitC,aAEnBC,eA1BQ,WA2BN,MAAO,CACLX,QAASjlC,KAAKilC,UAGlBY,cA/BQ,WAmCN,OAAO7lC,KAAK2V,QACT9jB,IAAI,SAACi0C,EAAOC,GAAR,OAAkBD,GAASC,IAC/B9gC,OAAO,SAAAzV,GAAK,MAAqB,iBAAVA,KAE5Bw2C,WAvCQ,WAwCN,IAAMC,EAAyC,IAA9BjmC,KAAK6lC,cAAc39C,OACpC,OAAO8X,KAAKilC,SAAWgB,IAG3B1rB,QAAS,CACP2rB,oBADO,SACcvH,GACnB,OAAgC,IAAzB3+B,KAAK0lC,gBAAwB,EAAI/oC,KAAK0kB,MAAMsd,EAAQ3+B,KAAK0lC,gBAAkB,MAEpFS,YAJO,SAIMp3B,GACX,SAAAzY,OAAUyY,EAAO42B,YAAjB,KAAArvC,OAAgC0J,KAAK0lC,gBAArC,KAAApvC,OAAwD0J,KAAK+lB,GAAG,iBAElEnQ,UAPO,WAQL5V,KAAKia,OAAO+K,SAAS,cAAe,CAAEn0B,GAAImP,KAAK68B,SAAUnnB,OAAQ1V,KAAKtH,KAAK7H,MAE7Eu1C,eAVO,SAUSL,GASd,IAAMM,EAAcrmC,KAAKsf,IAAIgnB,iBAAiB,SACxCC,EAAiBvmC,KAAKsf,IAAIknB,cAAT,gBAAAlwC,OAAuCyvC,EAAvC,OACnB/lC,KAAKtH,KAAKyW,SAEZo3B,EAAeE,SAAWF,EAAeE,SAGzCC,IAAQL,EAAa,SAAAM,GAAaA,EAAQF,SAAU,IACpDF,EAAeE,SAAU,GAE3BzmC,KAAK2V,QAAUlM,IAAI48B,EAAa,SAAAx8C,GAAC,OAAIA,EAAE48C,WAEzCG,SA/BO,SA+BGb,GACR,aAAAzvC,OAAc0J,KAAKtH,KAAK7H,GAAxB,KAAAyF,OAA8ByvC,IAEhCvwB,KAlCO,WAkCC,IAAAjV,EAAAP,KAC4B,IAA9BA,KAAK6lC,cAAc39C,SACvB8X,KAAKilC,SAAU,EACfjlC,KAAKia,OAAO+K,SACV,WACA,CAAEn0B,GAAImP,KAAK68B,SAAUnnB,OAAQ1V,KAAKtH,KAAK7H,GAAI8kB,QAAS3V,KAAK6lC,gBACzDr4C,KAAK,SAAAkL,GACL6H,EAAK0kC,SAAU,eCnGvB,IAEAvqB,EAVA,SAAAC,GACEtxB,EAAQ,MAyBKw9C,EAVCx+C,OAAAwyB,EAAA,EAAAxyB,CACdqQ,ECjBF,WAA0B,IAAA0pB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,OAAAC,MAAAgH,EAAAwjB,gBAA4C,CAAAxjB,EAAAyY,GAAAzY,EAAA,iBAAArT,EAAAg3B,GAA8C,OAAA7qB,EAAA,OAAiBprB,IAAAi2C,EAAA5qB,YAAA,eAAoC,CAAAiH,EAAA,YAAAlH,EAAA,OAA8BC,YAAA,gBAAAM,MAAA,CAAmC3iB,MAAAspB,EAAA+jB,YAAAp3B,KAAiC,CAAAmM,EAAA,OAAYC,YAAA,uBAAkC,CAAAD,EAAA,QAAaC,YAAA,qBAAgC,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA8jB,oBAAAn3B,EAAA42B,cAAA,iBAAAvjB,EAAAO,GAAA,KAAAzH,EAAA,QAAoHkP,SAAA,CAAUC,UAAAjI,EAAA0D,GAAA/W,EAAAlW,iBAAuCupB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,cAAA0H,MAAA,CAAkC1D,MAAAiD,EAAA8jB,oBAAAn3B,EAAA42B,aAAA,SAAmEzqB,EAAA,OAAcmH,GAAA,CAAII,MAAA,SAAAa,GAAyB,OAAAlB,EAAAgkB,eAAAL,MAAmC,CAAA3jB,EAAA1pB,KAAA,SAAAwiB,EAAA,SAAkCO,MAAA,CAAO7uB,KAAA,WAAAk6C,SAAA1kB,EAAA6iB,SAAyC7a,SAAA,CAAW56B,MAAAu2C,KAAe7qB,EAAA,SAAcO,MAAA,CAAO7uB,KAAA,QAAAk6C,SAAA1kB,EAAA6iB,SAAsC7a,SAAA,CAAW56B,MAAAu2C,KAAe3jB,EAAAO,GAAA,KAAAzH,EAAA,SAA0BC,YAAA,eAA0B,CAAAD,EAAA,OAAAkH,EAAAO,GAAAP,EAAA0D,GAAA/W,EAAAjW,kBAAiDspB,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,gBAA2B,CAAAiH,EAAAojB,YAAyJpjB,EAAAQ,KAAzJ1H,EAAA,UAAkCC,YAAA,mCAAAM,MAAA,CAAsD7uB,KAAA,SAAAk6C,SAAA1kB,EAAA4jB,YAA0C3jB,GAAA,CAAKI,MAAAL,EAAA5M,OAAkB,CAAA4M,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA4FC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAsjB,iBAAA,IAAAtjB,EAAA0D,GAAA1D,EAAA2D,GAAA,+BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,QAAwHO,MAAA,CAAOsrB,KAAA3kB,EAAAmjB,QAAA,qCAA2D,CAAArqB,EAAA,WAAgBO,MAAA,CAAOkoB,KAAAvhB,EAAAijB,UAAAzB,cAAA,GAAAoD,gBAAA,MAAyD,YACppD,IDOA,EAaAtsB,EATA,KAEA,MAYgC,6REhBhC,IA2LeskB,EA3LO,CACpBjwC,KAAM,gBACN+qB,MAAO,CACL,SACA,UACA,YACA,cACA,cAEFpyB,KAToB,WAUlB,MAAO,CACLu/C,YAAajnC,KAAKknC,aAAgBlnC,KAAKs/B,gBAAkBt/B,KAAKghC,QAC9DmG,oBAAoB,EAEpBC,kBAAmBpnC,KAAKia,OAAOqN,QAAQlK,aAAaiqB,6BAGxDljB,sWAAQvrB,CAAA,CACN0uC,4BADM,WAEJ,OAAOtnC,KAAKod,aAAaiqB,4BAE3BE,gBAJM,WAKJ,OAAQvnC,KAAKod,aAAamqB,kBAAoBvnC,KAAKs/B,gBAChDt/B,KAAKod,aAAaoqB,uBAAyBxnC,KAAKs/B,gBASrDmI,WAfM,WAiBJ,OADoBznC,KAAKxJ,OAAOa,eAAe6F,MAAM,UAAUhV,OAAS8X,KAAKxJ,OAAOe,KAAKrP,OAAS,GAC7E,IAEvBw/C,YAnBM,WAoBJ,OAAO1nC,KAAKxJ,OAAOgB,QAAQtP,OAAS,KAGtCy/C,wBAvBM,WAwBJ,QAAS3nC,KAAKxJ,OAAOgB,SAAWwI,KAAKsnC,6BAEvCM,qBA1BM,WA2BJ,OAAO5nC,KAAKynC,cAAgBznC,KAAKxJ,OAAOgB,SAAWwI,KAAKsnC,8BAE1DO,kBA7BM,WA8BJ,OAAO7nC,KAAK2nC,0BAA4B3nC,KAAKonC,kBAE/CU,eAhCM,WAiCJ,OAAO9nC,KAAK4nC,uBAAyB5nC,KAAKinC,aAE5Cc,YAnCM,WAoCJ,OAAQ/nC,KAAK4nC,sBAAwB5nC,KAAKinC,aAAiBjnC,KAAK2nC,yBAA2B3nC,KAAKonC,kBAElGY,iBAtCM,WAuCJ,QAAKhoC,KAAKxJ,OAAOW,QAGb6I,KAAKxJ,OAAOgB,UAAWwI,KAAKsnC,8BAKlCW,eA/CM,WAgDJ,OAAKjoC,KAAKod,aAAamqB,kBAAoBvnC,KAAKs/B,gBAC7Ct/B,KAAKod,aAAaoqB,uBAAyBxnC,KAAKs/B,gBAChDt/B,KAAKxJ,OAAOoD,YAAY1R,OAAS8X,KAAKkoC,cAChC,OACEloC,KAAKsb,QACP,QAEF,UAET6sB,aAzDM,WA0DJ,MAA4B,SAAxBnoC,KAAKioC,eACA,GAEFjoC,KAAKod,aAAagrB,kBACrB,CAAC,QAAS,SACV,CAAC,UAEPC,mBAjEM,WAiEgB,IAAA9nC,EAAAP,KACpB,OAAOA,KAAKxJ,OAAOoD,YAAYqL,OAC7B,SAAAgO,GAAI,OAAIqL,IAASE,oBAAoBje,EAAK4nC,aAAcl1B,MAG5Dq1B,sBAtEM,WAsEmB,IAAAxjB,EAAA9kB,KACvB,OAAOA,KAAKxJ,OAAOoD,YAAYqL,OAC7B,SAAAgO,GAAI,OAAKqL,IAASE,oBAAoBsG,EAAKqjB,aAAcl1B,MAG7Ds1B,gBA3EM,WA4EJ,OAAOvoC,KAAKxJ,OAAOoD,YAAY/H,IAAI,SAAAohB,GAAI,OAAIqL,IAASA,SAASrL,EAAKxd,aAEpEyyC,cA9EM,WA+EJ,OAAOloC,KAAKod,aAAa8qB,eAE3BM,aAjFM,WAkFJ,IAAMC,EAAOzoC,KAAKxJ,OAAOa,eAEzB,IAAI2I,KAAKod,aAAasrB,UAwBpB,OAAOD,EAvBP,IACE,OAAIA,EAAKv0C,SAAS,QCvGD,SAACu0C,EAAM9hC,GA2ChC,IA1CA,IAUQ5d,EAVF4/C,EAAc,IAAI/iC,IAAI,CAAC,IAAK,KAAM,QAClCgjC,EAAgB,IAAIhjC,IAAI,CAAC,IAAK,QAEhCijC,EAAS,GACPC,EAAQ,GACVC,EAAa,GACbC,EAAY,KAQVC,EAAQ,WACRF,EAAWG,OAAOhhD,OAAS,EAC7B2gD,GAAUliC,EAAUoiC,GAEpBF,GAAUE,EAEZA,EAAa,IAGTI,EAAW,SAAC78C,GAChB28C,IACAJ,GAAUv8C,GAGN88C,EAAa,SAAC98C,GAClB28C,IACAJ,GAAUv8C,EACVw8C,EAAM1gD,KAAKkE,IAGP+8C,EAAc,SAAC/8C,GACnB28C,IACAJ,GAAUv8C,EACNw8C,EAAMA,EAAM5gD,OAAS,KAAOoE,GAC9Bw8C,EAAMQ,OAIDthD,EAAI,EAAGA,EAAIygD,EAAKvgD,OAAQF,IAAK,CACpC,IAAMuhD,EAAOd,EAAKzgD,GAClB,GAAa,MAATuhD,GAA8B,OAAdP,EAClBA,EAAYO,OACP,GAAa,MAATA,GAA8B,OAAdP,EACzBA,GAAaO,OACR,GAAa,MAATA,GAA8B,OAAdP,EAAoB,CAE7C,IAAMQ,EADNR,GAAaO,EAEbP,EAAY,KACZ,IAAMxkB,GA1CFz7B,YAAS,sCAAsC6V,KA0CxB4qC,MAzCXzgD,EAAO,IAAMA,EAAO,KA0ChC4/C,EAAYrhC,IAAIkd,GACF,OAAZA,EACF2kB,EAASK,GACAZ,EAActhC,IAAIkd,KACR,MAAfglB,EAAQ,GACVH,EAAYG,GAC6B,MAAhCA,EAAQA,EAAQthD,OAAS,GAElCihD,EAASK,GAETJ,EAAWI,IAIfT,GAAcS,MAEE,OAATD,EACTJ,EAASI,GAETR,GAAcQ,EASlB,OANIP,IACFD,GAAcC,GAGhBC,IAEOJ,EDuBUY,CAAYhB,EAAM,SAAC3yC,GACxB,OAAIA,EAAO5B,SAAS,SAChB4B,EACG7D,QAAQ,aAAc,IACtBA,QAAQ,SAAU,IAClBi3C,OACAvpC,WAAW,QAChB,2BAAArJ,OAAkCR,EAAlC,WAEOA,IAIJ2yC,EAET,MAAO5+C,GAEP,OADAuG,QAAQjD,IAAI,gCAAiCtD,GACtC4+C,KAMV7f,YAAW,CAAC,iBA/GT,GAgHHlC,YAAS,CACVlL,aAAc,SAAAtB,GAAK,OAAIA,EAAK,UAAWiN,eAAeC,WACtDY,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,gBAGtC3N,WAAY,CACVqvB,eACAC,OACAC,YACAC,iBAEFtvB,QAAS,CACPiP,YADO,SACMz8B,GACX,IEzI4BmE,EAE1BnI,EFuIIkE,EAASF,EAAME,OAAOsyB,QAAQ,qBACpC,GAAItyB,EAAQ,CACV,GAAIA,EAAO68C,UAAU5wC,MAAM,WAAY,CACrC,IAAM9O,EAAO6C,EAAO7C,KACd2/C,EAAO/pC,KAAKxJ,OAAOkD,WAAWqgC,KAAK,SAAAgQ,GAAI,OE5JtB,SAACC,EAAW94C,GAC3C,GAAIA,IAAQ84C,EAAU/4C,sBACpB,OAAO,EAF0C,IAAAg5C,EAIlBD,EAAUj5C,YAAYmM,MAAM,KAJVgtC,EAAA9oC,IAAA6oC,EAAA,GAI5CE,EAJ4CD,EAAA,GAIlCE,EAJkCF,EAAA,GAK7CG,EAAc,IAAIh0C,OAAO,MAAQ+zC,EAAe,MAAQD,EAAW,IAAK,KAE9E,QAASj5C,EAAIgI,MAAMmxC,GFqJsCC,CAAkBP,EAAM3/C,KACzE,GAAI2/C,EAAM,CACRh9C,EAAMy2B,kBACNz2B,EAAMm+B,iBACN,IAAM2B,EAAO7sB,KAAK+/B,wBAAwBgK,EAAKl5C,GAAIk5C,EAAKh5C,aAExD,YADAiP,KAAKwmB,QAAQp+B,KAAKykC,IAItB,GAAI5/B,EAAOT,IAAI0M,MAAM,wBAA0BjM,EAAO68C,UAAU5wC,MAAM,WAAY,CAEhF,IAAM5M,EAAMW,EAAOs9C,QAAQj+C,MExJH4E,EFwJ4BjE,EAAO7C,QEtJ7DrB,EADQ,mBACO6V,KAAK1N,KAInBnI,EAAO,IFmJN,GAAIuD,EAAK,CACP,IAAMugC,EAAO7sB,KAAKwqC,gBAAgBl+C,GAElC,YADA0T,KAAKwmB,QAAQp+B,KAAKykC,IAItBv8B,OAAOm5B,KAAKx8B,EAAO7C,KAAM,YAG7BqgD,eA3BO,WA4BDzqC,KAAK4nC,qBACP5nC,KAAKinC,aAAejnC,KAAKinC,YAChBjnC,KAAK2nC,0BACd3nC,KAAKonC,kBAAoBpnC,KAAKonC,mBAGlCrH,wBAlCO,SAkCkBlvC,EAAI9B,GAC3B,OAAO0qB,YAAoB5oB,EAAI9B,EAAMiR,KAAKia,OAAOC,MAAMC,SAAST,sBAElE8wB,gBArCO,SAqCUl+C,GACf,cAAAgK,OAAehK,IAEjBo+C,SAxCO,WAwCK,IAAAvlB,EAAAnlB,KACJpG,EAAsC,SAAxBoG,KAAKioC,eAA4BjoC,KAAKxJ,OAAOoD,YAAcoG,KAAKqoC,mBACpF,OAAO,kBAAMljB,EAAKlL,OAAO+K,SAAS,WAAYprB,OGxLpD,IAEI+wC,EAVJ,SAAoBhwB,GAClBtxB,EAAQ,MAeNuhD,EAAYviD,OAAAwyB,EAAA,EAAAxyB,CACdwiD,ECjBQ,WAAgB,IAAAzoB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,iBAA4B,CAAAiH,EAAAM,GAAA,UAAAN,EAAAO,GAAA,KAAAP,EAAA5rB,OAAA,aAAA0kB,EAAA,OAAmEC,YAAA,kBAAAC,MAAA,CAAqC0vB,eAAA1oB,EAAAslB,cAAAtlB,EAAA+kB,qBAAgE,CAAAjsB,EAAA,OAAYC,YAAA,qBAAAiP,SAAA,CAA2CC,UAAAjI,EAAA0D,GAAA1D,EAAA5rB,OAAAgC,eAA4C6pB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoH,YAAAlG,OAAiClB,EAAAO,GAAA,KAAAP,EAAAslB,aAAAtlB,EAAA+kB,mBAAAjsB,EAAA,KAAkEC,YAAA,qBAAAM,MAAA,CAAwCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAyBA,EAAA4H,iBAAwB9I,EAAA+kB,oBAAA,KAA+B,CAAA/kB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gCAAA3D,EAAA,YAAAlH,EAAA,KAAiFC,YAAA,qBAAAC,MAAA,CAAwC2vB,6BAAA3oB,EAAA4e,SAA4CvlB,MAAA,CAAQrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAyBA,EAAA4H,iBAAwB9I,EAAA+kB,oBAAA,KAA8B,CAAA/kB,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAQ,OAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAqHC,YAAA,yBAAAC,MAAA,CAA4C4vB,cAAA5oB,EAAA0lB,iBAAmC,CAAA1lB,EAAA,eAAAlH,EAAA,KAA+BC,YAAA,oBAAAC,MAAA,CAAuC6vB,4BAAA7oB,EAAA4e,SAA2CvlB,MAAA,CAAQrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAqoB,eAAAnnB,MAAoC,CAAAlB,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAylB,kBAAkVzlB,EAAAQ,KAAlV1H,EAAA,OAA4HC,YAAA,4BAAAC,MAAA,CAA+C8vB,cAAA9oB,EAAA+oB,YAAgC/gB,SAAA,CAAWC,UAAAjI,EAAA0D,GAAA1D,EAAAomB,eAAqCnmB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoH,YAAAlG,OAAiClB,EAAAO,GAAA,KAAAP,EAAA,kBAAAlH,EAAA,KAAuDC,YAAA,kBAAAM,MAAA,CAAqCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAqoB,eAAAnnB,MAAoC,CAAAlB,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAmmB,gBAAAr0C,SAAA,SAAAgnB,EAAA,QAAyHC,YAAA,iBAA2BiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAmmB,gBAAAr0C,SAAA,SAAAgnB,EAAA,QAA0EC,YAAA,eAAyBiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAmmB,gBAAAr0C,SAAA,SAAAgnB,EAAA,QAA0EC,YAAA,eAAyBiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAmmB,gBAAAr0C,SAAA,WAAAgnB,EAAA,QAA4EC,YAAA,aAAuBiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5rB,OAAAkC,MAAA0pB,EAAA5rB,OAAAkC,KAAAC,QAAAuiB,EAAA,QAA+EC,YAAA,mBAA6BiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA5rB,OAAA,KAAA0kB,EAAA,QAAoDC,YAAA,cAAwBiH,EAAAQ,OAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA2lB,cAAA3lB,EAAA8kB,YAAAhsB,EAAA,KAAgFC,YAAA,iBAAAM,MAAA,CAAoCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAqoB,eAAAnnB,MAAoC,CAAAlB,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAqlB,WAAArlB,EAAA2D,GAAA,qBAAA3D,EAAA2D,GAAA,oCAAA3D,EAAAQ,OAAAR,EAAAO,GAAA,KAAAP,EAAA5rB,OAAAkC,MAAA0pB,EAAA5rB,OAAAkC,KAAAC,UAAAypB,EAAAylB,kBAAA3sB,EAAA,OAAAA,EAAA,QAAwOO,MAAA,CAAO2vB,YAAAhpB,EAAA5rB,OAAAkC,SAA6B,GAAA0pB,EAAAQ,KAAAR,EAAAO,GAAA,SAAAP,EAAA5rB,OAAAoD,YAAA1R,QAAAk6B,EAAAylB,oBAAAzlB,EAAA+kB,mBAA6kB/kB,EAAAQ,KAA7kB1H,EAAA,OAAiIC,YAAA,0BAAqC,CAAAiH,EAAAyY,GAAAzY,EAAA,+BAAAjmB,GAA0D,OAAA+e,EAAA,cAAwBprB,IAAAqM,EAAAtL,GAAAsqB,YAAA,cAAAM,MAAA,CAAmD4vB,KAAAjpB,EAAA6lB,eAAA9wC,KAAAirB,EAAA4lB,iBAAA7rC,aAAAmvC,cAAA,EAAAC,YAAAnpB,EAAAsoB,gBAA8HtoB,EAAAO,GAAA,KAAAP,EAAAimB,mBAAAngD,OAAA,EAAAgzB,EAAA,WAAgEO,MAAA,CAAOtkB,KAAAirB,EAAA4lB,iBAAApuC,YAAAwoB,EAAAimB,mBAAAkD,YAAAnpB,EAAAsoB,cAA6FtoB,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,MAAAP,EAAA5rB,OAAA+C,MAAA6oB,EAAAylB,mBAAAzlB,EAAA0d,UAA4P1d,EAAAQ,KAA5P1H,EAAA,OAA4GC,YAAA,2BAAsC,CAAAD,EAAA,gBAAqBO,MAAA,CAAOliB,KAAA6oB,EAAA5rB,OAAA+C,KAAA8xC,KAAAjpB,EAAA6lB,eAAA9wC,KAAAirB,EAAA4lB,qBAA8E,GAAA5lB,EAAAO,GAAA,KAAAP,EAAAM,GAAA,eACnwH,IDOY,EAa7BioB,EATiB,KAEU,MAYd/uB,EAAA,EAAAgvB,EAAiB,sCE1BhCvhD,EAAAyF,EAAA8sB,EAAA,sBAAA4vB,IAAAniD,EAAAyF,EAAA8sB,EAAA,sBAAA6vB,IAAApiD,EAAAyF,EAAA8sB,EAAA,sBAAA8vB,IAAAriD,EAAAyF,EAAA8sB,EAAA,sBAAA+vB,IAAAtiD,EAAAyF,EAAA8sB,EAAA,sBAAAgwB,IAAO,IACMJ,EAAS,IACTC,EAAO,GAAKD,EACZE,EAAM,GAAKD,EACXI,EAAO,EAAIH,EACXI,EAAQ,GAAKJ,EACbK,EAAO,OAASL,EAEhBC,EAAe,SAACK,GAA2B,IAArBC,EAAqBhxC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAN,EAC5B,iBAAT+wC,IAAmBA,EAAOp3C,KAAKiM,MAAMmrC,IAChD,IAAM3qB,EAAQzsB,KAAKs3C,MAAQF,EAAOrvC,KAAKsC,MAAQtC,KAAKC,KAC9C9N,EAAI6N,KAAKwvC,IAAIv3C,KAAKs3C,MAAQF,GAC5B38C,EAAI,CAAEkzC,IAAKlhB,EAAMvyB,EAAIi9C,GAAOj8C,IAAK,cAyBrC,OAxBIhB,EAbgB,IAaZm9C,GACN58C,EAAEkzC,IAAM,EACRlzC,EAAES,IAAM,YACChB,EAAI08C,GACbn8C,EAAEkzC,IAAMlhB,EAAMvyB,EAjBI,KAkBlBO,EAAES,IAAM,gBACChB,EAAI28C,GACbp8C,EAAEkzC,IAAMlhB,EAAMvyB,EAAI08C,GAClBn8C,EAAES,IAAM,gBACChB,EAAI48C,GACbr8C,EAAEkzC,IAAMlhB,EAAMvyB,EAAI28C,GAClBp8C,EAAES,IAAM,cACChB,EAAI+8C,GACbx8C,EAAEkzC,IAAMlhB,EAAMvyB,EAAI48C,GAClBr8C,EAAES,IAAM,aACChB,EAAIg9C,GACbz8C,EAAEkzC,IAAMlhB,EAAMvyB,EAAI+8C,GAClBx8C,EAAES,IAAM,cACChB,EAAIi9C,IACb18C,EAAEkzC,IAAMlhB,EAAMvyB,EAAIg9C,GAClBz8C,EAAES,IAAM,eAGI,IAAVT,EAAEkzC,MAAWlzC,EAAES,IAAMT,EAAES,IAAIU,MAAM,GAAI,IAClCnB,GAGIu8C,EAAoB,SAACI,GAA2B,IAArBC,EAAqBhxC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAN,EAC/C5L,EAAIs8C,EAAaK,EAAMC,GAE7B,OADA58C,EAAES,KAAO,SACFT,+DChBM+8C,EAvBO,CACpBtyB,MAAO,CACL,QAEFpyB,KAJoB,WAKlB,MAAO,CACLy3C,cAAc,IAGlB9kB,WAAY,CACVwkB,aACAhlB,sBAEFU,QAAS,CACP2nB,mBADO,WAELliC,KAAKm/B,cAAgBn/B,KAAKm/B,cAE5BzV,gBAJO,SAIUlwB,GACf,OAAOigB,YAAoBjgB,EAAK3I,GAAI2I,EAAKzI,YAAaiP,KAAKia,OAAOC,MAAMC,SAAST,+BCdvF,IAEAgB,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdgkD,ECjBF,WAA0B,IAAAjqB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,mBAA8B,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA7D,EAAAsH,gBAAAtH,EAAA5oB,QAAoC,CAAA0hB,EAAA,cAAmBC,YAAA,SAAAM,MAAA,CAA4BjiB,KAAA4oB,EAAA5oB,MAAgBgqC,SAAA,CAAW/gB,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA8f,mBAAA5e,QAAwC,GAAAlB,EAAAO,GAAA,KAAAP,EAAA,aAAAlH,EAAA,OAA+CC,YAAA,oCAA+C,CAAAD,EAAA,YAAiBO,MAAA,CAAOioB,UAAAthB,EAAA5oB,KAAA3I,GAAA62B,SAAA,EAAAG,UAAA,MAAsD,GAAA3M,EAAA,OAAgBC,YAAA,qCAAgD,CAAAD,EAAA,OAAYC,YAAA,4BAAAM,MAAA,CAA+C3iB,MAAAspB,EAAA5oB,KAAAzK,OAAuB,CAAAqzB,EAAA5oB,KAAA,UAAA0hB,EAAA,QAAkCC,YAAA,kCAAAiP,SAAA,CAAwDC,UAAAjI,EAAA0D,GAAA1D,EAAA5oB,KAAApI,cAAwC8pB,EAAA,QAAaC,YAAA,mCAA8C,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5oB,KAAAzK,WAAAqzB,EAAAO,GAAA,KAAAzH,EAAA,OAAAA,EAAA,eAA4EC,YAAA,8BAAAM,MAAA,CAAiDwK,GAAA7D,EAAAsH,gBAAAtH,EAAA5oB,QAAoC,CAAA4oB,EAAAO,GAAA,cAAAP,EAAA0D,GAAA1D,EAAA5oB,KAAAzI,aAAA,kBAAAqxB,EAAAO,GAAA,KAAAP,EAAAM,GAAA,oBACtgC,IDOA,EAaAhI,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,83BEYzB,IAAM0xB,EAAkB,EAElBC,EAAiB,SAAC3f,GAG7B,IAHsD,IAAlBllC,EAAkBuT,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAXkwB,IACvCqhB,EAAQ,CAAC5f,GACT6f,EAAS/kD,EAAKklC,GACX6f,GACLD,EAAME,QAAQD,GACdA,EAAS/kD,EAAK+kD,GAEhB,OAAOD,GAGIG,EAAY,SAAC/f,GAAyD,IAAlD+B,EAAkD1zB,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAxC2xB,EAAOggB,EAAiC3xC,UAAA/S,OAAA,EAAA+S,UAAA,QAAAzM,EAApB+lC,EAAoBt5B,UAAA/S,OAAA,EAAA+S,UAAA,QAAAzM,EAAZiQ,EAAYxD,UAAA/S,OAAA,EAAA+S,UAAA,QAAAzM,EACjF,OAAO+9C,EAAe3f,GAAO/6B,IAAI,SAACg7C,GAAD,MAAmB,CAClDA,IAAiBjgB,EACb2H,EAAO5F,GACP4F,EAAOsY,GACXA,IAAiBjgB,EACbnuB,EAAQmuC,IAAgB,EACxBnuC,EAAQouC,OAIVC,EAAkB,SAACh9C,EAAKi9C,GAC5B,IAAMrlD,EAAOqlD,EAAYj9C,GACzB,GAAoB,iBAATpI,GAAqBA,EAAKiY,WAAW,MAC9C,MAAO,CAACjY,EAAKoxC,UAAU,IAEvB,GAAa,OAATpxC,EAAe,MAAO,GADrB,IAEGglC,EAA4BhlC,EAA5BglC,QAASE,EAAmBllC,EAAnBklC,MAAO+B,EAAYjnC,EAAZinC,QAClBqe,EAAYpgB,EACd2f,EAAe3f,GAAO/6B,IAAI,SAAAg7C,GAC1B,OAAOA,IAAiBjgB,EACpB+B,GAAW/B,EACXigB,IAEJ,GACJ,OAAI/hB,MAAMmO,QAAQvM,GAChB,GAAAp2B,OAAA22C,IAAWvgB,GAAXugB,IAAuBD,IAEvBC,IAAWD,IAiEXE,EAAkB,SAAC19C,GACvB,MAAqB,WAAjB+M,IAAO/M,GAA2BA,EAC/B,CACLk9B,QAASl9B,EAAMmQ,WAAW,MAAQ,CAACnQ,EAAMspC,UAAU,IAAM,GACzD9V,QAASxzB,EAAMmQ,WAAW,KAAOnQ,OAAQhB,IAQhCqqC,EAAiB,SAC5B/5B,GAGG,IAFHiuC,EAEG9xC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAFWowB,IACd8hB,EACGlyC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GADO6xC,EAEJt9C,EAAQ09C,EAAgBH,EAAYjuC,IAC1C,GAAsB,OAAlBtP,EAAMiP,QAAV,CACA,GAAIjP,EAAMiP,QAAS,OAAOjP,EAAMiP,QAchC,OAAIjP,EAAMk9B,QAbmB,SAAvB0gB,EAAwBt9C,GAAuB,IAAlBu9C,EAAkBpyC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAR,CAAC6D,GACtCwuC,EAAUH,EAAQr9C,EAAKi9C,GAAa,GAC1C,QAAgBv+C,IAAZ8+C,EAAJ,CACA,IAAMC,EAAaR,EAAYO,GAC/B,QAAmB9+C,IAAf++C,EACJ,OAAIA,EAAW9uC,SAA0B,OAAf8uC,EACjBA,EAAW9uC,QACT8uC,EAAW7gB,SAAW2gB,EAAQn5C,SAASo5C,GACzCF,EAAqBE,EAAD,GAAAh3C,OAAA22C,IAAcI,GAAd,CAAuBC,KAE3C,MAIFF,CAAqBtuC,QAD9B,IAYW0uC,EAAe,SAC1B1uC,GAGG,IAFHiuC,EAEG9xC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAFWowB,IACd8hB,EACGlyC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GADO6xC,EAEJt9C,EAAQ09C,EAAgBH,EAAYjuC,IAC1C,GAAIqsB,IAAOrsB,GAAI,OAAOA,EACtB,GAAoB,OAAhBtP,EAAMo9B,MAAV,CACA,GAAIp9B,EAAMo9B,MAAO,OAAOp9B,EAAMo9B,MAc9B,OAAIp9B,EAAMk9B,QAbiB,SAArB+gB,EAAsB39C,GAAuB,IAAlBu9C,EAAkBpyC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAR,CAAC6D,GACpCwuC,EAAUH,EAAQr9C,EAAKi9C,GAAa,GAC1C,QAAgBv+C,IAAZ8+C,EAAJ,CACA,IAAMC,EAAaR,EAAYO,GAC/B,QAAmB9+C,IAAf++C,EACJ,OAAIA,EAAW3gB,OAAwB,OAAf2gB,EACfA,EAAW3gB,MACT2gB,EAAW7gB,QACb+gB,EAAmBF,EAAD,GAAAj3C,OAAA22C,IAAiBI,GAAjB,CAA0BC,KAE5C,MAIFG,CAAmB3uC,QAD5B,IAQW4uC,EA7HW,WAkCtB,IA/BG,IAFHX,EAEG9xC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAFWowB,IACd8hB,EACGlyC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GADO6xC,EAIJa,EAAUtlD,OAAO+mB,KAAK29B,GACtBa,EAAS,IAAIhoC,IAAI+nC,GACjBE,EAAQ,IAAIjoC,IACZkoC,EAAS,IAAIloC,IACbmoC,EAAcd,IAAIU,GAClBj9C,EAAS,GAETs9C,EAAO,SAAPA,EAAQC,GACZ,GAAIL,EAAOtmC,IAAI2mC,GAEbL,EAAM,OAAQK,GACdJ,EAAM5Z,IAAIga,GAEVd,EAAQc,EAAMlB,GAAal+B,QAAQm/B,GAEnCH,EAAK,OAAQI,GACbH,EAAO7Z,IAAIga,GAEXv9C,EAAOtI,KAAK6lD,QACP,GAAIJ,EAAMvmC,IAAI2mC,GACnB79C,QAAQ8W,MAAM,0CACdxW,EAAOtI,KAAK6lD,QACP,IAAIH,EAAOxmC,IAAI2mC,GAGpB,MAAM,IAAI7gD,MAAM,sCAGb2gD,EAAY7lD,OAAS,GAC1B8lD,EAAKD,EAAYzE,OAKnB,OAAO54C,EAAOmB,IAAI,SAACnK,EAAMq+C,GAAP,MAAkB,CAAEr+C,OAAMq+C,WAAUjoB,KAAK,SAAAlgB,EAAAC,GAAoD,IAA3CJ,EAA2CG,EAAjDlW,KAAgBwmD,EAAiCtwC,EAAxCmoC,MAAqBzpC,EAAmBuB,EAAzBnW,KAAgBymD,EAAStwC,EAAhBkoC,MACvFqI,EAAQjB,EAAQ1vC,EAAGsvC,GAAa7kD,OAChCmmD,EAAQlB,EAAQ7wC,EAAGywC,GAAa7kD,OAEtC,OAAIkmD,IAAUC,GAAoB,IAAVA,GAAyB,IAAVD,EAAqBF,EAAKC,EACnD,IAAVC,GAAyB,IAAVC,GAAqB,EAC1B,IAAVA,GAAyB,IAAVD,EAAoB,OAAvC,IACCv8C,IAAI,SAAAyM,GAAA,OAAAA,EAAG5W,OA8EgB4mD,CAC1BjmD,OAAO6Y,QAAQmqB,KACZvN,KAAK,SAAAvf,EAAAgU,GAAA,IAAAO,EAAAhW,IAAAyB,EAAA,GAAMgwC,GAANz7B,EAAA,GAAAA,EAAA,IAAAd,EAAAlV,IAAAyV,EAAA,GAAgBi8B,GAAhBx8B,EAAA,GAAAA,EAAA,WAA0Bu8B,GAAMA,EAAG5hB,UAAa,IAAO6hB,GAAMA,EAAG7hB,UAAa,KAClF32B,OAAO,SAACC,EAAD0V,GAAA,IAAAM,EAAAnP,IAAA6O,EAAA,GAAO7M,EAAPmN,EAAA,GAAUqd,EAAVrd,EAAA,UAAArT,EAAA,GAAuB3C,EAAvBw4C,IAAA,GAA6B3vC,EAAIwqB,KAAM,KAOtColB,EAAYrmD,OAAO6Y,QAAQmqB,KAAkBr1B,OAAO,SAACC,EAADmW,GAAiB,IAAAE,EAAAxP,IAAAsP,EAAA,GAAVtN,EAAUwN,EAAA,GAC1E7N,GAD0E6N,EAAA,GAChEusB,EAAe/5B,EAAGusB,IAAkByhB,IACpD,OAAIruC,EACF7F,EAAA,GACK3C,EADLw4C,IAAA,GAEGhwC,EAAU,CACTkwC,aAAcvjB,IAAgB3sB,IAAY,EAC1CmwC,cAAa,GAAAt4C,OAAA22C,IAAQh3C,EAAIwI,IAAYxI,EAAIwI,GAASmwC,eAAkB,IAAvD,CAA4D9vC,OAItE7I,GAER,IAKUkiC,EAAsB,SAAC0W,EAAaC,EAAUxhB,GACzD,GAA2B,iBAAhBuhB,IAA6BA,EAAYlvC,WAAW,MAAO,OAAOkvC,EAC7E,IAAIE,EAAc,KAF+CC,EAIpCH,EAAY3xC,MAAM,MAAMrL,IAAI,SAAA8wC,GAAG,OAAIA,EAAIuG,SAJH+F,EAAAnyC,IAAAkyC,EAAA,GAI1DE,EAJ0DD,EAAA,GAIhDE,EAJgDF,EAAA,GAUjE,OAJAF,EAAcD,EADOI,EAASpW,UAAU,IAEpCqW,IACFJ,EAAcxhB,qBAAW3Q,OAAOwyB,WAAWD,GAAY7hB,EAAKyhB,GAAaxvC,KAEpEwvC,GAOIvZ,EAAY,SAACJ,EAAcia,GAAf,OAAiC3B,EAAa13C,OAAO,SAAAwW,EAAsB1c,GAAQ,IAA3BykC,EAA2B/nB,EAA3B+nB,OAAQ91B,EAAmB+N,EAAnB/N,QACjFowC,EAAczZ,EAAatlC,GAC3BN,EAAQ09C,EAAgB7hB,IAAiBv7B,IACzCw/C,EAAOxC,EAAgBh9C,EAAKu7B,KAC5BkkB,IAAgB//C,EAAMi+B,UACtBkB,EAAUn/B,EAAMm/B,SAAWn/B,EAAMo9B,MAEnC4iB,EAAkB,KAGpBA,EADED,EACgBtxC,YAAgBrF,EAAA,GAC1B27B,EAAO+a,EAAK,KAAOxX,kBAAQ1C,EAAatlC,IAAQ,WAAWyP,KACjEotC,EACEa,EAAa19C,IAAQ,KACrB6+B,GAAW,KACXkK,EAAelK,GACf4F,EACA91B,IAGKkwB,GAAWA,IAAY7+B,EACdykC,EAAO5F,IAAYmJ,kBAAQ1C,EAAazG,IAAUpvB,IAElDg1B,EAAOl2B,IAAMy5B,kBAAQ1C,EAAa/2B,IAGtD,IACMivB,EADgBhwB,YAAkBkyC,GAAmB,GAC/B,GAAK,EAE7BC,EAAc,KAClB,GAAIZ,EAAa,CAEf,IAAIE,EAAcF,EAClB,GAAoB,gBAAhBE,EAA+B,CAEjC,IAAMhxC,EAAS4uC,EACba,EAAa19C,GACbA,EACA+oC,EAAe/oC,IAAQA,EACvBykC,EACA91B,GACAjO,MAAM,GAAI,GACZu+C,EAAWn2C,EAAA,GACNqF,YACD65B,kBAAQ,WAAWv4B,IACnBxB,GAHO,CAKTN,EAAG,QAE2B,iBAAhBoxC,GAA4BA,EAAYlvC,WAAW,MACnEovC,EAAc5W,EACZ0W,EACA,SAAAzW,GAAY,OAAI7D,EAAO6D,IAAiBhD,EAAagD,IACrD9K,GAE8B,iBAAhBuhB,GAA4BA,EAAYlvC,WAAW,OACnEovC,EAAcjX,kBAAQiX,GAAaxvC,KAErCkwC,EAAW72C,EAAA,GAAQm2C,QACd,GAAIv/C,EAAK,QAEdigD,EAAc3X,kBAAQtoC,EAAK,SAAU+P,QAChC,CAEL,IACMmwC,EAAYlgD,EAAMgP,OADC,SAAC8uB,EAAKqiB,GAAN,OAAA/2C,EAAA,GAAoB+2C,IAG7C,GAAIngD,EAAMi+B,UACR,GAAwB,OAApBj+B,EAAMi+B,UACRgiB,EAAcjwC,wBAAcgwC,GAAiBjwC,QACxC,CACL,IAAIf,EAAK5F,EAAA,GAAQ27B,EAAO+a,EAAK,KACzB9/C,EAAMgP,QACRA,EAAQkxC,EAAS7mD,WAAT,GAAUykC,GAAVh3B,OAAA22C,IAAkBqC,EAAKz9C,IAAI,SAAC89C,GAAD,OAAA/2C,EAAA,GAAe27B,EAAOob,UAE3DF,EAAcvwC,YACZswC,EADwB52C,EAAA,GAEnB4F,GACe,aAApBhP,EAAMi+B,gBAKVgiB,EAAcC,EAAS7mD,WAAT,GACZykC,GADYh3B,OAAA22C,IAETqC,EAAKz9C,IAAI,SAAC89C,GAAD,OAAA/2C,EAAA,GAAe27B,EAAOob,SAIxC,IAAKF,EACH,MAAM,IAAIriD,MAAM,+BAAkC0C,GAGpD,IAAM88C,EAAcp9C,EAAMiP,SAAWo6B,EAAe/oC,GAC9C8/C,EAAiBpgD,EAAMiP,QAE7B,GAAuB,OAAnBmxC,EACFH,EAAYhyC,EAAI,OACX,GAAoB,gBAAhBoxC,EACTY,EAAYhyC,EAAI,MACX,CACL,IAAMoyC,EAAmBD,QAAiDphD,IAA/B6gD,EAAczC,GAEnDkD,EAAiBR,EAAK,GACtBS,EAAkBD,GAAkBvb,EAAOub,GAE5CF,IAAkBG,GAAoBvgD,EAAMi+B,WAAgC,OAAnBmiB,EAIlDG,GAAoBnD,EAK1BmD,GAAyC,IAAtBA,EAAgBtyC,EAErCgyC,EAAYhyC,EAAI,EAGhBgyC,EAAYhyC,EAAImf,OACdizB,EACIR,EAAczC,IACb8B,EAAU9B,IAAgB,IAAI+B,qBAXhCc,EAAYhyC,EAHnBgyC,EAAYhyC,EAAIsyC,EAAgBtyC,EAwBpC,OAJImf,OAAOG,MAAM0yB,EAAYhyC,SAAwBjP,IAAlBihD,EAAYhyC,KAC7CgyC,EAAYhyC,EAAI,GAGdmvC,EACK,CACLrY,OAAM37B,EAAA,GAAO27B,EAAPka,IAAA,GAAgB3+C,EAAM2/C,IAC5BhxC,QAAO7F,EAAA,GAAO6F,EAAPgwC,IAAA,GAAiB7B,EAAc6C,EAAYhyC,KAG7C,CACL82B,OAAM37B,EAAA,GAAO27B,EAAPka,IAAA,GAAgB3+C,EAAM2/C,IAC5BhxC,YAGH,CAAE81B,OAAQ,GAAI91B,QAAS,kLC5UXuxC,EAvEK,CAClBtoD,KADkB,WAEhB,MAAO,CACLuoD,YAAa,EACbC,aAAa,IAGjB/rB,SAAU,CACRgsB,UADQ,WAEN,OAAOnwC,KAAKiwC,YAAc,IAG9B11B,QAAS,CACP61B,WADO,SACKn9B,GACV,IAAMo9B,EAAOrwC,KACP8b,EAAQ9b,KAAKia,OACnB,GAAIhH,EAAKo4B,KAAOvvB,EAAM5B,MAAMC,SAASm2B,YAArC,CACE,IAAMC,EAAWC,IAAsBC,eAAex9B,EAAKo4B,MACrDqF,EAAcF,IAAsBC,eAAe30B,EAAM5B,MAAMC,SAASm2B,aAC9ED,EAAK9uB,MAAM,gBAAiB,eAAgB,CAAEgvB,SAAUA,EAAShO,IAAKoO,aAAcJ,EAASK,KAAMF,YAAaA,EAAYnO,IAAKsO,gBAAiBH,EAAYE,WAHhK,CAMA,IAAMjhC,EAAW,IAAIjB,SACrBiB,EAASf,OAAO,OAAQqE,GAExBo9B,EAAK9uB,MAAM,aACX8uB,EAAKJ,cAELa,IAAoBrhC,YAAY,CAAEqM,QAAOnM,aACtCniB,KAAK,SAACujD,GACLV,EAAK9uB,MAAM,WAAYwvB,GACvBV,EAAKW,uBACJ,SAAC9iD,GACFmiD,EAAK9uB,MAAM,gBAAiB,WAC5B8uB,EAAKW,0BAGXA,oBAzBO,WA0BLhxC,KAAKiwC,cACoB,IAArBjwC,KAAKiwC,aACPjwC,KAAKuhB,MAAM,iBAGf0vB,UA/BO,WA+BM,IAAA1wC,EAAAP,KACXA,KAAKkwC,aAAc,EACnBlwC,KAAKwhB,UAAU,WACbjhB,EAAK2vC,aAAc,KAGvBgB,YArCO,SAqCMC,GAAO,IAAAC,GAAA,EAAAC,GAAA,EAAAC,OAAA9iD,EAAA,IAClB,QAAA+iD,EAAAC,EAAmBL,EAAnB7hD,OAAAmiD,cAAAL,GAAAG,EAAAC,EAAAn2C,QAAAq2C,MAAAN,GAAA,EAA0B,KAAfn+B,EAAes+B,EAAA/hD,MACxBwQ,KAAKowC,WAAWn9B,IAFA,MAAA9lB,GAAAkkD,GAAA,EAAAC,EAAAnkD,EAAA,YAAAikD,GAAA,MAAAI,EAAA,QAAAA,EAAA,oBAAAH,EAAA,MAAAC,KAKpB1mB,OA1CO,SAAAhtB,GA0Ca,IAAV3Q,EAAU2Q,EAAV3Q,OACR+S,KAAKkxC,YAAYjkD,EAAOkkD,SAG5Br3B,MAAO,CACL,YACA,YAEFqoB,MAAO,CACLwP,UAAa,SAAUC,GAChB5xC,KAAKmwC,WACRnwC,KAAKkxC,YAAYU,aC7DzB,IAEAl3B,EAVA,SAAAC,GACEtxB,EAAQ,MAyBKwoD,EAVCxpD,OAAAwyB,EAAA,EAAAxyB,CACdypD,ECjBF,WAA0B,IAAA1vB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,eAAAC,MAAA,CAAkC0rB,SAAA1kB,EAAA0kB,WAA0B,CAAA5rB,EAAA,SAAcC,YAAA,QAAAM,MAAA,CAA2B3iB,MAAAspB,EAAA2D,GAAA,2BAAyC,CAAA3D,EAAA,UAAAlH,EAAA,KAA0BC,YAAA,0CAAoDiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA+tB,UAAmF/tB,EAAAQ,KAAnF1H,EAAA,KAAgDC,YAAA,yBAAmCiH,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,SAAqD8oB,YAAA,CAAapL,SAAA,QAAA3Y,IAAA,UAAkCxE,MAAA,CAAQqrB,SAAA1kB,EAAA0kB,SAAAl6C,KAAA,OAAAuiB,SAAA,QAAwDkT,GAAA,CAAKuI,OAAAxI,EAAAwI,UAAqBxI,EAAAQ,UACvlB,IDOA,EAaAlI,EATA,KAEA,MAYgC,mDEvBjBq3B,EAAA,CACbhjD,KAAM,WACN+qB,MAAO,CAAC,WACRpyB,KAAM,iBAAO,CACXsqD,SAAU,SACVr5C,QAAS,CAAC,GAAI,IACds5C,aAAc,GACdC,WAAY,YAEd/tB,SAAU,CACRguB,WADQ,WAEN,OAAOnyC,KAAKia,OAAOC,MAAMC,SAASg4B,YAEpCC,WAJQ,WAKN,OAAOpyC,KAAKmyC,WAAWE,aAEzBC,UAPQ,WAQN,OAAOtyC,KAAKmyC,WAAWI,kBAEzBC,YAVQ,WAUO,IAAAjyC,EAAAP,KAEPyyC,EAASzyC,KAAK0yC,sBACpB,MAFiB,CAAC,UAAW,QAAS,QAEtBztC,OACd,SAAA2rC,GAAI,OAAIrwC,EAAK4xC,WAAWQ,gBAAkBF,EAAO7B,EAAM,MAG3DgC,2BAjBQ,WAkBN,OAAOj2C,KAAKC,KACVoD,KAAK6yC,oBACH7yC,KAAKkyC,WACLlyC,KAAKmyC,WAAWW,kBAItBC,2BAzBQ,WA0BN,OAAOp2C,KAAKsC,MACVe,KAAK6yC,oBACH7yC,KAAKkyC,WACLlyC,KAAKmyC,WAAWQ,mBAKxBp4B,QAAS,CACPy4B,MADO,WAELhzC,KAAKgyC,SAAW,SAChBhyC,KAAKrH,QAAU,CAAC,GAAI,IACpBqH,KAAKiyC,aAAe,GACpBjyC,KAAKkyC,WAAa,WAEpBe,WAPO,SAOKlN,GACV,IAAMY,EAAU3mC,KAAKsf,IAAIknB,cAAT,SAAAlwC,OAAgCyvC,EAAQ,IACpDY,EACFA,EAAQuM,QAGYlzC,KAAKmzC,aAEvBnzC,KAAKwhB,UAAU,WACbxhB,KAAKizC,WAAWlN,MAKxBoN,UArBO,WAsBL,OAAInzC,KAAKrH,QAAQzQ,OAAS8X,KAAKoyC,aAC7BpyC,KAAKrH,QAAQvQ,KAAK,KACX,IAIXgrD,aA5BO,SA4BOrN,EAAOh5C,GACfiT,KAAKrH,QAAQzQ,OAAS,IACxB8X,KAAKrH,QAAQvP,OAAO28C,EAAO,GAC3B/lC,KAAKqzC,uBAGTR,oBAlCO,SAkCcjC,EAAM0C,GAEzB,OAAQ1C,GACN,IAAK,UAAW,OAAQ,IAAO0C,EAAUC,IACzC,IAAK,QAAS,OAAQ,IAAOD,EAAUC,IACvC,IAAK,OAAQ,OAAQ,IAAOD,EAAUC,MAG1Cb,sBA1CO,SA0CgB9B,EAAM0C,GAE3B,OAAQ1C,GACN,IAAK,UAAW,MAAO,KAAQ0C,EAASC,IACxC,IAAK,QAAS,MAAO,KAAQD,EAASC,IACtC,IAAK,OAAQ,MAAO,KAAQD,EAASC,MAGzCC,mBAlDO,WAmDLxzC,KAAKiyC,aACHt1C,KAAK4jB,IAAIvgB,KAAK4yC,2BAA4B5yC,KAAKiyC,cACjDjyC,KAAKiyC,aACHt1C,KAAK2jB,IAAItgB,KAAK+yC,2BAA4B/yC,KAAKiyC,cACjDjyC,KAAKqzC,sBAEPA,mBAzDO,WA0DL,IAAMnkC,EAAYlP,KAAK0yC,sBACrB1yC,KAAKkyC,WACLlyC,KAAKiyC,cAGDt5C,EAAU86C,IAAKzzC,KAAKrH,QAAQsM,OAAO,SAAA8J,GAAM,MAAe,KAAXA,KAC/CpW,EAAQzQ,OAAS,EACnB8X,KAAKuhB,MAAM,cAAe,CAAErzB,MAAO8R,KAAK+lB,GAAG,8BAG7C/lB,KAAKuhB,MAAM,cAAe,CACxB5oB,UACAwW,SAA4B,aAAlBnP,KAAKgyC,SACf9iC,iBC7GR,IAEIwkC,EAVJ,SAAoB/4B,GAClBtxB,EAAQ,MAyBKsqD,EAVCtrD,OAAAwyB,EAAA,EAAAxyB,CACd0pD,ECjBQ,WAAgB,IAAA3vB,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,QAAAlH,EAAA,OAA+BC,YAAA,aAAwB,CAAAiH,EAAAyY,GAAAzY,EAAA,iBAAArT,EAAAg3B,GAA8C,OAAA7qB,EAAA,OAAiBprB,IAAAi2C,EAAA5qB,YAAA,eAAoC,CAAAD,EAAA,OAAYC,YAAA,mBAA8B,CAAAD,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAAzpB,QAAAotC,GAAAtb,WAAA,mBAAsFtP,YAAA,oBAAAM,MAAA,CAAyC5qB,GAAA,QAAAk1C,EAAAn5C,KAAA,OAAAguC,YAAAxY,EAAA2D,GAAA,gBAAA6tB,UAAAxxB,EAAAkwB,WAAoGloB,SAAA,CAAW56B,MAAA4yB,EAAAzpB,QAAAotC,IAA6B1jB,GAAA,CAAKuI,OAAAxI,EAAAixB,mBAAAQ,QAAA,SAAAvwB,GAA2D,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,MAAewzB,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA6wB,WAAAlN,KAA6BrmC,MAAA,SAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAAzpB,QAAAotC,EAAAziB,EAAAr2B,OAAAuC,aAAoD4yB,EAAAO,GAAA,KAAAP,EAAAzpB,QAAAzQ,OAAA,EAAAgzB,EAAA,OAAmDC,YAAA,kBAA6B,CAAAD,EAAA,KAAUC,YAAA,cAAAkH,GAAA,CAA8BI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAgxB,aAAArN,SAAiC3jB,EAAAQ,SAAeR,EAAAO,GAAA,KAAAP,EAAAzpB,QAAAzQ,OAAAk6B,EAAAgwB,WAAAl3B,EAAA,KAA4DC,YAAA,mBAAAkH,GAAA,CAAmCI,MAAAL,EAAA+wB,YAAuB,CAAAj4B,EAAA,KAAUC,YAAA,cAAwBiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+BAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA8FC,YAAA,oBAA+B,CAAAD,EAAA,OAAYC,YAAA,YAAAM,MAAA,CAA+B3iB,MAAAspB,EAAA2D,GAAA,gBAA8B,CAAA7K,EAAA,SAAcC,YAAA,SAAAM,MAAA,CAA4BkP,IAAA,uBAA4B,CAAAzP,EAAA,UAAeqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,SAAAqI,WAAA,aAA0EtP,YAAA,SAAAkH,GAAA,CAA2BuI,OAAA,UAAAtH,GAA2B,IAAAuH,EAAAC,MAAAxiC,UAAA2c,OAAAzc,KAAA86B,EAAAr2B,OAAA0L,QAAA,SAAA1J,GAAkF,OAAAA,EAAA87B,WAAkBl5B,IAAA,SAAA5C,GAA+D,MAA7C,WAAAA,IAAA+7B,OAAA/7B,EAAAO,QAA0D4yB,EAAA4vB,SAAA1uB,EAAAr2B,OAAAkiB,SAAA0b,IAAA,IAAwEzI,EAAAixB,sBAA0B,CAAAn4B,EAAA,UAAeO,MAAA,CAAOjsB,MAAA,WAAkB,CAAA4yB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA2EO,MAAA,CAAOjsB,MAAA,aAAoB,CAAA4yB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAA2EC,YAAA,uBAA6BiH,EAAAO,GAAA,KAAAzH,EAAA,OAA4BC,YAAA,cAAAM,MAAA,CAAiC3iB,MAAAspB,EAAA2D,GAAA,kBAAgC,CAAA7K,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,aAAAqI,WAAA,iBAAkFtP,YAAA,oCAAAM,MAAA,CAAyD7uB,KAAA,SAAA0zB,IAAA8B,EAAAwwB,2BAAAryB,IAAA6B,EAAA2wB,4BAA0F3oB,SAAA,CAAW56B,MAAA4yB,EAAA,cAA2BC,GAAA,CAAKuI,OAAAxI,EAAAoxB,mBAAA9zC,MAAA,SAAA4jB,GAAyDA,EAAAr2B,OAAAy9B,YAAsCtI,EAAA6vB,aAAA3uB,EAAAr2B,OAAAuC,WAAuC4yB,EAAAO,GAAA,KAAAzH,EAAA,SAA0BC,YAAA,sBAAiC,CAAAD,EAAA,UAAeqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,WAAAqI,WAAA,eAA8EpI,GAAA,CAAMuI,OAAA,UAAAtH,GAA2B,IAAAuH,EAAAC,MAAAxiC,UAAA2c,OAAAzc,KAAA86B,EAAAr2B,OAAA0L,QAAA,SAAA1J,GAAkF,OAAAA,EAAA87B,WAAkBl5B,IAAA,SAAA5C,GAA+D,MAA7C,WAAAA,IAAA+7B,OAAA/7B,EAAAO,QAA0D4yB,EAAA8vB,WAAA5uB,EAAAr2B,OAAAkiB,SAAA0b,IAAA,IAA0EzI,EAAAoxB,sBAA0BpxB,EAAAyY,GAAAzY,EAAA,qBAAAwuB,GAAyC,OAAA11B,EAAA,UAAoBprB,IAAA8gD,EAAAxmB,SAAA,CAAmB56B,MAAAohD,IAAc,CAAAxuB,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,QAAA6qB,EAAA,oCAA8F,GAAAxuB,EAAAO,GAAA,KAAAzH,EAAA,KAAyBC,YAAA,0BAA6B,GAAAiH,EAAAQ,MAC13G,IDOY,EAa7B8wB,EATiB,KAEU,MAYG,6REZhC,IAgBMQ,EAAmB,SAACvR,GACxB,OAAO/lB,OAAO+lB,EAAI7J,UAAU,EAAG6J,EAAIz6C,OAAS,KAqhB/B02C,EAlhBQ,CACrB9kB,MAAO,CACL,UACA,cACA,aACA,mBACA,UACA,iBACA,uBACA,gBACA,qBACA,eACA,6BACA,gBACA,iBACA,cACA,YACA,cACA,gBACA,YACA,YACA,gBACA,wBAEFO,WAAY,CACV85B,cACAC,eACAC,WACAC,kBACAC,aACA7K,eACA1K,mBAEFwV,QAjCqB,WAqCnB,GAHAx0C,KAAKy0C,uBACLz0C,KAAK00C,OAAO10C,KAAK4f,MAAM+0B,UAEnB30C,KAAK6pB,QAAS,CAChB,IAAM+qB,EAAa50C,KAAK4f,MAAM+0B,SAASnlD,MAAMtH,OAC7C8X,KAAK4f,MAAM+0B,SAASE,kBAAkBD,EAAYA,IAGhD50C,KAAK6pB,SAAW7pB,KAAK80C,YACvB90C,KAAK4f,MAAM+0B,SAASzB,SAGxBxrD,KA9CqB,WA+CnB,IACIiiB,EADW3J,KAAKqlB,OAAOzN,MAAMrpB,SACN,GAEnBwmD,EAAc/0C,KAAKia,OAAOqN,QAAQlK,aAAlC23B,UAER,GAAI/0C,KAAK6pB,QAAS,CAChB,IAAM7B,EAAchoB,KAAKia,OAAOC,MAAMtP,MAAMod,YAC5Cre,EA1EsB,SAAA/L,EAA4BoqB,GAAgB,IAAzCxuB,EAAyCoE,EAAzCpE,KAAyCw7C,EAAAp3C,EAAnClE,kBAAmC,IAAAs7C,EAAtB,GAAsBA,EAClEC,EAAgB1zC,IAAI7H,GAExBu7C,EAAcvI,QAAQlzC,GAEtBy7C,EAAgBxT,IAAOwT,EAAe,MACtCA,EAAgBC,IAAOD,EAAe,CAAEpkD,GAAIm3B,EAAYn3B,KAExD,IAAI8I,EAAW8P,IAAIwrC,EAAe,SAACjL,GACjC,UAAA1zC,OAAW0zC,EAAUj5C,eAGvB,OAAO4I,EAASzR,OAAS,EAAIyR,EAAS2H,KAAK,KAAO,IAAM,GA8DvC6zC,CAAoB,CAAE37C,KAAMwG,KAAK8pB,YAAapwB,WAAYsG,KAAKtG,YAAcsuB,GAG5F,IAAMotB,EAAUp1C,KAAKq1C,kBAAoBN,GAAwC,WAA1B/0C,KAAKq1C,iBACxDr1C,KAAKq1C,iBACLr1C,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYp0B,cAEf2a,EAAgBvO,KAAKia,OAAOqN,QAAQlK,aAArDk4B,gBAER,MAAO,CACL3D,UAAW,GACX4D,gBAAgB,EAChBrnD,MAAO,KACPsnD,SAAS,EACTnS,YAAa,EACboS,UAAW,CACTtnC,YAAanO,KAAK+kC,SAAW,GAC7BvuC,OAAQmT,EACRxS,MAAM,EACNg6C,MAAO,GACPz4C,KAAM,GACNg9C,kBAAmB,GACnBp8C,WAAY87C,EACZ7mC,eAEFonC,MAAO,EACPC,iBAAiB,EACjBC,aAAc,OACdC,gBAAiB,KACjBtnC,QAAS,KACTunC,gBAAgB,EAChBC,iBAAiB,EACjBvnC,eAAgB,KAGpB0V,sWAAQvrB,CAAA,CACNgS,MADM,WAEJ,OAAO5K,KAAKia,OAAOC,MAAMtP,MAAMA,OAEjCqrC,iBAJM,WAKJ,OAAOj2C,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYp0B,eAE7CsiD,cAPM,WAQJ,OAAQl2C,KAAKod,aAAa+4B,mBAE5BC,mBAVM,WAUgB,IAAA71C,EAAAP,KACpB,OAAOq2C,YAAU,CACfngD,MAAK,GAAAI,OAAAiL,IACAvB,KAAKia,OAAOC,MAAMC,SAASjkB,OAD3BqL,IAEAvB,KAAKia,OAAOC,MAAMC,SAASm8B,cAEhC1rC,MAAO5K,KAAKia,OAAOC,MAAMtP,MAAMA,MAC/B2rC,gBAAiB,SAAC3+B,GAAD,OAAWrX,EAAK0Z,OAAO+K,SAAS,cAAe,CAAEpN,cAGtE4+B,eApBM,WAqBJ,OAAOH,YAAU,CACfngD,MAAK,GAAAI,OAAAiL,IACAvB,KAAKia,OAAOC,MAAMC,SAASjkB,OAD3BqL,IAEAvB,KAAKia,OAAOC,MAAMC,SAASm8B,iBAIpCpgD,MA5BM,WA6BJ,OAAO8J,KAAKia,OAAOC,MAAMC,SAASjkB,OAAS,IAE7CogD,YA/BM,WAgCJ,OAAOt2C,KAAKia,OAAOC,MAAMC,SAASm8B,aAAe,IAEnDG,aAlCM,WAmCJ,OAAOz2C,KAAKy1C,UAAUj/C,OAAOtO,QAE/BwuD,kBArCM,WAsCJ,OAAO12C,KAAKy1C,UAAUtnC,YAAYjmB,QAEpCyuD,kBAxCM,WAyCJ,OAAO32C,KAAKia,OAAOC,MAAMC,SAASy8B,WAEpCC,qBA3CM,WA4CJ,OAAO72C,KAAK22C,kBAAoB,GAElCG,eA9CM,WA+CJ,OAAO92C,KAAK22C,mBAAqB32C,KAAKy2C,aAAez2C,KAAK02C,oBAE5DK,kBAjDM,WAkDJ,OAAO/2C,KAAK62C,sBAAyB72C,KAAK82C,eAAiB,GAE7DX,kBApDM,WAqDJ,OAAOn2C,KAAKia,OAAOC,MAAMC,SAASg8B,mBAEpCa,kBAvDM,WAwDJ,OAAOh3C,KAAKod,aAAa65B,wBAE3BC,YA1DM,WA2DJ,OAAOl3C,KAAKia,OAAOC,MAAMC,SAAS+8B,aAAe,IAEnDC,cA7DM,WA8DJ,OAAOn3C,KAAKia,OAAOC,MAAMC,SAASi9B,QAEpCC,eAhEM,WAiEJ,OAAOr3C,KAAKia,OAAOC,MAAMC,SAASk9B,gBAChCr3C,KAAKia,OAAOC,MAAMC,SAASg4B,WAAWE,aAAe,IAC/B,IAAtBryC,KAAKs3C,cAETC,gBArEM,WAsEJ,OAAOv3C,KAAKw3C,eAAiBx3C,KAAKia,OAAOqN,QAAQlK,aAAam6B,iBAEhEE,iBAxEM,WAyEJ,OAAOz3C,KAAK41C,iBACV51C,KAAKy1C,UAAU/8C,MACfsH,KAAKy1C,UAAU/8C,KAAKxK,OAExBwpD,YA7EM,WA8EJ,OAAQ13C,KAAK23C,mBAAqB33C,KAAKwO,SAAWxO,KAAK+1C,iBAEzD6B,YAhFM,WAiFJ,MAAwC,KAAjC53C,KAAKy1C,UAAUj/C,OAAO0yC,QAAiD,IAAhClpC,KAAKy1C,UAAUtE,MAAMjpD,QAErE2vD,uBAnFM,WAoFJ,OAAO73C,KAAKy1C,UAAUtE,MAAMjpD,QAAU8X,KAAK83C,YAE1ClvB,YAAW,CAAC,iBAtFT,GAuFHlC,YAAS,CACVqxB,aAAc,SAAA79B,GAAK,OAAIA,EAAK,UAAW69B,iBAG3C5V,MAAO,CACLsT,UAAa,CACXuC,MAAM,EACNC,QAFW,WAGTj4C,KAAKk4C,mBAIX39B,QAAS,CACP29B,cADO,WAELl4C,KAAKm4C,cACLn4C,KAAKy0C,wBAEP2D,YALO,WAKQ,IAAAtzB,EAAA9kB,KACPy1C,EAAYz1C,KAAKy1C,UACvBz1C,KAAKy1C,UAAY,CACfj/C,OAAQ,GACR2X,YAAa,GACbgjC,MAAO,GACP73C,WAAYm8C,EAAUn8C,WACtBiV,YAAaknC,EAAUlnC,YACvB7V,KAAM,GACNg9C,kBAAmB,IAErB11C,KAAK41C,iBAAkB,EACvB51C,KAAK4f,MAAMowB,aAAehwC,KAAK4f,MAAMowB,YAAYiB,YACjDjxC,KAAKq4C,gBACDr4C,KAAKs4C,eACPt4C,KAAKwhB,UAAU,WACbsD,EAAKlF,MAAM+0B,SAASzB,UAGxB,IAAIqF,EAAKv4C,KAAKsf,IAAIknB,cAAc,YAChC+R,EAAG11B,MAAMzD,OAAS,OAClBm5B,EAAG11B,MAAMzD,YAAS5wB,EAClBwR,KAAK9R,MAAQ,KACT8R,KAAKwO,SAASxO,KAAKw4C,iBAEnBvqC,WA9BC,SA8BWlhB,EAAO0oD,GA9BlB,IAAA/8C,EAAA+/C,EAAAtzB,EAAAnlB,KAAA04C,EAAAz9C,UAAA,OAAA4P,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,UAAAq9C,EAAAxwD,OAAA,QAAAsG,IAAAkqD,EAAA,GAAAA,EAAA,GA8BoC,IACrC14C,KAAKw1C,QA/BJ,CAAAzqC,EAAA1P,KAAA,eAAA0P,EAAA4tC,OAAA,qBAgCD34C,KAAK44C,cAhCJ,CAAA7tC,EAAA1P,KAAA,eAAA0P,EAAA4tC,OAAA,qBAiCD34C,KAAKg2C,gBAjCJ,CAAAjrC,EAAA1P,KAAA,eAAA0P,EAAA4tC,OAAA,oBAkCD34C,KAAK64C,gBACP9rD,EAAMy2B,kBACNz2B,EAAMm+B,mBAGJlrB,KAAK43C,YAvCJ,CAAA7sC,EAAA1P,KAAA,gBAwCH2E,KAAK9R,MAAQ8R,KAAK+lB,GAAG,kCAxClBhb,EAAA4tC,OAAA,qBA4CCjgD,EAAOsH,KAAK41C,gBAAkB51C,KAAKy1C,UAAU/8C,KAAO,IACtDsH,KAAKy3C,iBA7CJ,CAAA1sC,EAAA1P,KAAA,gBA8CH2E,KAAK9R,MAAQ8R,KAAKy3C,iBA9Cf1sC,EAAA4tC,OAAA,yBAkDL34C,KAAKw1C,SAAU,EAlDVzqC,EAAAvP,KAAA,GAAAuP,EAAA1P,KAAA,GAAAwP,EAAApN,EAAAwN,MAqDGjL,KAAK84C,2BArDR,QAAA/tC,EAAA1P,KAAA,wBAAA0P,EAAAvP,KAAA,GAAAuP,EAAAK,GAAAL,EAAA,UAuDH/K,KAAK9R,MAAQ8R,KAAK+lB,GAAG,uCACrB/lB,KAAKw1C,SAAU,EAxDZzqC,EAAA4tC,OAAA,kBA4DCF,EAAiB,CACrBjiD,OAAQi/C,EAAUj/C,OAClB2X,YAAasnC,EAAUtnC,aAAe,KACtC7U,WAAYm8C,EAAUn8C,WACtBlC,UAAWq+C,EAAUt+C,KACrBkS,MAAOosC,EAAUtE,MACjBr1B,MAAO9b,KAAKia,OACZ3L,kBAAmBtO,KAAK6pB,QACxBtb,YAAaknC,EAAUlnC,YACvB7V,OACA+V,eAAgBzO,KAAKyO,iBAGHzO,KAAK+4C,YAAc/4C,KAAK+4C,YAAcC,IAAa/qC,YAE3DwqC,GAAgBjrD,KAAK,SAAC9F,GAC3BA,EAAKwG,MAIRi3B,EAAKj3B,MAAQxG,EAAKwG,OAHlBi3B,EAAKizB,cACLjzB,EAAK5D,MAAM,SAAU75B,IAIvBy9B,EAAKqwB,SAAU,IAlFZ,yBAAAzqC,EAAAM,SAAA,KAAArL,KAAA,YAqFPw4C,cArFO,WAqFU,IAAA9c,EAAA17B,KACf,GAAIA,KAAK43C,aAAqD,KAAtC53C,KAAKy1C,UAAUtnC,YAAY+6B,OAGjD,OAFAlpC,KAAKwO,QAAU,CAAEtgB,MAAO8R,KAAK+lB,GAAG,mCAChC/lB,KAAK+1C,gBAAiB,GAGxB,IAAMN,EAAYz1C,KAAKy1C,UACvBz1C,KAAK+1C,gBAAiB,EACtBiD,IAAa/qC,WAAW,CACtBzX,OAAQi/C,EAAUj/C,OAClB2X,YAAasnC,EAAUtnC,aAAe,KACtC7U,WAAYm8C,EAAUn8C,WACtBlC,UAAWq+C,EAAUt+C,KACrBkS,MAAO,GACPyS,MAAO9b,KAAKia,OACZ3L,kBAAmBtO,KAAK6pB,QACxBtb,YAAaknC,EAAUlnC,YACvB7V,KAAM,GACN8V,SAAS,IACRhhB,KAAK,SAAC9F,GAGFg0C,EAAKqa,iBACLruD,EAAKwG,MAGRwtC,EAAKltB,QAAU,CAAEtgB,MAAOxG,EAAKwG,OAF7BwtC,EAAKltB,QAAU9mB,KAhBnB,MAoBS,SAACwG,GACRwtC,EAAKltB,QAAU,CAAEtgB,WArBnB,QAsBW,WACTwtC,EAAKqa,gBAAiB,KAG1BkD,sBAAuBC,IAAS,WAAcl5C,KAAKw4C,iBAAmB,KACtEL,YAxHO,WAyHAn4C,KAAKwO,UACVxO,KAAK+1C,gBAAiB,EACtB/1C,KAAKi5C,0BAEPE,aA7HO,WA8HLn5C,KAAKwO,QAAU,KACfxO,KAAK+1C,gBAAiB,GAExBqD,cAjIO,WAkIDp5C,KAAK03C,YACP13C,KAAKm5C,eAELn5C,KAAKw4C,iBAGTa,aAxIO,SAwIOC,GACZt5C,KAAKy1C,UAAUtE,MAAM/oD,KAAKkxD,GAC1Bt5C,KAAKuhB,MAAM,SAAU,CAAEg4B,SAAS,KAElCC,gBA5IO,SA4IUF,GACf,IAAIvT,EAAQ/lC,KAAKy1C,UAAUtE,MAAM2C,QAAQwF,GACzCt5C,KAAKy1C,UAAUtE,MAAM/nD,OAAO28C,EAAO,GACnC/lC,KAAKuhB,MAAM,WAEbk4B,aAjJO,SAiJOC,EAAWC,GACvBA,EAAeA,GAAgB,GAC/B35C,KAAK9R,MAAQ8R,KAAK+lB,GAAG,qBAAuB,IAAM/lB,KAAK+lB,GAAG,gBAAkB2zB,EAAWC,IAEzFC,sBArJO,WAsJL55C,KAAKu1C,gBAAiB,GAExBsE,uBAxJO,WAyJL75C,KAAKuhB,MAAM,UACXvhB,KAAKu1C,gBAAiB,GAExB3oD,KA5JO,SA4JD0sD,GACJ,OAAO/6B,IAAgBD,SAASg7B,EAAS7jD,WAE3CqkD,MA/JO,SA+JAjwD,GACLmW,KAAKm4C,cACLn4C,KAAK00C,OAAO7qD,GACRA,EAAEkwD,cAAc5I,MAAMjpD,OAAS,IAEjC2B,EAAEqhC,iBAIFlrB,KAAK2xC,UAAY,CAAC9nD,EAAEkwD,cAAc5I,MAAM,MAG5C6I,SA3KO,SA2KGnwD,GACJA,EAAEowD,cAAgBpwD,EAAEowD,aAAar8B,MAAM1pB,SAAS,WAClDrK,EAAEqhC,iBACFlrB,KAAK2xC,UAAY9nD,EAAEowD,aAAa9I,MAChChjD,aAAa6R,KAAK81C,iBAClB91C,KAAK61C,aAAe,SAGxBqE,aAnLO,SAmLOrwD,GAAG,IAAA+xC,EAAA57B,KAIf7R,aAAa6R,KAAK81C,iBAClB91C,KAAK61C,aAAe,OACpB71C,KAAK81C,gBAAkBrnD,WAAW,kBAAOmtC,EAAKia,aAAe,QAAS,MAExEsE,SA3LO,SA2LGtwD,GACRA,EAAEowD,aAAaG,WAAap6C,KAAK63C,uBAAyB,OAAS,OAC/DhuD,EAAEowD,cAAgBpwD,EAAEowD,aAAar8B,MAAM1pB,SAAS,WAClD/F,aAAa6R,KAAK81C,iBAClB91C,KAAK61C,aAAe,SAGxBwE,kBAlMO,SAkMYxwD,GAAG,IAAAoyC,EAAAj8B,KACpBA,KAAKwhB,UAAU,WACbya,EAAKyY,OAAOzY,EAAKrc,MAAL,aAGhB80B,OAvMO,SAuMC7qD,GACN,IAAMoD,EAASpD,EAAEoD,QAAUpD,EAC3B,GAAMoD,aAAkBqD,OAAOgqD,QAA/B,CAGA,GAAqB,KAAjBrtD,EAAOuC,MAIT,OAHAvC,EAAO41B,MAAMzD,OAAS,KACtBpf,KAAKuhB,MAAM,eACXvhB,KAAK4f,MAAM,eAAe80B,SAI5B,IAAM6F,EAAUv6C,KAAK4f,MAAL,KACV46B,EAAYx6C,KAAK4f,MAAL,OAKZ66B,EAAyBnqD,OAAOoqD,iBAAiBF,GAAW,kBAC5DG,EAAsBzG,EAAiBuG,GAEvCG,EAAc56C,KAAKsf,IAAIC,QAAQ,sBAC/Bvf,KAAKsf,IAAIC,QAAQ,0BACjBjvB,OAGAuqD,EAAgBvqD,OAAOoqD,iBAAiBztD,GAAQ,eAChD6tD,EAAmBxqD,OAAOoqD,iBAAiBztD,GAAQ,kBAGnD8tD,EAFa7G,EAAiB2G,GACd3G,EAAiB4G,GAGjCE,EAAY9G,EAAiBjnD,EAAO41B,MAAMzD,QAoB1C67B,EAAgBL,IAAgBtqD,OAClCsqD,EAAYM,QACZN,EAAYO,UACVC,EAAiBR,IAAgBtqD,OACnCsqD,EAAYj6B,YACZi6B,EAAY75B,aACVs6B,EAAuBJ,EAAgBG,EAG7CnuD,EAAO41B,MAAMzD,OAAS,OACtB,IAAMk8B,EAAuB3+C,KAAKsC,MAAMhS,EAAOsuD,aAAeR,GAC1DS,EAAYx7C,KAAKy7C,UAAY9+C,KAAK2jB,IAAIg7B,EAAsBt7C,KAAKy7C,WAAaH,EAG9E3+C,KAAKwvC,IAAIqP,EAAYR,IAAc,IACrCQ,EAAYR,GAEd/tD,EAAO41B,MAAMzD,OAAb,GAAA9oB,OAAyBklD,EAAzB,MACAx7C,KAAKuhB,MAAM,SAAUi6B,GAKrB,IAAME,EAAqBlB,EAAUz5B,aAAe46B,YAAWnB,EAAWI,GAAa36B,IAAM06B,EAEvFiB,EAAqBP,EAAuBK,EAC5CG,EAA2BT,EAAiBb,EAAQx5B,aACpD+6B,EAAoBJ,EAAqBL,EASzCU,EAAed,GAJQW,KACrBC,GACA77C,KAAK4f,MAAM+0B,SAASqH,iBAAmBh8C,KAAK4f,MAAM+0B,SAASnlD,MAAMtH,QAC/B4zD,EAAoB,GAG1DlB,IAAgBtqD,OAClBsqD,EAAYqB,OAAO,EAAGF,GAEtBnB,EAAYO,UAAYY,EAG1B/7C,KAAK4f,MAAM,eAAe80B,WAE5BwH,gBAzSO,WA0SLl8C,KAAK4f,MAAL,SAAuBszB,QACvBlzC,KAAK4f,MAAM,eAAeu8B,qBAE5Bta,WA7SO,WA8SL7hC,KAAK9R,MAAQ,MAEfkuD,UAhTO,SAgTI9iD,GACT0G,KAAKy1C,UAAUn8C,WAAaA,GAE9B+iD,eAnTO,WAoTLr8C,KAAK41C,iBAAmB51C,KAAK41C,iBAE/B0G,QAtTO,SAsTE5jD,GACPsH,KAAKy1C,UAAU/8C,KAAOA,GAExB2/C,cAzTO,WA0TDr4C,KAAK4f,MAAM28B,UACbv8C,KAAK4f,MAAM28B,SAASvJ,SAGxBwJ,mBA9TO,WA+TLx8C,KAAKia,OAAO+K,SAAS,YAAa,CAAEj2B,KAAM,kBAAmBS,OAAO,KAEtEogB,oBAjUO,SAiUc/e,GACnB,IAAMW,EAAcwO,KAAKy1C,UAAUC,kBAAkB7kD,GACrD,GAAKW,GAAsC,KAAvBA,EAAY03C,OAChC,OAAO8P,IAAappC,oBAAoB,CAAEkM,MAAO9b,KAAKia,OAAQppB,KAAIW,iBAEpEsnD,wBAtUO,WAsUoB,IAAA5c,EAAAl8B,KACnBy8C,EAAMz8C,KAAKy1C,UAAUtE,MAAMt/C,IAAI,SAAAohB,GAAI,OAAIA,EAAKpiB,KAClD,OAAO5G,QAAQ0E,IAAI8tD,EAAI5qD,IAAI,SAAAhB,GAAE,OAAIqrC,EAAKtsB,oBAAoB/e,OAE5D6rD,qBA1UO,SA0UeltD,GACpBwQ,KAAKg2C,gBAAkBxmD,GAEzBilD,qBA7UO,WA8ULz0C,KAAKyO,eAAiB7Z,KAAKs3C,MAAMnvC,YAEnC4/C,eAhVO,WAiVL38C,KAAKia,OAAO+K,SAAS,uBAAwB,cCviBnD,IAEI43B,EAVJ,SAAoBjiC,GAClBtxB,EAAQ,MAeNwzD,EAAYx0D,OAAAwyB,EAAA,EAAAxyB,CACdy0D,ECjBQ,WAAgB,IAAA16B,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBsH,IAAA,OAAArH,YAAA,oBAA0C,CAAAD,EAAA,QAAaO,MAAA,CAAOshC,aAAA,OAAqB16B,GAAA,CAAK26B,OAAA,SAAA15B,GAA0BA,EAAA4H,kBAAyB+xB,SAAA,SAAA35B,GAAqD,OAAxBA,EAAA4H,iBAAwB9I,EAAA+3B,SAAA72B,MAA8B,CAAApI,EAAA,OAAYqP,WAAA,EAAax7B,KAAA,OAAAy7B,QAAA,SAAAh7B,MAAA,SAAA4yB,EAAAyzB,aAAAprB,WAAA,4BAAsGtP,YAAA,iBAAAC,MAAA,CAAAgH,EAAAy1B,uBAAA,4BAAAh1B,MAAA,CAAyGq6B,UAAA,SAAA96B,EAAAyzB,aAAA,iCAA6ExzB,GAAA,CAAM86B,UAAA/6B,EAAA83B,aAAAkD,KAAA,SAAA95B,GAA8E,OAAzBA,EAAAE,kBAAyBpB,EAAA43B,SAAA12B,OAA8BlB,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,cAAyB,CAAAiH,EAAAnI,OAAAC,MAAAtP,MAAAod,YAAAnzB,QAAA,WAAAutB,EAAAqzB,UAAAn8C,YAAA8oB,EAAAi7B,mBAA6Rj7B,EAAAQ,KAA7R1H,EAAA,QAA8HC,YAAA,oBAAAM,MAAA,CAAuCsrB,KAAA,yCAAAz6C,IAAA,MAA2D,CAAA4uB,EAAA,KAAUO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAAL,EAAAu6B,iBAA4B,CAAAv6B,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kEAAA3D,EAAAO,GAAA,KAAAP,EAAAm1B,iBAAA,WAAAn1B,EAAAqzB,UAAAn8C,WAAkf8oB,EAAAm1B,iBAAA,aAAAn1B,EAAAqzB,UAAAn8C,YAA+X8oB,EAAAm1B,iBAAA,YAAAn1B,EAAAqzB,UAAAn8C,YAAA8oB,EAAAnI,OAAAC,MAAAtP,MAAAod,YAAAnzB,OAAAqmB,EAAA,KAA4HC,YAAA,wCAAmD,CAAAD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAA8FC,YAAA,sBAAAkH,GAAA,CAAsCI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAo6B,wBAAkC,CAAAthC,EAAA,KAAUC,YAAA,oBAA0B,WAAAiH,EAAAqzB,UAAAn8C,WAAA4hB,EAAA,KAAsDC,YAAA,qBAAgC,CAAAiH,EAAA,cAAAlH,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gDAAA7K,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2CAAA3D,EAAAQ,KAA/3B1H,EAAA,KAAgFC,YAAA,wCAAmD,CAAAD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAA+FC,YAAA,sBAAAkH,GAAA,CAAsCI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAo6B,wBAAkC,CAAAthC,EAAA,KAAUC,YAAA,oBAAv1BD,EAAA,KAAqMC,YAAA,wCAAmD,CAAAD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAA6FC,YAAA,sBAAAkH,GAAA,CAAsCI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAo6B,wBAAkC,CAAAthC,EAAA,KAAUC,YAAA,oBAAy5BiH,EAAAO,GAAA,KAAAP,EAAAu1B,eAA4tBv1B,EAAAQ,KAA5tB1H,EAAA,OAAsOC,YAAA,yBAAoC,CAAAD,EAAA,KAAUC,YAAA,uBAAAkH,GAAA,CAAuCI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAg3B,cAAA91B,MAAmC,CAAAlB,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA7K,EAAA,KAAsFE,MAAAgH,EAAAs1B,YAAA,uCAA6Dt1B,EAAAO,GAAA,KAAAzH,EAAA,KAAwBqP,WAAA,EAAax7B,KAAA,OAAAy7B,QAAA,SAAAh7B,MAAA4yB,EAAA,eAAAqI,WAAA,mBAAoFtP,YAAA,8BAAwCiH,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,OAAqDC,YAAA,qBAAgC,CAAAiH,EAAA5T,QAAwD4T,EAAA5T,QAAA,MAAA0M,EAAA,OAAwGC,YAAA,gCAA2C,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA5T,QAAAtgB,OAAA,gBAAAgtB,EAAA,iBAAsFC,YAAA,iBAAAM,MAAA,CAAoCjlB,OAAA4rB,EAAA5T,WAArU0M,EAAA,OAA2BC,YAAA,kBAA6B,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAmS,GAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAk7B,iBAAAl7B,EAAAqzB,UAAAtnC,cAAAiU,EAAA40B,kBAAwxB50B,EAAAQ,KAAxxB1H,EAAA,cAA0HC,YAAA,eAAAM,MAAA,CAAkC8hC,sBAAA,GAAAC,QAAAp7B,EAAAo0B,gBAAsDiH,MAAA,CAAQjuD,MAAA4yB,EAAAqzB,UAAA,YAAAiI,SAAA,SAAAC,GAA2Dv7B,EAAA6xB,KAAA7xB,EAAAqzB,UAAA,cAAAkI,IAA4ClzB,WAAA,0BAAqC,CAAAvP,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAAqzB,UAAA,YAAAhrB,WAAA,0BAAoGtP,YAAA,oBAAAM,MAAA,CAAyC7uB,KAAA,OAAAguC,YAAAxY,EAAA2D,GAAA,+BAAA+gB,SAAA1kB,EAAAozB,SAAyFprB,SAAA,CAAW56B,MAAA4yB,EAAAqzB,UAAA,aAAoCpzB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAAqzB,UAAA,cAAAnyB,EAAAr2B,OAAAuC,aAA8D4yB,EAAAO,GAAA,KAAAzH,EAAA,cAA0CsH,IAAA,cAAArH,YAAA,0BAAAM,MAAA,CAA+D+hC,QAAAp7B,EAAAg0B,mBAAAz3B,UAAAyD,EAAAw7B,qBAAAL,sBAAA,GAAAM,oBAAA,GAAAC,wBAAA17B,EAAAy2B,cAAAkF,wBAAA,IAA2L17B,GAAA,CAAK3iB,MAAA0iB,EAAAi4B,kBAAA2D,mBAAA57B,EAAAi3B,aAAA4E,wBAAA77B,EAAAq3B,aAAAyE,MAAA97B,EAAAs6B,sBAA4Ie,MAAA,CAAQjuD,MAAA4yB,EAAAqzB,UAAA,OAAAiI,SAAA,SAAAC,GAAsDv7B,EAAA6xB,KAAA7xB,EAAAqzB,UAAA,SAAAkI,IAAuClzB,WAAA,qBAAgC,CAAAvP,EAAA,YAAiBqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAAqzB,UAAA,OAAAhrB,WAAA,qBAA0FjI,IAAA,WAAArH,YAAA,iBAAAC,MAAA,CAAqD+iC,oBAAA/7B,EAAAq5B,WAAqChgC,MAAA,CAAQmf,YAAAxY,EAAAwY,aAAAxY,EAAA2D,GAAA,uBAAAq4B,KAAA,IAAAC,KAAA,IAAAvX,SAAA1kB,EAAAozB,SAA4GprB,SAAA,CAAW56B,MAAA4yB,EAAAqzB,UAAA,QAA+BpzB,GAAA,CAAKwxB,QAAA,UAAAvwB,GAA4B,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,KAAewzB,EAAAg7B,SAAAh7B,EAAAi7B,UAAAj7B,EAAAk7B,QAAAl7B,EAAAm7B,QAAmE,UAAer8B,EAAAy2B,eAAAz2B,EAAAnU,WAAAqV,EAAAlB,EAAAqzB,aAA2D,SAAAnyB,GAAkB,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,KAAewzB,EAAAm7B,QAAmCr8B,EAAAnU,WAAAqV,EAAAlB,EAAAqzB,WAAf,MAA4D,SAAAnyB,GAAkB,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,KAAewzB,EAAAg7B,cAAmCl8B,EAAAy2B,eAAAz2B,EAAAnU,WAAAqV,EAAAlB,EAAAqzB,YAAf,OAA2E/1C,MAAA,UAAA4jB,GAA4BA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAAqzB,UAAA,SAAAnyB,EAAAr2B,OAAAuC,QAAuD4yB,EAAAsyB,QAAAgK,kBAAAt8B,EAAAsyB,OAAAoF,MAAA13B,EAAA03B,SAA+D13B,EAAAO,GAAA,KAAAP,EAAA,qBAAAlH,EAAA,KAAiDC,YAAA,0BAAAC,MAAA,CAA6CltB,MAAAk0B,EAAA20B,oBAAgC,CAAA30B,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA00B,gBAAA,gBAAA10B,EAAAQ,OAAAR,EAAAO,GAAA,KAAAP,EAAAu8B,qBAA67Cv8B,EAAAQ,KAA77C1H,EAAA,OAAgIC,YAAA,mBAA8B,CAAAD,EAAA,kBAAuBO,MAAA,CAAOmjC,WAAAx8B,EAAA8zB,cAAA2I,eAAAz8B,EAAA6zB,iBAAA6I,iBAAA18B,EAAAizB,iBAAA0J,gBAAA38B,EAAAqzB,UAAAn8C,WAAA0lD,kBAAA58B,EAAAg6B,aAAiLh6B,EAAAO,GAAA,KAAAP,EAAA80B,YAAAhvD,OAAA,EAAAgzB,EAAA,OAAqDC,YAAA,eAA0B,CAAAD,EAAA,SAAcC,YAAA,SAAAM,MAAA,CAA4BkP,IAAA,sBAA2B,CAAAzP,EAAA,UAAeqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAAqzB,UAAA,YAAAhrB,WAAA,0BAAoGtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,qBAAyBwxB,GAAA,CAAKuI,OAAA,SAAAtH,GAA0B,IAAAuH,EAAAC,MAAAxiC,UAAA2c,OAAAzc,KAAA86B,EAAAr2B,OAAA0L,QAAA,SAAA1J,GAAkF,OAAAA,EAAA87B,WAAkBl5B,IAAA,SAAA5C,GAA+D,MAA7C,WAAAA,IAAA+7B,OAAA/7B,EAAAO,QAA0D4yB,EAAA6xB,KAAA7xB,EAAAqzB,UAAA,cAAAnyB,EAAAr2B,OAAAkiB,SAAA0b,IAAA,OAAqGzI,EAAAyY,GAAAzY,EAAA,qBAAA68B,GAA+C,OAAA/jC,EAAA,UAAoBprB,IAAAmvD,EAAA70B,SAAA,CAAyB56B,MAAAyvD,IAAoB,CAAA78B,EAAAO,GAAA,qBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6BAAAk5B,EAAA,+BAAyH,GAAA78B,EAAAO,GAAA,KAAAzH,EAAA,KAAyBC,YAAA,uBAA6BiH,EAAAQ,KAAAR,EAAAO,GAAA,SAAAP,EAAA80B,YAAAhvD,QAAA,eAAAk6B,EAAA80B,YAAA,GAAAh8B,EAAA,OAA2GC,YAAA,eAA0B,CAAAD,EAAA,QAAaC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6BAAA3D,EAAA80B,YAAA,8BAAA90B,EAAAQ,MAAA,OAAAR,EAAAO,GAAA,KAAAP,EAAA,eAAAlH,EAAA,aAAwMsH,IAAA,WAAA/G,MAAA,CAAsByjC,QAAA98B,EAAAwzB,iBAA8BvzB,GAAA,CAAK88B,cAAA/8B,EAAAk6B,WAA2Bl6B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAiCsH,IAAA,SAAArH,YAAA,eAAuC,CAAAD,EAAA,OAAYC,YAAA,oBAA+B,CAAAD,EAAA,gBAAqBsH,IAAA,cAAArH,YAAA,oBAAAM,MAAA,CAAyD2jC,aAAAh9B,EAAAuvB,UAAA7K,SAAA1kB,EAAAy1B,wBAAiEx1B,GAAA,CAAK8tB,UAAA/tB,EAAAw3B,sBAAAyF,SAAAj9B,EAAAi3B,aAAAiG,gBAAAl9B,EAAAq3B,aAAA8F,eAAAn9B,EAAAy3B,0BAA8Iz3B,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,cAAyB,CAAAD,EAAA,KAAUC,YAAA,6BAAAM,MAAA,CAAgD3iB,MAAAspB,EAAA2D,GAAA,oBAAkC1D,GAAA,CAAKI,MAAAL,EAAA85B,qBAA6B95B,EAAAO,GAAA,KAAAP,EAAA,eAAAlH,EAAA,OAA+CC,YAAA,YAAAC,MAAA,CAA+B2P,SAAA3I,EAAAwzB,kBAAiC,CAAA16B,EAAA,KAAUC,YAAA,iCAAAM,MAAA,CAAoD3iB,MAAAspB,EAAA2D,GAAA,mBAAiC1D,GAAA,CAAKI,MAAAL,EAAAi6B,oBAA4Bj6B,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAP,EAAA,QAAAlH,EAAA,UAAwDC,YAAA,kBAAAM,MAAA,CAAqCqrB,SAAA,KAAe,CAAA1kB,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAA,kBAAAlH,EAAA,UAA+GC,YAAA,kBAAAM,MAAA,CAAqCqrB,SAAA,KAAe,CAAA1kB,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iCAAA7K,EAAA,UAAkFC,YAAA,kBAAAM,MAAA,CAAqCqrB,SAAA1kB,EAAAmzB,gBAAAnzB,EAAAw2B,eAAmDv2B,GAAA,CAAKm9B,WAAA,SAAAl8B,GAA+E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAnU,WAAAqV,EAAAlB,EAAAqzB,YAA6ChzB,MAAA,SAAAa,GAA2E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAnU,WAAAqV,EAAAlB,EAAAqzB,cAA+C,CAAArzB,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAAyGC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,kBAAAP,EAAA0D,GAAA1D,EAAAl0B,OAAA,YAAAgtB,EAAA,KAAiEC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAAL,EAAAyf,gBAAwBzf,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAmCC,YAAA,eAA0BiH,EAAAyY,GAAAzY,EAAAqzB,UAAA,eAAAxiC,GAA6C,OAAAiI,EAAA,OAAiBprB,IAAAmjB,EAAA/hB,IAAAiqB,YAAA,wBAAgD,CAAAD,EAAA,KAAUC,YAAA,6BAAAkH,GAAA,CAA6CI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAo3B,gBAAAvmC,OAAmCmP,EAAAO,GAAA,KAAAzH,EAAA,cAA+BO,MAAA,CAAOtf,WAAA8W,EAAAs4B,YAAA,WAA2C,OAAAnpB,EAAAnI,OAAA+K,SAAA,WAAA5C,EAAAqzB,UAAAtE,QAA+D9F,KAAA,QAAAC,aAAA,WAAsClpB,EAAAO,GAAA,KAAAzH,EAAA,SAA0BqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAAqzB,UAAAC,kBAAAziC,EAAApiB,IAAA45B,WAAA,yCAAkIhP,MAAA,CAAS7uB,KAAA,OAAAguC,YAAAxY,EAAA2D,GAAA,kCAAoEqE,SAAA,CAAW56B,MAAA4yB,EAAAqzB,UAAAC,kBAAAziC,EAAApiB,KAAmDwxB,GAAA,CAAKwxB,QAAA,SAAAvwB,GAA2B,IAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,YAAewzB,EAAA4H,kBAAyBxrB,MAAA,SAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAAqzB,UAAAC,kBAAAziC,EAAApiB,GAAAyyB,EAAAr2B,OAAAuC,YAA0E,KAAM,GAAA4yB,EAAAO,GAAA,KAAAP,EAAAqzB,UAAAtE,MAAAjpD,OAAA,IAAAk6B,EAAAq9B,2BAAAvkC,EAAA,OAA+FC,YAAA,mBAA8B,CAAAD,EAAA,YAAiBuiC,MAAA,CAAOjuD,MAAA4yB,EAAAqzB,UAAA,KAAAiI,SAAA,SAAAC,GAAoDv7B,EAAA6xB,KAAA7xB,EAAAqzB,UAAA,OAAAkI,IAAqClzB,WAAA,mBAA8B,CAAArI,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAAQ,MAAA,MACv9V,IDOY,EAa7Bg6B,EATiB,KAEU,MAYdhhC,EAAA,EAAAihC,EAAiB,wUEpBhC,IAiHenT,EAjHI,CACjB5vB,MAAO,CACL,aACA,OACA,OACA,YACA,WACA,mBAEFpyB,KATiB,WAUf,MAAO,CACLg4D,UAAW1/C,KAAKia,OAAOC,MAAMC,SAASwlC,iBAAmBD,IACzDE,cAAe5/C,KAAKia,OAAOqN,QAAQlK,aAAayiC,SAChDC,aAAc9/C,KAAKia,OAAOqN,QAAQlK,aAAa0iC,aAC/C7a,SAAS,EACT8a,IAA4D,UAAvDxhC,IAAgBD,SAASte,KAAK7D,WAAW1G,WAAyBtJ,SAASQ,cAAc,OAC9FqzD,WAAW,EACXC,YAAY,IAGhB5lC,WAAY,CACVC,eACA4lC,qBAEF/7B,sWAAQvrB,CAAA,CACNunD,eADM,WAEJ,MAAqB,SAAdngD,KAAKqrC,MAAiC,YAAdrrC,KAAKpT,MAEtCwzD,gBAJM,WAKJ,MAAoC,KAAhCpgD,KAAK7D,WAAW3K,aAAuBwO,KAAK7D,WAAW3K,YAGpDwO,KAAK7D,WAAW3K,YAFdwO,KAAKpT,KAAKi2C,eAIrBwd,qBAVM,WAWJ,MAAkB,UAAdrgD,KAAKpT,KAAyB,eAChB,UAAdoT,KAAKpT,KAAyB,aAChB,UAAdoT,KAAKpT,KAAyB,aAC3B,YAET0zD,eAhBM,WAiBJ,OAAOtgD,KAAKia,OAAOC,MAAMC,SAASomC,oBAAsB,GAAK,eAE/D3zD,KAnBM,WAoBJ,OAAO2xB,IAAgBD,SAASte,KAAK7D,WAAW1G,WAElDupB,OAtBM,WAuBJ,OAAOhf,KAAK7I,MAAQ6I,KAAK4/C,gBAAkB5/C,KAAKigD,YAElDO,QAzBM,WA0BJ,MAAsB,SAAdxgD,KAAKpT,OAAoBoT,KAAK7D,WAAWskD,QAAyB,YAAdzgD,KAAKpT,MAEnE8zD,QA5BM,WA6BJ,MAAqB,UAAd1gD,KAAKqrC,MAEdsV,UA/BM,WAgCJ,MAAkB,SAAd3gD,KAAKqrC,OACY,SAAdrrC,KAAKpT,MAAiC,UAAdoT,KAAKpT,MAAkC,YAAdoT,KAAKpT,OAE/Dg0D,SAnCM,WAwCJ,OAJiC,SAAd5gD,KAAKqrC,KAAkB,CAAC,QAAS,QAAS,SACzDrrC,KAAKod,aAAagrB,kBAChB,CAAC,QAAS,SACV,CAAC,UACWl0C,SAAS8L,KAAKpT,QAE/Bg8B,YAAW,CAAC,kBAEjBrO,QAAS,CACPiP,YADO,SAAA5rB,GACkB,IAAV3Q,EAAU2Q,EAAV3Q,OACU,MAAnBA,EAAOu3B,SACTl0B,OAAOm5B,KAAKx8B,EAAO7C,KAAM,WAG7By2D,UANO,SAMI9zD,GACLiT,KAAK4gD,WACP7zD,EAAMy2B,kBACNz2B,EAAMm+B,iBACNlrB,KAAK0qC,WACL1qC,KAAKia,OAAO+K,SAAS,aAAchlB,KAAK7D,cAG5C2kD,aAdO,SAcO/zD,GAAO,IAAAwT,EAAAP,MAEhBA,KAAKod,aAAa2jC,iBAAoB/gD,KAAKigD,YAC7B,UAAdjgD,KAAKpT,OAAoBoT,KAAKod,aAAagrB,kBAK1CpoC,KAAK+/C,MAAQ//C,KAAK8/C,aAChB9/C,KAAK+/C,IAAIlzD,OACXmT,KAAK+/C,IAAIlzD,UAETmT,KAAKilC,SAAU,EACfjlC,KAAK+/C,IAAI7yD,IAAM8S,KAAK7D,WAAWjL,IAC/B8O,KAAK+/C,IAAIlzD,OAAS,WAChB0T,EAAK0kC,SAAU,EACf1kC,EAAK0/C,YAAc1/C,EAAK0/C,aAI5BjgD,KAAKigD,YAAcjgD,KAAKigD,WAfxBjgD,KAAK6gD,UAAU9zD,IAkBnBi0D,YArCO,SAqCM3iC,GACX,IAAMc,EAAQd,EAAM4iC,aACd7hC,EAASf,EAAM6iC,cACrBlhD,KAAKmhD,iBAAmBnhD,KAAKmhD,gBAAgB,CAAEhiC,QAAOC,qBC1G5D,IAEA1E,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACd8T,ECjBF,WACA,IAAAilD,EACAh/B,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,eAAAlH,EAAA,OAAsCE,MAAA,CAAOulC,UAAAv+B,EAAAu+B,WAA6Bt+B,GAAA,CAAKI,MAAAL,EAAAy+B,YAAuB,UAAAz+B,EAAAx1B,KAAAsuB,EAAA,KAAgCC,YAAA,cAAAM,MAAA,CAAiCxuB,OAAA,SAAA7C,KAAAg4B,EAAAjmB,WAAAjL,IAAAwqB,IAAA0G,EAAAjmB,WAAA3K,YAAAsH,MAAAspB,EAAAjmB,WAAA3K,cAAiH,CAAA0pB,EAAA,QAAaE,MAAAgH,EAAAi+B,uBAA+Bj+B,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAjrB,KAAA,iBAAAirB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAg+B,iBAAA,UAAAh+B,EAAAQ,OAAA1H,EAAA,OAAoIqP,WAAA,EAAax7B,KAAA,OAAAy7B,QAAA,SAAAh7B,OAAA4yB,EAAAo+B,QAAA/1B,WAAA,aAAwEtP,YAAA,aAAAC,OAAAgmC,EAAA,GAA4CA,EAAAh/B,EAAAx1B,OAAA,EAAAw0D,EAAAnc,QAAA7iB,EAAA6iB,QAAAmc,EAAA,UAAAh/B,EAAAu+B,UAAAS,EAAA,oBAAAh/B,EAAApD,OAAAoiC,IAAwI,CAAAh/B,EAAA,OAAAlH,EAAA,KAAuBC,YAAA,mBAAAM,MAAA,CAAsCrxB,KAAAg4B,EAAAjmB,WAAAjL,IAAAwqB,IAAA0G,EAAAjmB,WAAA3K,YAAAsH,MAAAspB,EAAAjmB,WAAA3K,aAA8F6wB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA0+B,aAAAx9B,MAAkC,CAAApI,EAAA,OAAYprB,IAAAsyB,EAAAs9B,UAAAvkC,YAAA,OAAAC,MAAA,CAA4CimC,MAAAj/B,EAAAs+B,SAAqBjlC,MAAA,CAAQvuB,IAAAk1B,EAAAs9B,aAAqBt9B,EAAAO,GAAA,eAAAP,EAAAx1B,KAAAsuB,EAAA,KAA6CC,YAAA,gCAA0CiH,EAAAQ,OAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAjrB,MAAAirB,EAAAw9B,gBAAAx9B,EAAApD,OAAA9D,EAAA,OAA2FC,YAAA,SAAoB,CAAAD,EAAA,KAAUO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA0+B,aAAAx9B,MAAkC,CAAAlB,EAAAO,GAAA,YAAAP,EAAAQ,KAAAR,EAAAO,GAAA,eAAAP,EAAAx1B,MAAAw1B,EAAApD,SAAAoD,EAAA09B,aAAqgB19B,EAAAQ,KAArgB1H,EAAA,KAA8GC,YAAA,mBAAAC,MAAA,CAAsC4D,OAAAoD,EAAApD,QAAAoD,EAAA09B,cAA0CrkC,MAAA,CAAQrxB,KAAAg4B,EAAAjmB,WAAAjL,IAAAjE,OAAA,UAA4Co1B,GAAA,CAAKI,MAAAL,EAAAy+B,YAAuB,CAAA3lC,EAAA,cAAmBC,YAAA,QAAAM,MAAA,CAA2B6kC,eAAAl+B,EAAAk+B,eAAA7qD,SAAA2sB,EAAAjmB,WAAA1G,SAAAvI,IAAAk1B,EAAAjmB,WAAAvG,iBAAAwsB,EAAAjmB,WAAAjL,IAAAowD,qBAAAl/B,EAAA4+B,YAAAtlC,IAAA0G,EAAAjmB,WAAA3K,gBAAyM,GAAA4wB,EAAAO,GAAA,eAAAP,EAAAx1B,MAAAw1B,EAAApD,OAAuZoD,EAAAQ,KAAvZ1H,EAAA,KAAyEC,YAAA,kBAAAC,MAAA,CAAqCimC,MAAAj/B,EAAAs+B,SAAqBjlC,MAAA,CAAQrxB,KAAAg4B,EAAAm/B,eAAA/yD,EAAA4zB,EAAAjmB,WAAAjL,KAAsDmxB,GAAA,CAAKI,MAAAL,EAAAy+B,YAAuB,CAAA3lC,EAAA,mBAAwBC,YAAA,QAAAM,MAAA,CAA2Btf,WAAAimB,EAAAjmB,WAAAqlD,SAAAp/B,EAAAm/B,aAAsDn/B,EAAAO,GAAA,KAAAP,EAAAm/B,UAAiFn/B,EAAAQ,KAAjF1H,EAAA,KAAuCC,YAAA,iCAA0C,GAAAiH,EAAAO,GAAA,eAAAP,EAAAx1B,KAAAsuB,EAAA,SAAuEO,MAAA,CAAOvuB,IAAAk1B,EAAAjmB,WAAAjL,IAAAwqB,IAAA0G,EAAAjmB,WAAA3K,YAAAsH,MAAAspB,EAAAjmB,WAAA3K,YAAAgwD,SAAA,MAA4Gp/B,EAAAQ,KAAAR,EAAAO,GAAA,cAAAP,EAAAx1B,MAAAw1B,EAAAjmB,WAAAskD,OAAAvlC,EAAA,OAAgFC,YAAA,SAAAkH,GAAA,CAAyBI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoH,YAAAlG,MAAiC,CAAAlB,EAAAjmB,WAAA,UAAA+e,EAAA,OAAuCC,YAAA,SAAoB,CAAAD,EAAA,OAAYO,MAAA,CAAOvuB,IAAAk1B,EAAAjmB,WAAAslD,eAAgCr/B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAmCC,YAAA,QAAmB,CAAAD,EAAA,MAAAA,EAAA,KAAmBO,MAAA,CAAOrxB,KAAAg4B,EAAAjmB,WAAAjL,MAA2B,CAAAkxB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAjmB,WAAAskD,OAAA3nD,YAAAspB,EAAAO,GAAA,KAAAzH,EAAA,OAAwEkP,SAAA,CAAUC,UAAAjI,EAAA0D,GAAA1D,EAAAjmB,WAAAskD,OAAAiB,mBAAsDt/B,EAAAQ,QACzhG,IDKA,EAaAlI,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,kDEdhC+mC,EAAA,CACA5yD,KAAA,UACA+qB,MAAA,kDACApyB,KAHA,WAIA,OACAikD,aAAA,CAAA77C,IAAA,WAAAyyC,IAAA,GACAqf,SAAA,OAGAz9B,SAAA,CACA09B,iBADA,WAEA,uBAAA7hD,KAAA2jC,KACA,IAAA/uC,UAAAiM,MAAAb,KAAA2jC,OAAAme,iBACA9hD,KAAA2jC,KAAAme,mBAGA9/B,QAhBA,WAiBAhiB,KAAA+hD,6BAEA9/B,UAnBA,WAoBA9zB,aAAA6R,KAAA4hD,WAEArnC,QAAA,CACAwnC,0BADA,WAEA,IAAA9V,EAAA,iBAAAjsC,KAAAisC,aAAAjsC,KAAAisC,aAAA,EACAjsC,KAAA2rC,aAAA3rC,KAAAgiD,WACAC,EAAA,EAAAjiD,KAAA2jC,KAAAsI,GACAgW,EAAA,EAAAjiD,KAAA2jC,KAAAsI,GAEAjsC,KAAAkiD,aACAliD,KAAA4hD,SAAAnzD,WACAuR,KAAA+hD,0BACA,IAAA/hD,KAAAkiD,uBC9BAtnC,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACds5D,ECfF,WAA0B,IAAa5mC,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,QAAkBU,MAAA,CAAO0mC,SAAxFniD,KAAwF2jC,KAAA7qC,MAAxFkH,KAAwF6hD,mBAAkD,CAA1I7hD,KAA0I2iB,GAAA,OAA1I3iB,KAA0I8lB,GAA1I9lB,KAA0I+lB,GAA1I/lB,KAA0I2rC,aAAA77C,IAAA,CAA1IkQ,KAA0I2rC,aAAApJ,OAAA,SACpK,IDKA,EAEA,KAEA,KAEA,MAYe3mB,EAAA,EAAAhB,EAAiB,uCExBhCvxB,EAAAyF,EAAA8sB,EAAA,sBAAA4jB,IAAAn2C,EAAAyF,EAAA8sB,EAAA,sBAAAgkB,IAAA,IAAAwiB,EAAA/4D,EAAA,GACMu2C,EAAiB,SAACyiB,GACtB,QAAc7zD,IAAV6zD,EAAJ,CADgC,IAExB7jD,EAAgB6jD,EAAhB7jD,MAAO5R,EAASy1D,EAATz1D,KACf,GAAqB,iBAAV4R,EAAX,CACA,IAAMe,EAAMb,YAAQF,GACpB,GAAW,MAAPe,EAAJ,CACA,IAAM+iD,EAAU,OAAAhsD,OAAUqG,KAAKsC,MAAMM,EAAIlQ,GAAzB,MAAAiH,OAAgCqG,KAAKsC,MAAMM,EAAIlD,GAA/C,MAAA/F,OAAsDqG,KAAKsC,MAAMM,EAAIjD,GAArE,KACVimD,EAAS,QAAAjsD,OAAWqG,KAAKsC,MAAMM,EAAIlQ,GAA1B,MAAAiH,OAAiCqG,KAAKsC,MAAMM,EAAIlD,GAAhD,MAAA/F,OAAuDqG,KAAKsC,MAAMM,EAAIjD,GAAtE,SACTkmD,EAAU,QAAAlsD,OAAWqG,KAAKsC,MAAMM,EAAIlQ,GAA1B,MAAAiH,OAAiCqG,KAAKsC,MAAMM,EAAIlD,GAAhD,MAAA/F,OAAuDqG,KAAKsC,MAAMM,EAAIjD,GAAtE,SAChB,MAAa,YAAT1P,EACK,CACLk7B,gBAAiB,CACf,oCADe,GAAAxxB,OAEZisD,EAFY,SAAAjsD,OAGZisD,EAHY,aAAAjsD,OAIZksD,EAJY,aAAAlsD,OAKZksD,EALY,UAMflhD,KAAK,KACPmhD,mBAAoB,OAEJ,UAAT71D,EACF,CACL4iD,gBAAiBgT,GAED,SAAT51D,EACF,CACLk7B,gBAAiB,CACf,4BADe,GAAAxxB,OAEZgsD,EAFY,SAAAhsD,OAGZgsD,EAHY,4BAKfhhD,KAAK,KACPmhD,mBAAoB,YARjB,MAaHjjB,EAAiB,SAAChmC,GACtB,MAAO,WAAaA,EAAKzI,YACtBkB,QAAQ,MAAO,KACfA,QAAQ,KAAM,4CCnBnB,IAAAywD,EAAA,CACA5oC,MAAA,CACA6oC,MAAA,CACA/1D,KAAAk+B,MACA9H,QAAA,sBAEA4/B,OAAA,CACAh2D,KAAAs2B,SACAF,QAAA,SAAA6/B,GAAA,OAAAA,EAAAhyD,cCrBA,IAEA6pB,EAXA,SAAAC,GACEtxB,EAAQ,MAgBVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdq6D,EClBF,WAA0B,IAAAtgC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,QAAmB,CAAAiH,EAAAyY,GAAAzY,EAAA,eAAAygC,GAAoC,OAAA3nC,EAAA,OAAiBprB,IAAAsyB,EAAAwgC,OAAAC,GAAA1nC,YAAA,aAA6C,CAAAiH,EAAAM,GAAA,aAAsBmgC,UAAY,KAAMzgC,EAAAO,GAAA,SAAAP,EAAAugC,MAAAz6D,QAAAk6B,EAAA0gC,OAAAC,MAAA7nC,EAAA,OAAuEC,YAAA,4BAAuC,CAAAiH,EAAAM,GAAA,aAAAN,EAAAQ,MAAA,IACrX,IDQA,EAaAlI,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,uCEJhC,WCdA,IAEAF,EAXA,SAAAC,GACEtxB,EAAQ,MAgBVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CDMhB,CACAo1D,MAAA,CACAuF,KAAA,UACAj2D,MAAA,UAEA+sB,MAAA,CACA,UACA,gBACA,aE/BA,WAA0B,IAAAsI,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,SAAmBC,YAAA,WAAAC,MAAA,CAA8B0rB,SAAA1kB,EAAA0kB,SAAAmc,cAAA7gC,EAAA6gC,gBAA4D,CAAA/nC,EAAA,SAAcO,MAAA,CAAO7uB,KAAA,WAAAk6C,SAAA1kB,EAAA0kB,UAA0C1c,SAAA,CAAWqc,QAAArkB,EAAAqkB,QAAAwc,cAAA7gC,EAAA6gC,eAAwD5gC,GAAA,CAAKuI,OAAA,SAAAtH,GAA0B,OAAAlB,EAAAb,MAAA,SAAA+B,EAAAr2B,OAAAw5C,aAAoDrkB,EAAAO,GAAA,KAAAzH,EAAA,KAAsBC,YAAA,uBAAiCiH,EAAAO,GAAA,KAAAP,EAAA0gC,OAAA9/B,QAAA9H,EAAA,QAAgDC,YAAA,SAAoB,CAAAiH,EAAAM,GAAA,eAAAN,EAAAQ,QACthB,IDQA,EAaAlI,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,yEEgC1Bk2B,EAAsB,CAC1B7iC,WAzDiB,SAAArQ,GAYb,IAXJke,EAWIle,EAXJke,MACAtlB,EAUIoH,EAVJpH,OACA2X,EASIvQ,EATJuQ,YACA7U,EAQIsE,EARJtE,WACAlC,EAOIwG,EAPJxG,UACAsB,EAMIkF,EANJlF,KAMIwqD,EAAAtlD,EALJyL,aAKI,IAAA65C,EALI,GAKJA,EAAAC,EAAAvlD,EAJJ0Q,yBAII,IAAA60C,OAJgB30D,EAIhB20D,EAAAC,EAAAxlD,EAHJ2Q,mBAGI,IAAA60C,EAHU,aAGVA,EAAAC,EAAAzlD,EAFJ4Q,eAEI,IAAA60C,KAAAC,EAAA1lD,EADJ6Q,sBACI,IAAA60C,EADa,GACbA,EACEj1C,EAAWk1C,IAAIl6C,EAAO,MAE5B,OAAOtB,IAAWkG,WAAW,CAC3BtK,YAAamY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAC3CnN,SACA2X,cACA7U,aACAlC,YACAiX,WACAC,oBACAC,cACA7V,OACA8V,UACAC,mBAECjhB,KAAK,SAAC9F,GASL,OARKA,EAAKwG,OAAUsgB,GAClBsN,EAAMkJ,SAAS,iBAAkB,CAC/BvN,SAAU,CAAC/vB,GACXygB,SAAU,UACVq7C,iBAAiB,EACjBC,YAAY,IAGT/7D,IAtBJ,MAwBE,SAACyF,GACN,MAAO,CACLe,MAAOf,EAAIoB,YAiBjBkhB,YAZkB,SAAA5R,GAAyB,IAAtBie,EAAsBje,EAAtBie,MAAOnM,EAAe9R,EAAf8R,SACtBhM,EAAcmY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAClD,OAAOoE,IAAW0H,YAAY,CAAE9L,cAAagM,cAW7CC,oBAR0B,SAAAtR,GAAgC,IAA7Bwd,EAA6Bxd,EAA7Bwd,MAAOjrB,EAAsByN,EAAtBzN,GAAIW,EAAkB8M,EAAlB9M,YAClCmS,EAAcmY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAClD,OAAOoE,IAAW6H,oBAAoB,CAAEjM,cAAa9S,KAAIW,kBAS5Cs/C,oCCjEf,IAoCex2B,EApCI,CACjBR,MAAO,CACL,MACA,iBACA,WACA,iBACA,mBACA,OAEFpyB,KATiB,WAUf,MAAO,CACLg8D,SAAU1jD,KAAKia,OAAOqN,QAAQlK,aAAasmC,WAG/Cv/B,SAAU,CACRiV,SADQ,WAEN,OAAOp5B,KAAK0jD,WAA+B,cAAlB1jD,KAAKvK,UAA4BuK,KAAK9S,IAAI+oC,SAAS,WAGhF1b,QAAS,CACPopC,OADO,WAEL3jD,KAAK4jD,kBAAoB5jD,KAAK4jD,iBAAiB5jD,KAAK4f,MAAM1yB,KAC1D,IAAM22D,EAAS7jD,KAAK4f,MAAMikC,OAC1B,GAAKA,EAAL,CACA,IAAM1kC,EAAQnf,KAAK4f,MAAM1yB,IAAI+zD,aACvB7hC,EAASpf,KAAK4f,MAAM1yB,IAAIg0D,cAC9B2C,EAAO1kC,MAAQA,EACf0kC,EAAOzkC,OAASA,EAChBykC,EAAOC,WAAW,MAAMC,UAAU/jD,KAAK4f,MAAM1yB,IAAK,EAAG,EAAGiyB,EAAOC,KAEjEslB,QAXO,WAYL1kC,KAAKya,gBAAkBza,KAAKya,2BCvBlC,IAEAC,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACd27D,ECjBF,WAA0B,IAAA5hC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,cAAAC,MAAA,CAAiCge,SAAAhX,EAAAgX,WAA0B,CAAAhX,EAAA,SAAAlH,EAAA,UAA8BsH,IAAA,WAAaJ,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAiCprB,IAAAsyB,EAAAl1B,IAAAs1B,IAAA,MAAA/G,MAAA,CAA6BC,IAAA0G,EAAA1G,IAAA5iB,MAAAspB,EAAA1G,IAAAxuB,IAAAk1B,EAAAl1B,IAAAozD,eAAAl+B,EAAAk+B,gBAAgFj+B,GAAA,CAAK4hC,KAAA7hC,EAAAuhC,OAAAz1D,MAAAk0B,EAAAsiB,cACnW,IDOA,EAaAhqB,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,6EEjB1BspC,EAAU,CACdC,GAAI,kBAAM96D,EAAAQ,EAAA,GAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVq0D,GAAI,kBAAM/6D,EAAAQ,EAAA,GAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVs0D,GAAI,kBAAMh7D,EAAAQ,EAAA,GAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVu0D,GAAI,kBAAMj7D,EAAAQ,EAAA,GAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVw0D,GAAI,kBAAMl7D,EAAAQ,EAAA,GAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVy0D,GAAI,kBAAMn7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV00D,GAAI,kBAAMp7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV20D,GAAI,kBAAMr7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV40D,GAAI,kBAAMt7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV60D,GAAI,kBAAMv7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV80D,GAAI,kBAAMx7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV+0D,GAAI,kBAAMz7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVg1D,GAAI,kBAAM17D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVi1D,GAAI,kBAAM37D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVk1D,GAAI,kBAAM57D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVm1D,QAAS,kBAAM77D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACfo1D,GAAI,kBAAM97D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVq1D,GAAI,kBAAM/7D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVs1D,GAAI,kBAAMh8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVu1D,GAAI,kBAAMj8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVw1D,GAAI,kBAAMl8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACVy1D,GAAI,kBAAMn8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV01D,GAAI,kBAAMp8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV21D,GAAI,kBAAMr8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV41D,GAAI,kBAAMt8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,cACV61D,GAAI,kBAAMv8D,EAAAQ,EAAA,IAAA2D,KAAAnE,EAAAoG,EAAAM,KAAA,eAGN81D,EAAW,CACfC,UAAS,CAAG,MAAHxvD,aAAA4hC,GAAY7vC,OAAO+mB,KAAK80C,KACjClhC,QAAS,CACP+iC,GAAIC,EAAQ,MAEdC,YAAa,SAAOxoC,EAAMyoC,GAAb,IAAAC,EAAA,OAAAC,EAAA3oD,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,WACP6oD,EAAQgC,GADD,CAAAn7C,EAAA1P,KAAA,eAAA0P,EAAA1P,KAAA,EAAA+qD,EAAA3oD,EAAAwN,MAEYi5C,EAAQgC,MAFpB,OAELL,EAFK96C,EAAAG,KAGTuS,EAAK4oC,iBAAiBH,EAAUL,GAHvB,OAKXpoC,EAAKvL,OAASg0C,EALH,wBAAAn7C,EAAAM,YASAw6C,uCCrCf,IAAAS,EAAA,CACAxsC,MAAA,CACAgtB,SAAA,CACAl6C,KAAA+N,SAEA8nB,MAAA,CACA71B,KAAAs2B,SACAF,QAAA,kBAAA/4B,QAAAC,aAGAxC,KAVA,WAWA,OACA6+D,UAAA,IAGAhsC,QAAA,CACAqH,QADA,WACA,IAAArhB,EAAAP,KACAA,KAAAumD,UAAA,EACAvmD,KAAAyiB,QAAAj1B,KAAA,WAAA+S,EAAAgmD,UAAA,cCnBA3rC,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdi+D,ECfF,WAA0B,IAAavrC,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,UAAoBU,MAAA,CAAOqrB,SAA1F9mC,KAA0FumD,UAA1FvmD,KAA0F8mC,UAAwCzkB,GAAA,CAAKI,MAAvIziB,KAAuI4hB,UAAqB,CAA5J5hB,KAA4JumD,UAA5JvmD,KAA4J8iD,OAAAyD,SAAA,CAA5JvmD,KAA4J0iB,GAAA,cAA5J1iB,KAA4J0iB,GAAA,iBACtL,IDKA,EAEA,KAEA,KAEA,MAYe9G,EAAA,EAAAhB,EAAiB,4wBEpBhC,IAAM4rC,GAAiBl2D,OAAOurC,UAAUqqB,UAAY,MAAMhpD,MAAM,KAAK,GAOxDupD,EAAwB,CACnC,kBACA,uBAGWC,EAAe,CAC1BnyB,OAAQ,GACRsB,WAAOrnC,EACPm4D,iBAAan4D,EACbo4D,uBAAmBp4D,EACnBq4D,SAAS,EAETC,oBAAgBt4D,EAChB64C,gCAA4B74C,EAC5Bu4D,UAAU,EACVxf,iBAAiB,EACjBC,uBAAuB,EACvBU,cAAe,GACf2X,UAAU,EACVC,cAAc,EACdkH,WAAW,EACXC,qBAAqB,EACrBC,WAAW,EACX3iB,0BAA0B,EAC1B4iB,4BAA4B,EAC5BC,kBAAkB,EAClB1D,UAAU,EACV56C,gBAAiB,MACjBoT,uBAAwB,CACtBG,SAAS,EACT1iB,UAAU,EACVwiB,OAAO,EACPC,SAAS,EACTG,OAAO,EACPC,gBAAgB,EAChBF,eAAe,EACf+qC,aAAa,GAEfC,sBAAsB,EACtBjqC,UAAW,GACXqL,UAAW,GACX6+B,kBAAmBf,EACnBjP,iBAAiB,EACjBiQ,iBAAiB,EACjBzS,eAAWvmD,EACX6yC,yBAAqB7yC,EACrByoD,4BAAwBzoD,EACxB8mD,qBAAiB9mD,EACjB2nD,uBAAmB3nD,EAEnBqyC,0BAAsBryC,EACtB45C,mBAAmB,EACnB2Y,iBAAiB,EACjB0G,eAAe,EACf/e,eAAWl6C,EACXkrC,mBAAelrC,EACf87B,mBAAe97B,GAIJk5D,EAA4Br/D,OAAO6Y,QAAQwlD,GACrDzhD,OAAO,SAAArH,GAAA,IAAAC,EAAAf,IAAAc,EAAA,GAAAC,EAAA,eAA4BrP,IAA5BqP,EAAA,KACPhM,IAAI,SAAAyM,GAAA,IAAAC,EAAAzB,IAAAwB,EAAA,GAAExO,EAAFyO,EAAA,GAAAA,EAAA,UAAkBzO,IAEnBmsB,EAAS,CACb/B,MAAOwsC,EACPp/B,QAAS,CACPlK,aADO,SACOlD,EAAOoN,EAAStL,EAAWmB,GAAa,IAC5ChD,EAAa6B,EAAb7B,SACR,OAAAvhB,EAAA,GACKshB,EADL,GAEKwtC,EACA71D,IAAI,SAAA/B,GAAG,MAAI,CAACA,OAAoBtB,IAAf0rB,EAAMpqB,GACpBqqB,EAASrqB,GACToqB,EAAMpqB,MAETkG,OAAO,SAACC,EAADsc,GAAA,IAAAO,EAAAhW,IAAAyV,EAAA,GAAOziB,EAAPgjB,EAAA,GAAYtjB,EAAZsjB,EAAA,UAAAla,EAAA,GAA6B3C,EAA7Bw4C,IAAA,GAAmC3+C,EAAMN,KAAU,OAInEm4D,UAAW,CACTC,UADS,SACE1tC,EADFlI,GAC0B,IAAfjjB,EAAeijB,EAAfjjB,KAAMS,EAASwiB,EAATxiB,MACxBm5B,cAAIzO,EAAOnrB,EAAMS,IAEnBq4D,aAJS,SAIK3tC,EAJLvO,GAImC,IAArBnS,EAAqBmS,EAArBnS,KAAMgF,EAAemN,EAAfnN,MAAO5R,EAAQ+e,EAAR/e,KAC5BlF,EAAOsY,KAAKka,MAAM+B,OAAOyM,UAAUlvB,GACrCgF,GAAS5R,EACX+7B,cAAIzO,EAAMwO,UAAWlvB,EAAM,CAAEgF,MAAOA,GAAS9W,EAAK8W,MAAO5R,KAAMA,GAAQlF,EAAKkF,OAE5Ek7D,iBAAI5tC,EAAMwO,UAAWlvB,KAI3BuuD,QAAS,CACPF,aADO,SAAA57C,EAAAG,GACoD,IAA3CwY,EAA2C3Y,EAA3C2Y,OAA2C3Y,EAAnC+Y,SACtBJ,EAAO,eAAgB,CAAEprB,KADgC4S,EAArB5S,KACLgF,MAD0B4N,EAAf5N,MACJ5R,KADmBwf,EAARxf,QAGnDg7D,UAJO,SAAAt7C,EAAAE,GAI2C,IAArCoY,EAAqCtY,EAArCsY,OAAsB71B,GAAeud,EAA7B0Y,SAA6BxY,EAAfzd,MAAMS,EAASgd,EAAThd,MAEvC,OADAo1B,EAAO,YAAa,CAAE71B,OAAMS,UACpBT,GACN,IAAK,QACHmqC,YAAU1pC,GACV,MACF,IAAK,cACL,IAAK,oBACHqkC,YAAWrkC,GACX,MACF,IAAK,oBACHq2D,IAASI,YAAYjmD,KAAKsnB,QAAQ7J,KAAMjuB,OAOnCysB,4FC5HFiB,EAAe,SAAC1mB,EAAQ6mB,GACnC,IAAM1T,EAAanT,EAAOe,KAAK6iC,cACzB4tB,EAAgBxxD,EAAOgB,QAAQ4iC,cAKrC,OAJa6tB,IAAO5qC,EAAW,SAAC6qC,GAC9B,OAAOv+C,EAAWzV,SAASg0D,EAAS9tB,gBAAkB4tB,EAAc9zD,SAASg0D,EAAS9tB,gDCN1F/wC,EAAAyF,EAAA8sB,EAAA,sBAAA8B,IAAO,IAAMA,EAA0B,SAAC1B,EAAWmsC,GACjD,GAAM,iBAAkB73D,QAA6C,YAAnCA,OAAO83D,aAAaC,aAClDrsC,EAAUvE,SAAStO,cAAcm/C,2BAArC,CAEA,IAAMC,EAAsB,IAAIj4D,OAAO83D,aAAaD,EAAwBrvD,MAAOqvD,GAGnF15D,WAAW85D,EAAoBnhD,MAAMrX,KAAKw4D,GAAsB,2CCPlEl/D,EAAAyF,EAAA8sB,EAAA,sBAAA+/B,IAAO,IAAMA,EAAa,SAAbA,EAAc6M,EAAO/b,GAA6D,IAAA7uC,EAAA3C,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAA7B,GAA6BwtD,EAAA7qD,EAAnDqiB,WAAmD,IAAAwoC,EAA7C,EAA6CA,EAAAC,EAAA9qD,EAA1CoiB,YAA0C,IAAA0oC,EAAnC,EAAmCA,EAAzBC,IAAyB1tD,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,KAAAA,UAAA,GACvFlS,EAAS,CACbk3B,IAAKA,EAAMuoC,EAAMI,UACjB5oC,KAAMA,EAAOwoC,EAAMK,YAErB,IAAKF,GAAiBH,IAAUl4D,OAAQ,KAAAw4D,EACFC,EAAYP,GAAxCQ,EAD8BF,EAC9BE,WAAYC,EADkBH,EAClBG,YACpBlgE,EAAOk3B,KAAO0oC,EAAgB,EAAIK,EAClCjgE,EAAOi3B,MAAQ2oC,EAAgB,EAAIM,EAGrC,GAAIT,EAAMhpC,eAAiBitB,IAAWn8C,QAAUm8C,EAAO3qB,SAAS0mC,EAAMhpC,eAAiBitB,IAAW+b,EAAMhpC,cACtG,OAAOm8B,EAAW6M,EAAMhpC,aAAcitB,EAAQ1jD,GAAQ,GAEtD,GAAI0jD,IAAWn8C,OAAQ,KAAA44D,EACeH,EAAYtc,GAAxCuc,EADaE,EACbF,WAAYC,EADCC,EACDD,YACpBlgE,EAAOk3B,KAAO+oC,EACdjgE,EAAOi3B,MAAQipC,EAEjB,OAAOlgE,GAILggE,EAAc,SAACxQ,GACnB,IAAMsC,EAAgBvqD,OAAOoqD,iBAAiBnC,GAAI,eAC5CyQ,EAAapsC,OAAOi+B,EAAc/hB,UAAU,EAAG+hB,EAAc3yD,OAAS,IACtEihE,EAAiB74D,OAAOoqD,iBAAiBnC,GAAI,gBAGnD,MAAO,CAAEyQ,aAAYC,YAFDrsC,OAAOusC,EAAerwB,UAAU,EAAGqwB,EAAejhE,OAAS,yDCTpEkhE,EAAgB,SAAC3gD,EAAQqT,GAAT,OAAmB,IAAI7xB,QAAQ,SAACC,EAASC,GACpE2xB,EAAM5B,MAAMwK,IAAIC,kBAAkBjZ,WAAW,CAAE7a,GAAI4X,IAChDjb,KAAK,SAACu0B,GAGL,GAFAjG,EAAM8I,OAAO,yBAA0B,CAAC7C,MAEpCA,EAAQrtB,WAAcqtB,EAAQltB,QAAUktB,EAAQsnC,WAapD,OApCoB,SAApBC,EAAqBC,EAAS9gD,EAAQqT,GAAlB,OAA4B,IAAI7xB,QAAQ,SAACC,EAASC,GAC1EsE,WAAW,WACTqtB,EAAM5B,MAAMwK,IAAIC,kBAAkBxX,sBAAsB,CAAEtc,GAAI4X,IAC3Djb,KAAK,SAACmF,GAEL,OADAmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,IACjCA,IAERnF,KAAK,SAACmF,GAAD,OAAkBzI,EAAQ,CAACyI,EAAa+B,UAAW/B,EAAa02D,UAAW12D,EAAakC,OAAQ00D,MALxG,MAMS,SAAC1/D,GAAD,OAAOM,EAAON,MACtB,OACF2D,KAAK,SAAAoQ,GAAwC,IAAAC,EAAAuD,IAAAxD,EAAA,GAAtClJ,EAAsCmJ,EAAA,GAA3BqN,EAA2BrN,EAAA,GAArBhJ,EAAqBgJ,EAAA,GAAb0rD,EAAa1rD,EAAA,GACzCnJ,GAAeG,GAAUqW,KAASq+C,GAAW,IAGhDD,IAAoBC,EAAS9gD,EAAQqT,KAsB5BwtC,CAAkB,EAAGvnC,EAASjG,GAClCtuB,KAAK,WACJtD,MAbFA,SCxBOs/D,EAAA,CACb1vC,MAAO,CAAC,eAAgB,iBAAkB,eAC1CpyB,KAFa,WAGX,MAAO,CACL+hE,YAAY,IAGhBtlC,SAAU,CACRulC,UADQ,WAEN,OAAO1pD,KAAKypD,YAAczpD,KAAKrN,aAAa+B,WAE9CoE,MAJQ,WAKN,OAAIkH,KAAKypD,YAAczpD,KAAKrN,aAAa+B,UAChCsL,KAAK+lB,GAAG,6BACN/lB,KAAKrN,aAAa02D,UACpBrpD,KAAK+lB,GAAG,0BAER/lB,KAAK+lB,GAAG,qBAGnB4jC,MAbQ,WAcN,OAAI3pD,KAAKypD,WACAzpD,KAAK+lB,GAAG,6BACN/lB,KAAKrN,aAAa+B,UACpBsL,KAAK4pD,gBAAkB5pD,KAAK+lB,GAAG,uBAC7B/lB,KAAKrN,aAAa02D,UACpBrpD,KAAK+lB,GAAG,yBAER/lB,KAAK+lB,GAAG,sBAIrBxL,QAAS,CACPqH,QADO,WAEL5hB,KAAKrN,aAAa+B,UAAYsL,KAAK6pD,WAAa7pD,KAAK8pD,UAEvDA,OAJO,WAIG,IAAAvpD,EAAAP,KACRA,KAAKypD,YAAa,EAClBL,EAAcppD,KAAKrN,aAAa9B,GAAImP,KAAKia,QAAQzsB,KAAK,WACpD+S,EAAKkpD,YAAa,KAGtBI,SAVO,WAUK,IAAA/kC,EAAA9kB,KACJ8b,EAAQ9b,KAAKia,OACnBja,KAAKypD,YAAa,EDFO,SAAChhD,EAAQqT,GAAT,OAAmB,IAAI7xB,QAAQ,SAACC,EAASC,GACtE2xB,EAAM5B,MAAMwK,IAAIC,kBAAkB3Y,aAAa,CAAEnb,GAAI4X,IAClDjb,KAAK,SAACu0B,GACLjG,EAAM8I,OAAO,yBAA0B,CAAC7C,IACxC73B,EAAQ,CACN63B,gBCFFgoC,CAAgB/pD,KAAKrN,aAAa9B,GAAIirB,GAAOtuB,KAAK,WAChDs3B,EAAK2kC,YAAa,EAClB3tC,EAAM8I,OAAO,eAAgB,CAAEzc,SAAU,UAAWM,OAAQqc,EAAKnyB,aAAa9B,iBCnCtF+pB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdmhE,ECdF,WAA0B,IAAazuC,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,UAAoBI,YAAA,gCAAAC,MAAA,CAAmD8I,QAAtIlkB,KAAsI0pD,WAAyBjuC,MAAA,CAAQqrB,SAAvK9mC,KAAuKypD,WAAA3wD,MAAvKkH,KAAuKlH,OAA4CupB,GAAA,CAAKI,MAAxNziB,KAAwN4hB,UAAqB,CAA7O5hB,KAA6O2iB,GAAA,OAA7O3iB,KAA6O8lB,GAA7O9lB,KAA6O2pD,OAAA,SACvQ,IDIA,EAEA,KAEA,KAEA,MAYe/tC,EAAA,EAAAhB,EAAiB,sCEtBhC,IA6BeslC,EA7BS,CACtBpmC,MAAO,CAAC,aAAc,YACtBpyB,KAFsB,WAGpB,MAAO,CACLs/D,UAAWhnD,KAAKia,OAAOqN,QAAQlK,aAAa4pC,YAGhDzsC,QAAS,CACPyvC,gBADO,SACUngE,GACf,IAAMoD,EAASpD,EAAEogE,YAAcpgE,EAAEoD,YACiB,IAAvCA,EAAOi9D,4BAEZj9D,EAAOi9D,4BAA8B,IACvClqD,KAAKgnD,UAAYhnD,KAAKgnD,YAAchnD,KAAKia,OAAOqN,QAAQlK,aAAa6pC,0BAEhC,IAAvBh6D,EAAOk9D,YAEnBl9D,EAAOk9D,cACTnqD,KAAKgnD,UAAYhnD,KAAKgnD,YAAchnD,KAAKia,OAAOqN,QAAQlK,aAAa6pC,0BAEhC,IAAvBh6D,EAAOm9D,aACnBn9D,EAAOm9D,YAAYliE,OAAS,IAC9B8X,KAAKgnD,UAAYhnD,KAAKgnD,YAAchnD,KAAKia,OAAOqN,QAAQlK,aAAa6pC,+BCV/ErsC,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdgiE,ECdF,WAA0B,IAAatvC,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,SAAmBI,YAAA,QAAAM,MAAA,CAA2BvuB,IAA7G8S,KAA6G7D,WAAAjL,IAAAo5D,KAA7GtqD,KAA6GgnD,UAAAxF,SAA7GxhD,KAA6GwhD,SAAA9lC,IAA7G1b,KAA6G7D,WAAA3K,YAAAsH,MAA7GkH,KAA6G7D,WAAA3K,YAAA+4D,YAAA,IAA2JloC,GAAA,CAAKmoC,WAA7QxqD,KAA6QgqD,oBACvS,IDIA,EAEA,KAEA,KAEA,MAYepuC,EAAA,EAAAhB,EAAiB,iHE6BjBgvB,EAjDC,CACd9vB,MAAO,CACL,cACA,OACA,YAEFpyB,KANc,WAOZ,MAAO,CACL+iE,MAAO,KAGXpwC,WAAY,CAAEqvB,oBACdvlB,SAAU,CACRi6B,KADQ,WAEN,IAAKp+C,KAAKpG,YACR,MAAO,GAET,IAAMwkD,EAAOsM,IAAM1qD,KAAKpG,YAAa,GACrC,GAA0B,IAAtBoR,IAAKozC,GAAMl2D,QAAgBk2D,EAAKl2D,OAAS,EAAG,CAE9C,IAAMyiE,EAAiB3/C,IAAKozC,GAAM,GAC5BwM,EAAgBC,IAAUzM,GAEhC,OADApzC,IAAK4/C,GAAexiE,KAAKuiE,GAClBC,EAET,OAAOxM,GAETqJ,cAfQ,WAgBN,OAAOznD,KAAKia,OAAOqN,QAAQlK,aAAaqqC,gBAG5CltC,QAAS,CACPuwC,kBADO,SACYj6D,EAAIw6C,GACrBrrC,KAAKi0C,KAAKj0C,KAAKyqD,MAAO55D,EAAIw6C,IAE5B0f,SAJO,SAIGC,GACR,MAAO,CAAEC,iBAAA,GAAA30D,OAAsB,KAAO00D,EAAc,IAA3C,OAEXE,UAPO,SAOIr6D,EAAIs6D,GAAK,IAAA5qD,EAAAP,KACZorD,EAAQC,IAAMF,EAAK,SAAAtI,GAAI,OAAItiD,EAAK+qD,eAAezI,EAAKhyD,MAC1D,MAAO,CAAE06D,KAAI,GAAAj1D,OAAK0J,KAAKsrD,eAAez6D,GAAMu6D,EAA/B,WAEfE,eAXO,SAWSz6D,GACd,IAAMw6C,EAAOrrC,KAAKyqD,MAAM55D,GACxB,OAAOw6C,EAAOA,EAAKlsB,MAAQksB,EAAKjsB,OAAS,YCvC/C,IAEA1E,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdmjE,ECjBF,WAA0B,IAAAppC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBsH,IAAA,mBAAAwhB,YAAA,CAAoC7kB,MAAA,SAAgBiD,EAAAyY,GAAAzY,EAAA,cAAA+oC,EAAAplB,GAAuC,OAAA7qB,EAAA,OAAiBprB,IAAAi2C,EAAA5qB,YAAA,cAAAC,MAAA,CAA2CqwC,cAAArpC,EAAAqlC,cAAAiE,aAAAtpC,EAAAqlC,eAAoE5kC,MAAAT,EAAA2oC,SAAAI,EAAAjjE,SAAkC,CAAAgzB,EAAA,OAAYC,YAAA,qBAAgCiH,EAAAyY,GAAA,WAAA1+B,GAAmC,OAAA+e,EAAA,cAAwBprB,IAAAqM,EAAAtL,GAAAgyB,MAAAT,EAAA8oC,UAAA/uD,EAAAtL,GAAAs6D,GAAA1vC,MAAA,CAAmE8vB,YAAAnpB,EAAAsoB,SAAAvzC,KAAAirB,EAAAjrB,KAAAgF,aAAAmvC,cAAA,EAAAqgB,oBAAAvpC,EAAA0oC,kBAAA/6D,KAAA,KAAAoM,EAAAtL,SAA2J,OAAO,IACnrB,IDOA,EAaA6pB,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,sCE1BhC,IAkCeivB,EAlCK,CAClB96C,KAAM,cACN+qB,MAAO,CACL,OACA,OACA,QAEFpyB,KAPkB,WAQhB,MAAO,CACLkkE,aAAa,IAGjBznC,SAAU,CACR0nC,SADQ,WAKN,OAAO7rD,KAAKzG,KAAK8kB,QAAUre,KAAK7I,MAAsB,SAAd6I,KAAKqrC,MAE/CygB,eAPQ,WAQN,OAAO9rD,KAAKzG,KAAK/H,aAAe,KAAKu6D,KAAK/rD,KAAKzG,KAAK/H,eAGxDwwB,QAvBkB,WAuBP,IAAAzhB,EAAAP,KACT,GAAIA,KAAK6rD,SAAU,CACjB,IAAMG,EAAS,IAAIC,MACnBD,EAAOn/D,OAAS,WACd0T,EAAKqrD,aAAc,GAErBI,EAAO9+D,IAAM8S,KAAKzG,KAAK8kB,gBCrB7B,IAEA3D,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACd6jE,ECjBF,WAA0B,IAAA9pC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAAA,EAAA,KAAyBC,YAAA,oBAAAM,MAAA,CAAuCrxB,KAAAg4B,EAAA7oB,KAAArI,IAAAjE,OAAA,SAAAT,IAAA,aAAwD,CAAA41B,EAAAypC,UAAAzpC,EAAAwpC,YAAA1wC,EAAA,OAA8CC,YAAA,aAAAC,MAAA,CAAgC+wC,cAAA,UAAA/pC,EAAAipB,OAAuC,CAAAnwB,EAAA,OAAYO,MAAA,CAAOvuB,IAAAk1B,EAAA7oB,KAAA8kB,WAAsB+D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAmCC,YAAA,gBAA2B,CAAAD,EAAA,QAAaC,YAAA,mBAA8B,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA7oB,KAAA6yD,kBAAAhqC,EAAAO,GAAA,KAAAzH,EAAA,MAAgEC,YAAA,cAAyB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA7oB,KAAAT,UAAAspB,EAAAO,GAAA,KAAAP,EAAA,eAAAlH,EAAA,KAA4EC,YAAA,oBAA+B,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA7oB,KAAA/H,gBAAA4wB,EAAAQ,YAC5pB,IDOA,EAaAlI,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,sCE1BjB,IAAAyxC,EAAA,CACbvyC,MAAO,CAAE,QACTqK,SAAU,CACR8D,aADQ,WAGN,IAAMC,EAAY,IAAIC,IAAInoB,KAAKxG,KAAKvI,uBACpC,SAAAqF,OAAU4xB,EAAUE,SAApB,MAAA9xB,OAAiC4xB,EAAUG,KAA3C,2BCEN,IAEA3N,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdgkE,ECjBF,WAA0B,IAAatxC,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,iBAA4B,CAAAD,EAAA,QAAaO,MAAA,CAAO5X,OAAA,OAAAvJ,OAAhI0F,KAAgIioB,eAA2C,CAAA/M,EAAA,SAAcO,MAAA,CAAO7uB,KAAA,SAAAmC,KAAA,YAAkCq7B,SAAA,CAAW56B,MAA7OwQ,KAA6OxG,KAAAzI,eAA7OiP,KAA2Q2iB,GAAA,KAAAzH,EAAA,SAA0BO,MAAA,CAAO7uB,KAAA,SAAAmC,KAAA,UAAAS,MAAA,MAA5SwQ,KAAyV2iB,GAAA,KAAAzH,EAAA,UAA2BC,YAAA,gBAAAM,MAAA,CAAmCgH,MAAA,WAAkB,CAAzaziB,KAAya2iB,GAAA,WAAza3iB,KAAya8lB,GAAza9lB,KAAya+lB,GAAA,6CACnc,IDOA,EAaArL,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,0DENjBkkB,EAjBI,CACjBhlB,MAAO,CAAC,SACRqK,SAAU,CACRmoC,YADQ,WAEN,OAAOtsD,KAAK4K,MAAQ5K,KAAK4K,MAAMpa,MAAM,EAAG,IAAM,KAGlD6pB,WAAY,CACVR,sBAEFU,QAAS,CACPmP,gBADO,SACUlwB,GACf,OAAOigB,YAAoBjgB,EAAK3I,GAAI2I,EAAKzI,YAAaiP,KAAKia,OAAOC,MAAMC,SAAST,+BCPvF,IAEAgB,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdkkE,ECjBF,WAA0B,IAAAnqC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,WAAsBiH,EAAAyY,GAAAzY,EAAA,qBAAA5oB,GAAyC,OAAA0hB,EAAA,eAAyBprB,IAAA0J,EAAA3I,GAAAsqB,YAAA,eAAAM,MAAA,CAA8CwK,GAAA7D,EAAAsH,gBAAAlwB,KAAgC,CAAA0hB,EAAA,cAAmBC,YAAA,eAAAM,MAAA,CAAkCjiB,WAAa,KAAM,IACxV,IDOA,EAaAkhB,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,yDE1BhC,IAaM41B,EAAwB,CAC5BC,eAdqB,SAAClO,GACtB,IAAIiqB,EAEAC,EAAQ,CAAC,IAAK,MAAO,MAAO,MAAO,OACvC,OAAIlqB,EAAM,EACDA,EAAM,IAAMkqB,EAAM,IAG3BD,EAAW7vD,KAAK2jB,IAAI3jB,KAAKsC,MAAMtC,KAAK+vD,IAAInqB,GAAO5lC,KAAK+vD,IAAI,OAAQD,EAAMvkE,OAAS,GAGxE,CAAEq6C,IAFTA,EAAoD,GAA7CA,EAAM5lC,KAAKS,IAAI,KAAMovD,IAAWG,QAAQ,GAE5B/b,KADZ6b,EAAMD,OAMAhc,gDCHToc,QAAqBC,GAAS,SAACnlE,EAAMgY,GACzChY,EAAK6uD,gBAAgB72C,IACpB,KAEYkc,EAAA,WAAAl0B,GAAI,OAAI,SAAAgY,GACrB,IAAMotD,EAAYptD,EAAM,GACxB,MAAkB,MAAdotD,GAAqBplE,EAAKwO,MACrB62D,EAAarlE,EAAKwO,MAAlB62D,CAAyBrtD,GAEhB,MAAdotD,GAAqBplE,EAAKkjB,MACrBoiD,EAAatlE,EAAbslE,CAAmBttD,GAErB,KAGF,IAAMqtD,EAAe,SAAAx7D,GAAM,OAAI,SAAAmO,GACpC,IAAMutD,EAAWvtD,EAAM06B,cAAc8yB,OAAO,GAC5C,OAAO37D,EACJ0T,OAAO,SAAArH,GAAA,OAAAA,EAAGy8B,YAA8BD,cAAclhC,MAAM+zD,KAC5DnvC,KAAK,SAACrgB,EAAGnB,GACR,IAAI6wD,EAAS,EACTC,EAAS,EAqBb,OAlBAD,GAAU1vD,EAAE48B,YAAYD,gBAAkB6yB,EAAW,IAAM,EAC3DG,GAAU9wD,EAAE+9B,YAAYD,gBAAkB6yB,EAAW,IAAM,EAG3DE,GAAU1vD,EAAE4vD,SAAW,IAAM,EAC7BD,GAAU9wD,EAAE+wD,SAAW,IAAM,EAG7BF,GAAU1vD,EAAE48B,YAAYD,cAAcz6B,WAAWstD,GAAY,GAAK,EAClEG,GAAU9wD,EAAE+9B,YAAYD,cAAcz6B,WAAWstD,GAAY,GAAK,EAGlEE,GAAU1vD,EAAE48B,YAAYnyC,QACxBklE,GAAU9wD,EAAE+9B,YAAYnyC,QAKRilE,GAFO1vD,EAAE48B,YAAc/9B,EAAE+9B,YAAc,IAAO,QAMvD2yB,EAAe,SAAAtlE,GAAI,OAAI,SAAAgY,GAClC,IAAMutD,EAAWvtD,EAAM06B,cAAc8yB,OAAO,GAGtCI,EAFQ5lE,EAAKkjB,MAEI3F,OACrB,SAAAzL,GAAI,OACFA,EAAKzI,YAAYqpC,cAAcz6B,WAAWstD,IAC1CzzD,EAAKzK,KAAKqrC,cAAcz6B,WAAWstD,KAMrCz8D,MAAM,EAAG,IAAIstB,KAAK,SAACrgB,EAAGnB,GACtB,IAAI6wD,EAAS,EACTC,EAAS,EAgBb,OAbAD,GAAU1vD,EAAE1M,YAAYqpC,cAAcz6B,WAAWstD,GAAY,EAAI,EACjEG,GAAU9wD,EAAEvL,YAAYqpC,cAAcz6B,WAAWstD,GAAY,EAAI,EAGjEE,GAAU1vD,EAAE1O,KAAKqrC,cAAcz6B,WAAWstD,GAAY,EAAI,EAGzB,KAFjCG,GAAU9wD,EAAEvN,KAAKqrC,cAAcz6B,WAAWstD,GAAY,EAAI,GAEnCE,IAGI1vD,EAAE1O,KAAOuN,EAAEvN,KAAO,GAAK,IACjB0O,EAAE1M,YAAcuL,EAAEvL,YAAc,GAAK,KAIrEc,IAAI,SAAAgM,GAAA,IAAG9M,EAAH8M,EAAG9M,YAAH,MAAwD,CAC7DspC,YAAatpC,EACbw8D,WAFK1vD,EAAgB9O,KAGrBs+D,SAHKxvD,EAAsBzL,2BAI3B0oC,YAAa,IAAM/pC,EAAc,OAOnC,OAHIrJ,EAAK6uD,iBACPqW,EAAmBllE,EAAMulE,GAEpBK,qTClGME,QAAIC,UAAU,eAAgB,CAC3C1+D,KAAM,cACN+qB,MAAO,CACL4zC,kBAAmB,CACjBC,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,GAEX4qC,SAAU,CACRD,UAAU,EACV/gE,KAAMs2B,SACNF,aAASx0B,GAEXq/D,UAAW,CACTF,UAAU,EACV/gE,KAAMkE,OACNkyB,aAASx0B,GAEXs/D,eAAgB,CACdH,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,GAEX+qC,WAAY,CACVJ,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,IAGbt7B,KA7B2C,WA8BzC,MAAO,CACLsmE,OAAQhuD,KAAK8iD,OAAL,QAAoBmL,UAAU,SAAA/oD,GAAC,OAAIA,EAAE5Y,QAGjD63B,sWAAQvrB,CAAA,CACNs1D,YADM,WACS,IAAA3tD,EAAAP,KAEb,OAAIA,KAAK6tD,UACA7tD,KAAK8iD,OAAL,QAAoBmL,UAAU,SAAApoC,GAAI,OAAItlB,EAAKstD,YAAchoC,EAAK/1B,MAE9DkQ,KAAKguD,QAGhBG,qBATM,WAUJ,MAAmC,YAA5BnuD,KAAKouD,qBAEX1nC,YAAS,CACV0nC,mBAAoB,SAAAl0C,GAAK,OAAIA,EAAK,UAAWk0C,uBAGjDC,aAlD2C,WAmDrBruD,KAAK8iD,OAAL,QAAoB9iD,KAAKguD,QAC5B1hE,MACf0T,KAAKguD,OAAShuD,KAAK8iD,OAAL,QAAoBmL,UAAU,SAAA/oD,GAAC,OAAIA,EAAE5Y,QAGvDiuB,QAAS,CACP+zC,SADO,SACGvoB,GAAO,IAAAjhB,EAAA9kB,KACf,OAAO,SAACnW,GACNA,EAAEqhC,iBACFpG,EAAKypC,OAAOxoB,KAGhBwoB,OAPO,SAOCxoB,GACuB,mBAAlB/lC,KAAK4tD,UACd5tD,KAAK4tD,SAASplE,KAAK,KAAMwX,KAAK8iD,OAAL,QAAoB/c,GAAOj2C,KAEtDkQ,KAAKguD,OAASjoB,EACV/lC,KAAK8tD,iBACP9tD,KAAK4f,MAAM4uC,SAASrT,UAAY,KAItCsT,OAzE2C,SAyEnCC,GAAG,IAAAvpC,EAAAnlB,KACH2uD,EAAO3uD,KAAK8iD,OAAL,QACVjxD,IAAI,SAACg0B,EAAMkgB,GACV,GAAKlgB,EAAKv5B,IAAV,CACA,IAAMsiE,EAAa,CAAC,OACdC,EAAiB,CAAC,eAKxB,OAJI1pC,EAAK+oC,cAAgBnoB,IACvB6oB,EAAWxmE,KAAK,UAChBymE,EAAezmE,KAAK,WAElBy9B,EAAKn+B,KAAK+zB,MAAM4C,MAClBqwC,EAAA,OAAAtzC,MACcyzC,EAAevtD,KAAK,MADlC,CAAAotD,EAAA,UAAAjzC,MAAA,CAAAqrB,SAGgBjhB,EAAKn+B,KAAK+zB,MAAMqrB,UAHhCzkB,GAAA,CAAAI,MAIe0C,EAAKmpC,SAASvoB,IAJ7B3qB,MAKawzC,EAAWttD,KAAK,MAL7B,CAAAotD,EAAA,OAAAjzC,MAAA,CAAAvuB,IAMgB24B,EAAKn+B,KAAK+zB,MAAM4C,MANhCvlB,MAM8C+sB,EAAKn+B,KAAK+zB,MAAM,oBACvDoK,EAAKn+B,KAAK+zB,MAAMkuC,MAAQ,GAAK9jC,EAAKn+B,KAAK+zB,MAAMkuC,UAKtD+E,EAAA,OAAAtzC,MACcyzC,EAAevtD,KAAK,MADlC,CAAAotD,EAAA,UAAAjzC,MAAA,CAAAqrB,SAGgBjhB,EAAKn+B,KAAK+zB,MAAMqrB,SAHhCl6C,KAMW,UANXy1B,GAAA,CAAAI,MAIe0C,EAAKmpC,SAASvoB,IAJ7B3qB,MAKawzC,EAAWttD,KAAK,MAL7B,CAQQukB,EAAKn+B,KAAK+zB,MAAM2C,KAAjBswC,EAAA,KAAAtzC,MAAwC,iBAAmByK,EAAKn+B,KAAK+zB,MAAM2C,OAAnD,GAR/BswC,EAAA,QAAAtzC,MASkB,QATlB,CAUSyK,EAAKn+B,KAAK+zB,MAAMkuC,eAOvB6E,EAAWxuD,KAAK8iD,OAAL,QAAoBjxD,IAAI,SAACg0B,EAAMkgB,GAC9C,GAAKlgB,EAAKv5B,IAAV,CACA,IAAM0hE,EAAS7oC,EAAK+oC,cAAgBnoB,EAC9Bve,EAAU,CAAEwmC,EAAS,SAAW,UAClCnoC,EAAKn+B,KAAK+zB,MAAMqzC,YAClBtnC,EAAQp/B,KAAK,eAEf,IAAM2mE,GAAe5pC,EAAKuoC,mBAAqBM,EAC3CnoC,EACA,GAEJ,OAAA6oC,EAAA,OAAAtzC,MACcoM,GADd,CAGMrC,EAAK4oC,WAALW,EAAA,MAAAtzC,MACc,gBADd,CAC8ByK,EAAKn+B,KAAK+zB,MAAMkuC,QAC1C,GAELoF,OAKP,OAAAL,EAAA,OAAAtzC,MACc,iBAAmBpb,KAAK+tD,WAAa,YAAc,aADjE,CAAAW,EAAA,OAAAtzC,MAEe,QAFf,CAGOuzC,IAHPD,EAAA,OAAAlsC,IAKa,WALbpH,MAK+B,YAAcpb,KAAK8tD,eAAiB,mBAAqB,IALxFvjC,WAAA,EAAAx7B,KAAA,mBAAAS,MAKiHwQ,KAAKmuD,wBALtH,CAMOK,yFCnJXnlE,EAAAyF,EAAA8sB,EAAA,sBAAAozC,IAAA,IAAAC,EAAA5lE,EAAA,IAAA6lE,EAAA7lE,EAAA2G,EAAAi/D,GAIMD,EAAoB,SAACp0C,GAAD,OAFE,SAACA,GAAD,OAAgBu0C,IAAWv0C,GAAcA,EAAUjiB,QAAUiiB,EAEhDw0C,CAAoBx0C,GAAWd,gICS3Du1C,EAAqB,SAACC,GACjC,OAAOC,IAAOD,EAAO,SAACvmE,EAAQymE,GAC5B,IAAM9nE,EAAO,CACX8nE,OACAC,MAAO,EACPC,IAAKF,EAAKtnE,QAGZ,GAAIa,EAAOb,OAAS,EAAG,CACrB,IAAMynE,EAAW5mE,EAAOugD,MAExB5hD,EAAK+nE,OAASE,EAASD,IACvBhoE,EAAKgoE,KAAOC,EAASD,IAErB3mE,EAAOX,KAAKunE,GAKd,OAFA5mE,EAAOX,KAAKV,GAELqB,GACN,KAGQ6mE,EAA4B,SAACjtB,GAGxC,IAFA,IAAI55C,EAAS,GACT8mE,EAAc,GACT7nE,EAAI,EAAGA,EAAI26C,EAAIz6C,OAAQF,IAAK,CACnC,IAAM8nE,EAAcntB,EAAI36C,GAEnB6nE,IAMCC,EAAY5mB,UAAa2mB,EAAY3mB,OAK3C2mB,GAAeC,GAJb/mE,EAAOX,KAAKynE,GACZA,EAAcC,GAPdD,EAAcC,EAgBlB,OAHID,GACF9mE,EAAOX,KAAKynE,GAEP9mE,GAUMgnE,EAPI,CACjBC,eAzD4B,SAACrtB,EAAKstB,GAClC,IAAMX,EAAQM,EAA0BjtB,GAClCutB,EAAoBb,EAAmBC,GAE7C,OAAO3yB,IAAKuzB,EAAmB,SAAAtyD,GAAA,IAAG6xD,EAAH7xD,EAAG6xD,MAAOC,EAAV9xD,EAAU8xD,IAAV,OAAoBD,GAASQ,GAAOP,EAAMO,KAsDzEZ,qBACAO,4BACAO,YAhEyB,SAACxtB,EAAKytB,EAAWt1B,GAC1C,OAAO6H,EAAInyC,MAAM,EAAG4/D,EAAUX,OAAS30B,EAAc6H,EAAInyC,MAAM4/D,EAAUV,eCMrEW,EAAkB,SAAC3N,GAAuB,IAAjB4N,EAAiBr1D,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAP,GACvC,OAAOynD,EAAKz9C,OAAO,SAAAkb,GAAC,OAAIA,EAAEka,YAAYnmC,SAASo8D,MAgLlCC,EA7KK,CAClBz2C,MAAO,CACL02C,oBAAqB,CACnB7C,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,IAGbt7B,KARkB,WAShB,MAAO,CACL4oE,QAAS,GACTG,YAAa,SACbC,iBAAiB,EACjBC,oBAAqB,eACrBC,UAAU,EACVC,uBAxBgB,GAyBhBC,mBAAoB,KACpBC,6BAA6B,IAGjC12C,WAAY,CACV22C,cAAe,kBAAM3nE,EAAAQ,EAAA,GAAA2D,KAAAnE,EAAA0G,KAAA,YACrBwkD,cAEFh6B,QAAS,CACP02C,kBADO,SACYpnE,GACjBmW,KAAKuhB,MAAM,mBAAoB13B,IAEjCqnE,sBAJO,SAIgBrnE,GACrBmW,KAAKuhB,MAAM,wBAAyB13B,IAEtCsnE,QAPO,SAOEj7D,GACP,IAAM1G,EAAQ0G,EAAMm3D,SAAN,IAAA/2D,OAAqBJ,EAAMmkC,YAA3B,KAA4CnkC,EAAM4kC,YAChE96B,KAAKuhB,MAAM,QAAS,CAAE6vC,UAAW5hE,EAAOohE,SAAU5wD,KAAK4wD,YAEzDS,SAXO,SAWGxnE,GACR,IAAMoD,EAAUpD,GAAKA,EAAEoD,QAAW+S,KAAK4f,MAAM,gBAC7C5f,KAAKsxD,oBAAoBrkE,GACzB+S,KAAKuxD,cAActkE,GACnB+S,KAAKwxD,gBAAgBvkE,IAEvBy7B,UAjBO,SAiBI54B,GAAK,IAAAyQ,EAAAP,KAERigB,EADMjgB,KAAK4f,MAAM,SAAW9vB,GAClB,GAAG84D,UACnB5oD,KAAKyxD,iBAAgB,GACrBzxD,KAAKywD,YAAc3gE,EACnBkQ,KAAKwhB,UAAU,WACbjhB,EAAKqf,MAAM,gBAAgBu7B,UAAYl7B,EAAM,KAGjDqxC,oBA1BO,SA0BcrkE,GACfA,EAAOkuD,WAAa,EACtBn7C,KAAK2wD,oBAAsB,eAClB1jE,EAAOkuD,WAAaluD,EAAOykE,aAAe,EACnD1xD,KAAK2wD,oBAAsB,kBAE3B3wD,KAAK2wD,oBAAsB,mBAG/Ba,gBAnCO,SAmCUvkE,GACf,IAAMu1B,EAAMxiB,KAAK4f,MAAM,oBAAoB,GAC3C,GAAK4C,EAAL,CACA,IAAM9B,EAAS8B,EAAIomC,UAAYpmC,EAAIzB,aAE7B4wC,EAAiB1kE,EAAOkuD,UAAYluD,EAAO2kE,aAC3CC,EAAc5kE,EAAOkuD,UACrB2W,EAAc7kE,EAAOsuD,aAOC76B,EAASmxC,GAAeF,IAAmBG,KAJ7CpxC,EAASixC,EA3Ef,OA6ENE,EAAc,IAI1B7xD,KAAK+xD,cAGTR,cAtDO,SAsDQtkE,GAAQ,IAAA63B,EAAA9kB,KACfigB,EAAMhzB,EAAOkuD,UAAY,EAC/Bn7C,KAAKwhB,UAAU,WACbsD,EAAKktC,WAAWnjD,QAAQ,SAAAojD,GACVntC,EAAKlF,MAAM,SAAWqyC,EAAMphE,IAChC,GAAG+3D,WAAa3oC,IACtB6E,EAAK2rC,YAAcwB,EAAMphE,SAKjCkhE,UAjEO,WAkEa/xD,KAAKkyD,kBAAkBhqE,SAAW8X,KAAKmyD,cAAcjqE,SAMvE8X,KAAK6wD,wBAzGW,KA2GlBuB,eA1EO,WA0E8B,IAAAjtC,EAAAnlB,KAArBqyD,EAAqBp3D,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,IAAAA,UAAA,GAC9Bo3D,IACHryD,KAAKswD,QAAU,IAEjBtwD,KAAKwhB,UAAU,WACb2D,EAAKvF,MAAM,gBAAgBu7B,UAAY,IAEtBn7C,KAAKkyD,kBAAkBhqE,SACA8X,KAAKmyD,cAAcjqE,SAClCmqE,IAG3BryD,KAAK6wD,uBAvHW,KAyHlByB,eAxFO,WAyFLtyD,KAAK0wD,iBAAmB1wD,KAAK0wD,iBAE/Be,gBA3FO,SA2FUjiE,GACfwQ,KAAK0wD,gBAAkBlhE,IAG3B2yC,MAAO,CACLmuB,QADK,WAEHtwD,KAAK+wD,6BAA8B,EACnC/wD,KAAKqxD,WACLrxD,KAAKoyD,gBAAe,KAGxBjuC,SAAU,CACRouC,gBADQ,WAEN,OAAOvyD,KAAK0wD,gBAAkB,GAAK1wD,KAAKywD,aAE1C+B,kBAJQ,WAKN,OAAIxyD,KAAKia,OAAOC,MAAMC,SAASs4C,SACtBzyD,KAAKia,OAAOC,MAAMC,SAASs4C,SAASvqE,OAAS,EAE/C,GAETiqE,cAVQ,WAWN,OAAO9B,EACLrwD,KAAKia,OAAOC,MAAMC,SAASm8B,aAAe,GAC1Ct2C,KAAKswD,UAGT4B,kBAhBQ,WAiBN,OAAOlyD,KAAKmyD,cAAc3hE,MAAM,EAAGwP,KAAK6wD,yBAE1Ct/D,OAnBQ,WAoBN,IAAMmhE,EAAiB1yD,KAAKia,OAAOC,MAAMC,SAASjkB,OAAS,GACrDy8D,EAAe3yD,KAAKkyD,kBAE1B,MAAO,CACL,CACErhE,GAAI,SACJ0G,KAAMyI,KAAK+lB,GAAG,gBACd3H,KAAM,aACN7sB,OAAQohE,GAEV,CACE9hE,GAAI,WACJ0G,KAAMyI,KAAK+lB,GAAG,iBACd3H,KAAM,eACN7sB,OAAQ8+D,EAAgBqC,EAAgB1yD,KAAKswD,YAInD0B,WAtCQ,WAuCN,OAAOhyD,KAAKzO,OAAO0T,OAAO,SAAAzV,GAAK,OAAIA,EAAM+B,OAAOrJ,OAAS,KAE3D0qE,qBAzCQ,WA0CN,OAA8D,KAAtD5yD,KAAKia,OAAOC,MAAMC,SAASs4C,UAAY,IAAIvqE,iBC7KzD,IAEAwyB,EAVA,SAAAC,GACEtxB,EAAQ,MAyBKwpE,EAVCxqE,OAAAwyB,EAAA,EAAAxyB,CACdyqE,ECjBF,WAA0B,IAAA1wC,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,+CAA0D,CAAAD,EAAA,OAAYC,YAAA,WAAsB,CAAAD,EAAA,QAAaC,YAAA,cAAyBiH,EAAAyY,GAAAzY,EAAA,gBAAA6vC,GAAqC,OAAA/2C,EAAA,QAAkBprB,IAAAmiE,EAAAphE,GAAAsqB,YAAA,kBAAAC,MAAA,CACnS4yC,OAAA5rC,EAAAmwC,kBAAAN,EAAAphE,GACAi2C,SAAA,IAAAmrB,EAAA1gE,OAAArJ,QACSuzB,MAAA,CAAQ3iB,MAAAm5D,EAAA16D,MAAmB8qB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAsG,UAAAupC,EAAAphE,OAAiC,CAAAqqB,EAAA,KAAUE,MAAA62C,EAAA7zC,WAAqB,GAAAgE,EAAAO,GAAA,KAAAP,EAAA,qBAAAlH,EAAA,QAAuDC,YAAA,mBAA8B,CAAAD,EAAA,QAAaC,YAAA,yCAAAC,MAAA,CAA4D4yC,OAAA5rC,EAAAsuC,iBAA4Bj1C,MAAA,CAAQ3iB,MAAAspB,EAAA2D,GAAA,mBAAiC1D,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAkwC,eAAAhvC,MAAoC,CAAApI,EAAA,KAAUC,YAAA,kBAAwBiH,EAAAQ,OAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAuCC,YAAA,WAAsB,CAAAD,EAAA,OAAYC,YAAA,gBAAAC,MAAA,CAAmC4D,OAAAoD,EAAAsuC,kBAA6B,CAAAx1C,EAAA,OAAYC,YAAA,gBAA2B,CAAAD,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,QAAAqI,WAAA,YAAwEtP,YAAA,eAAAM,MAAA,CAAoC7uB,KAAA,OAAAguC,YAAAxY,EAAA2D,GAAA,uBAAyDqE,SAAA,CAAW56B,MAAA4yB,EAAA,SAAsBC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAkuC,QAAAhtC,EAAAr2B,OAAAuC,aAAkC4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BsH,IAAA,eAAArH,YAAA,eAAAC,MAAAgH,EAAAuuC,oBAAAtuC,GAAA,CAAgF45B,OAAA75B,EAAAivC,WAAuBjvC,EAAAyY,GAAAzY,EAAA,oBAAA6vC,GAAyC,OAAA/2C,EAAA,OAAiBprB,IAAAmiE,EAAAphE,GAAAsqB,YAAA,eAAuC,CAAAD,EAAA,MAAWsH,IAAA,SAAAyvC,EAAAphE,GAAAkiE,UAAA,EAAA53C,YAAA,qBAAsE,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAAmsC,EAAA16D,MAAA,kBAAA6qB,EAAAO,GAAA,KAAAP,EAAAyY,GAAAo3B,EAAA,gBAAA/7D,GAAiH,OAAAglB,EAAA,QAAkBprB,IAAAmiE,EAAAphE,GAAAqF,EAAAmkC,YAAAlf,YAAA,aAAAM,MAAA,CAAiE3iB,MAAA5C,EAAAmkC,aAA0BhY,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA+uC,QAAAj7D,MAA4B,CAAAA,EAAAm3D,SAAAnyC,EAAA,OAA6EO,MAAA,CAAOvuB,IAAAgJ,EAAAm3D,YAApFnyC,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA5vB,EAAA4kC,oBAA8G1Y,EAAAO,GAAA,KAAAzH,EAAA,QAAyBsH,IAAA,aAAAyvC,EAAAphE,GAAAkiE,UAAA,KAA0C,KAAM,GAAA3wC,EAAAO,GAAA,KAAAzH,EAAA,OAA2BC,YAAA,aAAwB,CAAAD,EAAA,YAAiBuiC,MAAA,CAAOjuD,MAAA4yB,EAAA,SAAAs7B,SAAA,SAAAC,GAA8Cv7B,EAAAwuC,SAAAjT,GAAiBlzB,WAAA,aAAwB,CAAArI,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAO,GAAA,KAAAP,EAAA,gBAAAlH,EAAA,OAA4HC,YAAA,oBAA+B,CAAAD,EAAA,kBAAuBmH,GAAA,CAAIg9B,SAAAj9B,EAAA6uC,kBAAA3R,gBAAAl9B,EAAA8uC,0BAA4E,GAAA9uC,EAAAQ,UACvsE,IDIA,EAaAlI,EATA,KAEA,MAYgC,6OEHhC,IA8ce05B,EA9cI,CACjBt6B,MAAO,CACL0jC,QAAS,CAsBPmQ,UAAU,EACV/gE,KAAMs2B,UAER1zB,MAAO,CAILm+D,UAAU,EACV/gE,KAAMkE,QAERkiE,kBAAmB,CAIjBrF,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,GAEXiwC,gBAAiB,CAKftF,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,GAEXwtC,oBAAqB,CAInB7C,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,GAEXrE,UAAW,CAKTgvC,UAAU,EACV/gE,KAAMkE,OACNkyB,QAAS,QAEXkwC,mBAAoB,CAClBvF,UAAU,EACV/gE,KAAM+N,QACNqoB,SAAS,IAGbt7B,KA1EiB,WA2Ef,MAAO,CACLgY,WAAOlR,EACP60C,YAAa,EACbsS,MAAO,EACP3U,SAAS,EACTmyB,YAAa,KACbC,YAAY,EACZC,4BAA4B,EAC5BzC,UAAU,EACV0C,qBAAqB,IAGzBj5C,WAAY,CACVk2C,eAEFpsC,SAAU,CACR4iC,SADQ,WAEN,OAAO/mD,KAAKia,OAAOqN,QAAQlK,aAAa2pC,UAE1C/xC,YAJQ,WAIO,IAAAzU,EAAAP,KACPuzD,EAAYvzD,KAAKwzD,YAAY5wB,OAAO,GAC1C,GAAI5iC,KAAKwzD,cAAgBD,EAAa,MAAO,GAC7C,IAAME,EAAqBzzD,KAAKw9C,QAAQx9C,KAAKwzD,aAC7C,OAAIC,EAAmBvrE,QAAU,EACxB,GAEFwrE,IAAKD,EAAoB,GAC7B5hE,IAAI,SAAA+L,EAAwBmoC,GAAxB,IAAGsnB,EAAHzvD,EAAGyvD,SAAH,oWAAAz0D,CAAA,GAAAgT,IAAAhO,EAAA,eAGHmiD,IAAKsN,GAAY,GACjBhqB,YAAa0C,IAAUxlC,EAAK8iC,iBAGlCswB,gBAnBQ,WAoBN,OAAO3zD,KAAKghC,SACVhhC,KAAKgV,aACLhV,KAAKgV,YAAY9sB,OAAS,IACzB8X,KAAKozD,aACLpzD,KAAKqzD,4BAEVG,YA1BQ,WA2BN,OAAQxzD,KAAK4zD,aAAe,IAAIpE,MAAQ,IAE1CoE,YA7BQ,WA8BN,GAAI5zD,KAAKxQ,OAASwQ,KAAK21C,MAErB,OADake,EAAW7D,eAAehwD,KAAKxQ,MAAOwQ,KAAK21C,MAAQ,IAAM,KAK5EnB,QA9HiB,WA+Hf,IAAMsf,EAAQ9zD,KAAK8iD,OAAL,QACd,GAAKgR,GAA0B,IAAjBA,EAAM5rE,OAApB,CACA,IAAMwX,EAAQo0D,EAAM/5B,KAAK,SAAAlU,GAAI,MAAI,CAAC,QAAS,YAAY3xB,SAAS2xB,EAAKv5B,OAChEoT,IACLM,KAAKN,MAAQA,EACbM,KAAK00C,SACLh1C,EAAMq0D,IAAIntD,iBAAiB,OAAQ5G,KAAKg0D,QACxCt0D,EAAMq0D,IAAIntD,iBAAiB,QAAS5G,KAAKi0D,SACzCv0D,EAAMq0D,IAAIntD,iBAAiB,QAAS5G,KAAKk0D,SACzCx0D,EAAMq0D,IAAIntD,iBAAiB,QAAS5G,KAAKm0D,SACzCz0D,EAAMq0D,IAAIntD,iBAAiB,UAAW5G,KAAKo0D,WAC3C10D,EAAMq0D,IAAIntD,iBAAiB,QAAS5G,KAAKq0D,cACzC30D,EAAMq0D,IAAIntD,iBAAiB,gBAAiB5G,KAAKs0D,cACjD50D,EAAMq0D,IAAIntD,iBAAiB,QAAS5G,KAAKu0D,YAE3CC,UA9IiB,WA8IJ,IACH90D,EAAUM,KAAVN,MACJA,IACFA,EAAMq0D,IAAI7xC,oBAAoB,OAAQliB,KAAKg0D,QAC3Ct0D,EAAMq0D,IAAI7xC,oBAAoB,QAASliB,KAAKi0D,SAC5Cv0D,EAAMq0D,IAAI7xC,oBAAoB,QAASliB,KAAKk0D,SAC5Cx0D,EAAMq0D,IAAI7xC,oBAAoB,QAASliB,KAAKm0D,SAC5Cz0D,EAAMq0D,IAAI7xC,oBAAoB,UAAWliB,KAAKo0D,WAC9C10D,EAAMq0D,IAAI7xC,oBAAoB,QAASliB,KAAKq0D,cAC5C30D,EAAMq0D,IAAI7xC,oBAAoB,gBAAiBliB,KAAKs0D,cACpD50D,EAAMq0D,IAAI7xC,oBAAoB,QAASliB,KAAKu0D,WAGhDpyB,MAAO,CACLwxB,gBAAiB,SAAUc,GACzBz0D,KAAKuhB,MAAM,QAASkzC,KAGxBl6C,QAAS,CACP4hC,kBADO,WACc,IAAAr3B,EAAA9kB,KACnBA,KAAKozD,YAAa,EAClBpzD,KAAK4f,MAAM80C,OAAOtC,iBAClBpyD,KAAKwhB,UAAU,WACbsD,EAAK6vC,mBAKP30D,KAAKszD,qBAAsB,EAC3B7kE,WAAW,WACTq2B,EAAKwuC,qBAAsB,GAC1B,IAELsB,aAfO,WAgBL50D,KAAKN,MAAMq0D,IAAI7gB,QACflzC,KAAKozD,YAAcpzD,KAAKozD,WACpBpzD,KAAKozD,aACPpzD,KAAK20D,iBACL30D,KAAK4f,MAAM80C,OAAOtC,mBAGtBngE,QAvBO,SAuBE6oC,GACP,IAAM25B,EAAWZ,EAAW1D,YAAYnwD,KAAKxQ,MAAOwQ,KAAK4zD,YAAa94B,GACtE96B,KAAKuhB,MAAM,QAASkzC,GACpBz0D,KAAK21C,MAAQ,GAEfkf,OA5BO,SAAAh3D,GA4BmD,IAAhDuzD,EAAgDvzD,EAAhDuzD,UAAWR,EAAqC/yD,EAArC+yD,SAAqCkE,EAAAj3D,EAA3Bk3D,wBAA2B,IAAAD,KAClDE,EAASh1D,KAAKxQ,MAAMspC,UAAU,EAAG94B,KAAK21C,QAAU,GAChDsf,EAAQj1D,KAAKxQ,MAAMspC,UAAU94B,KAAK21C,QAAU,GAgB5Cuf,EAAe,KACfC,EAAeJ,IAAqBG,EAAat2D,KAAKo2D,EAAOxkE,OAAO,KAAOwkE,EAAO9sE,QAAU8X,KAAK+mD,SAAW,EAAK,IAAM,GACvHqO,EAAcL,IAAqBG,EAAat2D,KAAKq2D,EAAM,KAAOj1D,KAAK+mD,SAAY,IAAM,GAEzF0N,EAAW,CACfO,EACAG,EACA/D,EACAgE,EACAH,GACA3zD,KAAK,IACPtB,KAAK4wD,SAAWA,EAChB5wD,KAAKuhB,MAAM,QAASkzC,GACpB,IAAM77B,EAAW54B,KAAK21C,OAASyb,EAAYgE,EAAaD,GAAajtE,OAChE0oE,GACH5wD,KAAKN,MAAMq0D,IAAI7gB,QAGjBlzC,KAAKwhB,UAAU,WAGbxhB,KAAKN,MAAMq0D,IAAIlf,kBAAkBjc,EAAUA,GAC3C54B,KAAK21C,MAAQ/c,KAGjBy8B,YAvEO,SAuEMxrE,EAAGyrE,GACd,IAAMC,EAAMv1D,KAAKgV,YAAY9sB,QAAU,EACvC,GAAgC,IAA5B8X,KAAKwzD,YAAYtrE,SACjBqtE,EAAM,GAAKD,GAAY,CACzB,IACMx6B,GADmBw6B,GAAct1D,KAAKgV,YAAYhV,KAAKqjC,cACxBvI,YAC/B25B,EAAWZ,EAAW1D,YAAYnwD,KAAKxQ,MAAOwQ,KAAK4zD,YAAa94B,GACtE96B,KAAKuhB,MAAM,QAASkzC,GACpBz0D,KAAKqjC,YAAc,EACnB,IAAMzK,EAAW54B,KAAK4zD,YAAYnE,MAAQ30B,EAAY5yC,OAEtD8X,KAAKwhB,UAAU,WAEbxhB,KAAKN,MAAMq0D,IAAI7gB,QAEflzC,KAAKN,MAAMq0D,IAAIlf,kBAAkBjc,EAAUA,GAC3C54B,KAAK21C,MAAQ/c,IAEf/uC,EAAEqhC,mBAGNsqC,cA5FO,SA4FQ3rE,IACDmW,KAAKgV,YAAY9sB,QAAU,GAC7B,GACR8X,KAAKqjC,aAAe,EAChBrjC,KAAKqjC,YAAc,IACrBrjC,KAAKqjC,YAAcrjC,KAAKgV,YAAY9sB,OAAS,GAE/C2B,EAAEqhC,kBAEFlrB,KAAKqjC,YAAc,GAGvBoyB,aAxGO,SAwGO5rE,GACZ,IAAM0rE,EAAMv1D,KAAKgV,YAAY9sB,QAAU,EACnCqtE,EAAM,GACRv1D,KAAKqjC,aAAe,EAChBrjC,KAAKqjC,aAAekyB,IACtBv1D,KAAKqjC,YAAc,GAErBx5C,EAAEqhC,kBAEFlrB,KAAKqjC,YAAc,GAGvBsxB,eApHO,WAoHW,IAAAxvC,EAAAnlB,KACV01D,EAAU11D,KAAK4f,MAAL,OAAqBN,IAK/Bs7B,EAAc56C,KAAKsf,IAAIC,QAAQ,sBAC/Bvf,KAAKsf,IAAIC,QAAQ,0BACjBjvB,OACA2qD,EAAgBL,IAAgBtqD,OAClCsqD,EAAYM,QACZN,EAAYO,UAKVE,EAAuBJ,GAJNL,IAAgBtqD,OACnCsqD,EAAYj6B,YACZi6B,EAAY75B,cAKV40C,EAAmBD,EAAQ30C,aAAe46B,YAAW+Z,EAAS9a,GAAa36B,IAI3E87B,EAAed,EAFDt+C,KAAK4jB,IAAI,EAAGo1C,EAAmBta,GAI/CT,IAAgBtqD,OAClBsqD,EAAYqB,OAAO,EAAGF,GAEtBnB,EAAYO,UAAYY,EAG1B/7C,KAAKwhB,UAAU,WAAM,IACXT,EAAiBoE,EAAKzlB,MAAMq0D,IAA5BhzC,aACA2zC,EAAWvvC,EAAKvF,MAAhB80C,OACaA,EAAOp1C,IAAIG,wBAAwBiB,OACrCpwB,OAAOqwB,cACxB+zC,EAAOp1C,IAAIuD,MAAM5C,IAAM,OACvBy0C,EAAOp1C,IAAIuD,MAAMnC,OAASK,EAAe,SAI/CuzC,aA7JO,SA6JOzqE,GACZmW,KAAK00C,UAEPsf,OAhKO,SAgKCnqE,GAAG,IAAA6xC,EAAA17B,KAGTA,KAAKmzD,YAAc1kE,WAAW,WAC5BitC,EAAKsF,SAAU,EACftF,EAAKk6B,SAAS/rE,GACd6xC,EAAKgZ,UACJ,MAEL9yB,QAzKO,SAyKE/3B,EAAGyrE,GACVt1D,KAAKq1D,YAAYxrE,EAAGyrE,IAEtBrB,QA5KO,SA4KEpqE,GACHmW,KAAKmzD,cACPhlE,aAAa6R,KAAKmzD,aAClBnzD,KAAKmzD,YAAc,MAGhBnzD,KAAK4wD,WACR5wD,KAAKozD,YAAa,GAEpBpzD,KAAKghC,SAAU,EACfhhC,KAAK41D,SAAS/rE,GACdmW,KAAK00C,SACL10C,KAAKqzD,4BAA6B,GAEpCc,QA1LO,SA0LEtqE,GAAG,IACFiG,EAAQjG,EAARiG,IACRkQ,KAAK41D,SAAS/rE,GACdmW,KAAK00C,SAKH10C,KAAKqzD,2BADK,WAARvjE,GAMNokE,QAvMO,SAuMErqE,GACPmW,KAAK41D,SAAS/rE,GACdmW,KAAK00C,UAEP0f,UA3MO,SA2MIvqE,GAAG,IAAA+xC,EAAA57B,KACJs+C,EAA2Bz0D,EAA3By0D,QAASC,EAAkB10D,EAAlB00D,SAAUzuD,EAAQjG,EAARiG,IACvBkQ,KAAKkzD,oBAAsB5U,GAAmB,UAARxuD,IACxCkQ,KAAK60D,OAAO,CAAEzD,UAAW,KAAM2D,kBAAkB,IAEjDlrE,EAAE25B,kBACF35B,EAAEqhC,iBAGFlrB,KAAKwhB,UAAU,WACboa,EAAKl8B,MAAMq0D,IAAIh/B,OACf6G,EAAKl8B,MAAMq0D,IAAI7gB,WAIdlzC,KAAKqzD,6BACI,QAARvjE,IACEyuD,EACFv+C,KAAKw1D,cAAc3rE,GAEnBmW,KAAKy1D,aAAa5rE,IAGV,YAARiG,EACFkQ,KAAKw1D,cAAc3rE,GACF,cAARiG,GACTkQ,KAAKy1D,aAAa5rE,GAER,UAARiG,IACGwuD,GACHt+C,KAAKq1D,YAAYxrE,KAQX,WAARiG,IACGkQ,KAAKqzD,4BACRrzD,KAAKN,MAAMq0D,IAAI7gB,SAInBlzC,KAAKozD,YAAa,EAClBpzD,KAAK00C,UAEP6f,QA1PO,SA0PE1qE,GACPmW,KAAKozD,YAAa,EAClBpzD,KAAK41D,SAAS/rE,GACdmW,KAAK00C,SACL10C,KAAKuhB,MAAM,QAAS13B,EAAEoD,OAAOuC,QAE/B6kE,aAhQO,SAgQOxqE,GACZmW,KAAKozD,YAAa,GAEpBvxC,eAnQO,SAmQSh4B,GACVmW,KAAKszD,sBACTtzD,KAAKozD,YAAa,IAEpBnC,kBAvQO,SAuQYpnE,GACjBmW,KAAKozD,YAAa,EAClBpzD,KAAKuhB,MAAM,mBAAoB13B,IAEjCqnE,sBA3QO,SA2QgBrnE,GACrBmW,KAAKozD,YAAa,EAClBpzD,KAAKuhB,MAAM,wBAAyB13B,IAEtC+rE,SA/QO,SAAAt3D,GA+QmC,IAApB09C,EAAoB19C,EAA9BrR,OAAU+uD,eACpBh8C,KAAK21C,MAAQqG,GAEftH,OAlRO,WAmRL,IAAM9oB,EAAQ5rB,KAAK4f,MAAMgM,MACzB,GAAKA,EAAL,CACA,IAAM8oC,EAAS10D,KAAK4f,MAAM80C,OAAOp1C,IAC3Bu2C,EAAY71D,KAAK4f,MAAM,cAJrBk2C,EAK4B91D,KAAKN,MAAMq0D,IAAvChzC,EALA+0C,EAKA/0C,aACFg1C,EANED,EAKclN,UACW7nC,EAEjC/gB,KAAKg2D,aAAaH,EAAWjqC,EAAOmqC,GACpC/1D,KAAKg2D,aAAatB,EAAQA,EAAQqB,KAEpCC,aA7RO,SA6ROC,EAAWhpE,EAAQ8oE,GAC1BE,GAAchpE,IAEnBA,EAAO41B,MAAM5C,IAAM81C,EAAe,KAClC9oE,EAAO41B,MAAMnC,OAAS,QAEC,QAAnB1gB,KAAK2e,WAA2C,SAAnB3e,KAAK2e,WAAwB3e,KAAKk2D,gBAAgBD,MACjFhpE,EAAO41B,MAAM5C,IAAM,OACnBhzB,EAAO41B,MAAMnC,OAAS1gB,KAAKN,MAAMq0D,IAAIhzC,aAAe,QAGxDm1C,gBAxSO,SAwSU3d,GACf,OAAOA,EAAG94B,wBAAwBiB,OAASpwB,OAAOqwB,eCxdxD,IAEIw1C,EAVJ,SAAoBx7C,GAClBtxB,EAAQ,MAeN+sE,EAAY/tE,OAAAwyB,EAAA,EAAAxyB,CACdguE,ECjBQ,WAAgB,IAAAj0C,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBqP,WAAA,EAAax7B,KAAA,gBAAAy7B,QAAA,kBAAAh7B,MAAA4yB,EAAA,eAAAqI,WAAA,mBAAsGtP,YAAA,cAAAC,MAAA,CAAmCk7C,eAAAl0C,EAAA6wC,kBAAuC,CAAA7wC,EAAAM,GAAA,WAAAN,EAAAO,GAAA,KAAAP,EAAA,mBAAAA,EAAA6wC,gBAAoP7wC,EAAAQ,KAApP1H,EAAA,OAA0FC,YAAA,oBAAAkH,GAAA,CAAoCI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAwyC,aAAAtxC,MAAkC,CAAApI,EAAA,KAAUC,YAAA,iBAAyBiH,EAAAO,GAAA,KAAAP,EAAA,kBAAAlH,EAAA,eAAmEsH,IAAA,SAAArH,YAAA,qBAAAC,MAAA,CAAqDm7C,MAAAn0C,EAAAgxC,YAAwB33C,MAAA,CAAQsiC,wBAAA37B,EAAAouC,qBAAgDnuC,GAAA,CAAKnsB,MAAAksB,EAAAyyC,OAAA7W,mBAAA57B,EAAA6uC,kBAAAhT,wBAAA77B,EAAA8uC,yBAA+G9uC,EAAAQ,MAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA2CsH,IAAA,QAAArH,YAAA,qBAAAC,MAAA,CAAoDm7C,MAAAn0C,EAAAuxC,kBAA8B,CAAAz4C,EAAA,OAAYsH,IAAA,aAAArH,YAAA,2BAAuDiH,EAAAyY,GAAAzY,EAAA,qBAAAkzC,EAAAvvB,GAAqD,OAAA7qB,EAAA,OAAiBprB,IAAAi2C,EAAA5qB,YAAA,oBAAAC,MAAA,CAAiDioB,YAAAiyB,EAAAjyB,aAAsChhB,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAR,QAAA0B,EAAAgyC,MAAyC,CAAAp6C,EAAA,QAAaC,YAAA,SAAoB,CAAAm6C,EAAA,IAAAp6C,EAAA,OAA6BO,MAAA,CAAOvuB,IAAAooE,EAAAvV,OAAsB7kC,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAAwvC,EAAAx6B,kBAAA1Y,EAAAO,GAAA,KAAAzH,EAAA,OAA8EC,YAAA,SAAoB,CAAAD,EAAA,QAAaC,YAAA,eAA0B,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAAwvC,EAAAj7B,gBAAAjY,EAAAO,GAAA,KAAAzH,EAAA,QAAkEC,YAAA,cAAyB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAAwvC,EAAA/H,qBAA8C,UACtoD,IDOY,EAa7B4I,EATiB,KAEU,MAYdv6C,EAAA,EAAAw6C,EAAiB,sCE1BhC,IAqDe9hB,EArDO,CACpBx6B,MAAO,CACL,UACA,cACA,gBACA,eACA,iBAEFpyB,KARoB,WASlB,MAAO,CACL8uE,aAAcx2D,KAAKy2D,eAGvBtyC,SAAU,CACRuyC,YADQ,WAEN,QAAQ12D,KAAK22D,YAAe32D,KAAK42D,cAAiB52D,KAAK62D,aAAgB72D,KAAK82D,aAE9EH,WAJQ,WAKN,MAA8B,WAAvB32D,KAAK+2D,eAA8B/2D,KAAKg3D,WAAW,WAE5DJ,aAPQ,WAQN,MAA8B,WAAvB52D,KAAK+2D,eAA8B/2D,KAAKg3D,WAAW,aAE5DH,YAVQ,WAWN,MAA8B,WAAvB72D,KAAK+2D,eAA8B/2D,KAAKg3D,WAAW,YAE5DF,WAbQ,WAcN,OAAO92D,KAAKg3D,WAAW,WAEzBC,IAhBQ,WAiBN,MAAO,CACLjuD,OAAQ,CAAE+hB,SAAgC,WAAtB/qB,KAAKw2D,cACzBU,SAAU,CAAEnsC,SAAgC,aAAtB/qB,KAAKw2D,cAC3BW,QAAS,CAAEpsC,SAAgC,YAAtB/qB,KAAKw2D,cAC1BY,OAAQ,CAAErsC,SAAgC,WAAtB/qB,KAAKw2D,iBAI/Bj8C,QAAS,CACPy8C,WADO,SACK5hB,GACV,OAAOp1C,KAAK49B,SACV59B,KAAKw2D,eAAiBphB,GACtBp1C,KAAK+2D,gBAAkB3hB,GACvBp1C,KAAKq3D,cAAgBjiB,GACX,WAAVA,GAEJgH,UARO,SAQIhH,GACTp1C,KAAKw2D,aAAephB,EACpBp1C,KAAKs3D,eAAiBt3D,KAAKs3D,cAAcliB,aCxC/C,IAEA16B,EAVA,SAAAC,GACEtxB,EAAQ,MAeVuxB,EAAgBvyB,OAAAwyB,EAAA,EAAAxyB,CACdkvE,ECjBF,WAA0B,IAAAn1C,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAAs0C,YAA83Bt0C,EAAAQ,KAA93B1H,EAAA,OAAoCC,YAAA,kBAA6B,CAAAiH,EAAA,WAAAlH,EAAA,KAA2BC,YAAA,gBAAAC,MAAAgH,EAAA60C,IAAAG,OAAA37C,MAAA,CAAwD3iB,MAAAspB,EAAA2D,GAAA,6BAA2C1D,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAg6B,UAAA,cAAiCh6B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,KAAiDC,YAAA,YAAAC,MAAAgH,EAAA60C,IAAAE,QAAA17C,MAAA,CAAqD3iB,MAAAspB,EAAA2D,GAAA,8BAA4C1D,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAg6B,UAAA,eAAkCh6B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,aAAAlH,EAAA,KAAkDC,YAAA,qBAAAC,MAAAgH,EAAA60C,IAAAC,SAAAz7C,MAAA,CAA+D3iB,MAAAspB,EAAA2D,GAAA,+BAA6C1D,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAg6B,UAAA,gBAAmCh6B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,WAAAlH,EAAA,KAAgDC,YAAA,aAAAC,MAAAgH,EAAA60C,IAAAjuD,OAAAyS,MAAA,CAAqD3iB,MAAAspB,EAAA2D,GAAA,6BAA2C1D,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAg6B,UAAA,cAAiCh6B,EAAAQ,QACv9B,IDOA,EAaAlI,EATA,KAEA,MAYekB,EAAA,EAAAhB,EAAiB,4CE1BhCjxB,EAAAD,QAAiBL,EAAA4C,EAAuB,q3yBCGxC,IAAAqL,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,oQAAoQ,0BCF3R,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,8mMAAsnM,uBCF7oM,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,2IAA2I,sBCFlK,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,22CAA22C,sBCFl4C,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,+6DAA+6D,sBCFt8D,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,uIAAuI,sBCF9J,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,wIAAwI,sBCF/J,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,60LAA60L,sBCFp2L,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,+MAA+M,sBCFtO,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4HAA4H,sBCFnJ,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,m5EAAm5E,sBCF16E,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,+6HAA+6H,sBCFt8H,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yiCAA6iC,sBCFpkC,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,igCAAigC,sBCFxhC,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,wpFAAwpF,sBCF/qF,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,w3BAA03B,sBCFj5B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,ynFAAynF,sBCFhpF,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4jCAA4jC,sBCFnlC,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,k5BAAk5B,sBCFz6B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,+6BAA+6B,sBCFt8B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,wnLAAwnL,sBCF/oL,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,+bAA+b,sBCFtd,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,2FAA2F,sBCFlH,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,gdAAkd,sBCFze,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,ymCAA2mC,sBCFloC,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,6QAA6Q,sBCFpS,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,qUAAqU,sBCF5V,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,icAAic,sBCFxd,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,odAAod,sBCF3e,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,i8BAAi8B,sBCFx9B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,weAAwe,oCCF/f,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4nEAA4nE,sBCFnpE,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,8zGAA8zG,sBCFr1G,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,i2BAAm2B,sBCF13B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,uNAAuN,sBCF9O,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,68CAA68C,sBCFp+C,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4hBAA4hB,sBCFnjB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yWAAyW,sBCFhY,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yiBAAyiB,sBCFhkB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,0KAA0K,sBCFjM,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,qtFAAqtF,sBCF5uF,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,u+FAAy+F,sBCFhgG,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,u1DAAu1D,sBCF92D,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,8TAA8T,0DCFrV,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,+wCAA+wC,sBCFtyC,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,s9CAAw9C,8CCF/+C,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,y4BAAy4B,sBCFh6B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,kWAAkW,sBCFzX,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,w3BAAw3B,sBCF/4B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4yBAA4yB,sBCFn0B,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yBCFvB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yBCFvB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,uCAAuC,sBCF9D,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,2BAA2B,sBCFlD,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yBCFvB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,2BAA2B,sBCFlD,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,yBCFvB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAA0D25B,SAC5E,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAAoD,IAK/EjB,KAAA,CAAcuB,EAAA3B,EAAS,21gBAAm2gB,sBCF13gB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,2CAA2C,sBCFlE,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,63CAA63C,sBCFp5C,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4eAA4e,sBCFngB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,6RAA6R,yBCFpT,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4rBAA4rB,sBCFntB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,8hBAA8hB,sBCFrjB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,mUAAmU,sBCF1V,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,qNAAqN,sBCF5O,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,wlCAAwlC,sBCF/mC,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,g+EAAg+E,sBCFv/E,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,ymBAAymB,sBCFhoB,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,4vDAA4vD,sBCFnxD,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,kpDAAkpD,sBCFzqD,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,0QAA0Q,sBCFjS,IAAAsP,EAAcjO,EAAQ,KACtB,iBAAAiO,MAAA,EAA4C3N,EAAA3B,EAASsP,EAAA,MACrDA,EAAAkgE,SAAA7tE,EAAAD,QAAA4N,EAAAkgE,SAGAvjC,EADU5qC,EAAQ,GAAgE25B,SAClF,WAAA1rB,GAAA,wBCRA3N,EAAAD,QAA2BL,EAAQ,EAARA,EAA0D,IAKrFjB,KAAA,CAAcuB,EAAA3B,EAAS,0nCAA0nC,gHCHjpC,IAEE,IAAIqe,YAEJ,MAAOxc,GACPyG,OAAO+V,YAAcoxD,ICLvB,IA2IeC,EAtHM,CACnBx9C,MAtBmB,CACnBk0C,mBAAoB,SACpBuJ,qBAAqB,EACrBC,uBAAwB,KACxB1gD,SAAU,CACR2gD,uBAAwB,KACxBC,mBAAoB,KACpBC,uBAAwB,MAE1B5wC,eAAgB,CACdC,UAAW92B,OAAO0nE,KAAO1nE,OAAO0nE,IAAIC,WAClC3nE,OAAO0nE,IAAIC,SAAS,SAAU,qBAC9B3nE,OAAO0nE,IAAIC,SAAS,iBAAkB,sBAG1ClgB,cAAc,EACdmgB,cAAe,GACfC,aAAc,EACdC,aAAc,MAKdzQ,UAAW,CACT0Q,cADS,SACMn+C,EADNtc,GACiC,IAAlB06D,EAAkB16D,EAAlB06D,QAASpqE,EAAS0P,EAAT1P,MAC3BoqE,GACEp+C,EAAM49C,oBACR3pE,aAAa+rB,EAAM49C,oBAErBnvC,cAAIzO,EAAMhD,SAAU,yBAA0B,CAAEhpB,OAAO,EAAOxG,KAAM4wE,IACpE3vC,cAAIzO,EAAMhD,SAAU,qBAClBzoB,WAAW,kBAAMq5D,iBAAI5tC,EAAMhD,SAAU,2BAA2B,OAElEyR,cAAIzO,EAAMhD,SAAU,yBAA0B,CAAEhpB,OAAO,EAAMqqE,UAAWrqE,KAG5EsqE,0BAbS,SAakBt+C,EAAOmuC,GAChCnuC,EAAM69C,uBAAyB1P,GAEjCoQ,gBAhBS,SAgBQv+C,EAAO1qB,GACtB0qB,EAAM69B,aAAevoD,GAEvBkpE,mBAnBS,SAmBWx+C,GAClBA,EAAMk0C,mBAAqB,UAE7BuK,wBAtBS,SAsBgBz+C,GACvB,OAAQA,EAAMk0C,oBACZ,IAAK,YAEH,YADAl0C,EAAMk0C,mBAAqB,WAE7B,IAAK,UAEH,YADAl0C,EAAMk0C,mBAAqB,aAE7B,QACE,MAAM,IAAIhhE,MAAM,kDAGtBwrE,kBAlCS,SAkCU1+C,GACjBA,EAAMk0C,mBAAqB,UACtBl0C,EAAMy9C,sBACTz9C,EAAMy9C,qBAAsB,IAGhCkB,0BAxCS,SAwCkB3+C,EAAO1qB,GAChC0qB,EAAM09C,uBAAyBpoE,GAEjCspE,iBA3CS,SA2CS5+C,EAAOzf,GACvByf,EAAMg+C,cAAc9vE,KAAKqS,IAE3Bs+D,mBA9CS,SA8CW7+C,EAAOzf,GACzByf,EAAMg+C,cAAgBh+C,EAAMg+C,cAAcjzD,OAAO,SAAAjV,GAAC,OAAIA,IAAMyK,KAE9Du+D,gBAjDS,SAiDQ9+C,EAAO1qB,GACtB0qB,EAAMi+C,aAAe3oE,GAEvBypE,gBApDS,SAoDQ/+C,EAAO1qB,GACtB0qB,EAAMk+C,aAAe5oE,IAGzBu4D,QAAS,CACPmR,aADO,SAAAr7D,GACmC,IAA1Bme,EAA0Bne,EAA1Bme,UAAajN,EAAa9T,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GACpC9O,SAAS2M,MAAT,GAAAxC,OAAoByY,EAApB,KAAAzY,OAA8B0lB,EAAU7B,SAASprB,OAEnDspE,cAJO,SAAA/5D,EAAAC,GAIkD,IAAxCqmB,EAAwCtmB,EAAxCsmB,OAAwCtmB,EAAhC0mB,SACvBJ,EAAO,gBAAiB,CAAE0zC,QAD6B/5D,EAAlB+5D,QACFpqE,MADoBqQ,EAATrQ,SAGhDsqE,0BAPO,SAAAjmD,EAOgC81C,IACrCzjC,EADiDrS,EAAtBqS,QACpB,4BAA6ByjC,IAEtCoQ,gBAVO,SAAA3lD,EAUsBtjB,IAC3Bo1B,EADkC9R,EAAjB8R,QACV,kBAAmBp1B,IAE5BkpE,mBAbO,SAAA1mD,IAcL4S,EAD8B5S,EAAV4S,QACb,uBAETg0C,kBAhBO,SAAAjtD,IAiBLiZ,EAD6BjZ,EAAViZ,QACZ,sBAET+zC,wBAnBO,SAAA1sD,IAoBL2Y,EADmC3Y,EAAV2Y,QAClB,4BAETu0C,4BAtBO,SAAA/sD,IAuBLwY,EADuCxY,EAAVwY,QACtB,4BAA6B,OAEtCw0C,qBAzBO,SAAA9sD,EAyB2B9c,GAAO,IAAjBo1B,EAAiBtY,EAAjBsY,OACtBA,EAAO,4BAA6Bp1B,GACpCo1B,EAAO,sBAETk0C,iBA7BO,SAAAtsD,EAAAE,GAoCF,IANDkY,EAMCpY,EANDoY,OAAQI,EAMPxY,EANOwY,SAERq0C,EAIC3sD,EAJD2sD,WAICC,EAAA5sD,EAHD6sD,mBAGC,IAAAD,EAHa,GAGbA,EAAAE,EAAA9sD,EAFDo8B,aAEC,IAAA0wB,EAFO,QAEPA,EAAAC,EAAA/sD,EADD5e,eACC,IAAA2rE,EADS,EACTA,EACGh/D,EAAS,CACb4+D,aACAE,cACAzwB,SAMF,OAJIh7C,GACFW,WAAW,kBAAMu2B,EAAS,qBAAsBvqB,IAAS3M,GAE3D82B,EAAO,mBAAoBnqB,GACpBA,GAETs+D,mBAhDO,SAAAnsD,EAgDyBnS,IAC9BmqB,EADsChY,EAAlBgY,QACb,qBAAsBnqB,IAE/Bu+D,gBAnDO,SAAAjsD,EAmDsBvd,IAC3Bo1B,EADkC7X,EAAjB6X,QACV,kBAAmBp1B,IAE5BypE,gBAtDO,SAAAtkD,EAsDsBnlB,IAC3Bo1B,EADkCjQ,EAAjBiQ,QACV,kBAAmBp1B,mTClIhC,IA0Me2qB,EAhIE,CACfD,MA3EmB,CAEnBnrB,KAAM,aACN2qE,kBAAkB,EAClBt/C,OAAQ,yBACRw8B,UAAW,IACXzhB,eAAW3mC,EACXmrE,oBAAgBnrE,EAGhByoD,wBAAwB,EACxBj9B,cAAe,kBACf4/C,cAAe,qBACfhnD,WAAY,8BACZy0B,4BAA4B,EAC5BwyB,aAAa,EACbnxB,WAAW,EACX7H,sBAAsB,EACtBimB,gBAAgB,EAChBptB,eAAe,EACfogC,cAAc,EACdxvC,eAAe,EACfyvC,YAAa,WACbC,KAAM,mBACNC,WAAY,OACZC,UAAU,EACV/jB,mBAAmB,EACnBwJ,qBAAiBnxD,EACjB8mD,gBAAiB,aACjB6kB,kBAAmB,gBACnBC,oBAAqB,YACrBrlB,WAAW,EACXslB,mBAAmB,EACnBC,2BAA2B,EAC3BC,cAAc,EACdl5B,oBAAqB,QACrBxL,MAAO,eAGPygB,YAAa,GACbkkB,oBAAoB,EACpBtkE,MAAO,GACPukE,cAAc,EACdC,gBAAgB,EAChBxjB,YAAa,GACbx9B,oBAAqB,GACrB09B,QAAQ,EACRujB,aAAc,GAGdC,eAAe,EACfj0C,8BAA8B,EAC9Bk0C,iBAAiB,EACjBta,qBAAqB,EACrBua,oBAAoB,EACpBC,eAAgB,GAGhBC,6BAA8B,GAC9BC,IAAK,GAGLC,eAAgB,GAChBC,gBAAiB,GAEjB9jB,gBAAgB,EAChBlF,WAAY,CACVE,YAAa,EACbE,iBAAkB,IAClBO,eAAgB,GAChBH,eAAgB,QAMlBgV,UAAW,CACTyT,kBADS,SACUlhD,EADVtc,GACkC,IAAf7O,EAAe6O,EAAf7O,KAAMS,EAASoO,EAATpO,WACX,IAAVA,GACTm5B,cAAIzO,EAAOnrB,EAAMS,IAGrB6rE,gBANS,SAMQnhD,EAAOohD,GACtBphD,EAAMygD,aAAeW,IAGzBh0C,QAAS,CACPi0C,sBADO,SACgBrhD,GACrB,OAAOwtC,IACJ71D,IAAI,SAAA/B,GAAG,MAAI,CAACA,EAAKoqB,EAAMpqB,MACvBkG,OAAO,SAACC,EAAD4H,GAAA,IAAAS,EAAA8C,IAAAvD,EAAA,GAAO/N,EAAPwO,EAAA,GAAY9O,EAAZ8O,EAAA,uWAAA1F,CAAA,GAA6B3C,EAA7BulE,IAAA,GAAmC1rE,EAAMN,KAAU,MAGjEu4D,QAAS,CACPqT,kBADO,SAAA78D,EAAAgU,GACmD,IAArCqS,EAAqCrmB,EAArCqmB,OAAQI,EAA6BzmB,EAA7BymB,SAAcj2B,EAAewjB,EAAfxjB,KAAMS,EAAS+iB,EAAT/iB,MAE/C,OADAo1B,EAAO,oBAAqB,CAAE71B,OAAMS,UAC5BT,GACN,IAAK,OACHi2B,EAAS,gBACT,MACF,IAAK,gBACCx1B,GACFw1B,EAAS,oBAEX,MACF,IAAK,QACHA,EAAS,WAAYx1B,KAIrBisE,eAjBC,SAAA3oD,GAAA,IAAA8R,EAAA82C,EAAAC,EAAAzlE,EAAA,OAAA2U,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,cAiBiBupB,EAjBjB9R,EAiBiB8R,OAjBjB7Z,EAAAvP,KAAA,EAAAuP,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAmBe3a,OAAOmT,MAAM,uBAnB5B,YAmBGi4D,EAnBH3wD,EAAAG,MAoBK3G,GApBL,CAAAwG,EAAA1P,KAAA,gBAAA0P,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAqBoBywD,EAAIp3D,QArBxB,OAqBKq3D,EArBL5wD,EAAAG,KAsBKhV,EAAQ7N,OAAO+mB,KAAKusD,GAAQ9pE,IAAI,SAAC/B,GACrC,MAAO,CACLuqC,YAAavqC,EACbu9D,UAAU,EACVvyB,YAAa6gC,EAAO7rE,MAErBguB,KAAK,SAACrgB,EAAGnB,GAAJ,OAAUmB,EAAE48B,YAAc/9B,EAAE+9B,cACpCzV,EAAO,oBAAqB,CAAE71B,KAAM,QAASS,MAAO0G,IA7BnD6U,EAAA1P,KAAA,uBA+BMqgE,EA/BN,QAAA3wD,EAAA1P,KAAA,iBAAA0P,EAAAvP,KAAA,GAAAuP,EAAAK,GAAAL,EAAA,SAkCH3a,QAAQmX,KAAK,2BACbnX,QAAQmX,KAARwD,EAAAK,IAnCG,yBAAAL,EAAAM,SAAA,qBAuCDuwD,eAvCC,SAAA5pD,GAAA,IAAA4S,EAAA1K,EAAAwhD,EAAA3yE,EAAA4yE,EAAAzlE,EAAA,OAAA2U,EAAApN,EAAAqN,MAAA,SAAA+wD,GAAA,cAAAA,EAAArgE,KAAAqgE,EAAAxgE,MAAA,cAuCiBupB,EAvCjB5S,EAuCiB4S,OAAQ1K,EAvCzBlI,EAuCyBkI,MAvCzB2hD,EAAArgE,KAAA,EAAAqgE,EAAAxgE,KAAA,EAAAwP,EAAApN,EAAAwN,MAyCe3a,OAAOmT,MAAM,4BAzC5B,YAyCGi4D,EAzCHG,EAAA3wD,MA0CK3G,GA1CL,CAAAs3D,EAAAxgE,KAAA,gBAAAwgE,EAAAxgE,KAAA,EAAAwP,EAAApN,EAAAwN,MA2CoBywD,EAAIp3D,QA3CxB,OA2CKvb,EA3CL8yE,EAAA3wD,KA4CKywD,EAAS7wC,MAAMmO,QAAQlwC,GAAUV,OAAOgX,OAAPxW,MAAAR,OAAM,CAAQ,IAARiO,OAAAiL,IAAexY,KAAUA,EAChEmN,EAAQ7N,OAAO6Y,QAAQy6D,GAAQ9pE,IAAI,SAAA8Z,GAAkB,IAAAM,EAAA7K,IAAAuK,EAAA,GAAhB7b,EAAgBmc,EAAA,GAAXzc,EAAWyc,EAAA,GACnDohD,EAAW79D,EAAMssE,UACvB,MAAO,CACLzhC,YAAavqC,EACbu9D,SAAUA,EAAWnzC,EAAME,OAASizC,EAAW79D,EAC/C4F,KAAMi4D,EAAW79D,EAAM4F,KAAK0oB,KAAK,SAACrgB,EAAGnB,GAAJ,OAAUmB,EAAInB,EAAI,EAAI,IAAK,CAAC,OAC7Dw+B,YAAW,IAAAxkC,OAAMxG,EAAN,SAIZguB,KAAK,SAACrgB,EAAGnB,GAAJ,OAAUmB,EAAE48B,YAAYD,cAAgB99B,EAAE+9B,YAAYD,cAAgB,EAAI,IAClFxV,EAAO,oBAAqB,CAAE71B,KAAM,cAAeS,MAAO0G,IAxDzD2lE,EAAAxgE,KAAA,uBA0DMqgE,EA1DN,QAAAG,EAAAxgE,KAAA,iBAAAwgE,EAAArgE,KAAA,GAAAqgE,EAAAzwD,GAAAywD,EAAA,SA6DHzrE,QAAQmX,KAAK,4BACbnX,QAAQmX,KAARs0D,EAAAzwD,IA9DG,yBAAAywD,EAAAxwD,SAAA,qBAkEP0wD,SAlEO,SAAA3vD,EAkE0B4vD,GAAW,IAAhCp3C,EAAgCxY,EAAhCwY,OAAQ5I,EAAwB5P,EAAxB4P,UAClB4I,EAAO,oBAAqB,CAAE71B,KAAM,QAASS,MAAOwsE,IACpDjjC,YAAUijC,GACPxuE,KAAK,SAAA2nC,GAIJ,GAHAvQ,EAAO,oBAAqB,CAAE71B,KAAM,YAAaS,MAAO2lC,KAEhCnZ,EAAUC,OAA1B0qC,YACR,CAGA,IAAMsV,EAAc9mC,EAAUxhC,QACzBwhC,EAAUU,OAAUomC,GAAeA,EAAY5mC,qBAAuBiX,IACzEzY,YAAWooC,GAEXpoC,YAAWsB,EAAUU,WAI7BqmC,WApFO,SAAA5vD,GAoF0B,IAAnB0Y,EAAmB1Y,EAAnB0Y,SAAU9K,EAAS5N,EAAT4N,MACjBA,EAAMsgD,qBACTtgD,EAAMsgD,oBAAqB,EAC3Bx1C,EAAS,mBAEN9K,EAAMugD,eACTvgD,EAAMugD,cAAe,EACrBz1C,EAAS,oBAIPm3C,gBA/FC,SAAA3vD,GAAA,IAAAoY,EAAA5I,EAAAjzB,EAAA,OAAA8hB,EAAApN,EAAAqN,MAAA,SAAAsxD,GAAA,cAAAA,EAAA5gE,KAAA4gE,EAAA/gE,MAAA,cA+FkBupB,EA/FlBpY,EA+FkBoY,OAAQ5I,EA/F1BxP,EA+F0BwP,UA/F1BogD,EAAA5gE,KAAA,EAAA4gE,EAAA/gE,KAAA,EAAAwP,EAAApN,EAAAwN,MAiGkBlD,IAAW8P,kBAAkB,CAChDlU,YAAaqY,EAAUpR,MAAMod,YAAYrkB,eAlGxC,OAiGG5a,EAjGHqzE,EAAAlxD,KAoGH0Z,EAAO,kBAAmB77B,GApGvBqzE,EAAA/gE,KAAA,gBAAA+gE,EAAA5gE,KAAA,EAAA4gE,EAAAhxD,GAAAgxD,EAAA,SAsGHhsE,QAAQmX,KAAK,4BACbnX,QAAQmX,KAAR60D,EAAAhxD,IAvGG,yBAAAgxD,EAAA/wD,SAAA,0yBCjFX,IAAMgxD,EAAU,iBAAiB,CAC/B5kD,SAAU,GACV6kD,eAAgB,GAChBC,MAAO,GACPC,gBAAiB,GACjBC,sBAAuB,GACvBC,eAAgB,EAChBthE,MAAO,EACPG,MAAO,EACPohE,aAAc,EACd13B,SAAS,EACT23B,UAAW,GACX3zD,QAAS,GACTR,OAbcxN,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAU,EAcxB4hE,YAAa,IAGTC,EAAqB,iBAAO,CAChCxU,4BAA4B,EAC5BltD,MAAO,EACPG,MAAOqhB,OAAOmgD,kBACdr1E,KAAM,GACNs1E,QAAS,GACT/3B,SAAS,EACT/2C,OAAO,IAGIw4D,EAAe,iBAAO,CACjC9pB,YAAa,GACb2D,kBAAmB,GACnB08B,oBAAqB,GACrB7hE,MAAO,EACP+N,cAAe2zD,IACfxzD,UAAW,IAAI1D,IACf1X,OAAO,EACPqqE,UAAW,KACX2E,UAAW,CACTvjE,SAAU0iE,IACVrzD,OAAQqzD,IACR7iE,KAAM6iE,IACN/yD,UAAW+yD,IACXhzD,MAAOgzD,IACPjzD,kBAAmBizD,IACnBpzD,QAASozD,IACT/vE,IAAK+vE,IACLnzD,IAAKmzD,IACL9yD,UAAW8yD,OAcTc,EAAa,SAACC,EAAKC,EAAKxa,GAC5B,IAX4BrsD,EAWtB8mE,EAAUD,EAAIxa,EAAKhyD,IAEzB,OAAIysE,GAIFC,IAAMD,EAASE,IAAO3a,EAAM,SAACv5B,EAAGxqB,GAAJ,OAAgB,OAANwqB,GAAoB,SAANxqB,KAEpDw+D,EAAQ1jE,YAAYxQ,OAAOk0E,EAAQ1jE,YAAY1R,QACxC,CAAE26D,KAAMya,EAASG,KAAK,MApBHjnE,EAuBZqsD,GArBTnjB,SAAU,EAGjBlpC,EAAOoD,YAAcpD,EAAOoD,aAAe,GAmBzCwjE,EAAIh1E,KAAKy6D,GACTl6B,cAAI00C,EAAKxa,EAAKhyD,GAAIgyD,GACX,CAAEA,OAAM4a,KAAK,KAIlB/gD,GAAW,SAACjf,EAAGnB,GACnB,IAAMqgB,EAAOC,OAAOnf,EAAE5M,IAChBgsB,EAAOD,OAAOtgB,EAAEzL,IAChBisB,GAAUF,OAAOG,MAAMJ,GACvBK,GAAUJ,OAAOG,MAAMF,GAC7B,OAAIC,GAAUE,EACLL,EAAOE,GAAQ,EAAI,EACjBC,IAAWE,EACb,GACGF,GAAUE,GACZ,EAEDvf,EAAE5M,GAAKyL,EAAEzL,IAAM,EAAI,GAIxB6sE,GAAe,SAACv1D,GAIpB,OAHAA,EAASq0D,gBAAkBr0D,EAASq0D,gBAAgB1+C,KAAKpB,IACzDvU,EAASsP,SAAWtP,EAASsP,SAASqG,KAAKpB,IAC3CvU,EAASw0D,cAAgB3xD,IAAK7C,EAASq0D,kBAAoB,IAAI3rE,GACxDsX,GAIHw1D,GAA2B,SAACzjD,EAAOxyB,GACvC,IAAMqB,EAASo0E,EAAWjjD,EAAM0iB,YAAa1iB,EAAMqmB,kBAAmB74C,GACtE,GAAIqB,EAAM,IAAM,CAEd,IAAMyN,EAASzN,EAAO85D,KAChBoa,EAAsB/iD,EAAM+iD,oBAC5BW,EAAiBpnE,EAAOkB,0BAC1BulE,EAAoBW,GACtBX,EAAoBW,GAAgBx1E,KAAKoO,GAEzCmyB,cAAIs0C,EAAqBW,EAAgB,CAACpnE,IAG9C,OAAOzN,GA4NI4+D,GAAY,CACvBkW,eA1MqB,SAAC3jD,EAADrc,GAAoH,IAA1G4Z,EAA0G5Z,EAA1G4Z,SAA0GqmD,EAAAjgE,EAAhG2lD,uBAAgG,IAAAsa,KAAvE31D,EAAuEtK,EAAvEsK,SAAuE41D,EAAAlgE,EAA7DrE,YAA6D,IAAAukE,EAAtD,GAAsDA,EAAAC,EAAAngE,EAAlD4lD,kBAAkD,IAAAua,KAA9Bv1D,EAA8B5K,EAA9B4K,OAA8Bw1D,EAAApgE,EAAtB+L,kBAAsB,IAAAq0D,EAAT,GAASA,EAEzI,IAAKC,IAAQzmD,GACX,OAAO,EAGT,IAAMmlB,EAAc1iB,EAAM0iB,YACpBuhC,EAAiBjkD,EAAMgjD,UAAU/0D,GAMjCi2D,EAASx0D,EAAWxO,QAAUqc,EAASvvB,OAAS,EAAIm2E,IAAM5mD,EAAU,MAAM5mB,GAAK,GAC/EytE,EAAS10D,EAAWrO,QAAUkc,EAASvvB,OAAS,EAAIq2E,IAAM9mD,EAAU,MAAM5mB,GAAK,GAE/E2tE,EAAQr2D,IAAam2D,EAASH,EAAe/iE,OAAkC,IAAzB+iE,EAAe/iE,QAAgBqc,EAASvvB,OAAS,EACvGu2E,EAAQt2D,IAAai2D,EAASD,EAAe5iE,OAAkC,IAAzB4iE,EAAe5iE,QAAgBkc,EAASvvB,OAAS,EAY7G,IAVKu7D,GAAc+a,IACjBL,EAAe/iE,MAAQkjE,IAEpB7a,GAAcgb,IACjBN,EAAe5iE,MAAQ6iE,GAMP,SAAbj2D,GAAoC,UAAbA,GAAyBg2D,EAAe11D,SAAWA,EAA/E,CAIA,IAAMi2D,EAAY,SAACh3E,EAAM87D,GAA0C,IA4B7Dmb,EA5BoCC,IAAyB3jE,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,KAAAA,UAAA,GAC3DlS,EAAS40E,GAAyBzjD,EAAOxyB,GACzC8O,EAASzN,EAAO85D,KAEtB,GAAI95D,EAAM,IAAM,CAEd,GAAoB,WAAhByN,EAAO5J,MAAqB+vC,IAAKnmC,EAAOkD,WAAY,CAAE7I,GAAI2I,EAAK3I,KAAO,CACxE,IAAM8I,EAAWugB,EAAMgjD,UAAUvjE,SAG7BwkE,IAAmBxkE,IACrBwjE,EAAWxjE,EAAS8d,SAAU9d,EAAS2iE,eAAgB9lE,GACvDmD,EAAS+iE,gBAAkB,EAE3BgB,GAAa/jE,IAGjB,GAA0B,WAAtBnD,EAAO8C,WAAyB,CAClC,IAAM4P,EAAMgR,EAAMgjD,UAAUh0D,IAE5Bi0D,EAAWj0D,EAAIuO,SAAUvO,EAAIozD,eAAgB9lE,GAC7C0S,EAAIwzD,gBAAkB,EAEtBgB,GAAax0D,IAoBjB,OAbIf,GAAYy2D,IACdD,EAA2BxB,EAAWgB,EAAe1mD,SAAU0mD,EAAe7B,eAAgB9lE,IAG5F2R,GAAYq7C,EAGd2Z,EAAWgB,EAAe3B,gBAAiB2B,EAAe1B,sBAAuBjmE,GACxE2R,GAAYy2D,GAAiBD,EAAwB,MAE9DR,EAAezB,gBAAkB,GAG5BlmE,GAgBHqoE,EAAa,CACjBroE,OAAU,SAACA,GACTkoE,EAAUloE,EAAQgtD,IAEpB/1C,QAAW,SAACjX,GAEV,IAEIiX,EAFE3T,EAAkB4kE,EAAUloE,EAAO+B,kBAAkB,GAAO,GAahEkV,EAREtF,GAAYw0B,IAAKwhC,EAAe1mD,SAAU,SAACnuB,GAC7C,OAAIA,EAAEiP,iBACGjP,EAAEuH,KAAOiJ,EAAgBjJ,IAAMvH,EAAEiP,iBAAiB1H,KAAOiJ,EAAgBjJ,GAEzEvH,EAAEuH,KAAOiJ,EAAgBjJ,KAIxB6tE,EAAUloE,GAAQ,GAAO,GAEzBkoE,EAAUloE,EAAQgtD,GAG9B/1C,EAAQlV,iBAAmBuB,GAE7BuT,SAAY,SAACA,GAGN6M,EAAM5Q,UAAUhC,IAAI+F,EAASxc,MAChCqpB,EAAM5Q,UAAU2qB,IAAI5mB,EAASxc,IA3CZ,SAACwc,EAAUyxD,GAChC,IAAMtoE,EAASmmC,IAAKC,EAAa,CAAE/rC,GAAIwc,EAASnV,wBAC5C1B,IAEE6W,EAAS7T,KAAK3I,KAAO2I,EAAK3I,GAC5B2F,EAAOC,WAAY,EAEnBD,EAAOG,UAAY,GAqCnBooE,CAAe1xD,KAGnB2xD,SAAY,SAACA,GACX,IAAM/lE,EAAM+lE,EAAS/lE,IACfzC,EAASmmC,IAAKC,EAAa,CAAE3jC,QAC9BzC,IAhJ2B,SAAC0jB,EAAO1jB,GAC5CyoE,IAAO/kD,EAAM0iB,YAAa,CAAE/rC,GAAI2F,EAAO3F,KAKvCouE,IAAO/kD,EAAM/Q,cAAczhB,KAAM,SAAAkW,GAAA,OAAAA,EAAGtD,OAAUzJ,KAAkB2F,EAAO3F,KAGvE,IAAM+sE,EAAiBpnE,EAAOkB,0BAC1BwiB,EAAM+iD,oBAAoBW,IAC5BqB,IAAO/kD,EAAM+iD,oBAAoBW,GAAiB,CAAE/sE,GAAI2F,EAAO3F,KAyI7DquE,CAA8BhlD,EAAO1jB,GAEjC2R,IACF82D,IAAOd,EAAe1mD,SAAU,CAAExe,QAClCgmE,IAAOd,EAAe3B,gBAAiB,CAAEvjE,WAG7C6wD,OAAU,SAACA,KAGX9mC,QAAW,SAACm8C,GACV/uE,QAAQs8D,IAAI,uBACZt8D,QAAQs8D,IAAIyS,KAIhBhoD,IAAKM,EAAU,SAACjhB,GACd,IAAM5J,EAAO4J,EAAO5J,MACFiyE,EAAWjyE,IAASiyE,EAAU,SACtCroE,KAIR2R,GAA2B,cAAbA,GAChBu1D,GAAaS,KA8CfiB,oBA1C0B,SAACllD,EAAD5b,GAAkH,IAAxG0mB,EAAwG1mB,EAAxG0mB,SAAU7b,EAA8F7K,EAA9F6K,cAA6Dk2D,GAAiC/gE,EAA/EmgE,MAA+EngE,EAAxEghE,yBAAwEhhE,EAA9C6e,YAA8C7e,EAAjC+gE,4BAC3GloD,IAAKhO,EAAe,SAAC3B,GACfnN,YAAqBmN,EAAa5a,QACpC4a,EAAalN,OAASqjE,GAAyBzjD,EAAO1S,EAAalN,QAAQuoD,KAC3Er7C,EAAahR,OAASgR,EAAahR,QAAUmnE,GAAyBzjD,EAAO1S,EAAahR,QAAQqsD,MAG1E,2BAAtBr7C,EAAa5a,MACfo4B,EAAS,wBAAyBxd,EAAahR,OAAO3F,IAInDqpB,EAAM/Q,cAAc6zD,QAAQz0E,eAAeif,EAAa3W,IAYlD2W,EAAarN,OACtB+f,EAAM/Q,cAAc6zD,QAAQx1D,EAAa3W,IAAIsJ,MAAO,IAZpD+f,EAAM/Q,cAAc/N,MAAQoM,EAAa3W,GAAKqpB,EAAM/Q,cAAc/N,MAC9DoM,EAAa3W,GACbqpB,EAAM/Q,cAAc/N,MACxB8e,EAAM/Q,cAAc5N,MAAQiM,EAAa3W,GAAKqpB,EAAM/Q,cAAc5N,MAC9DiM,EAAa3W,GACbqpB,EAAM/Q,cAAc5N,MAExB2e,EAAM/Q,cAAczhB,KAAKU,KAAKof,GAC9B0S,EAAM/Q,cAAc6zD,QAAQx1D,EAAa3W,IAAM2W,EAE/C63D,EAA2B73D,OAoB/B+3D,aAbmB,SAACrlD,EAAD3b,GAAiC,IAAvB4J,EAAuB5J,EAAvB4J,SAAUM,EAAalK,EAAbkK,OACjC01D,EAAiBjkD,EAAMgjD,UAAU/0D,GACnCM,IACFw2D,IAAOd,EAAe1mD,SAAU,CAAEje,KAAM,CAAE3I,GAAI4X,KAC9Cw2D,IAAOd,EAAe3B,gBAAiB,CAAEhjE,KAAM,CAAE3I,GAAI4X,KACrD01D,EAAexB,aAAewB,EAAe3B,gBAAgBt0E,OAAS,EAAI8iB,IAAKmzD,EAAe3B,iBAAiB3rE,GAAK,EACpHstE,EAAe/iE,MAAQ+iE,EAAe1mD,SAASvvB,OAAS,EAAIs3E,IAAMrB,EAAe1mD,UAAU5mB,GAAK,IAQlG4uE,gBAJuB,SAINvlD,EAJM3H,GAIe,IAAZpK,EAAYoK,EAAZpK,SAClBu3D,EAAexlD,EAAMgjD,UAAU/0D,GAErCu3D,EAAYhD,eAAiB,EAC7BgD,EAAYlD,gBAAkBmD,IAAMD,EAAYjoD,SAAU,EAAG,IAC7DioD,EAAY/C,aAAe3xD,IAAK00D,EAAYlD,iBAAiB3rE,GAC7D6uE,EAAYnkE,MAAQmkE,EAAY/C,aAChC+C,EAAYjD,sBAAwB,GACpCtlD,IAAKuoD,EAAYlD,gBAAiB,SAAChmE,GAAakpE,EAAYjD,sBAAsBjmE,EAAO3F,IAAM2F,KAEjGopE,cAduB,SAcR1lD,GACb,IAAM2lD,EAAanZ,IACnBr+D,OAAO6Y,QAAQ2+D,GAAYhxD,QAAQ,SAAAiE,GAAkB,IAAAd,EAAA5Q,IAAA0R,EAAA,GAAhBhjB,EAAgBkiB,EAAA,GAAXxiB,EAAWwiB,EAAA,GACnDkI,EAAMpqB,GAAON,KAGjBswE,cApBuB,SAoBR5lD,EApBQvO,GAoBoC,IAAnCxD,EAAmCwD,EAAnCxD,SAAmC43D,EAAAp0D,EAAzBq0D,cAC1Bv3D,OADmD,IAAAs3D,KAC1B7lD,EAAMgjD,UAAU/0D,GAAUM,YAASja,EAClE0rB,EAAMgjD,UAAU/0D,GAAYk0D,EAAQ5zD,IAEtCw3D,mBAxBuB,SAwBH/lD,GAClBA,EAAM/Q,cAAgB2zD,KAExBoD,aA3BuB,SA2BThmD,EA3BSjO,GA2BiB,IAAjBzV,EAAiByV,EAAjBzV,OAAQhH,EAASyc,EAATzc,MACvBimD,EAAYv7B,EAAMqmB,kBAAkB/pC,EAAO3F,IAE7C4kD,EAAUh/C,YAAcjH,IACtBA,EACFimD,EAAU9+C,WAEV8+C,EAAU9+C,YAId8+C,EAAUh/C,UAAYjH,GAExB2wE,oBAxCuB,SAwCFjmD,EAxCE9N,GAwCuB,IAAhB5V,EAAgB4V,EAAhB5V,OAAQgD,EAAQ4S,EAAR5S,KAC9Bi8C,EAAYv7B,EAAMqmB,kBAAkB/pC,EAAO3F,IACjD4kD,EAAUh/C,UAAYD,EAAOC,UAC7Bg/C,EAAU9+C,SAAWH,EAAOG,SAC5B,IAAMovC,EAAQq6B,IAAU3qB,EAAU17C,YAAa,CAAElJ,GAAI2I,EAAK3I,MAC3C,IAAXk1C,GAAiB0P,EAAUh/C,WAET,IAAXsvC,GAAgB0P,EAAUh/C,WACnCg/C,EAAU17C,YAAY3R,KAAKoR,GAF3Bi8C,EAAU17C,YAAY3Q,OAAO28C,EAAO,IAKxCs6B,eAnDuB,SAmDPnmD,EAAO1jB,GACrB,IAAMi/C,EAAYv7B,EAAMqmB,kBAAkB/pC,EAAO3F,IACjD4kD,EAAU19C,aAAevB,EAAOuB,kBAEDvJ,IAA3BinD,EAAU19C,cACZmiB,EAAM+iD,oBAAoBxnB,EAAU/9C,2BAA2BmX,QAAQ,SAAArY,GAAYA,EAAOuB,aAAe09C,EAAU19C,gBAGvHuoE,aA3DuB,SA2DTpmD,EA3DS5N,GA2DiB,IAAjB9V,EAAiB8V,EAAjB9V,OAAQhH,EAAS8c,EAAT9c,MACvBimD,EAAYv7B,EAAMqmB,kBAAkB/pC,EAAO3F,IAE7C4kD,EAAU5+C,WAAarH,IACrBA,EACFimD,EAAU1+C,aAEV0+C,EAAU1+C,cAId0+C,EAAU5+C,SAAWrH,GAEvB+wE,oBAxEuB,SAwEFrmD,EAxEE1N,GAwEuB,IAAhBhW,EAAgBgW,EAAhBhW,OAAQgD,EAAQgT,EAARhT,KAC9Bi8C,EAAYv7B,EAAMqmB,kBAAkB/pC,EAAO3F,IACjD4kD,EAAU5+C,SAAWL,EAAOK,SAC5B4+C,EAAU1+C,WAAaP,EAAOO,WAC9B,IAAMgvC,EAAQq6B,IAAU3qB,EAAUz7C,YAAa,CAAEnJ,GAAI2I,EAAK3I,MAC3C,IAAXk1C,GAAiB0P,EAAU5+C,UAET,IAAXkvC,GAAgB0P,EAAU5+C,UACnC4+C,EAAUz7C,YAAY5R,KAAKoR,GAF3Bi8C,EAAUz7C,YAAY5Q,OAAO28C,EAAO,IAKxCy6B,cAnFuB,SAmFRtmD,EAnFQxN,GAmFkB,IAAjBlW,EAAiBkW,EAAjBlW,OAAQhH,EAASkd,EAATld,MACZ0qB,EAAMqmB,kBAAkB/pC,EAAO3F,IACvCoG,WAAazH,GAEzBixE,qBAvFuB,SAuFDvmD,EAvFCtN,GAuFkB,IAAVpW,EAAUoW,EAAVpW,OACX0jB,EAAMqmB,kBAAkB/pC,EAAO3F,IACvCoG,WAAaT,EAAOS,YAEhCypE,WA3FuB,SA2FXxmD,EA3FWnN,GA2FQ,IAAVvW,EAAUuW,EAAVvW,OACbi/C,EAAYv7B,EAAMqmB,kBAAkB/pC,EAAO3F,IAC7C4kD,IAAWA,EAAU/V,SAAU,IAErCihC,eA/FuB,SA+FPzmD,EAAO0mD,GACrBv4E,OAAOszE,OAAOzhD,EAAMqmB,mBAAmB1xB,QAAQ,SAAArY,GACzCoqE,EAAUpqE,KACZA,EAAOkpC,SAAU,MAIvBmhC,WAtGuB,SAsGX3mD,EAtGWvF,GAsGiB,IAAnBxM,EAAmBwM,EAAnBxM,SAAU3Y,EAASmlB,EAATnlB,MAC7B0qB,EAAMgjD,UAAU/0D,GAAU88B,QAAUz1C,GAEtCsxE,QAzGuB,SAyGd5mD,EAzGcpF,GAyGO,IAAZjkB,EAAYikB,EAAZjkB,GAAIsG,EAAQ2d,EAAR3d,KACF+iB,EAAMqmB,kBAAkB1vC,GAChCsG,KAAOA,GAEnB4pE,SA7GuB,SA6Gb7mD,EA7GahN,GA6GK,IAAT1d,EAAS0d,EAAT1d,MACjB0qB,EAAMhsB,MAAQsB,GAEhBwxE,aAhHuB,SAgHT9mD,EAhHS9M,GAgHS,IAAT5d,EAAS4d,EAAT5d,MACrB0qB,EAAMq+C,UAAY/oE,GAEpByxE,wBAnHuB,SAmHE/mD,EAnHFvV,GAmHoB,IAATnV,EAASmV,EAATnV,MAChC0qB,EAAM/Q,cAAc87B,QAAUz1C,GAEhC0xE,sBAtHuB,SAsHAhnD,EAtHAxP,GAsHkB,IAATlb,EAASkb,EAATlb,MAC9B0qB,EAAM/Q,cAAcjb,MAAQsB,GAE9B2xE,wBAzHuB,SAyHEjnD,EAzHF3O,GAyHoB,IAAT/b,EAAS+b,EAAT/b,MAChC0qB,EAAM/Q,cAAcm/C,2BAA6B94D,GAEnD0lB,wBA5HuB,SA4HEgF,GACvB/C,IAAK+C,EAAM/Q,cAAczhB,KAAM,SAAC8f,GAC9BA,EAAarN,MAAO,KAGxBinE,6BAjIuB,SAiIOlnD,EAjIPzF,GAiIsB,IAAN5jB,EAAM4jB,EAAN5jB,GAC/B2W,EAAem1B,IAAKziB,EAAM/Q,cAAczhB,KAAM,SAAAsI,GAAC,OAAIA,EAAEa,KAAOA,IAC9D2W,IAAcA,EAAarN,MAAO,IAExCmb,oBArIuB,SAqIF4E,EArIElQ,GAqIa,IAANnZ,EAAMmZ,EAANnZ,GAC5BqpB,EAAM/Q,cAAczhB,KAAOwyB,EAAM/Q,cAAczhB,KAAKud,OAAO,SAAAjV,GAAC,OAAIA,EAAEa,KAAOA,KAE3EwwE,qBAxIuB,SAwIDnnD,EAxIC/P,GAwIkB,IAAVm3D,EAAUn3D,EAAVm3D,OAC7BpnD,EAAM/Q,cAAczhB,KAAOwyB,EAAM/Q,cAAczhB,KAAKud,OAAO,SAAAjV,GAAC,OAAIsxE,KAElEC,mBA3IuB,SA2IHrnD,EA3IG3P,GA2IqB,IAAf1Z,EAAe0Z,EAAf1Z,GAAI2wE,EAAWj3D,EAAXi3D,QACzBh6D,EAAem1B,IAAKziB,EAAM/Q,cAAczhB,KAAM,SAAAsI,GAAC,OAAIA,EAAEa,KAAOA,IAClE2W,GAAgBg6D,EAAQh6D,IAE1Bi6D,WA/IuB,SA+IXvnD,EA/IWnJ,GA+Ic,IAAhB5I,EAAgB4I,EAAhB5I,SAAUtX,EAAMkgB,EAANlgB,GAC7BqpB,EAAMgjD,UAAU/0D,GAAU00D,YAAchsE,GAE1C6wE,cAlJuB,SAkJRxnD,GACb7xB,OAAO+mB,KAAK8K,EAAMgjD,WAAWruD,QAAQ,SAAC1G,GACpC+R,EAAMgjD,UAAU/0D,GAAU00D,YAAc3iD,EAAMgjD,UAAU/0D,GAAU/M,SAGtEumE,WAvJuB,SAuJXznD,EAvJWhJ,GAuJmC,IAArCrgB,EAAqCqgB,EAArCrgB,GAAI+wE,EAAiC1wD,EAAjC0wD,iBAAkB55C,EAAe9W,EAAf8W,YACnCytB,EAAYv7B,EAAMqmB,kBAAkB1vC,GAC1C4kD,EAAUz7C,YAAc4nE,EAAiB38D,OAAO,SAAAC,GAAC,OAAIA,IAErDuwC,EAAU1+C,WAAa0+C,EAAUz7C,YAAY9R,OAC7CutD,EAAU5+C,WAAa4+C,EAAUz7C,YAAY+/B,KAAK,SAAAzoB,GAAA,IAAGzgB,EAAHygB,EAAGzgB,GAAH,OAAYm3B,EAAYn3B,KAAOA,KAEnFgxE,QA9JuB,SA8Jd3nD,EA9Jc1I,GA8JgC,IAArC3gB,EAAqC2gB,EAArC3gB,GAAIixE,EAAiCtwD,EAAjCswD,iBAAkB95C,EAAexW,EAAfwW,YAChCytB,EAAYv7B,EAAMqmB,kBAAkB1vC,GAC1C4kD,EAAU17C,YAAc+nE,EAAiB78D,OAAO,SAAAC,GAAC,OAAIA,IAErDuwC,EAAU9+C,SAAW8+C,EAAU17C,YAAY7R,OAC3CutD,EAAUh/C,YAAcg/C,EAAU17C,YAAYggC,KAAK,SAAAroB,GAAA,IAAG7gB,EAAH6gB,EAAG7gB,GAAH,OAAYm3B,EAAYn3B,KAAOA,KAEpFkxE,oBArKuB,SAqKF7nD,EArKEpI,GAqK0C,IAAnCjhB,EAAmCihB,EAAnCjhB,GAAI2rB,EAA+B1K,EAA/B0K,eAC1BhmB,GADyDsb,EAAfkW,YACjC9N,EAAMqmB,kBAAkB1vC,IACvC83B,cAAInyB,EAAQ,kBAAmBgmB,IAEjCwlD,eAzKuB,SAyKP9nD,EAzKO9I,GAyK4B,IAA1BvgB,EAA0BugB,EAA1BvgB,GAAIqF,EAAsBkb,EAAtBlb,MAAO8xB,EAAe5W,EAAf4W,YAC5BxxB,EAAS0jB,EAAMqmB,kBAAkB1vC,GACjCoxE,EAAgB7B,IAAU5pE,EAAOwB,gBAAiB,CAAEjJ,KAAMmH,IAC1D8nC,EAAWxnC,EAAOwB,gBAAgBiqE,IAAkB,CAAElzE,KAAMmH,EAAOyoC,MAAO,EAAGtoB,SAAU,IAEvF6rD,EAAcC,EAAA,GACfnkC,EADY,CAEfW,MAAOX,EAASW,MAAQ,EACxB3E,IAAI,EACJ3jB,SAAQ,GAAA/f,OAAAiL,IACHy8B,EAAS3nB,UADN,CAEN2R,MAKAi6C,GAAiB,EACnBt5C,cAAInyB,EAAOwB,gBAAiBiqE,EAAeC,GAE3Cv5C,cAAInyB,EAAQ,kBAAT,GAAAF,OAAAiL,IAAgC/K,EAAOwB,iBAAvC,CAAwDkqE,MAG/DE,kBA/LuB,SA+LJloD,EA/LIhS,GA+L+B,IAA1BrX,EAA0BqX,EAA1BrX,GAAIqF,EAAsBgS,EAAtBhS,MAAO8xB,EAAe9f,EAAf8f,YAC/BxxB,EAAS0jB,EAAMqmB,kBAAkB1vC,GACjCoxE,EAAgB7B,IAAU5pE,EAAOwB,gBAAiB,CAAEjJ,KAAMmH,IAChE,KAAI+rE,EAAgB,GAApB,CAEA,IAAMjkC,EAAWxnC,EAAOwB,gBAAgBiqE,GAClC5rD,EAAW2nB,EAAS3nB,UAAY,GAEhC6rD,EAAcC,EAAA,GACfnkC,EADY,CAEfW,MAAOX,EAASW,MAAQ,EACxB3E,IAAI,EACJ3jB,SAAUA,EAASpR,OAAO,SAAAhP,GAAG,OAAIA,EAAIpF,KAAOm3B,EAAYn3B,OAGtDqxE,EAAYvjC,MAAQ,EACtBhW,cAAInyB,EAAOwB,gBAAiBiqE,EAAeC,GAE3Cv5C,cAAInyB,EAAQ,kBAAmBA,EAAOwB,gBAAgBiN,OAAO,SAAA5V,GAAC,OAAIA,EAAEN,OAASmH,OAGjFmsE,qBApNuB,SAoNDnoD,EApNCpQ,GAoNoB,IAAZjZ,EAAYiZ,EAAZjZ,GAAI6H,EAAQoR,EAARpR,KAClBwhB,EAAMqmB,kBAAkB1vC,GAChC6H,KAAOA,IA+LH+e,GA3LE,CACfyC,MAAOwsC,IACPqB,QAAS,CACP8V,eADO,SAAAvwD,EAAAE,GACiI,IAAtHwO,EAAsH1O,EAAtH0O,UAAW4I,EAA2GtX,EAA3GsX,OAAYnN,EAA+FjK,EAA/FiK,SAA+F6qD,EAAA90D,EAArFg2C,uBAAqF,IAAA8e,KAAAC,EAAA/0D,EAA5DrF,gBAA4D,IAAAo6D,KAAAC,EAAAh1D,EAA1Ci2C,kBAA0C,IAAA+e,KAAtB/5D,EAAsB+E,EAAtB/E,OAAQmB,EAAc4D,EAAd5D,WACxHgb,EAAO,iBAAkB,CAAEnN,WAAU+rC,kBAAiBr7C,WAAUs7C,aAAYjqD,KAAMwiB,EAAUpR,MAAMod,YAAavf,SAAQmB,gBAEzHw1D,oBAJO,SAIctjD,EAJdpO,GAI+C,IAAxBvE,EAAwBuE,EAAxBvE,cAAes1D,EAAS/wD,EAAT+wD,OAM3C75C,EAL0C9I,EAAlC8I,QAKD,sBAAuB,CAAEI,SALUlJ,EAA1BkJ,SAK0B7b,gBAAes1D,QAAOthD,YALtBrB,EAAhBqB,YAKmDkiD,2BAH1C,SAAC73D,GAClCyV,YAAsBnB,EAAOtU,OAIjCu5D,SAZO,SAAAnzD,EAAAE,GAYqCF,EAAhCoO,WACV4I,EAD0ChX,EAArBgX,QACd,WAAY,CAAEp1B,MADqBse,EAATte,SAGnCwxE,aAfO,SAAAhzD,EAAAE,GAeyCF,EAAhCgO,WACd4I,EAD8C5W,EAArB4W,QAClB,eAAgB,CAAEp1B,MADqB0e,EAAT1e,SAGvCyxE,wBAlBO,SAAA1xD,EAAAG,GAkBoDH,EAAhCyM,WACzB4I,EADyDrV,EAArBqV,QAC7B,0BAA2B,CAAEp1B,MADqBkgB,EAATlgB,SAGlD0xE,sBArBO,SAAArxD,EAAAmD,GAqBkDnD,EAAhCmM,WACvB4I,EADuD/U,EAArB+U,QAC3B,wBAAyB,CAAEp1B,MADqBwjB,EAATxjB,SAGhD2xE,wBAxBO,SAAAhuD,EAAAE,GAwBoDF,EAAhC6I,WACzB4I,EADyDzR,EAArByR,QAC7B,0BAA2B,CAAEp1B,MADqB6jB,EAAT7jB,SAGlD8a,YA3BO,SAAAkJ,EA2B+B3iB,GAAI,IAA3BmrB,EAA2BxI,EAA3BwI,UAAWgJ,EAAgBxR,EAAhBwR,SACxB,OAAOhJ,EAAU0I,IAAIC,kBAAkBra,YAAY,CAAEzZ,OAClDrD,KAAK,SAACgJ,GAAD,OAAYwuB,EAAS,iBAAkB,CAAEvN,SAAU,CAACjhB,QAE9D8Y,aA/BO,SAAAqE,EA+B8Bnd,GAAQ,IAA7BwlB,EAA6BrI,EAA7BqI,WACd4I,EAD2CjR,EAAlBiR,QAClB,aAAc,CAAEpuB,WACvBuR,IAAWuH,aAAa,CAAEze,GAAI2F,EAAO3F,GAAI8S,YAAaqY,EAAUpR,MAAMod,YAAYrkB,eAEpF8+D,sBAnCO,SAAA1uD,EAmC4B6sD,IACjCh8C,EAD4C7Q,EAArB6Q,QAChB,iBAAkBg8C,IAE3BvzD,SAtCO,SAAA4G,EAsC0Bzd,GAAQ,IAA7BwlB,EAA6B/H,EAA7B+H,UAAW4I,EAAkB3Q,EAAlB2Q,OAErBA,EAAO,eAAgB,CAAEpuB,SAAQhH,OAAO,IACxCwsB,EAAU0I,IAAIC,kBAAkBtX,SAAS,CAAExc,GAAI2F,EAAO3F,KACnDrD,KAAK,SAAAgJ,GAAM,OAAIouB,EAAO,sBAAuB,CAAEpuB,SAAQgD,KAAMwiB,EAAUpR,MAAMod,iBAElFza,WA5CO,SAAAgH,EA4C4B/d,GAAQ,IAA7BwlB,EAA6BzH,EAA7ByH,UAAW4I,EAAkBrQ,EAAlBqQ,OAEvBA,EAAO,eAAgB,CAAEpuB,SAAQhH,OAAO,IACxCwsB,EAAU0I,IAAIC,kBAAkBpX,WAAW,CAAE1c,GAAI2F,EAAO3F,KACrDrD,KAAK,SAAAgJ,GAAM,OAAIouB,EAAO,sBAAuB,CAAEpuB,SAAQgD,KAAMwiB,EAAUpR,MAAMod,iBAElFne,oBAlDO,SAAAwK,EAkDuC5L,GAAQ,IAA/BuT,EAA+B3H,EAA/B2H,UAAWgJ,EAAoB3Q,EAApB2Q,SAChChJ,EAAU0I,IAAIC,kBAAkB9a,oBAAoB,CAAEhZ,GAAI4X,IACvDjb,KAAK,SAAAiqB,GAAQ,OAAIuN,EAAS,iBAAkB,CAAEvN,WAAUtP,SAAU,OAAQM,SAAQ+6C,iBAAiB,EAAMC,YAAY,OAE1HjoB,UAtDO,SAAArnB,EAsD6B0oB,GAAU,IAAjC7gB,EAAiC7H,EAAjC6H,UAAWgJ,EAAsB7Q,EAAtB6Q,SACtB,OAAOhJ,EAAU0I,IAAIC,kBAAkBxY,aAAa,CAAEtb,GAAIgsC,IACvDrvC,KAAK,SAACgJ,GAAD,OAAYwuB,EAAS,iBAAkB,CAAEvN,SAAU,CAACjhB,QAE9DilC,YA1DO,SAAA1rB,EA0D+B8sB,GAAU,IAAjC7gB,EAAiCjM,EAAjCiM,UAAWgJ,EAAsBjV,EAAtBiV,SACxBhJ,EAAU0I,IAAIC,kBAAkBtY,eAAe,CAAExb,GAAIgsC,IAClDrvC,KAAK,SAACgJ,GAAD,OAAYwuB,EAAS,iBAAkB,CAAEvN,SAAU,CAACjhB,QAE9D+V,iBA9DO,SAAA0D,EA8DkC4sB,GAAU,IAA/B7gB,EAA+B/L,EAA/B+L,UAAW4I,EAAoB3U,EAApB2U,OAC7B,OAAO5I,EAAU0I,IAAIC,kBAAkBpY,iBAAiB,CAAE1b,GAAIgsC,IAC3DrvC,KAAK,SAACgJ,GAAD,OAAYouB,EAAO,iBAAkBpuB,MAE/CiW,mBAlEO,SAAA0D,EAkEoC0sB,GAAU,IAA/B7gB,EAA+B7L,EAA/B6L,UAAW4I,EAAoBzU,EAApByU,OAC/B,OAAO5I,EAAU0I,IAAIC,kBAAkBlY,mBAAmB,CAAE5b,GAAIgsC,IAC7DrvC,KAAK,SAACgJ,GAAD,OAAYouB,EAAO,iBAAkBpuB,MAE/CiX,QAtEO,SAAA4C,EAsEyB7Z,GAAQ,IAA7BwlB,EAA6B3L,EAA7B2L,UAAW4I,EAAkBvU,EAAlBuU,OAEpBA,EAAO,eAAgB,CAAEpuB,SAAQhH,OAAO,IACxCwsB,EAAU0I,IAAIC,kBAAkBlX,QAAQ,CAAE5c,GAAI2F,EAAO3F,KAClDrD,KAAK,SAAAgJ,GAAM,OAAIouB,EAAO,sBAAuB,CAAEpuB,OAAQA,EAAO+B,iBAAkBiB,KAAMwiB,EAAUpR,MAAMod,iBAE3Gra,UA5EO,SAAA4C,EA4E2B/Z,GAAQ,IAA7BwlB,EAA6BzL,EAA7ByL,UAAW4I,EAAkBrU,EAAlBqU,OAEtBA,EAAO,eAAgB,CAAEpuB,SAAQhH,OAAO,IACxCwsB,EAAU0I,IAAIC,kBAAkBhX,UAAU,CAAE9c,GAAI2F,EAAO3F,KACpDrD,KAAK,SAAAgJ,GAAM,OAAIouB,EAAO,sBAAuB,CAAEpuB,SAAQgD,KAAMwiB,EAAUpR,MAAMod,iBAElF06C,SAlFO,SAAAjyD,EAkF0Bja,GAAQ,IAA7BwlB,EAA6BvL,EAA7BuL,UAAW4I,EAAkBnU,EAAlBmU,OACrBA,EAAO,gBAAiB,CAAEpuB,SAAQhH,OAAO,IACzCwsB,EAAU0I,IAAIC,kBAAkB9W,eAAe,CAAEhd,GAAI2F,EAAO3F,KACzDrD,KAAK,SAAAgJ,GACJouB,EAAO,uBAAwB,CAAEpuB,cAGvCmsE,WAzFO,SAAAhyD,EAyF4Bna,GAAQ,IAA7BwlB,EAA6BrL,EAA7BqL,UAAW4I,EAAkBjU,EAAlBiU,OACvBA,EAAO,gBAAiB,CAAEpuB,SAAQhH,OAAO,IACzCwsB,EAAU0I,IAAIC,kBAAkB5W,iBAAiB,CAAEld,GAAI2F,EAAO3F,KAC3DrD,KAAK,SAAAgJ,GACJouB,EAAO,uBAAwB,CAAEpuB,cAGvCirE,WAhGO,SAAA5wD,EAAAoE,GAgG8CpE,EAAvCmL,WACZ4I,EADmD/T,EAA5B+T,QAChB,aAAc,CAAEzc,SAD4B8M,EAAhB9M,SACFtX,GADkBokB,EAANpkB,MAG/C6wE,cAnGO,SAAAvsD,GAmG+BA,EAArB6G,WACf4I,EADoCzP,EAAVyP,QACnB,kBAET1P,wBAtGO,SAAAO,GAsGyC,IAArBuG,EAAqBvG,EAArBuG,WACzB4I,EAD8CnP,EAAVmP,QAC7B,2BACP7c,IAAWmN,wBAAwB,CACjCrkB,GAAImrB,EAAUvE,SAAStO,cAAc/N,MACrCuI,YAAaqY,EAAUpR,MAAMod,YAAYrkB,eAG7Cy9D,6BA7GO,SAAAvrD,EAAAE,GA6GsD,IAA7BiG,EAA6BnG,EAA7BmG,UAAW4I,EAAkB/O,EAAlB+O,OAAY/zB,EAAMklB,EAANllB,GACrD+zB,EAAO,+BAAgC,CAAE/zB,OACzCkX,IAAWmN,wBAAwB,CACjCG,QAAQ,EACRxkB,KACA8S,YAAaqY,EAAUpR,MAAMod,YAAYrkB,eAG7Ci/D,yBArHO,SAAA3sD,EAAAE,GAqHkDF,EAA7B+F,WAC1B4I,EADuD3O,EAAlB2O,QAC9B,sBAAuB,CAAE/zB,GADuBslB,EAANtlB,MAGnDykB,oBAxHO,SAAAiB,EAAAE,GAwH6C,IAA7BuF,EAA6BzF,EAA7ByF,UAAW4I,EAAkBrO,EAAlBqO,OAAY/zB,EAAM4lB,EAAN5lB,GAC5C+zB,EAAO,sBAAuB,CAAE/zB,OAChCmrB,EAAU0I,IAAIC,kBAAkBrP,oBAAoB,CAAEzkB,QAExD0wE,mBA5HO,SAAA5qD,EAAAgB,GA4HqDhB,EAAtCqF,WACpB4I,EAD0DjO,EAA3BiO,QACxB,qBAAsB,CAAE/zB,GAD2B8mB,EAAf9mB,GACR2wE,QADuB7pD,EAAX6pD,WAGjDqB,oBA/HO,SAAAxrD,EA+HqCxmB,GAAI,IAAzBmrB,EAAyB3E,EAAzB2E,UAAW4I,EAAcvN,EAAduN,OAChC36B,QAAQ0E,IAAI,CACVqtB,EAAU0I,IAAIC,kBAAkB7O,sBAAsB,CAAEjlB,OACxDmrB,EAAU0I,IAAIC,kBAAkB3O,sBAAsB,CAAEnlB,SACvDrD,KAAK,SAAAsqB,GAA0C,IAAAE,EAAA5W,IAAA0W,EAAA,GAAxCgqD,EAAwC9pD,EAAA,GAAtB4pD,EAAsB5pD,EAAA,GAChD4M,EAAO,UAAW,CAAE/zB,KAAIixE,mBAAkB95C,YAAahM,EAAUpR,MAAMod,cACvEpD,EAAO,aAAc,CAAE/zB,KAAI+wE,mBAAkB55C,YAAahM,EAAUpR,MAAMod,iBAG9E1R,eAxIO,SAAA4B,EAAAG,GAwIyD,IAA9C2D,EAA8C9D,EAA9C8D,UAAWgJ,EAAmC9M,EAAnC8M,SAAUJ,EAAyB1M,EAAzB0M,OAAY/zB,EAAawnB,EAAbxnB,GAAIqF,EAASmiB,EAATniB,MAC/C8xB,EAAchM,EAAUpR,MAAMod,YAC/BA,IAELpD,EAAO,iBAAkB,CAAE/zB,KAAIqF,QAAO8xB,gBACtChM,EAAU0I,IAAIC,kBAAkBrO,eAAe,CAAEzlB,KAAIqF,UAAS1I,KAC5D,SAAA+W,GACEygB,EAAS,wBAAyBn0B,OAIxC2lB,iBAnJO,SAAAjB,EAAAnQ,GAmJ2D,IAA9C4W,EAA8CzG,EAA9CyG,UAAWgJ,EAAmCzP,EAAnCyP,SAAUJ,EAAyBrP,EAAzBqP,OAAY/zB,EAAauU,EAAbvU,GAAIqF,EAASkP,EAATlP,MACjD8xB,EAAchM,EAAUpR,MAAMod,YAC/BA,IAELpD,EAAO,oBAAqB,CAAE/zB,KAAIqF,QAAO8xB,gBACzChM,EAAU0I,IAAIC,kBAAkBnO,iBAAiB,CAAE3lB,KAAIqF,UAAS1I,KAC9D,SAAA+W,GACEygB,EAAS,wBAAyBn0B,OAIxCiyE,sBA9JO,SAAAt9D,EA8JuC3U,GAAI,IAAzBmrB,EAAyBxW,EAAzBwW,UAAW4I,EAAcpf,EAAdof,OAClC5I,EAAU0I,IAAIC,kBAAkBzO,oBAAoB,CAAErlB,OAAMrD,KAC1D,SAAAgvB,GACEoI,EAAO,sBAAuB,CAAE/zB,KAAI2rB,iBAAgBwL,YAAahM,EAAUpR,MAAMod,iBAIvF+6C,UArKO,SAAAt9D,EAqK2B5U,GAAI,IAAzBmrB,EAAyBvW,EAAzBuW,UAAW4I,EAAcnf,EAAdmf,OACtB5I,EAAU0I,IAAIC,kBAAkB7O,sBAAsB,CAAEjlB,OACrDrD,KAAK,SAAAs0E,GAAgB,OAAIl9C,EAAO,UAAW,CAAE/zB,KAAIixE,mBAAkB95C,YAAahM,EAAUpR,MAAMod,iBAErGg7C,aAzKO,SAAAj9D,EAyK8BlV,GAAI,IAAzBmrB,EAAyBjW,EAAzBiW,UAAW4I,EAAc7e,EAAd6e,OACzB5I,EAAU0I,IAAIC,kBAAkB3O,sBAAsB,CAAEnlB,OACrDrD,KAAK,SAAAo0E,GAAgB,OAAIh9C,EAAO,aAAc,CAAE/zB,KAAI+wE,mBAAkB55C,YAAahM,EAAUpR,MAAMod,iBAExGi7C,OA7KO,SA6KCnnD,EA7KDvD,GA6KkD,IAAxCjB,EAAwCiB,EAAxCjB,EAAGptB,EAAqCquB,EAArCruB,QAAS4a,EAA4ByT,EAA5BzT,MAAOyS,EAAqBgB,EAArBhB,OAAQ7iB,EAAa6jB,EAAb7jB,UAC1C,OAAOonB,EAAME,UAAU0I,IAAIC,kBAAkBvN,QAAQ,CAAEE,IAAGptB,UAAS4a,QAAOyS,SAAQ7iB,cAC/ElH,KAAK,SAAC9F,GAGL,OAFAo0B,EAAM8I,OAAO,cAAel9B,EAAK2uB,UACjCyF,EAAM8I,OAAO,iBAAkB,CAAEnN,SAAU/vB,EAAK+vB,WACzC/vB,MAIfigE,yICluBIub,GAAiB,SAAArlE,GASjB,IARJie,EAQIje,EARJie,MACAnY,EAOI9F,EAPJ8F,YAOIw/D,EAAAtlE,EANJsK,gBAMI,IAAAg7D,EANO,UAMPA,EAAAC,EAAAvlE,EALJ4gE,aAKI,IAAA2E,KAAAtF,EAAAjgE,EAJJ2lD,uBAII,IAAAsa,KAAAuF,EAAAxlE,EAHJ4K,cAGI,IAAA46D,KAAAC,EAAAzlE,EAFJvR,WAEI,IAAAg3E,KADJ/6D,EACI1K,EADJ0K,MAEMvD,EAAO,CAAEmD,WAAUxE,eACnBqY,EAAYF,EAAME,WAAaF,EAAM5B,MACnCoN,EAAYxL,EAAZwL,QACFi8C,EAAevnD,EAAUvE,SAASylD,UAAUsG,KAAUr7D,IAJxDs7D,EAKwCn8C,EAAQlK,aAA5C0pC,EALJ2c,EAKI3c,eAAgBh+C,EALpB26D,EAKoB36D,gBAClBwf,IAAatM,EAAUpR,MAAMod,YAE/By2C,EACFz5D,EAAI,MAAYuD,GAASg7D,EAAahoE,MAEtCyJ,EAAI,MAAYu+D,EAAanoE,MAG/B4J,EAAI,OAAayD,EACjBzD,EAAI,IAAU1Y,EACd0Y,EAAI,WAAiB8hD,EACjBx+B,GAAY,CAAC,UAAW,SAAU,qBAAqBp0B,SAASiU,KAClEnD,EAAI,gBAAsB8D,GAG5B,IAAM46D,EAAyBH,EAAa9rD,SAASvvB,OAErD,OAAO6f,IAAWE,cAAcjD,GAC7BxX,KAAK,SAAAuS,GACJ,IAAIA,EAAS7R,MAAb,CADgB,IAMFupB,EAAyB1X,EAA/BrY,KAAgBkiB,EAAe7J,EAAf6J,WAKxB,OAJK60D,GAAShnD,EAASvvB,QAAU,KAAOq7E,EAAat+B,SAAWy+B,EAAyB,GACvF5nD,EAAMkJ,SAAS,aAAc,CAAE7c,SAAUA,EAAUtX,GAAI0yE,EAAanoE,QAxD7D,SAAAwC,GAAwE,IAArEke,EAAqEle,EAArEke,MAAOrE,EAA8D7Z,EAA9D6Z,SAAUtP,EAAoDvK,EAApDuK,SAAUq7C,EAA0C5lD,EAA1C4lD,gBAAiB/6C,EAAyB7K,EAAzB6K,OAAQmB,EAAiBhM,EAAjBgM,WAC9D+5D,EAAaH,KAAUr7D,GAE7B2T,EAAMkJ,SAAS,WAAY,CAAEx1B,OAAO,IACpCssB,EAAMkJ,SAAS,eAAgB,CAAEx1B,MAAO,OAExCssB,EAAMkJ,SAAS,iBAAkB,CAC/B7c,SAAUw7D,EACVl7D,SACAgP,WACA+rC,kBACA55C,eA+CEg6D,CAAO,CAAE9nD,QAAOrE,WAAUtP,WAAUq7C,kBAAiB/6C,SAAQmB,eACtD,CAAE6N,WAAU7N,cATjBkS,EAAMkJ,SAAS,eAAgB,CAAEx1B,MAAOuQ,KAUzC,kBAAM+b,EAAMkJ,SAAS,WAAY,CAAEx1B,OAAO,OAiBlCq0E,GALS,CACtBX,kBACAY,cAXoB,SAAAxlE,GAA+E,IAAAylE,EAAAzlE,EAA5E6J,gBAA4E,IAAA47D,EAAjE,UAAiEA,EAAtDpgE,EAAsDrF,EAAtDqF,YAAamY,EAAyCxd,EAAzCwd,MAAyCkoD,EAAA1lE,EAAlCmK,cAAkC,IAAAu7D,KAAAC,EAAA3lE,EAAlBhS,WAAkB,IAAA23E,KAE7FV,GADYznD,EAAME,WAAaF,EAAM5B,OACZzC,SAASylD,UAAUsG,KAAUr7D,IACtDq7C,EAA0D,IAAxC+f,EAAa/G,gBAAgBt0E,OACrDq7E,EAAa96D,OAASA,EACtBy6D,GAAe,CAAE/6D,WAAUxE,cAAamY,QAAO0nC,kBAAiB/6C,SAAQnc,QAExE,OAAO43E,YADqB,kBAAMhB,GAAe,CAAE/6D,WAAUxE,cAAamY,QAAOrT,SAAQnc,SACjD,OCnEpC42E,GAAiB,SAAArlE,GAA2C,IAAxCie,EAAwCje,EAAxCie,MAAOnY,EAAiC9F,EAAjC8F,YAAiCy/D,EAAAvlE,EAApB4gE,aAAoB,IAAA2E,KAC1Dp+D,EAAO,CAAErB,eACP2jB,EAAYxL,EAAZwL,QACFtL,EAAYF,EAAME,WAAaF,EAAM5B,MACrCqpD,EAAevnD,EAAUvE,SAAStO,cAClC29C,EAAiBx/B,EAAQlK,aAAa0pC,eACtCqd,EAAqBnoD,EAAUpR,MAAMod,YAAYh1B,qBAOvD,GALAgS,EAAI,WAAiB8hD,EAErB9hD,EAAI,UAAgBm/D,EAEpBn/D,EAAI,SAAe,gBACfy5D,EAIF,OAHI8E,EAAahoE,QAAUqhB,OAAOmgD,oBAChC/3D,EAAI,MAAYu+D,EAAahoE,OAExB6oE,GAAmB,CAAEtoD,QAAO9W,OAAMy5D,UAGrC8E,EAAanoE,QAAUwhB,OAAOmgD,oBAChC/3D,EAAI,MAAYu+D,EAAanoE,OAE/B,IAAMrS,EAASq7E,GAAmB,CAAEtoD,QAAO9W,OAAMy5D,UAO3Ct1D,EAAgBo6D,EAAa77E,KAC7B28E,EAAgBl7D,EAAclE,OAAO,SAAAjV,GAAC,OAAIA,EAAEmK,OAAMtI,IAAI,SAAA7B,GAAC,OAAIA,EAAEa,KAMnE,OALwBsY,EAAcjhB,OAASm8E,EAAcn8E,OACvC,GAAKm8E,EAAcn8E,OAAS,IAChD8c,EAAI,MAAYrI,KAAK4jB,IAAL13B,MAAA8T,KAAI4E,IAAQ8iE,IAC5BD,GAAmB,CAAEtoD,QAAO9W,OAAMy5D,WAE7B11E,GAILq7E,GAAqB,SAAA9lE,GAA4B,IAAzBwd,EAAyBxd,EAAzBwd,MAAO9W,EAAkB1G,EAAlB0G,KAAMy5D,EAAYngE,EAAZmgE,MACzC,OAAO12D,IAAWE,cAAcjD,GAC7BxX,KAAK,SAAA+Q,GAA6B,IAApB4K,EAAoB5K,EAA1B7W,KAEP,OAlDS,SAAAkW,GAAqC,IAAlCke,EAAkCle,EAAlCke,MAAO3S,EAA2BvL,EAA3BuL,cAAes1D,EAAY7gE,EAAZ6gE,MACtC3iD,EAAMkJ,SAAS,wBAAyB,CAAEx1B,OAAO,IACjDssB,EAAMkJ,SAAS,sBAAuB,CAAE7b,gBAAes1D,UA+CnDmF,CAAO,CAAE9nD,QAAO3S,gBAAes1D,UACxBt1D,GACN,kBAAM2S,EAAMkJ,SAAS,wBAAyB,CAAEx1B,OAAO,MAJrD,MAKE,kBAAMssB,EAAMkJ,SAAS,wBAAyB,CAAEx1B,OAAO,OAkBnD80E,GALc,CAC3BpB,kBACAY,cAZoB,SAAAvxD,GAA4B,IAAzB5O,EAAyB4O,EAAzB5O,YAAamY,EAAYvJ,EAAZuJ,MACpConD,GAAe,CAAEv/D,cAAamY,UAM9B,OADArtB,WAAW,kBAAMqtB,EAAMkJ,SAAS,2BAA2B,IAAQ,KAC5Dk/C,YALqB,kBAAMhB,GAAe,CAAEv/D,cAAamY,WAKxB,OC9DpConD,GAAiB,SAAAtlE,GAA4B,IAAzBke,EAAyBle,EAAzBke,MAAOnY,EAAkB/F,EAAlB+F,YAC/B,OAAOoE,IAAWyM,oBAAoB,CAAE7Q,gBACrCnW,KAAK,SAAC+2E,GACLzoD,EAAM8I,OAAO,oBAAqB2/C,GAClCzoD,EAAM8I,OAAO,cAAe2/C,IAC3B,cAJE,MAKE,eAaIC,GAJc,CAC3BV,cAPoB,SAAAjmE,GAA4B,IAAzB8F,EAAyB9F,EAAzB8F,YAAamY,EAAYje,EAAZie,MACpConD,GAAe,CAAEv/D,cAAamY,UAE9B,OAAOooD,YADqB,kBAAMhB,GAAe,CAAEv/D,cAAamY,WACxB,skBCT1C,IA6Be2oD,GA7BkB,SAAA9gE,GAAW,OAAA+gE,GAAA,CAC1CC,sBAD0C,SAAA/mE,GACuB,IAAxCuK,EAAwCvK,EAAxCuK,SAAU2T,EAA8Ble,EAA9Bke,MAA8B8oD,EAAAhnE,EAAvB6K,cAAuB,IAAAm8D,KAAPt4E,EAAOsR,EAAPtR,IACxD,OAAOu4E,GAAuBf,cAAc,CAAE37D,WAAU2T,QAAOnY,cAAa8E,SAAQnc,SAGtFw4E,2BAL0C,SAAAjnE,GAKH,IAATie,EAASje,EAATie,MAC5B,OAAOwoD,GAAqBR,cAAc,CAAEhoD,QAAOnY,iBAGrDohE,4BAT0C,SAAAzmE,GASF,IAATwd,EAASxd,EAATwd,MAC7B,OAAO0oD,GAAqBV,cAAc,CAAEhoD,QAAOnY,iBAGrDqhE,gBAb0C,SAAAzmE,GAad,IAEpBrN,EAFoBqN,EAATud,MACEE,UAAU7B,SAASC,OAAOnoB,QAAQ,OAAQ,MAC1CkT,YAAqB,CAAExB,cAAa0B,OAAQ,SAC/D,OAAOS,YAAY,CAAE5U,MAAKL,GAAI,WAG7BxI,OAAO6Y,QAAQ6G,KAAY/R,OAAO,SAACC,EAADsc,GAAsB,IAAAO,EAAA1R,IAAAmR,EAAA,GAAfziB,EAAegjB,EAAA,GAAVmyD,EAAUnyD,EAAA,GACzD,OAAA4xD,GAAA,GACKzuE,EADLulE,IAAA,GAEG1rE,EAAM,SAACkV,GAAD,OAAUigE,EAAKP,GAAA,CAAE/gE,eAAgBqB,QAEzC,IAxBuC,CA0B1CgD,kBAAmBD,IAAWC,yCC7B1Bk9D,GAAY,GAAA5uE,OAAMhG,OAAO60E,SAASplD,OAAtB,mBAELqlD,GAAiB,SAAAxnE,GAAkD,IAA/CynE,EAA+CznE,EAA/CynE,SAAUC,EAAqC1nE,EAArC0nE,aAAcnrD,EAAuBvc,EAAvBuc,SAAUyK,EAAahnB,EAAbgnB,OACjE,GAAIygD,GAAYC,EACd,OAAOr7E,QAAQC,QAAQ,CAAEm7E,WAAUC,iBAGrC,IAAMp0E,EAAG,GAAAoF,OAAM6jB,EAAN,gBACHrO,EAAO,IAAIxb,OAAOoe,SAMxB,OAJA5C,EAAK8C,OAAO,cAAZ,aAAAtY,OAAwChG,OAAOi1E,yBAA/C,KAAAjvE,QAA4E,IAAI1B,MAAQ4wE,gBACxF15D,EAAK8C,OAAO,gBAAiBs2D,IAC7Bp5D,EAAK8C,OAAO,SAAU,gCAEfte,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IAELte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,SACpB9W,KAAK,SAACi4E,GAAD,MAAU,CAAEJ,SAAUI,EAAIC,UAAWJ,aAAcG,EAAIE,iBAC5Dn4E,KAAK,SAACi4E,GAAD,OAAS7gD,EAAO,gBAAiB6gD,IAAQA,KA2DtCG,GAAiB,SAAArzD,GAA0C,IAAvC8yD,EAAuC9yD,EAAvC8yD,SAAUC,EAA6B/yD,EAA7B+yD,aAAcnrD,EAAe5H,EAAf4H,SACjDjpB,EAAG,GAAAoF,OAAM6jB,EAAN,gBACHrO,EAAO,IAAIxb,OAAOoe,SAOxB,OALA5C,EAAK8C,OAAO,YAAay2D,GACzBv5D,EAAK8C,OAAO,gBAAiB02D,GAC7Bx5D,EAAK8C,OAAO,aAAc,sBAC1B9C,EAAK8C,OAAO,eAAZ,GAAAtY,OAA+BhG,OAAO60E,SAASplD,OAA/C,oBAEOzvB,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UA0DVuhE,GAVD,CACZC,MArHY,SAAAjoE,GAA4B,IAAzBsc,EAAyBtc,EAAzBsc,SACTzyB,EAAO,CACXq+E,cAAe,OACfL,UAHsC7nE,EAAfwnE,SAIvBW,aAAcd,GACd9vB,MAAO,gCAGH6wB,EAAa1W,KAAO7nE,EAAM,SAACuO,EAAKqzB,EAAGxqB,GACvC,IAAMonE,EAAO,GAAA5vE,OAAMwI,EAAN,KAAAxI,OAAW8N,mBAAmBklB,IAC3C,OAAKrzB,EAGH,GAAAK,OAAUL,EAAV,KAAAK,OAAiB4vE,GAFVA,IAIR,GAGGh1E,EAAG,GAAAoF,OAAM6jB,EAAN,qBAAA7jB,OAAkC2vE,GAE3C31E,OAAO60E,SAAS/6E,KAAO8G,GAkGvBi1E,SA/Ee,SAAA5nE,GAAgD,IAA7C8mE,EAA6C9mE,EAA7C8mE,SAAUC,EAAmC/mE,EAAnC+mE,aAAcnrD,EAAqB5b,EAArB4b,SAAUhT,EAAW5I,EAAX4I,KAC9CjW,EAAG,GAAAoF,OAAM6jB,EAAN,gBACHrO,EAAO,IAAIxb,OAAOoe,SAQxB,OANA5C,EAAK8C,OAAO,YAAay2D,GACzBv5D,EAAK8C,OAAO,gBAAiB02D,GAC7Bx5D,EAAK8C,OAAO,aAAc,sBAC1B9C,EAAK8C,OAAO,OAAQzH,GACpB2E,EAAK8C,OAAO,eAAZ,GAAAtY,OAA+BhG,OAAO60E,SAASplD,OAA/C,oBAEOzvB,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IAELte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAkEvB8hE,wBAhG8B,SAAA9nE,GAA8D,IAA3D+mE,EAA2D/mE,EAA3D+mE,SAAUC,EAAiDhnE,EAAjDgnE,aAAcnrD,EAAmC7b,EAAnC6b,SAAUlZ,EAAyB3C,EAAzB2C,SAAUqS,EAAehV,EAAfgV,SACvEpiB,EAAG,GAAAoF,OAAM6jB,EAAN,gBACHrO,EAAO,IAAIxb,OAAOoe,SAQxB,OANA5C,EAAK8C,OAAO,YAAay2D,GACzBv5D,EAAK8C,OAAO,gBAAiB02D,GAC7Bx5D,EAAK8C,OAAO,aAAc,YAC1B9C,EAAK8C,OAAO,WAAY3N,GACxB6K,EAAK8C,OAAO,WAAY0E,GAEjBhjB,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAoFvB8gE,kBACAiB,cAnDoB,SAAAvzD,GAAuC,IAApC2yD,EAAoC3yD,EAApC2yD,IAAKtrD,EAA+BrH,EAA/BqH,SAAUmsD,EAAqBxzD,EAArBwzD,SAAUn/D,EAAW2L,EAAX3L,KAC1CjW,EAAG,GAAAoF,OAAM6jB,EAAN,wBACHrO,EAAO,IAAIxb,OAAOoe,SAQxB,OANA5C,EAAK8C,OAAO,YAAa62D,EAAIC,WAC7B55D,EAAK8C,OAAO,gBAAiB62D,EAAIE,eACjC75D,EAAK8C,OAAO,YAAa03D,GACzBx6D,EAAK8C,OAAO,OAAQzH,GACpB2E,EAAK8C,OAAO,iBAAkB,QAEvBte,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAuCvBiiE,mBApCyB,SAAAv0D,GAAuC,IAApCyzD,EAAoCzzD,EAApCyzD,IAAKtrD,EAA+BnI,EAA/BmI,SAAUmsD,EAAqBt0D,EAArBs0D,SAAUn/D,EAAW6K,EAAX7K,KAC/CjW,EAAG,GAAAoF,OAAM6jB,EAAN,wBACHrO,EAAO,IAAIxb,OAAOoe,SAQxB,OANA5C,EAAK8C,OAAO,YAAa62D,EAAIC,WAC7B55D,EAAK8C,OAAO,gBAAiB62D,EAAIE,eACjC75D,EAAK8C,OAAO,YAAa03D,GACzBx6D,EAAK8C,OAAO,OAAQzH,GACpB2E,EAAK8C,OAAO,iBAAkB,YAEvBte,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAwBvBkiE,YArBkB,SAAA76D,GAA8B,IAA3B85D,EAA2B95D,EAA3B85D,IAAKtrD,EAAsBxO,EAAtBwO,SAAUrnB,EAAY6Y,EAAZ7Y,MAC9B5B,EAAG,GAAAoF,OAAM6jB,EAAN,iBACHrO,EAAO,IAAIxb,OAAOoe,SAMxB,OAJA5C,EAAK8C,OAAO,YAAa62D,EAAIJ,UAC7Bv5D,EAAK8C,OAAO,gBAAiB62D,EAAIH,cACjCx5D,EAAK8C,OAAO,QAAS9b,GAEdxC,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,gCC9HzB,SAASmiE,KACP,MAAO,kBAAmB5qC,WAAa,gBAAiBvrC,OAG1D,SAASo2E,KACP,OAAOC,KAAQ50D,WAAR,MACE,SAAC5kB,GAAD,OAASiD,QAAQlC,MAAM,4CAA6Cf,KAsB/E,SAASy5E,GAA+B9zE,GACtC,OAAOxC,OAAOmT,MAAM,6BAA8B,CAChDI,OAAQ,SACRI,QAAS,CACPE,eAAgB,mBAChBM,cAAA,UAAAnO,OAA2BxD,MAE5BtF,KAAK,SAACuS,GACP,IAAKA,EAASwE,GAAI,MAAM,IAAInX,MAAM,gCAClC,OAAO2S,IAgCJ,SAAS8mE,GAA2BC,EAAWnN,EAAgB7mE,EAAOopB,GACvEuqD,MACFC,KACGl5E,KAAK,SAACu5E,GAAD,OA/DZ,SAAwBA,EAAcD,EAAWnN,GAC/C,IAAKmN,EAAW,OAAO78E,QAAQE,OAAO,IAAIiD,MAAM,mCAChD,IAAKusE,EAAgB,OAAO1vE,QAAQE,OAAO,IAAIiD,MAAM,kCAErD,IAvB8B45E,EAExBC,EAIAC,EAiBAC,EAAmB,CACvBC,iBAAiB,EACjBC,sBAzB4BL,EAyBgBrN,EAvBxCsN,GAAUD,EADA,IAAIM,QAAQ,EAAIN,EAAa9+E,OAAS,GAAK,IAExD+J,QAAQ,KAAM,KACdA,QAAQ,KAAM,KAEXi1E,EAAU52E,OAAOi3E,KAAKN,GACrBO,WAAWC,KAAKlmE,IAAI2lE,GAASr1E,IAAI,SAAC03C,GAAD,OAAUA,EAAKm+B,WAAW,QAoBlE,OAAOX,EAAaY,YAAYC,UAAUT,GAuDdU,CAAcd,EAAcD,EAAWnN,KAC9DnsE,KAAK,SAACs6E,GAAD,OAhCZ,SAAoCA,EAAch1E,EAAOopB,GACvD,OAAO5rB,OAAOmT,MAAM,6BAA8B,CAChDI,OAAQ,OACRI,QAAS,CACPE,eAAgB,mBAChBM,cAAA,UAAAnO,OAA2BxD,IAE7BgN,KAAMG,KAAKC,UAAU,CACnB4nE,eACApgF,KAAM,CACJqgF,OAAQ,CACNje,OAAQ5tC,EAAuBG,QAC/BniB,UAAWgiB,EAAuBC,MAClC6rD,QAAS9rD,EAAuBviB,SAChCzC,OAAQglB,EAAuBE,QAC/B6rD,KAAM/rD,EAAuBK,YAIlC/uB,KAAK,SAACuS,GACP,IAAKA,EAASwE,GAAI,MAAM,IAAInX,MAAM,gCAClC,OAAO2S,EAASuE,SACf9W,KAAK,SAAC06E,GACP,IAAKA,EAAar3E,GAAI,MAAM,IAAIzD,MAAM,6BACtC,OAAO86E,IAQmBC,CAA0BL,EAAch1E,EAAOopB,KAFzE,MAGS,SAACryB,GAAD,OAAOuG,QAAQmX,KAAR,2CAAAjR,OAAwDzM,EAAE0E,2kBC/EvE,IAkBD65E,GAAmB,SAAnBA,EAAoBC,EAAU5T,GAClC,GAAIyJ,IAAQmK,IAAanK,IAAQzJ,GAE/B,OADA4T,EAASngF,OAASusE,EAASvsE,OACpBogF,KAAUD,EAAU5T,EAAU2T,IAYnCz7D,GAAY,SAACmP,EAAOjrB,GACxB,OAAOirB,EAAME,UAAU0I,IAAIC,kBAAkBhY,UAAU,CAAE9b,OACtDrD,KAAK,SAACmF,GACLmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,IACxCmpB,EAAM8I,OAAO,aAAc/zB,GAC3BirB,EAAM8I,OAAO,eAAgB,CAAEzc,SAAU,UAAWM,OAAQ5X,IAC5DirB,EAAM8I,OAAO,eAAgB,CAAEzc,SAAU,SAAUM,OAAQ5X,IAC3DirB,EAAM8I,OAAO,eAAgB,CAAEzc,SAAU,oBAAqBM,OAAQ5X,OAItEic,GAAc,SAACgP,EAAOjrB,GAC1B,OAAOirB,EAAME,UAAU0I,IAAIC,kBAAkB7X,YAAY,CAAEjc,OACxDrD,KAAK,SAACmF,GAAD,OAAkBmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,OAG9Dqd,GAAW,SAAC8L,EAAOjrB,GACvB,IAAM03E,EAAwBzsD,EAAM5B,MAAMsuD,cAAc33E,IAAO,CAAEA,MAKjE,OAJA03E,EAAsBn0E,QAAS,EAC/B0nB,EAAM8I,OAAO,yBAA0B,CAAC2jD,IACxCzsD,EAAM8I,OAAO,YAAa/zB,GAEnBirB,EAAME,UAAU0I,IAAIC,kBAAkB3U,SAAS,CAAEnf,OACrDrD,KAAK,SAACmF,GACLmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,IACxCmpB,EAAM8I,OAAO,YAAa/zB,MAI1Bqf,GAAa,SAAC4L,EAAOjrB,GACzB,IAAM03E,EAAwBzsD,EAAM5B,MAAMsuD,cAAc33E,IAAO,CAAEA,MAIjE,OAHA03E,EAAsBn0E,QAAS,EAC/B0nB,EAAM8I,OAAO,yBAA0B,CAAC2jD,IAEjCzsD,EAAME,UAAU0I,IAAIC,kBAAkBzU,WAAW,CAAErf,OACvDrD,KAAK,SAACmF,GAAD,OAAkBmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,OAe9DslB,GAAa,SAAC6D,EAAO3D,GACzB,OAAO2D,EAAME,UAAU0I,IAAIC,kBAAkB1M,WAAW,CAAEE,WACvD3qB,KAAK,kBAAMsuB,EAAM8I,OAAO,gBAAiBzM,MAGxCC,GAAe,SAAC0D,EAAO3D,GAC3B,OAAO2D,EAAME,UAAU0I,IAAIC,kBAAkBvM,aAAa,CAAED,WACzD3qB,KAAK,kBAAMsuB,EAAM8I,OAAO,mBAAoBzM,MA0elCvN,GApUD,CACZsP,MAZ0B,CAC1BuuD,WAAW,EACXC,eAAe,EACf1gD,aAAa,EACbpd,MAAO,GACP+9D,YAAa,GACbC,eAAe,EACfC,aAAc,GACdL,cAAe,IAKf7gB,UArKuB,CACvB72C,QADuB,SACdoJ,EADctc,GACgB,IAAb/M,EAAa+M,EAArBpE,KAAQ3I,GAAMvE,EAAOsR,EAAPtR,IACxBkN,EAAO0gB,EAAMyuD,YAAY93E,GAEzBi4E,GADOtvE,EAAKpE,MAAQ,IACLkB,OAAO,CAAChK,IAC7Bq8B,cAAInvB,EAAM,OAAQsvE,IAEpB73D,UAPuB,SAOZiJ,EAPYrc,GAOkB,IAAbhN,EAAagN,EAArBrE,KAAQ3I,GAAMvE,EAAOuR,EAAPvR,IAC1BkN,EAAO0gB,EAAMyuD,YAAY93E,GAEzBi4E,GADOtvE,EAAKpE,MAAQ,IACL6P,OAAO,SAAAxV,GAAC,OAAIA,IAAMnD,IACvCq8B,cAAInvB,EAAM,OAAQsvE,IAEpBC,YAbuB,SAaV7uD,EAbU5b,GAa6B,IAAtBzN,EAAsByN,EAA9B9E,KAAQ3I,GAAM+Q,EAAgBtD,EAAhBsD,MAAOpS,EAAS8O,EAAT9O,MACnCgK,EAAO0gB,EAAMyuD,YAAY93E,GAC3Bm4E,EAAYxvE,EAAKnG,OACrB21E,EAAUpnE,GAASpS,EACnBm5B,cAAInvB,EAAM,SAAUwvE,IAEtBC,uBAnBuB,SAmBC/uD,EAnBD3b,GAmBuC,IAArB1N,EAAqB0N,EAA7B/E,KAAQ3I,GAAMwE,EAAekJ,EAAflJ,YACvCmE,EAAO0gB,EAAMyuD,YAAY93E,GAC/B83B,cAAInvB,EAAM,cAAenE,IAE3B6zE,eAvBuB,SAuBPhvD,EAAO1gB,GACrB0gB,EAAMwuD,cAAgBlvE,EAAKzI,YAC3BmpB,EAAM8N,YAAcsgD,KAAUpuD,EAAM8N,aAAe,GAAIxuB,EAAM4uE,KAE/De,iBA3BuB,SA2BLjvD,GAChBA,EAAM8N,aAAc,EACpB9N,EAAMwuD,eAAgB,GAExBU,WA/BuB,SA+BXlvD,GACVA,EAAMuuD,WAAY,GAEpBY,SAlCuB,SAkCbnvD,GACRA,EAAMuuD,WAAY,GAEpBa,cArCuB,SAqCRpvD,EArCQ3H,GAqCkB,IAAjB1hB,EAAiB0hB,EAAjB1hB,GAAImE,EAAaud,EAAbvd,UACpBwE,EAAO0gB,EAAMyuD,YAAY93E,GAC/B2I,EAAKxE,UAAYy+C,KAAKtoC,KAAO3R,EAAKxE,UAAWA,KAE/Cu0E,gBAzCuB,SAyCNrvD,EAzCMpH,GAyCsB,IAAnBjiB,EAAmBiiB,EAAnBjiB,GAAIoE,EAAe6d,EAAf7d,YACtBuE,EAAO0gB,EAAMyuD,YAAY93E,GAC/B2I,EAAKvE,YAAcw+C,KAAKtoC,KAAO3R,EAAKvE,YAAaA,KAInDu0E,aA/CuB,SA+CTtvD,EAAOzR,GACnB,IAAMjP,EAAO0gB,EAAMyuD,YAAYlgE,GAC3BjP,GACFmvB,cAAInvB,EAAM,YAAa,KAG3BiwE,eArDuB,SAqDPvvD,EAAOzR,GACrB,IAAMjP,EAAO0gB,EAAMyuD,YAAYlgE,GAC3BjP,GACFmvB,cAAInvB,EAAM,cAAe,KAG7BkwE,YA3DuB,SA2DVxvD,EAAOtP,GAClBuM,IAAKvM,EAAO,SAACpR,GACPA,EAAK7G,cACPg2B,cAAIzO,EAAMsuD,cAAehvE,EAAK7G,aAAa9B,GAAI2I,EAAK7G,cA3JlC,SAACyqE,EAAKC,EAAKxa,GACnC,IAAKA,EAAQ,OAAO,EACpB,IAAMya,EAAUD,EAAIxa,EAAKhyD,IACrBysE,EAEFgL,KAAUhL,EAASza,EAAMulB,KAIzBhL,EAAIh1E,KAAKy6D,GACTl6B,cAAI00C,EAAKxa,EAAKhyD,GAAIgyD,GACdA,EAAK9xD,cAAgB8xD,EAAK9xD,YAAYmD,SAAS,MACjDy0B,cAAI00C,EAAKxa,EAAK9xD,YAAYqpC,cAAeyoB,IAiJzCsa,CAAWjjD,EAAMtP,MAAOsP,EAAMyuD,YAAanvE,MAG/CmwE,uBAnEuB,SAmECzvD,EAAOsuD,GAC7BA,EAAc35D,QAAQ,SAAClc,GACrBg2B,cAAIzO,EAAMsuD,cAAe71E,EAAa9B,GAAI8B,MAG9Ci3E,aAxEuB,SAwET1vD,EAAO2vD,GACnB3vD,EAAM8N,YAAY6hD,SAAWA,GAE/BC,WA3EuB,SA2EX5vD,EAAO6vD,IACoC,IAAjD7vD,EAAM8N,YAAY6hD,SAAS/1B,QAAQi2B,IACrC7vD,EAAM8N,YAAY6hD,SAASzhF,KAAK2hF,IAGpCC,YAhFuB,SAgFV9vD,EAAO+vD,GAClB/vD,EAAM8N,YAAYiiD,QAAUA,GAE9BC,UAnFuB,SAmFZhwD,EAAOiwD,IACmC,IAA/CjwD,EAAM8N,YAAYiiD,QAAQn2B,QAAQq2B,IACpCjwD,EAAM8N,YAAYiiD,QAAQ7hF,KAAK+hF,IAGnCC,gBAxFuB,SAwFNlwD,EAAOmwD,GACtBnwD,EAAM8N,YAAYqiD,YAAcA,GAElCC,cA3FuB,SA2FRpwD,EAAO/B,IACmC,IAAnD+B,EAAM8N,YAAYqiD,YAAYv2B,QAAQ37B,IACxC+B,EAAM8N,YAAYqiD,YAAYjiF,KAAK+vB,IAGvCoyD,iBAhGuB,SAgGLrwD,EAAO/B,GACvB,IAAM4tB,EAAQ7rB,EAAM8N,YAAYqiD,YAAYv2B,QAAQ37B,IACrC,IAAX4tB,GACF7rB,EAAM8N,YAAYqiD,YAAYjhF,OAAO28C,EAAO,IAGhDykC,gBAtGuB,SAsGNtwD,EAAO1jB,GACtB,IAAMgD,EAAO0gB,EAAMyuD,YAAYnyE,EAAOgD,KAAK3I,IACrCk1C,EAAQvsC,EAAKtE,gBAAgB4+C,QAAQt9C,EAAO3F,IAC9C2F,EAAOuC,SAAqB,IAAXgtC,EACnBvsC,EAAKtE,gBAAgB9M,KAAKoO,EAAO3F,IACvB2F,EAAOuC,SAAqB,IAAXgtC,GAC3BvsC,EAAKtE,gBAAgB9L,OAAO28C,EAAO,IAGvC0kC,iBA/GuB,SA+GLvwD,EAAO1jB,GACvBA,EAAOgD,KAAO0gB,EAAMyuD,YAAYnyE,EAAOgD,KAAK3I,KAE9C65E,uBAlHuB,SAkHCxwD,EAAO1S,GACH,WAAtBA,EAAa5a,OACf4a,EAAalN,OAAOd,KAAO0gB,EAAMyuD,YAAYnhE,EAAalN,OAAOd,KAAK3I,KAExE2W,EAAajN,aAAe2f,EAAMyuD,YAAYnhE,EAAajN,aAAa1J,KAE1E85E,SAxHuB,SAwHbzwD,EAxHalI,GAwHyB,IAArBnhB,EAAqBmhB,EAA7BxY,KAAQ3I,GAAMwyC,EAAerxB,EAAfqxB,YACzB7pC,EAAO0gB,EAAMyuD,YAAY93E,GAC/B83B,cAAInvB,EAAM,YAAa6pC,IAEzBulC,cA5HuB,SA4HR1uD,GACbA,EAAM0uD,eAAgB,EACtB1uD,EAAM2uD,aAAe,IAEvB+B,cAhIuB,SAgIR1wD,GACbA,EAAM0uD,eAAgB,GAExBiC,cAnIuB,SAmIR3wD,EAAO1Z,GACpB0Z,EAAM0uD,eAAgB,EACtB1uD,EAAM2uD,aAAeroE,IAiCvB8mB,QA7BqB,CACrBC,SAAU,SAAArN,GAAK,OAAI,SAAAtC,GACjB,IAAM7uB,EAASmxB,EAAMyuD,YAAY/wD,GAEjC,OAAK7uB,GAA2B,iBAAV6uB,EAGf7uB,EAFEmxB,EAAMyuD,YAAY/wD,EAAMwiB,iBAInCznC,aAAc,SAAAunB,GAAK,OAAI,SAAArpB,GAErB,OADYA,GAAMqpB,EAAMsuD,cAAc33E,IACxB,CAAEA,KAAIo0C,SAAS,MAmB/B8iB,QAAS,CACP+iB,mBADO,SACahvD,EAAOjrB,GACpBirB,EAAMwL,QAAQC,SAAS12B,IAC1BirB,EAAMkJ,SAAS,YAAan0B,IAGhCoc,UANO,SAMI6O,EAAOjrB,GAChB,OAAOirB,EAAME,UAAU0I,IAAIC,kBAAkB1X,UAAU,CAAEpc,OACtDrD,KAAK,SAACgM,GAEL,OADAsiB,EAAM8I,OAAO,cAAe,CAACprB,IACtBA,KAGb2T,sBAbO,SAagB2O,EAAOjrB,GACxBirB,EAAM5B,MAAM8N,aACdlM,EAAME,UAAU0I,IAAIC,kBAAkBxX,sBAAsB,CAAEtc,OAC3DrD,KAAK,SAACg7E,GAAD,OAAmB1sD,EAAM8I,OAAO,yBAA0B4jD,MAGtEh4D,YAnBO,SAmBMsL,GACX,OAAOA,EAAME,UAAU0I,IAAIC,kBAAkBnU,cAC1ChjB,KAAK,SAACu9E,GAGL,OAFAjvD,EAAM8I,OAAO,eAAgBnb,KAAIshE,EAAQ,OACzCjvD,EAAM8I,OAAO,cAAemmD,GACrBA,KAGbp+D,UA3BO,SA2BImP,EAAOjrB,GAChB,OAAO8b,GAAUmP,EAAOjrB,IAE1Bic,YA9BO,SA8BMgP,EAAOjrB,GAClB,OAAOic,GAAYgP,EAAOjrB,IAE5Bm6E,WAjCO,SAiCKlvD,GAAiB,IAAV2gC,EAAUxhD,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GACvB,OAAOhR,QAAQ0E,IAAI8tD,EAAI5qD,IAAI,SAAAhB,GAAE,OAAI8b,GAAUmP,EAAOjrB,OAEpDo6E,aApCO,SAoCOnvD,GAAiB,IAAV2gC,EAAUxhD,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GACzB,OAAOhR,QAAQ0E,IAAI8tD,EAAI5qD,IAAI,SAAAhB,GAAE,OAAIic,GAAYgP,EAAOjrB,OAEtDif,WAvCO,SAuCKgM,GACV,OAAOA,EAAME,UAAU0I,IAAIC,kBAAkB7U,aAC1CtiB,KAAK,SAAC09E,GAGL,OAFApvD,EAAM8I,OAAO,cAAenb,KAAIyhE,EAAO,OACvCpvD,EAAM8I,OAAO,cAAesmD,GACrBA,KAGbl7D,SA/CO,SA+CG8L,EAAOjrB,GACf,OAAOmf,GAAS8L,EAAOjrB,IAEzBqf,WAlDO,SAkDK4L,EAAOjrB,GACjB,OAAOqf,GAAW4L,EAAOjrB,IAE3Bs6E,YArDO,SAqDMrvD,EAAOjrB,GAClB,OAnPc,SAACirB,EAAOrT,GAC1B,OAAOqT,EAAME,UAAU0I,IAAIC,kBAAkBjZ,WAAW,CAAE7a,GAAI4X,EAAQsD,SAAS,IAC5Eve,KAAK,SAACmF,GACLmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,MAgPjCw4E,CAAYrvD,EAAOjrB,IAE5Bu6E,YAxDO,SAwDMtvD,EAAOjrB,GAClB,OA/Oc,SAACirB,EAAOrT,GAC1B,OAAOqT,EAAME,UAAU0I,IAAIC,kBAAkBjZ,WAAW,CAAE7a,GAAI4X,EAAQsD,SAAS,IAC5Eve,KAAK,SAACmF,GAAD,OAAkBmpB,EAAM8I,OAAO,yBAA0B,CAACjyB,MA6OvDy4E,CAAYtvD,EAAOjrB,IAE5Bw6E,UA3DO,SA2DIvvD,GAAiB,IAAV2gC,EAAUxhD,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GACtB,OAAOhR,QAAQ0E,IAAI8tD,EAAI5qD,IAAI,SAAAhB,GAAE,OAAImf,GAAS8L,EAAOjrB,OAEnDy6E,YA9DO,SA8DMxvD,GAAiB,IAAV2gC,EAAUxhD,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GACxB,OAAOhR,QAAQ0E,IAAI8tD,EAAI5qD,IAAI,SAAAhB,GAAE,OAAIqf,GAAW4L,EAAOjrB,OAErDknB,iBAjEO,SAiEW+D,GAChB,OAAOA,EAAME,UAAU0I,IAAIC,kBAAkB5M,mBAC1CvqB,KAAK,SAAC68E,GAEL,OADAvuD,EAAM8I,OAAO,kBAAmBylD,GACzBA,KAGbpyD,WAxEO,SAwEK6D,EAAO3D,GACjB,OAAOF,GAAW6D,EAAO3D,IAE3BC,aA3EO,SA2EO0D,EAAO3D,GACnB,OAAOC,GAAa0D,EAAO3D,IAE7BozD,YA9EO,SA8EMzvD,GAAqB,IAAdw/C,EAAcrgE,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GAC5B,OAAOhR,QAAQ0E,IAAI2sE,EAAQzpE,IAAI,SAAAsmB,GAAM,OAAIF,GAAW6D,EAAO3D,OAE7DqzD,cAjFO,SAiFQ1vD,GAAoB,IAAb3D,EAAald,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GAC7B,OAAOhR,QAAQ0E,IAAIwpB,EAAOtmB,IAAI,SAAAsmB,GAAM,OAAIC,GAAa0D,EAAO3D,OAE9DzT,aApFO,SAAAiH,EAoF8B9a,GAAI,IAAzBmrB,EAAyBrQ,EAAzBqQ,UAAW4I,EAAcjZ,EAAdiZ,OACnBprB,EAAOwiB,EAAUpR,MAAM+9D,YAAY93E,GACnCuK,EAAQ4P,IAAKxR,EAAKxE,WACxB,OAAOgnB,EAAU0I,IAAIC,kBAAkBjgB,aAAa,CAAE7T,KAAIuK,UACvD5N,KAAK,SAACyb,GAGL,OAFA2b,EAAO,cAAe3b,GACtB2b,EAAO,gBAAiB,CAAE/zB,KAAImE,UAAWyU,KAAIR,EAAS,QAC/CA,KAGbqC,eA9FO,SAAAW,EA8FgCpb,GAAI,IAAzBmrB,EAAyB/P,EAAzB+P,UAAW4I,EAAc3Y,EAAd2Y,OACrBprB,EAAOwiB,EAAUpR,MAAM+9D,YAAY93E,GACnCuK,EAAQ4P,IAAKxR,EAAKvE,aACxB,OAAO+mB,EAAU0I,IAAIC,kBAAkBrZ,eAAe,CAAEza,KAAIuK,UACzD5N,KAAK,SAACovE,GAGL,OAFAh4C,EAAO,cAAeg4C,GACtBh4C,EAAO,kBAAmB,CAAE/zB,KAAIoE,YAAawU,KAAImzD,EAAW,QACrDA,KAGb4M,aAxGO,SAAAp9D,EAwGmB3D,IACxBmc,EADgCxY,EAAlBwY,QACP,eAAgBnc,IAEzBghE,eA3GO,SAAAn9D,EA2GqB7D,IAC1Bmc,EADkCtY,EAAlBsY,QACT,iBAAkBnc,IAE3B2H,cA9GO,SAAA5D,EA8G+B3b,GAAI,IAAzBmrB,EAAyBxP,EAAzBwP,UAAW4I,EAAcpY,EAAdoY,OAC1B,OAAO5I,EAAU0I,IAAIC,kBAAkBvU,cAAc,CAAEvf,OACpDrD,KAAK,SAACmF,GAAD,OAAkBiyB,EAAO,yBAA0B,CAACjyB,OAE9D2d,gBAlHO,SAAA5D,EAkHiC7b,GAAI,IAAzBmrB,EAAyBtP,EAAzBsP,UAAW4I,EAAclY,EAAdkY,OAC5B,OAAO5I,EAAU0I,IAAIC,kBAAkBrU,gBAAgB,CAAEzf,OACtDrD,KAAK,SAACmF,GAAD,OAAkBiyB,EAAO,yBAA0B,CAACjyB,OAE9DoyB,uBAtHO,SAAAnY,EAAAG,GAsHkD,IAA/BiP,EAA+BpP,EAA/BoP,UAAW4I,EAAoBhY,EAApBgY,OAAYprB,EAAQuT,EAARvT,MACnCA,EAAKnE,YAAc2mB,EAAU0I,IAAIC,kBAAkBlT,aAAeuK,EAAU0I,IAAIC,kBAAkB9S,gBAC1G,CAAErY,SACHhM,KAAK,SAAAmnB,GAAA,IAAGtf,EAAHsf,EAAGtf,YAAH,OAAqBuvB,EAAO,yBAA0B,CAAEprB,OAAMnE,mBAExEwxE,0BA3HO,SA2HoB/qD,GACzB,IAAMhpB,EAAQgpB,EAAM5B,MAAM8N,YAAYrkB,YAChCg2D,EAAiB79C,EAAME,UAAU7B,SAASw/C,eAIhDkN,GAHkB/qD,EAAME,UAAUC,OAAOqrC,qBAGJqS,EAAgB7mE,EAFtBgpB,EAAME,UAAUC,OAAOC,yBAIxDuvD,4BAnIO,SAmIsB3vD,IDpT1B,SAAsChpB,GACvC2zE,MACFx8E,QAAQ0E,IAAI,CACVi4E,GAA8B9zE,GAC9B4zE,KACGl5E,KAAK,SAACu5E,GACL,OAhEV,SAA0BA,GACxB,OAAOA,EAAaY,YAAY+D,kBAC7Bl+E,KAAK,SAACm+E,GACL,GAAqB,OAAjBA,EACJ,OAAOA,EAAaC,gBA4DTC,CAAgB9E,GAAcv5E,KAAK,SAACzE,GAAD,MAAY,CAACg+E,EAAch+E,OAEtEyE,KAAK,SAAAoQ,GAAiC,IAAAC,EAAAuD,IAAAxD,EAAA,GAA/BmpE,EAA+BlpE,EAAA,GAIrC,OAJqCA,EAAA,IAEnCzN,QAAQmX,KAAK,0EAERw/D,EAAa+E,aAAat+E,KAAK,SAACzE,GAChCA,GACHqH,QAAQmX,KAAK,2BAZvB,MAgBS,SAAC1d,GAAD,OAAOuG,QAAQmX,KAAR,6CAAAjR,OAA0DzM,EAAE0E,YCqS1Ek9E,CAFc3vD,EAAM5B,MAAM8N,YAAYrkB,cAIxC+lE,YAxIO,SAAA50D,EAwIkBlK,IACvBga,EAD8B9P,EAAjB8P,QACN,cAAeha,IAExBizD,eA3IO,SA2IS/hD,EA3IT5O,GA2I8B,IAAZuK,EAAYvK,EAAZuK,SACjB7M,EAAQnB,KAAIgO,EAAU,QACtBs0D,EAAiBC,KAAQviE,KAAIgO,EAAU,0BAC7CqE,EAAM8I,OAAO,cAAeha,GAC5BkR,EAAM8I,OAAO,cAAemnD,GAE5B50D,IAAKM,EAAU,SAACjhB,GAEdslB,EAAM8I,OAAO,mBAAoBpuB,GAEjCslB,EAAM8I,OAAO,kBAAmBpuB,KAElC2gB,IAAK60D,KAAQviE,KAAIgO,EAAU,qBAAsB,SAACjhB,GAEhDslB,EAAM8I,OAAO,mBAAoBpuB,GAEjCslB,EAAM8I,OAAO,kBAAmBpuB,MAGpC4oE,oBA9JO,SA8JctjD,EA9Jd1O,GA8JwC,IAAjBjE,EAAiBiE,EAAjBjE,cACtByB,EAAQnB,KAAIN,EAAe,gBAC3B8iE,EAAcxiE,KAAIN,EAAe,UAAUlE,OAAO,SAAAC,GAAC,OAAIA,IACvDgnE,EAAkB/iE,EAActX,IAAI,SAAAqT,GAAC,OAAIA,EAAErU,KACjDirB,EAAM8I,OAAO,cAAeha,GAC5BkR,EAAM8I,OAAO,cAAeqnD,GAE5B,IAAME,EAAsBrwD,EAAME,UAAUvE,SAAStO,cAAc6zD,QAC7DoP,EAAwB/jF,OAAO6Y,QAAQirE,GAC1ClnE,OAAO,SAAAN,GAAA,IAAA+F,EAAAtJ,IAAAuD,EAAA,GAAE7F,EAAF4L,EAAA,GAAAA,EAAA,UAAcwhE,EAAgBh4E,SAAS4K,KAC9CjN,IAAI,SAAA0Z,GAAA,IAAAkJ,EAAArT,IAAAmK,EAAA,GAAAkJ,EAAA,UAAAA,EAAA,KAGP0C,IAAKi1D,EAAuB,SAAC5kE,GAC3BsU,EAAM8I,OAAO,yBAA0Bpd,MAG3CkQ,YA/KO,SAAA1N,EAAAG,GA+KwC,IAAhC6R,EAAgChS,EAAhCgS,UAAW4I,EAAqB5a,EAArB4a,OAAYhN,EAASzN,EAATyN,MACpC,OAAOoE,EAAU0I,IAAIC,kBAAkBjN,YAAY,CAAEE,UAClDpqB,KAAK,SAACod,GAEL,OADAga,EAAO,cAAeha,GACfA,KAGPyhE,OAtLC,SAsLOvwD,EAAOwwD,GAtLd,IAAAtwD,EAAAt0B,EAAA8Y,EAAA,OAAAqK,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,cAuLLygB,EAAM8I,OAAO,iBAET5I,EAAYF,EAAME,UAzLjBjR,EAAAvP,KAAA,EAAAuP,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MA4Lc+Q,EAAU0I,IAAIC,kBAAkB5S,SAC/C,CAAEjO,OAAQyoE,GAAA,GAAKD,MA7Ld,OA4LC5kF,EA5LDqjB,EAAAG,KA+LH4Q,EAAM8I,OAAO,iBACb9I,EAAM8I,OAAO,WAAYl9B,EAAK6d,cAC9BuW,EAAMkJ,SAAS,YAAat9B,EAAK6d,cAjM9BwF,EAAA1P,KAAA,uBAAA0P,EAAAvP,KAAA,GAAAuP,EAAAK,GAAAL,EAAA,SAmMCvK,EAASuK,EAAAK,GAAE7c,QACfutB,EAAM8I,OAAO,gBAAiBpkB,GApM3BuK,EAAAK,GAAA,yBAAAL,EAAAM,SAAA,qBAwMD+G,WAxMC,SAwMW0J,GAxMX,OAAAjR,EAAApN,EAAAqN,MAAA,SAAA+wD,GAAA,cAAAA,EAAArgE,KAAAqgE,EAAAxgE,MAAA,cAAAwgE,EAAAljB,OAAA,SAyME78B,EAAME,UAAU0I,IAAIC,kBAAkBvS,cAzMxC,wBAAAypD,EAAAxwD,WA4MPmhE,OA5MO,SA4MC1wD,GAAO,IAAA2wD,EACe3wD,EAAME,UAA1B6pD,EADK4G,EACL5G,MAAO1rD,EADFsyD,EACEtyD,SAETzyB,EAAO6kF,GAAA,GACR1G,EADK,CAERjhD,OAAQ9I,EAAM8I,OACdzK,SAAUA,EAASC,SAGrB,OAAOsyD,GAAStH,eAAe19E,GAC5B8F,KAAK,SAACi4E,GACL,IAAM3hE,EAAS,CACb2hE,MACAtrD,SAAUzyB,EAAKyyB,SACfrnB,MAAO+yE,EAAM8G,WAGf,OAAOD,GAASlG,YAAY1iE,KAE7BtW,KAAK,WACJsuB,EAAM8I,OAAO,oBACb9I,EAAMkJ,SAAS,wBACflJ,EAAM8I,OAAO,cACb9I,EAAMkJ,SAAS,uBAAwB,WACvClJ,EAAM8I,OAAO,uBAAwB6/C,GAAyB3oD,EAAMwL,QAAQ6+C,aAC5ErqD,EAAMkJ,SAAS,6BACflJ,EAAMkJ,SAAS,8BACflJ,EAAM8I,OAAO,sBACb9I,EAAM8I,OAAO,iBACb9I,EAAMkJ,SAAS,cACflJ,EAAMkJ,SAAS,kBAAmB,sBAGxC4nD,UA7OO,SA6OI9wD,EAAOtX,GAChB,OAAO,IAAIva,QAAQ,SAACC,EAASC,GAC3B,IAAMy6B,EAAS9I,EAAM8I,OACrBA,EAAO,cACP9I,EAAME,UAAU0I,IAAIC,kBAAkB3c,kBAAkBxD,GACrDhX,KAAK,SAAC9F,GACL,GAAKA,EAAKwG,MAsDH,CACL,IAAM6R,EAAWrY,EAAKwG,MAEtB02B,EAAO,YACiB,MAApB7kB,EAASvJ,OACXrM,EAAO,IAAIiD,MAAM,+BAEjBjD,EAAO,IAAIiD,MAAM,4CA7DJ,CACf,IAAMoM,EAAO9R,EAEb8R,EAAKmK,YAAca,EACnBhL,EAAKqwE,SAAW,GAChBrwE,EAAKywE,QAAU,GACfzwE,EAAK6wE,YAAc,GACnBzlD,EAAO,iBAAkBprB,GACzBorB,EAAO,cAAe,CAACprB,IAEvBsiB,EAAMkJ,SAAS,eAverBojC,EAAe93D,OAAO83D,aAEvBA,EAC2B,YAA5BA,EAAaC,WAAiCD,EAAaykB,oBACxD5iF,QAAQC,QAAQk+D,EAAaC,YAFVp+D,QAAQC,QAAQ,OAwe3BsD,KAAK,SAAA66D,GAAU,OAAIzjC,EAAO,4BAA6ByjC,KAG1DzjC,EAAO,uBAAwB6/C,GAAyBjgE,IAEpDhL,EAAK1G,QACPgpB,EAAMkJ,SAAS,aAAcxrB,EAAK1G,OAGlCgpB,EAAMkJ,SAAS,qBAGjB,IAAM8nD,EAAe,WAEnBhxD,EAAMkJ,SAAS,wBAAyB,CAAE7c,SAAU,YAGpD2T,EAAMkJ,SAAS,8BAGflJ,EAAMkJ,SAAS,uBAGblJ,EAAMwL,QAAQlK,aAAaoqC,gBAC7B1rC,EAAMkJ,SAAS,sBAAf,MAA2C,SAAC92B,GAC1CkC,QAAQlC,MAAM,gDAAiDA,GAC/D4+E,MACCt/E,KAAK,WACNsuB,EAAMkJ,SAAS,aAAc,CAAE+nD,QAAQ,IACvCt+E,WAAW,kBAAMqtB,EAAMkJ,SAAS,2BAA2B,IAAQ,OAGrE8nD,IAIFhxD,EAAMkJ,SAAS,cAGflJ,EAAME,UAAU0I,IAAIC,kBAAkBjgB,aAAa,CAAE7T,GAAI2I,EAAK3I,KAC3DrD,KAAK,SAACyb,GAAD,OAAa2b,EAAO,cAAe3b,KAnhBvB,IAC1Bm/C,EA6hBIxjC,EAAO,YACP16B,MAnEJ,MAqES,SAACgE,GACNkC,QAAQs8D,IAAIx+D,GACZ02B,EAAO,YACPz6B,EAAO,IAAIiD,MAAM,4DClkBhB4/E,GAA4B,SAAClxD,EAAOngB,GAC/C,GAAKA,EAAKE,cACNigB,EAAME,UAAU1D,MAAM20D,gBAAkBtxE,EAAK9K,IAAO1E,SAAS6yB,SAC7DlD,EAAME,UAAUpR,MAAMod,YAAYn3B,KAAO8K,EAAKE,YAAYpC,QAAQ5I,GAAtE,CAEA,IAAMq8E,EAAO,CACX5gF,IAAKqP,EAAKE,YAAYhL,GACtBiI,MAAO6C,EAAKlC,QAAQ1K,KACpBqvB,KAAMziB,EAAKlC,QAAQvH,kBACnB4N,KAAMnE,EAAKE,YAAYvE,SAGrBqE,EAAKE,YAAYM,YAAmD,UAArCR,EAAKE,YAAYM,WAAWvP,OAC7DsgF,EAAK7uD,MAAQ1iB,EAAKE,YAAYM,WAAWtG,aAG3C6nB,aAAwB5B,EAAME,UAAWkxD,eCwL5BxoD,GArMH,CACVxK,MAAO,CACLyK,kBAAmB8/C,KACnB0I,SAAU,GACV7mE,OAAQ,KACR8mE,gBAAiB,KACjBC,sBAAuB,KACvBC,eAAgB,IAElB3lB,UAAW,CACT4lB,qBADS,SACarzD,EAAOyK,GAC3BzK,EAAMyK,kBAAoBA,GAE5B6oD,WAJS,SAIGtzD,EAJHtc,GAIoC,IAAxB6vE,EAAwB7vE,EAAxB6vE,YAAaC,EAAW9vE,EAAX8vE,QAChCxzD,EAAMizD,SAASM,GAAeC,GAEhCC,cAPS,SAOMzzD,EAPNrc,GAOuC,IAAxB4vE,EAAwB5vE,EAAxB4vE,YAAaC,EAAW7vE,EAAX6vE,QACnCp9E,OAAOs9E,cAAcF,UACdxzD,EAAMizD,SAASM,IAExBI,WAXS,SAWG3zD,EAAOpnB,GACjBonB,EAAM4zD,QAAUh7E,GAElBi7E,UAdS,SAcE7zD,EAAO5T,GAChB4T,EAAM5T,OAASA,GAEjB0nE,kBAjBS,SAiBU9zD,EAAO1qB,GACxB0qB,EAAMozD,eAAiB99E,GAEzBy+E,yBApBS,SAoBiB/zD,EAAO1qB,GAC/B0qB,EAAMmzD,sBAAwB79E,IAGlCu4D,QAAS,CAEPmmB,mBAFO,SAEapyD,GAAO,IACjB5B,EAAoB4B,EAApB5B,MAAO8K,EAAalJ,EAAbkJ,SACf,IAAI9K,EAAMkzD,gBACV,OAAOpoD,EAAS,yBAElBmpD,oBAPO,SAOcryD,GAAO,IAClB5B,EAAoB4B,EAApB5B,MAAO8K,EAAalJ,EAAbkJ,SACf,GAAK9K,EAAMkzD,gBACX,OAAOpoD,EAAS,wBAIlBopD,qBAdO,SAcetyD,GACpB,OAAO,IAAI7xB,QAAQ,SAACC,EAASC,GAC3B,IAAI,IACM+vB,EAAuC4B,EAAvC5B,MAAO0K,EAAgC9I,EAAhC8I,OAAQI,EAAwBlJ,EAAxBkJ,SACjBu+C,EADyCznD,EAAdE,UACFvE,SAASylD,UAAUj0D,QAClDiR,EAAMkzD,gBAAkBlzD,EAAMyK,kBAAkBqgD,gBAAgB,CAAElpD,UAClE5B,EAAMkzD,gBAAgBxmE,iBACpB,UACA,SAAAtI,GAAyB,IAAd/P,EAAc+P,EAAtB0I,OACIzY,IACiB,iBAAlBA,EAAQxB,MACVi4B,EAAS,sBAAuB,CAC9B7b,cAAe,CAAC5a,EAAQiZ,cACxBi3D,OAAO,IAEkB,WAAlBlwE,EAAQxB,MACjBi4B,EAAS,iBAAkB,CACzBvN,SAAU,CAAClpB,EAAQiI,QACnBiS,QAAQ,EACR+6C,gBAAyD,IAAxC+f,EAAa/G,gBAAgBt0E,OAC9CigB,SAAU,YAEe,wBAAlB5Z,EAAQxB,QACjBi4B,EAAS,kBAAmB,CAC1B1hB,OAAQ/U,EAAQkZ,WAAW5W,GAC3Bg1D,SAAU,CAACt3D,EAAQkZ,WAAW5L,eAEhCmpB,EAAS,aAAc,CAAErpB,KAAMpN,EAAQkZ,aACvCulE,GAA0BlxD,EAAOvtB,EAAQkZ,gBAI/CyS,EAAMkzD,gBAAgBxmE,iBAAiB,OAAQ,WAC7Cge,EAAO,2BAA4Bld,IAAmBE,UAExDsS,EAAMkzD,gBAAgBxmE,iBAAiB,QAAS,SAAArI,GAAuB,IAAZrQ,EAAYqQ,EAApByI,OACjD5W,QAAQlC,MAAM,+BAAgCA,GAC9C02B,EAAO,2BAA4Bld,IAAmBI,OACtDkd,EAAS,sBAEX9K,EAAMkzD,gBAAgBxmE,iBAAiB,QAAS,SAAA2L,GAA4B,IAAjB87D,EAAiB97D,EAAzBvL,OAC3CsnE,EAAc,IAAI1oE,IAAI,CAC1B,IACA,OAEMuB,EAASknE,EAATlnE,KACJmnE,EAAYhnE,IAAIH,GAClB/W,QAAQ8W,MAAR,iDAAA5Q,OAA+D6Q,EAA/D,wBAEA/W,QAAQmX,KAAR,iEAAAjR,OAA8E6Q,IAC9E6d,EAAS,wBAAyB,CAAE7c,SAAU,YAC9C6c,EAAS,8BACTA,EAAS,sBACTA,EAAS,2BAEXJ,EAAO,2BAA4Bld,IAAmBG,QACtDmd,EAAS,sBAEX96B,IACA,MAAOL,GACPM,EAAON,OAIb0kF,uBA9EO,SAAAz7D,GA8E+B,IAAZkS,EAAYlS,EAAZkS,SAGxB,OAAOA,EAAS,wBAAwBx3B,KAAK,WAC3Cw3B,EAAS,uBAAwB,CAAE7c,SAAU,YAC7C6c,EAAS,6BACTA,EAAS,wBAGbwpD,oBAvFO,SAAAx8D,GAuFmC,IAAnBkI,EAAmBlI,EAAnBkI,MAAO8K,EAAYhT,EAAZgT,SAC5BA,EAAS,wBAAyB,CAAE7c,SAAU,YAC9C6c,EAAS,8BACTA,EAAS,sBACT9K,EAAMkzD,gBAAgBhmE,SAIxBu9D,sBA/FO,SA+FgB7oD,EA/FhBnQ,GAmGJ,IAAA8iE,EAAA9iE,EAHDxD,gBAGC,IAAAsmE,EAHU,UAGVA,EAAAC,EAAA/iE,EAFDrf,WAEC,IAAAoiF,KAAAC,EAAAhjE,EADDlD,cACC,IAAAkmE,KACD,IAAI7yD,EAAM5B,MAAMizD,SAAShlE,GAAzB,CAEA,IAAMulE,EAAU5xD,EAAM5B,MAAMyK,kBAAkBggD,sBAAsB,CAClEx8D,WAAU2T,QAAOrT,SAAQnc,QAE3BwvB,EAAM8I,OAAO,aAAc,CAAE6oD,YAAatlE,EAAUulE,cAEtDkB,qBA3GO,SA2Ge9yD,EAAO3T,GAC3B,IAAMulE,EAAU5xD,EAAM5B,MAAMizD,SAAShlE,GAChCulE,GACL5xD,EAAM8I,OAAO,gBAAiB,CAAE6oD,YAAatlE,EAAUulE,aAIzD5I,2BAlHO,SAkHqBhpD,GAC1B,IAAIA,EAAM5B,MAAMizD,SAAShkE,cAAzB,CACA,IAAMukE,EAAU5xD,EAAM5B,MAAMyK,kBAAkBmgD,2BAA2B,CAAEhpD,UAC3EA,EAAM8I,OAAO,aAAc,CAAE6oD,YAAa,gBAAiBC,cAE7DmB,0BAvHO,SAuHoB/yD,GACzB,IAAM4xD,EAAU5xD,EAAM5B,MAAMizD,SAAShkE,cAChCukE,GACL5xD,EAAM8I,OAAO,gBAAiB,CAAE6oD,YAAa,gBAAiBC,aAIhE3I,4BA9HO,SA8HsBjpD,GAC3B,IAAIA,EAAM5B,MAAMizD,SAAZ,eAAJ,CACA,IAAMO,EAAU5xD,EAAM5B,MAAMyK,kBAAkBogD,4BAA4B,CAAEjpD,UAE5EA,EAAM8I,OAAO,aAAc,CAAE6oD,YAAa,iBAAkBC,cAE9DoB,2BApIO,SAoIqBhzD,GAC1B,IAAM4xD,EAAU5xD,EAAM5B,MAAMizD,SAASG,eAChCI,GACL5xD,EAAM8I,OAAO,gBAAiB,CAAE6oD,YAAa,iBAAkBC,aAEjEqB,oBAzIO,SAyIcjzD,EAAO9uB,GAC1B,IAAIu3E,EAAWzoD,EAAM5B,MAAMozD,eAAeroE,OAAO,SAAC+/C,GAAD,OAAQA,IAAOh4D,IAChE8uB,EAAM8I,OAAO,oBAAqB2/C,IAIpCsJ,WA/IO,SA+IK/xD,EAAOhpB,GACjBgpB,EAAM8I,OAAO,aAAc9xB,IAE7Bk8E,iBAlJO,SAAA/iE,GAkJmD,IAAtC+Y,EAAsC/Y,EAAtC+Y,SAAUJ,EAA4B3Y,EAA5B2Y,OAAQ1K,EAAoBjO,EAApBiO,MAAO8B,EAAa/P,EAAb+P,UAErClpB,EAAQonB,EAAM4zD,QACpB,GAAI9xD,EAAU7B,SAASygD,oBAAkC,IAAV9nE,GAA0C,OAAjBonB,EAAM5T,OAAiB,CAC7F,IAAMA,EAAS,IAAI2oE,UAAO,UAAW,CAAEnrE,OAAQ,CAAEhR,WACjDwT,EAAO4oE,UAEPtqD,EAAO,YAAate,GACpB0e,EAAS,iBAAkB1e,KAG/B6oE,qBA7JO,SAAA/iE,GA6JkC,IAAjBwY,EAAiBxY,EAAjBwY,OAAQ1K,EAAS9N,EAAT8N,MAC9BA,EAAM5T,QAAU4T,EAAM5T,OAAO8oE,aAC7BxqD,EAAO,YAAa,SCrKXjpB,GAhCF,CACXue,MAAO,CACL2rC,SAAU,GACVwpB,QAAS,CAAEn1D,MAAO,KAEpBytC,UAAW,CACT2nB,WADS,SACGp1D,EAAOm1D,GACjBn1D,EAAMm1D,QAAUA,GAElBE,WAJS,SAIGr1D,EAAO3rB,GACjB2rB,EAAM2rC,SAASz9D,KAAKmG,GACpB2rB,EAAM2rC,SAAW3rC,EAAM2rC,SAASr1D,OAAO,GAAI,KAE7Cg/E,YARS,SAQIt1D,EAAO2rC,GAClB3rC,EAAM2rC,SAAWA,EAASr1D,OAAO,GAAI,MAGzCu3D,QAAS,CACP0nB,eADO,SACS3zD,EAAOxV,GACrB,IAAM+oE,EAAU/oE,EAAO+oE,QAAQ,eAC/BA,EAAQhtD,GAAG,UAAW,SAACqtD,GACrB5zD,EAAM8I,OAAO,aAAc8qD,KAE7BL,EAAQhtD,GAAG,WAAY,SAAAzkB,GAAkB,IAAfioD,EAAejoD,EAAfioD,SACxB/pC,EAAM8I,OAAO,cAAeihC,KAE9BwpB,EAAQ/tE,OACRwa,EAAM8I,OAAO,aAAcyqD,MCqBlBxJ,GA9CD,CACZ3rD,MAAO,CACLmrD,UAAU,EACVC,cAAc,EAKdqK,UAAU,EAIVhD,WAAW,GAEbhlB,UAAW,CACTioB,cADS,SACM11D,EADNtc,GACyC,IAA1BynE,EAA0BznE,EAA1BynE,SAAUC,EAAgB1nE,EAAhB0nE,aAChCprD,EAAMmrD,SAAWA,EACjBnrD,EAAMorD,aAAeA,GAEvBuK,YALS,SAKI31D,EAAOpnB,GAClBonB,EAAMy1D,SAAW78E,GAEnBg9E,SARS,SAQC51D,EAAOpnB,GACfonB,EAAMyyD,UAAY75E,GAEpBi9E,WAXS,SAWG71D,GACVA,EAAMyyD,WAAY,EAGlB7kB,iBAAI5tC,EAAO,WAGfoN,QAAS,CACP6+C,SAAU,SAAAjsD,GAAK,OAAI,WAGjB,OAAOA,EAAMyyD,WAAazyD,EAAMpnB,OAASonB,EAAMy1D,WAEjDK,aAAc,SAAA91D,GAAK,OAAI,WAGrB,OAAOA,EAAMyyD,WAAazyD,EAAMpnB,UC7BhCm9E,GAAa,SAAC/1D,GAClBA,EAAMg2D,SAAWh2D,EAAMi2D,aACvBj2D,EAAMhD,SAAW,IA6DJk5D,GAAA,CACbC,YAAY,EACZn2D,MAvEY,CACZhD,SAAU,GACVg5D,SAVwB,WAWxBC,aAXwB,YAgFxB7oD,QA5Dc,CACdpQ,SAAU,SAACgD,EAAOoN,GAChB,OAAOpN,EAAMhD,UAEfo5D,iBAAkB,SAACp2D,EAAOoN,EAAStL,GACjC,MAzBsB,aAyBf9B,EAAMg2D,UAEfK,cAAe,SAACr2D,EAAOoN,EAAStL,GAC9B,MA3BmB,UA2BZ9B,EAAMg2D,UAEfM,aAAc,SAACt2D,EAAOoN,EAAStL,GAC7B,MA3BkB,SA2BX9B,EAAMg2D,UAEfO,iBAAkB,SAACv2D,EAAOoN,EAAStL,GACjC,MA7BsB,aA6Bf9B,EAAMg2D,WA+CfvoB,UA1CgB,CAChB+oB,mBADgB,SACIx2D,EAAOg2D,GACrBA,IACFh2D,EAAMi2D,aAAeD,EACrBh2D,EAAMg2D,SAAWA,IAGrBS,gBAPgB,SAOCz2D,GACfA,EAAMg2D,SA/CgB,YAiDxBU,aAVgB,SAUF12D,GACZA,EAAMg2D,SAjDa,SAmDrBW,WAbgB,SAaJ32D,EAbItc,GAaiB,IAAZsZ,EAAYtZ,EAAZsZ,SACnBgD,EAAMhD,SAAWA,EACjBgD,EAAMg2D,SAlDY,QAoDpBY,gBAjBgB,SAiBC52D,GACfA,EAAMg2D,SApDgB,YAsDxBa,YApBgB,SAoBH72D,GACXA,EAAMg2D,SAxDY,QA0DpBc,SAvBgB,SAuBN92D,GACR+1D,GAAW/1D,KAmBb6tC,QAdc,CAER+d,MAFQ,SAAAjoE,EAAAS,GAAA,IAAA4b,EAAA8K,EAAAJ,EAAArf,EAAA,OAAAsF,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,cAEC6e,EAFDrc,EAECqc,MAAO8K,EAFRnnB,EAEQmnB,SAAUJ,EAFlB/mB,EAEkB+mB,OAAYrf,EAF9BjH,EAE8BiH,aAC1Cqf,EAAO,WAAYrf,EAAc,CAAE0rE,MAAM,IAH7BlmE,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAIN+Z,EAAS,YAAazf,EAAc,CAAE0rE,MAAM,KAJtC,OAKZhB,GAAW/1D,GALC,wBAAAnP,EAAAM,sBC9BD6lE,GApCK,CAClBh3D,MAAO,CACL7Q,MAAO,GACP8nE,aAAc,EACdC,WAAW,GAEbzpB,UAAW,CACTjd,SADS,SACCxwB,EAAO7Q,GACf6Q,EAAM7Q,MAAQA,GAEhBgoE,WAJS,SAIGn3D,EAAO6rB,GACjB7rB,EAAMk3D,WAAY,EAClBl3D,EAAMi3D,aAAeprC,GAEvB3+B,MARS,SAQF8S,GACLA,EAAMk3D,WAAY,IAGtBrpB,QAAS,CACPrd,SADO,SAAA9sC,EACehE,IAKpBgrB,EALiChnB,EAAvBgnB,QAKH,WAJOhrB,EAAYqL,OAAO,SAAA9I,GAC/B,IAAMvP,EAAO2xB,KAAgBD,SAASniB,EAAW1G,UACjD,MAAgB,UAAT7I,GAA6B,UAATA,GAA6B,UAATA,MAInDykF,WARO,SAAAxzE,EAQwByzE,IAE7B1sD,EAFsC/mB,EAA1B+mB,QAEL,aAF+B/mB,EAAlBqc,MACA7Q,MAAMyqC,QAAQw9B,IACJ,IAEhCC,iBAZO,SAAAjzE,IAaLsmB,EAD4BtmB,EAAVsmB,QACX,YCRE4sD,GAzBK,CAClBt3D,MAAO,CACLu3D,OAAQ,IAEV1pB,QAAS,CACP2pB,YADO,SAAA9zE,GAC6B,IAArBoe,EAAqBpe,EAArBoe,UAAW4I,EAAUhnB,EAAVgnB,OACxB5I,EAAU0I,IAAIC,kBAAkBjU,mBAAmBljB,KAAK,SAACikF,GACvD7sD,EAAO,aAAc6sD,MAGzBjL,YANO,SAAA3oE,EAMoChN,GAAI,IAAhCmrB,EAAgCne,EAAhCme,UAAW4I,EAAqB/mB,EAArB+mB,OAAQ1K,EAAarc,EAAbqc,MAChC8B,EAAU0I,IAAIC,kBAAkB/T,iBAAiB,CAAE/f,OAAMrD,KAAK,SAACuS,GACrC,MAApBA,EAASvJ,QACXouB,EAAO,aAAc1K,EAAMu3D,OAAOxsE,OAAO,SAAAnS,GAAK,OAAIA,EAAMjC,KAAOA,SAKvE82D,UAAW,CACTgqB,WADS,SACGz3D,EAAOu3D,GACjBv3D,EAAMu3D,OAASA,yBCSNG,GA3BC,CACd13D,MAAO,CACLzR,OAAQ,KACRgP,SAAU,GACVo6D,gBAAgB,GAElBlqB,UAAW,CACTmqB,uBADS,SACe53D,EADftc,GAC4C,IAApB6K,EAAoB7K,EAApB6K,OAAQgP,EAAY7Z,EAAZ6Z,SACvCyC,EAAMzR,OAASA,EACfyR,EAAMzC,SAAWA,EACjByC,EAAM23D,gBAAiB,GAEzBE,wBANS,SAMgB73D,GACvBA,EAAM23D,gBAAiB,IAG3B9pB,QAAS,CACP+pB,uBADO,SAAAj0E,EACwC4K,GAAQ,IAA7BuT,EAA6Bne,EAA7Bme,UAAW4I,EAAkB/mB,EAAlB+mB,OAC7BnN,EAAWxS,KAAO+W,EAAUvE,SAASmlB,YAAa,SAAApmC,GAAM,OAAIA,EAAOgD,KAAK3I,KAAO4X,IACrFmc,EAAO,yBAA0B,CAAEnc,SAAQgP,cAE7Cs6D,wBALO,SAAAzzE,IAMLsmB,EADmCtmB,EAAVsmB,QAClB,8BC6CEsgB,GAlED,CACZhrB,MAAO,CAEL83D,aAAc,GACd7sC,YAAa,IAEfwiB,UAAW,CACTsqB,eADS,SACO/3D,EAAOxhB,GACrB,IAAMw5E,EAAeh4D,EAAMirB,YAAYzsC,EAAK7H,IAE5C6H,EAAK6sC,QAAU3wC,KAAKs3C,MAAQt3C,KAAKiM,MAAMnI,EAAK4sC,YACxC4sC,EACFvpD,cAAIzO,EAAMirB,YAAazsC,EAAK7H,GAAI0sE,IAAM2U,EAAcx5E,IAEpDiwB,cAAIzO,EAAMirB,YAAazsC,EAAK7H,GAAI6H,IAGpCy5E,UAXS,SAWEj4D,EAAOxE,GAChB,IAAM08D,EAAel4D,EAAM83D,aAAat8D,GACpC08D,EACFzpD,cAAIzO,EAAM83D,aAAct8D,EAAQ08D,EAAe,GAE/CzpD,cAAIzO,EAAM83D,aAAct8D,EAAQ,IAGpC28D,YAnBS,SAmBIn4D,EAAOxE,GAClB,IAAM08D,EAAel4D,EAAM83D,aAAat8D,GACpC08D,EACFzpD,cAAIzO,EAAM83D,aAAct8D,EAAQ08D,EAAe,GAE/CzpD,cAAIzO,EAAM83D,aAAct8D,EAAQ,KAItCqyC,QAAS,CACPkqB,eADO,SAAAr0E,EACqBlF,IAC1BksB,EADgChnB,EAAhBgnB,QACT,iBAAkBlsB,IAE3B45E,kBAJO,SAAAz0E,EAI6C6X,GAAQ,IAAvCsG,EAAuCne,EAAvCme,UAAWgJ,EAA4BnnB,EAA5BmnB,SAAUJ,EAAkB/mB,EAAlB+mB,OACxC5I,EAAU0I,IAAIC,kBAAkB/O,UAAU,CAAEF,WAAUloB,KAAK,SAAAkL,GACzDjK,WAAW,WACLutB,EAAUkpB,MAAM8sC,aAAat8D,IAC/BsP,EAAS,oBAAqBtP,IAE/B,KACHkP,EAAO,iBAAkBlsB,MAG7By5E,UAdO,SAAA7zE,EAcqCoX,GAAQ,IAAvCsG,EAAuC1d,EAAvC0d,UAAW4I,EAA4BtmB,EAA5BsmB,OAAQI,EAAoB1mB,EAApB0mB,SACzBhJ,EAAUkpB,MAAM8sC,aAAat8D,IAChCjnB,WAAW,kBAAMu2B,EAAS,oBAAqBtP,IAAS,KAE1DkP,EAAO,YAAalP,IAEtB28D,YApBO,SAAA9zE,EAoBkBmX,IACvBkP,EAD+BrmB,EAAlBqmB,QACN,cAAelP,IAExB68D,SAvBO,SAAAhgE,EAAAO,GAuBmD,IAA9CkJ,EAA8CzJ,EAA9CyJ,UAAW4I,EAAmCrS,EAAnCqS,OAAgBlP,GAAmB5C,EAAvBjiB,GAAuBiiB,EAAnB4C,QAAQC,EAAW7C,EAAX6C,QAC7C,OAAOqG,EAAU0I,IAAIC,kBAAkBnP,KAAK,CAAEE,SAAQC,YAAWnoB,KAAK,SAAAkL,GAEpE,OADAksB,EAAO,iBAAkBlsB,GAClBA,OCvCAuV,GAxBI,CACjBiM,MAAO,CACLpW,OAAQ,KACR+tE,gBAAgB,GAElBlqB,UAAW,CACT6qB,oBADS,SACYt4D,EAAOpW,GAC1BoW,EAAMpW,OAASA,EACfoW,EAAM23D,gBAAiB,GAEzBY,qBALS,SAKav4D,GACpBA,EAAM23D,gBAAiB,IAG3B9pB,QAAS,CACPyqB,oBADO,SAAA50E,EAC0BkG,IAC/B8gB,EADuChnB,EAAlBgnB,QACd,sBAAuB9gB,IAEhC2uE,qBAJO,SAAA50E,IAKL+mB,EADgC/mB,EAAV+mB,QACf,8GCsIE8tD,GATK,CAClBz+C,IA1GU,SAAC0+C,EAAD/0E,GAA4D,IAAtCg1E,EAAsCh1E,EAAhDioD,SAAgDgtB,EAAAj1E,EAAzBk1E,mBAAyB,IAAAD,KACtE,GAAKF,EACL,IAAK,IAAI3qF,EAAI,EAAGA,EAAI4qF,EAAY1qF,OAAQF,IAAK,CAC3C,IAAMuG,EAAUqkF,EAAY5qF,GAG5B,GAAIuG,EAAQ2N,UAAYy2E,EAAQrvE,OAAU,SAErCqvE,EAAQp3E,OAAShN,EAAQsC,GAAK8hF,EAAQp3E,SACzCo3E,EAAQp3E,MAAQhN,EAAQsC,MAGrB8hF,EAAQv3E,OAAS7M,EAAQsC,GAAK8hF,EAAQv3E,QACrC03E,IACFH,EAAQv3E,MAAQ7M,EAAQsC,IAIvB8hF,EAAQI,QAAQxkF,EAAQsC,MACvB8hF,EAAQK,kBAAoBzkF,EAAQoG,YACtCg+E,EAAQM,kBAEVN,EAAQ9sB,SAASz9D,KAAKmG,GACtBokF,EAAQI,QAAQxkF,EAAQsC,IAAMtC,KAoFlCw0D,MAhJY,SAACz/C,GACb,MAAO,CACLyvE,QAAS,GACTltB,SAAU,GACVotB,gBAAiB,EACjBD,kBAAmB,EACnB1vE,OAAQA,EACR/H,WAAO/M,EACP4M,WAAO5M,IAyIT0kF,QAzEc,SAACP,GACf,IAAKA,EAAW,MAAO,GAEvB,IAIIQ,EAJEpqF,EAAS,GACT88D,EAAWutB,KAAST,EAAQ9sB,SAAU,CAAC,KAAM,SAC7CwtB,EAAextB,EAAS,GAC1BytB,EAAkBztB,EAASA,EAAS39D,OAAS,GAGjD,GAAImrF,EAAc,CAChB,IAAMrnC,EAAO,IAAIp3C,KAAKy+E,EAAa1+E,YACnCq3C,EAAKunC,SAAS,EAAG,EAAG,EAAG,GACvBxqF,EAAOX,KAAK,CACVwE,KAAM,OACNo/C,OACAn7C,GAAIm7C,EAAKwnC,UAAUz2E,aAMvB,IAFA,IAAI02E,GAAY,EAEPzrF,EAAI,EAAGA,EAAI69D,EAAS39D,OAAQF,IAAK,CACxC,IAAMuG,EAAUs3D,EAAS79D,GACnB0rF,EAAc7tB,EAAS79D,EAAI,GAE3BgkD,EAAO,IAAIp3C,KAAKrG,EAAQoG,YAC9Bq3C,EAAKunC,SAAS,EAAG,EAAG,EAAG,GAGnBD,GAAmBA,EAAgBtnC,KAAOA,IAC5CjjD,EAAOX,KAAK,CACVwE,KAAM,OACNo/C,OACAn7C,GAAIm7C,EAAKwnC,UAAUz2E,aAGrBu2E,EAAe,QAAa,EAC5BH,OAAwB3kF,EACxBilF,GAAY,GAGd,IAAMxjF,EAAS,CACbrD,KAAM,UACNlF,KAAM6G,EACNy9C,OACAn7C,GAAItC,EAAQsC,GACZ8iF,eAAgBR,IAIbO,GAAeA,EAAY38D,cAAgBxoB,EAAQwoB,aACtD9mB,EAAM,QAAa,EACnBkjF,OAAwB3kF,KAIrB8kF,GAAmBA,EAAgB5rF,MAAQ4rF,EAAgB5rF,KAAKqvB,cAAgBxoB,EAAQwoB,YAAc08D,KACzGN,EAAwBS,OACxB3jF,EAAM,QAAa,EACnBA,EAAM,eAAqBkjF,GAG7BpqF,EAAOX,KAAK6H,GACZqjF,EAAkBrjF,EAClBwjF,GAAY,EAGd,OAAO1qF,GAOP8qF,cA7HoB,SAAClB,EAASpvE,GAC9B,GAAKovE,EAAL,CAIA,GAHAA,EAAQ9sB,SAAW8sB,EAAQ9sB,SAAS5gD,OAAO,SAAArW,GAAC,OAAIA,EAAEiC,KAAO0S,WAClDovE,EAAQI,QAAQxvE,GAEnBovE,EAAQv3E,QAAUmI,EAAW,CAC/B,IAAM1H,EAAc0iE,IAAQoU,EAAQ9sB,SAAU,MAC9C8sB,EAAQv3E,MAAQS,EAAYhL,GAG9B,GAAI8hF,EAAQp3E,QAAUgI,EAAW,CAC/B,IAAM8vE,EAAehV,IAAQsU,EAAQ9sB,SAAU,MAC/C8sB,EAAQp3E,MAAQ83E,EAAaxiF,MAkH/BijF,qBAlF2B,SAACnB,GACvBA,IACLA,EAAQM,gBAAkB,EAC1BN,EAAQK,kBAAoB,IAAIp+E,OAgFhCo+C,MAxIY,SAAC2/B,GACbA,EAAQI,QAAU,GAClBJ,EAAQ9sB,SAASz8D,OAAO,EAAGupF,EAAQ9sB,SAAS39D,QAC5CyqF,EAAQM,gBAAkB,EAC1BN,EAAQK,kBAAoB,EAC5BL,EAAQp3E,WAAQ/M,EAChBmkF,EAAQv3E,WAAQ5M,2kBCdlB,IAcMulF,GAAc,SAAC75D,EAAOrpB,GAC1B,OAAO8rC,IAAKziB,EAAM85D,SAAStsF,KAAM,CAAEmJ,QAuMtBynB,GA5LD,CACZ4B,MAAO+5D,GAAA,GAtBY,CACnBD,SAN2B,CAC3BtsF,KAAM,GACNs1E,QAAS,IAKTkX,gBAAiB,KACjBC,YAAa,GACbC,0BAA2B,GAC3B1G,aAASl/E,EACTy+E,cAAe,OAiBf3lD,QAAS,CACP+sD,YAAa,SAAAn6D,GAAK,OAAIA,EAAMi6D,YAAYj6D,EAAM+yD,gBAC9CqH,0BAA2B,SAAAp6D,GAAK,OAAIA,EAAMk6D,0BAA0Bl6D,EAAM+yD,gBAC1EsH,4BAA6B,SAAAr6D,GAAK,OAAI,SAAAs6D,GAAW,OAAI73C,IAAKziB,EAAMi6D,YAAa,SAAAtlF,GAAC,OAAIA,EAAE4K,QAAQ5I,KAAO2jF,MACnGC,eAdmB,SAACv6D,GACtB,OAAOw6D,KAAQx6D,EAAM85D,SAAStsF,KAAM,CAAC,cAAe,CAAC,UAcnDitF,gBAXoB,SAACz6D,GACvB,OAAOmxC,KAAMnxC,EAAM85D,SAAStsF,KAAM,YAYlCqgE,QAAS,CAEP6sB,mBAFO,SAAAh3E,GAEmC,IAApBonB,EAAoBpnB,EAApBonB,SAAUJ,EAAUhnB,EAAVgnB,OACxB8oD,EAAU,WACd1oD,EAAS,aAAc,CAAE+nD,QAAQ,KAEnCW,IACA9oD,EAAO,qBAAsB,CAC3B8oD,QAAS,kBAAMxJ,YAAY,WAAQwJ,KAAa,SAGpDmH,kBAXO,SAAAh3E,IAYL+mB,EAD6B/mB,EAAV+mB,QACZ,qBAAsB,CAAE8oD,aAASl/E,KAE1CsmF,WAdO,SAAAx2E,GAcmD,IAA5C0mB,EAA4C1mB,EAA5C0mB,SAAUhJ,EAAkC1d,EAAlC0d,UAAkC1d,EAAvBsmB,OAAuB3pB,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,IAAAA,UAAA,GACxD,OAAO+gB,EAAU0I,IAAIC,kBAAkBrM,QACpC9qB,KAAK,SAAA+Q,GAAe,IAAZ+Z,EAAY/Z,EAAZ+Z,MAEP,OADA0M,EAAS,cAAe,CAAE1M,UACnBA,KAGby8D,YArBO,SAqBMj5D,EArBNvJ,GAqBwB,IAAT+F,EAAS/F,EAAT+F,OAKpBsM,EAJ0C9I,EAAlC8I,QAID,cAAe,CAAEI,SAJkBlJ,EAA1BkJ,SAIkB1M,QAAO6E,YAJCrB,EAAhBqB,YAI4B63D,0BAHpB,SAACr5E,GACjCqxE,GAA0BlxD,EAAOngB,OAIrCs5E,WA5BO,SAAAniE,EAAAd,IA6BL4S,EADgC9R,EAApB8R,QACL,aAAc,CAAEjpB,KADSqW,EAARrW,QAK1Bu5E,yBAjCO,SAAAvpE,EAAAM,GAiCsDN,EAAjCiZ,QAC1BI,EAD2DrZ,EAAzBqZ,UACzB,wBAAyB,CAAE0oD,QADuBzhE,EAAXyhE,WAGlDyH,sBApCO,SAAA/oE,EAAAE,GAoCoDF,EAAlC4P,WACvB4I,EADyDxY,EAAvBwY,QAC3B,wBAAyB,CAAE8oD,QADuBphE,EAAXohE,WAGhD0H,cAvCO,SAAA5oE,EAAAE,GAuCmDF,EAAzCwP,UAAyC,IAA9B4I,EAA8BpY,EAA9BoY,OAAQI,EAAsBxY,EAAtBwY,SAAcrpB,EAAQ+Q,EAAR/Q,KAChDipB,EAAO,gBAAiB,CAAEI,WAAUrpB,KAAMD,aAAUC,KACpDqpB,EAAS,cAAe,CAACrpB,EAAKlC,WAEhC47E,gBA3CO,SAAAzoE,EA2CsBpd,GAAO,IAAjBo1B,EAAiBhY,EAAjBgY,OACjBA,EAAO,kBAADqvD,GAAA,CAAsBrvD,UAAWp1B,KAEzC8lF,yBA9CO,SAAAvoE,EA8C+Bvd,IACpCo1B,EAD2C7X,EAAjB6X,QACnB,2BAA4Bp1B,IAErC+lF,iBAjDO,SAAA5gE,EAiD4CnlB,GAAOmlB,EAAtCqH,UAAsC,IAA3B4I,EAA2BjQ,EAA3BiQ,OAA2BjQ,EAAnBqQ,SACrCJ,EAAO,mBAAoB,CAAEthB,YAAQ9U,IACrCo2B,EAAO,wBAAyB,CAAE8oD,aAASl/E,KAE7C0qB,SArDO,SAAApE,EAAA5H,GAqDwD,IAAnD8O,EAAmDlH,EAAnDkH,UAAW4I,EAAwC9P,EAAxC8P,OAAQI,EAAgClQ,EAAhCkQ,SAAcn0B,EAAkBqc,EAAlBrc,GAAIuoB,EAAclM,EAAdkM,WAC/C4L,EAAS,4BACTJ,EAAO,WAAY,CAAE/zB,OACrBmrB,EAAU0I,IAAIC,kBAAkBzL,SAAS,CAAEroB,KAAIuoB,gBAEjDE,kBA1DO,SAAAlM,EA0DmC5d,GAAO,IAA5BwsB,EAA4B5O,EAA5B4O,UAAW4I,EAAiBxX,EAAjBwX,OAC9B5I,EAAU0I,IAAIC,kBAAkBrL,kBAAkB9pB,GAClDo1B,EAAO,oBAADqvD,GAAA,CAAwBrvD,UAAWp1B,KAE3CgmF,WA9DO,SAAA7wE,GA8D2B,IAApBigB,EAAoBjgB,EAApBigB,QACZI,EADgCrgB,EAAZqgB,UACX,oBACTJ,EAAO,aAAc,CAAEA,YAEzB6wD,iBAlEO,SAAA/qE,GAkEyDA,EAA5CsR,UAA4C,IAAjC4I,EAAiCla,EAAjCka,OAAiCla,EAAzBsa,SAAyBta,EAAfyS,YAC/CyH,EAAO,mBAAoB,CAAEA,aAGjC+iC,UAAW,CACT+tB,mBADS,SACWx7D,EADX3O,GACuCA,EAAnBqZ,OAAmB,IAAX8oD,EAAWniE,EAAXmiE,QAC7BiI,EAAcz7D,EAAMg6D,gBACtByB,GACF/H,cAAc+H,GAEhBz7D,EAAMg6D,gBAAkBxG,GAAWA,KAErCyH,sBARS,SAQcj7D,EARdzF,GAQkC,IAAXi5D,EAAWj5D,EAAXi5D,QACxBiI,EAAcz7D,EAAMwzD,QACtBiI,GACF/H,cAAc+H,GAEhBz7D,EAAMwzD,QAAUA,GAAWA,KAE7B0H,cAfS,SAeMl7D,EAfNlQ,GAekCA,EAAnB4rE,UAAmB,IAARj6E,EAAQqO,EAARrO,KACjCue,EAAM+yD,cAAgBtxE,EAAK9K,GAC3B28D,IAAI7kC,IAAIzO,EAAMi6D,YAAax4E,EAAK9K,GAAI8K,GAE/Bue,EAAMk6D,0BAA0Bz4E,EAAK9K,KACxC28D,IAAI7kC,IAAIzO,EAAMk6D,0BAA2Bz4E,EAAK9K,GAAIglF,GAAY9yB,MAAMpnD,EAAK9K,MAG7EilF,iBAvBS,SAuBS57D,EAvBT/P,GAuB4B,IAAV7G,EAAU6G,EAAV7G,OACzB4W,EAAM+yD,cAAgB3pE,GAExByxE,YA1BS,SA0BI76D,EA1BJ3P,GA0BiD,IAApC+N,EAAoC/N,EAApC+N,MAAO08D,EAA6BzqE,EAA7ByqE,0BAC3B18D,EAAMzJ,QAAQ,SAACknE,GACb,IAAMp6E,EAAOo4E,GAAY75D,EAAO67D,EAAYllF,IAE5C,GAAI8K,EAAM,CACR,IAAMq6E,GAAgBr6E,EAAKE,aAAeF,EAAKE,YAAYhL,OAASklF,EAAYl6E,aAAek6E,EAAYl6E,YAAYhL,IACvH8K,EAAKE,YAAck6E,EAAYl6E,YAC/BF,EAAKC,OAASm6E,EAAYn6E,OAC1BD,EAAKK,WAAa+5E,EAAY/5E,WAC1Bg6E,GAAgBr6E,EAAKC,QACvBo5E,EAA0Be,QAG5B77D,EAAM85D,SAAStsF,KAAKU,KAAK2tF,GACzBvoB,IAAI7kC,IAAIzO,EAAM85D,SAAShX,QAAS+Y,EAAYllF,GAAIklF,MAItDd,WA5CS,SA4CG/6D,EA5CHnJ,GA4C0DA,EAA9C6kE,UAA8C,IAA7BG,EAA6BhlE,EAAnCpV,KACxBA,GAD2DoV,EAAhBklE,aACpClC,GAAY75D,EAAO67D,EAAYllF,KACxC8K,IACFA,EAAKE,YAAck6E,EAAYl6E,YAC/BF,EAAKC,OAASm6E,EAAYn6E,OAC1BD,EAAKK,WAAa+5E,EAAY/5E,YAE3BL,GAAQue,EAAM85D,SAAStsF,KAAKglD,QAAQqpC,GACzCvoB,IAAI7kC,IAAIzO,EAAM85D,SAAShX,QAAS+Y,EAAYllF,GAAIklF,IAElDG,WAtDS,SAsDGh8D,EAtDHhJ,GAsD2CA,EAA/B0kE,UAA+B,IAApB/kF,EAAoBqgB,EAApBrgB,GAAoBqgB,EAAhB+kE,aAClC/7D,EAAM5B,MAAM5wB,KAAOwyB,EAAM5B,MAAM5wB,KAAKud,OAAO,SAAAkxE,GAAY,OACrDA,EAAaC,YAAYvlF,KAAOA,IAElCqpB,EAAM5B,MAAM0kD,QAAUQ,IAAOtjD,EAAM5B,MAAM0kD,QAAS,SAAAmZ,GAAY,OAAIA,EAAaC,YAAYvlF,KAAOA,KAEpG2kF,WA5DS,SA4DGt7D,EA5DH5I,GA4DsB,IAAVsT,EAAUtT,EAAVsT,OAInB,IAAK,IAAMthB,KAHX4W,EAAM85D,SAtKiB,CAC3BtsF,KAAM,GACNs1E,QAAS,IAqKL9iD,EAAM+yD,cAAgB,KACtBroD,EAAO,qBAAsB,CAAE8oD,aAASl/E,IACnB0rB,EAAMi6D,YACzB0B,GAAY7iC,MAAM94B,EAAMk6D,0BAA0B9wE,IAClDkqD,IAAG,OAAQtzC,EAAMi6D,YAAa7wE,GAC9BkqD,IAAG,OAAQtzC,EAAMk6D,0BAA2B9wE,IAGhD+yE,gBAtES,SAsEQn8D,EAtER1I,GAsE0B,IAAThiB,EAASgiB,EAAThiB,MACxB0qB,EAAM5B,MAAM2sB,QAAUz1C,GAExB6lF,gBAzES,SAyEQn7D,EAzERxI,GAyEkD,IAAjCpO,EAAiCoO,EAAjCpO,OAAQuiD,EAAyBn0C,EAAzBm0C,SAAUitB,EAAephE,EAAfohE,YACpCwD,EAAqBp8D,EAAMk6D,0BAA0B9wE,GACvDgzE,GACFT,GAAY5hD,IAAIqiD,EAAoB,CAAEzwB,SAAUA,EAASh0D,IAAIiK,MAAmBg3E,iBAGpFx5D,kBA/ES,SA+EUY,EA/EVpI,GA+EwC,IAArBxO,EAAqBwO,EAArBxO,OAAQC,EAAauO,EAAbvO,UAC5B+yE,EAAqBp8D,EAAMk6D,0BAA0B9wE,GACvDgzE,GACFT,GAAYhC,cAAcyC,EAAoB/yE,IAGlD+xE,yBArFS,SAqFiBp7D,EAAO8Q,GAC/B,IAAMsrD,EAAqBp8D,EAAMk6D,0BAA0Bl6D,EAAM+yD,eACjE4I,GAAY/B,qBAAqBwC,IAGnCb,iBA1FS,SA0FSv7D,GAChB,IAAM+yD,EAAgB/yD,EAAM+yD,cAC5B,IAAK,IAAM3pE,KAAU4W,EAAMi6D,YACrBlH,IAAkB3pE,IACpBuyE,GAAY7iC,MAAM94B,EAAMk6D,0BAA0B9wE,IAClDkqD,IAAG,OAAQtzC,EAAMi6D,YAAa7wE,GAC9BkqD,IAAG,OAAQtzC,EAAMk6D,0BAA2B9wE,KAIlD4V,SApGS,SAoGCgB,EApGD9I,GAoGgB,IAANvgB,EAAMugB,EAANvgB,GACX8K,EAAOo4E,GAAY75D,EAAOrpB,GAC5B8K,IACFA,EAAKC,OAAS,4GClNlB26E,IAAS,EAEPC,GAAiB,SAACt8D,EAAOu8D,GAAR,OACJ,IAAjBA,EAAMvuF,OAAegyB,EAAQu8D,EAAMzgF,OAAO,SAAC0gF,EAAU3vC,GAEnD,OADA4vC,KAAID,EAAU3vC,EAAMn1B,KAAIsI,EAAO6sB,IACxB2vC,GACN,KAGCE,GAAyB,CAC7B,0BACA,mBACA,iBACA,eACA,YACA,gBACA,WACA,cAGIC,WACGC,EAGM,SAASC,KAkBhB,IAAAn5E,EAAA3C,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GAAI+7E,EAAAp5E,EAjBN9N,WAiBM,IAAAknF,EAjBA,UAiBAA,EAAAC,EAAAr5E,EAhBN64E,aAgBM,IAAAQ,EAhBE,GAgBFA,EAAAC,EAAAt5E,EAfNu5E,gBAeM,IAAAD,EAfK,SAACpnF,EAAK6iF,GAEf,OADYA,EAAQyE,QAAQtnF,IAcxBonF,EAAAG,EAAAz5E,EAXN05E,gBAWM,IAAAD,EAXK,SAACvnF,EAAKoqB,EAAOy4D,GACtB,OAAK4D,GAII5D,EAAQ4E,QAAQznF,EAAKoqB,IAH5B9pB,QAAQs8D,IAAI,yCACLziE,QAAQC,YAQbmtF,EAAAG,EAAA55E,EAHN65E,eAGM,IAAAD,EAHIhB,GAGJgB,EAAAE,EAAA95E,EAFN+0E,eAEM,IAAA+E,EAFIb,GAEJa,EAAAC,EAAA/5E,EADNg6E,kBACM,IAAAD,EADO,SAAA77D,GAAK,OAAI,SAAAm8B,GAAO,OAAIn8B,EAAM8rD,UAAU3vB,KAC3C0/B,EACN,OAAOR,EAASrnF,EAAK6iF,GAASnlF,KAAK,SAACqqF,GAClC,OAAO,SAAA/7D,GACL,IACE,GAAmB,OAAf+7D,GAA6C,WAAtB/2E,KAAO+2E,GAAyB,CAEzD,IAAMC,EAAaD,EAAWjtE,OAAS,GACvCktE,EAAWnP,YAAc,GACzB,IAAM/9D,EAAQktE,EAAWltE,OAAS,GAClCuM,IAAKvM,EAAO,SAACpR,GAAWs+E,EAAWnP,YAAYnvE,EAAK3I,IAAM2I,IAC1Dq+E,EAAWjtE,MAAQktE,EAEnBh8D,EAAMi8D,aACJC,KAAM,GAAIl8D,EAAM5B,MAAO29D,IAG3BtB,IAAS,EACT,MAAO1sF,GACPuG,QAAQs8D,IAAI,uBACZt8D,QAAQlC,MAAMrE,GACd0sF,IAAS,EAEXqB,EAAW97D,EAAX87D,CAAkB,SAACK,EAAU/9D,GAC3B,IACM08D,GAAuB1iF,SAAS+jF,EAASrrF,OAC3C0qF,EAASxnF,EAAK2nF,EAAQv9D,EAAOu8D,GAAQ9D,GAClCnlF,KAAK,SAAA8qE,QACmB,IAAZA,IACa,cAAlB2f,EAASrrF,MAA0C,mBAAlBqrF,EAASrrF,MAC5CkvB,EAAMkJ,SAAS,gBAAiB,CAAEszC,cAGrC,SAAApqE,GACqB,cAAlB+pF,EAASrrF,MAA0C,mBAAlBqrF,EAASrrF,MAC5CkvB,EAAMkJ,SAAS,gBAAiB,CAAE92B,YAI1C,MAAOrE,GACPuG,QAAQs8D,IAAI,2BACZt8D,QAAQs8D,IAAI7iE,SCtFP,ICEXquF,GACAC,GDHWC,GAAA,SAACt8D,GACdA,EAAM8rD,UAAU,SAACqQ,EAAU/9D,GACzB,IAAMy/C,EAAiBz/C,EAAMC,SAASw/C,eAChC0e,EAAsBn+D,EAAM+B,OAAOqrC,qBACnCe,EAAwD,YAA3CnuC,EAAK,UAAW69C,uBAC7Bv+D,EAAO0gB,EAAMtP,MAAMod,YAEnBswD,EAAmC,mBAAlBL,EAASrrF,KAC1B2rF,EAAoC,sBAAlBN,EAASrrF,MAA0D,mBAA1BqrF,EAASl0E,QAAQhV,KAC5EypF,EAAmC,8BAAlBP,EAASrrF,MAA6D,YAArBqrF,EAASl0E,QAC3E00E,EAAyC,cAAlBR,EAASrrF,MAAkD,yBAA1BqrF,EAASl0E,QAAQhV,KACzE2pF,EAAyC,cAAlBT,EAASrrF,MAAkD,2BAA1BqrF,EAASl0E,QAAQhV,KAE/E,GAAIupF,GAAkBC,GAAmBC,GAAkBC,GAAwBC,EAAsB,CACvG,GAAIl/E,GAAQmgE,GAAkBtR,GAAcgwB,EAC1C,OAAOv8D,EAAMkJ,SAAS,6BACjB,GAAIyzD,IAAyBJ,EAClC,OAAOv8D,EAAMkJ,SAAS,qHCbxB2zD,GAAY,IAAI/yE,IAAI,IAEpBgzE,GAAoB,SAACrgC,GACzB,IAAMsgC,EAAevoF,OAAOkwB,WAAar0B,SAAS2sF,gBAAgBC,YAClEC,qBAAiCzgC,EAAI,CACnC0gC,qBAAqB,IAEvBN,GAAU1kD,IAAIskB,GACd9pD,WAAW,WACT,GAAIkqF,GAAUttC,MAAQ,EAAG,CAEvB,QAAgC78C,IAA5B0pF,GAAuC,CACzC,IAAMgB,EAAQ/sF,SAASgtF,eAAe,OACtCjB,GAA0B5nF,OAAOoqD,iBAAiBw+B,GAAOE,iBAAiB,iBAC1EF,EAAMr2D,MAAMw2D,aAAenB,GAAuB,QAAA5hF,OAAW4hF,GAAX,OAAA5hF,OAAwCuiF,EAAxC,UAAAviF,OAA+DuiF,EAA/D,MAGpD,QAAkCrqF,IAA9B2pF,GAAyC,CAC3C,IAAMmB,EAAiBntF,SAASgtF,eAAe,kBAC/ChB,GAA4B7nF,OAAOoqD,iBAAiB4+B,GAAgBF,iBAAiB,SACrFE,EAAez2D,MAAMjhB,MAAQu2E,GAAyB,QAAA7hF,OAAW6hF,GAAX,OAAA7hF,OAA0CuiF,EAA1C,UAAAviF,OAAiEuiF,EAAjE,MAExD1sF,SAAS2T,KAAKk0B,UAAUC,IAAI,qBAK5BslD,GAAmB,SAAChhC,GACxBogC,GAAS,OAAQpgC,GACjB9pD,WAAW,WACc,IAAnBkqF,GAAUttC,YACoB78C,IAA5B0pF,KACF/rF,SAASgtF,eAAe,OAAOt2D,MAAMw2D,aAAenB,GAEpDA,QAA0B1pF,QAEMA,IAA9B2pF,KACFhsF,SAASgtF,eAAe,kBAAkBt2D,MAAMjhB,MAAQu2E,GAExDA,QAA4B3pF,GAE9BrC,SAAS2T,KAAKk0B,UAAUU,OAAO,oBAGnCskD,oBAAgCzgC,IAG5BihC,GAAY,CAChBC,SAAU,SAAClhC,EAAImhC,GACTA,EAAQlqF,OACVopF,GAAkBrgC,IAGtBohC,iBAAkB,SAACphC,EAAImhC,GACjBA,EAAQrR,WAAaqR,EAAQlqF,QAI7BkqF,EAAQlqF,MACVopF,GAAkBrgC,GAElBghC,GAAiBhhC,KAGrBqhC,OAAQ,SAACrhC,GACPghC,GAAiBhhC,6EClEf77B,GAAW,SAACjf,EAAGnB,GACnB,IAAMu9E,EAAiB,YAAXp8E,EAAE7Q,KAAqB6Q,EAAElF,iBAAiB1H,GAAK4M,EAAE5M,GACvDipF,EAAiB,YAAXx9E,EAAE1P,KAAqB0P,EAAE/D,iBAAiB1H,GAAKyL,EAAEzL,GACvD8rB,EAAOC,OAAOi9D,GACdh9D,EAAOD,OAAOk9D,GACdh9D,GAAUF,OAAOG,MAAMJ,GACvBK,GAAUJ,OAAOG,MAAMF,GAC7B,OAAIC,GAAUE,EACLL,EAAOE,GAAQ,EAAI,EACjBC,IAAWE,GACZ,GACEF,GAAUE,EACb,EAEA68D,EAAMC,GAAO,EAAI,GAsJb3D,GAtIM,CACnBzuF,KADmB,WAEjB,MAAO,CACLghC,UAAW,KACXqxD,UAAU,IAGdjgE,MAAO,CACL,WACA,cACA,SACA,wBACA,YACA,iBAEFkI,QAfmB,WAgBbhiB,KAAKg6E,QACPh6E,KAAK+J,qBAGToa,SAAU,CACR3tB,OADQ,WAEN,OAAOwJ,KAAKia,OAAOC,MAAMzC,SAAS8oB,kBAAkBvgC,KAAK68B,WAE3Do9C,iBAJQ,WAKN,OAAIj6E,KAAKxJ,OAAO+B,iBACPyH,KAAKxJ,OAAO+B,iBAAiB1H,GAE7BmP,KAAK68B,UAGhB+gC,eAXQ,WAYN,OAAO59D,KAAKk6E,kBAAkBl6E,KAAK68B,WAErCs5C,aAdQ,WAeN,IAAKn2E,KAAKxJ,OACR,MAAO,GAGT,IAAKwJ,KAAKm6E,WACR,MAAO,CAACn6E,KAAKxJ,QAGf,IAAM2/E,EAAeiE,KAAMp6E,KAAKia,OAAOC,MAAMzC,SAASwlD,oBAAoBj9D,KAAK49D,iBACzEyc,EAAcja,IAAU+V,EAAc,CAAEtlF,GAAImP,KAAKi6E,mBAKvD,OAJqB,IAAjBI,IACFlE,EAAakE,GAAer6E,KAAKxJ,QA1DP,SAAC2/E,EAAc94C,GAS/C,OAPE84C,EADqB,YAAnB94C,EAAUzwC,KACG0tF,KACbnE,EACA,SAAC3/E,GAAD,MAA6B,YAAhBA,EAAO5J,MAAsB4J,EAAO3F,KAAOwsC,EAAU9kC,iBAAiB1H,KAGtEypF,KAAOnE,EAAc,SAAC3/E,GAAD,MAA4B,YAAhBA,EAAO5J,QAErCqY,OAAO,SAAAC,GAAC,OAAIA,IAAG4Y,KAAKpB,IAoD7B69D,CAA0BpE,EAAcn2E,KAAKxJ,SAEtD4tC,QA/BQ,WAgCN,IAAIp8C,EAAI,EAER,OAAOunE,KAAOvvD,KAAKm2E,aAAc,SAACptF,EAAD6U,GAA2C,IAAhC/M,EAAgC+M,EAAhC/M,GAEpC2pF,EAFoE58E,EAA5B1F,sBAY9C,OARIsiF,IACFzxF,EAAOyxF,GAAQzxF,EAAOyxF,IAAS,GAC/BzxF,EAAOyxF,GAAMpyF,KAAK,CAChB2G,KAAI,IAAAuH,OAAMtO,GACV6I,GAAIA,KAGR7I,IACOe,GACN,KAELoxF,WAjDQ,WAkDN,OAAOn6E,KAAK+5E,UAAY/5E,KAAKg6E,SAGjC3/D,WAAY,CACVyiB,mBAEFqF,MAAO,CACLtF,SADK,SACK49C,EAAQC,GAChB,IAAMC,EAAoB36E,KAAKk6E,kBAAkBO,GAC3CG,EAAoB56E,KAAKk6E,kBAAkBQ,GAC7CC,GAAqBC,GAAqBD,IAAsBC,EAClE56E,KAAK6nD,aAAa7nD,KAAKi6E,kBAEvBj6E,KAAK+J,qBAGTgwE,SAVK,SAUKvqF,GACJA,GACFwQ,KAAK+J,sBAIXwQ,QAAS,CACPxQ,kBADO,WACc,IAAAxJ,EAAAP,KACfA,KAAKxJ,OACPwJ,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkB5a,kBAAkB,CAAElZ,GAAImP,KAAK68B,WAClErvC,KAAK,SAAAqQ,GAAgC,IAA7BuM,EAA6BvM,EAA7BuM,UAAWC,EAAkBxM,EAAlBwM,YAClB9J,EAAK0Z,OAAO+K,SAAS,iBAAkB,CAAEvN,SAAUrN,IACnD7J,EAAK0Z,OAAO+K,SAAS,iBAAkB,CAAEvN,SAAUpN,IACnD9J,EAAKsnD,aAAatnD,EAAK05E,oBAG3Bj6E,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkBra,YAAY,CAAEzZ,GAAImP,KAAK68B,WAC5DrvC,KAAK,SAACgJ,GACL+J,EAAK0Z,OAAO+K,SAAS,iBAAkB,CAAEvN,SAAU,CAACjhB,KACpD+J,EAAKwJ,uBAIb8wE,WAjBO,SAiBKhqF,GACV,OAAOmP,KAAKokC,QAAQvzC,IAAO,IAE7BmwC,QApBO,SAoBEnwC,GACP,OAAQmP,KAAKm6E,YAAetpF,IAAOmP,KAAK68B,UAE1CgrB,aAvBO,SAuBOh3D,GACPA,IACLmP,KAAK0oB,UAAY73B,EACjBmP,KAAKia,OAAO+K,SAAS,sBAAuBn0B,GAC5CmP,KAAKia,OAAO+K,SAAS,wBAAyBn0B,KAEhDiqF,aA7BO,WA8BL,OAAO96E,KAAKm6E,WAAan6E,KAAK0oB,UAAY,MAE5CsZ,eAhCO,WAiCLhiC,KAAK+5E,UAAY/5E,KAAK+5E,UAExBG,kBAnCO,SAmCYr9C,GACjB,IAAMrmC,EAASwJ,KAAKia,OAAOC,MAAMzC,SAAS8oB,kBAAkB1D,GAC5D,OAAOjrB,KAAIpb,EAAQ,6CAA8Cob,KAAIpb,EAAQ,yCC1JnF,IAEAkkB,GAVA,SAAAC,GACEtxB,EAAQ,MAyBK0xF,GAVC1yF,OAAAwyB,GAAA,EAAAxyB,CACd2yF,GCjBQ,WAAgB,IAAA54D,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,eAAAC,MAAA,CAAkC6/D,YAAA74D,EAAA+3D,WAAAvuD,MAAAxJ,EAAA+3D,aAA0D,CAAA/3D,EAAA,WAAAlH,EAAA,OAA6BC,YAAA,sCAAiD,CAAAD,EAAA,QAAaC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iCAAA3D,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,QAAAA,EAAA,KAA6GO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA4f,eAAA1e,MAAoC,CAAAlB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAQ,OAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAA,sBAAA5rB,GAA6H,OAAA0kB,EAAA,UAAoBprB,IAAA0G,EAAA3F,GAAAsqB,YAAA,+CAAAM,MAAA,CAAgFy/D,kBAAA94D,EAAA+4D,aAAA/4D,EAAA+3D,WAAA98C,UAAA7mC,EAAAstC,YAAA1hB,EAAA+3D,WAAAiB,cAAAh5D,EAAAi5D,uBAAAj5D,EAAAi5D,sBAAA7kF,EAAA3F,IAAAmwC,QAAA5e,EAAA4e,QAAAxqC,EAAA3F,IAAAyqF,kBAAAl5D,EAAA+3D,WAAAzxD,UAAAtG,EAAA04D,eAAA12C,QAAAhiB,EAAAy4D,WAAArkF,EAAA3F,IAAA0qF,aAAAn5D,EAAAue,UAAA66C,kBAAAp5D,EAAAwe,eAAwXve,GAAA,CAAKo5D,KAAAr5D,EAAAylC,aAAA7lB,eAAA5f,EAAA4f,qBAA+D,IAC3qC,IDOA,EAaAtnB,GATA,KAEA,MAYgC,8OErBzB,IAyDQghE,GA9CM,CACnBrhE,WAAY,CACVoE,oBAEF/2B,KAJmB,WAKjB,MAAO,CACLi0F,QAAQ,IAGZ35D,QATmB,WAUbhiB,KAAKgoB,aAAehoB,KAAKgoB,YAAYnzB,QACvCmL,KAAKia,OAAO+K,SAAS,+BArBlB,CACL/b,QAAW,eACXM,UAAa,gBACbL,IAAO,UACP0yE,kBAAmB,gBACnBC,2BAA4B,WAC5BC,eAAgB,OAiBI97E,KAAKqlB,OAAOt2B,OAC9BiR,KAAKia,OAAO+K,SAAS,kBAAmBhlB,KAAKqlB,OAAOt2B,OAGxDwrB,QAAS,CACPwhE,SADO,WACK,IAAAx7E,EAAAP,KAMVvR,WAAW,WACT8R,EAAKo7E,QAAS,GACb,KAELK,aAXO,WAYL,IAAMC,EAAQj8E,KAAKqlB,OAAOt2B,KAC1B,GAAc,iBAAVktF,EACF,MAAO,IAAMj8E,KAAKqlB,OAAOvhB,OAAOxX,IAElC,IAAM4vF,EA3CH,CACLjzE,QAAW,eACXM,UAAa,gBACbL,IAAO,UACP0yE,kBAAmB,gBACnBC,2BAA4B,WAC5BC,eAAgB,OAqCkB97E,KAAKqlB,OAAOt2B,MAC5C,OAAOmtF,EAAUl8E,KAAK+lB,GAAGm2D,GAAWD,IAGxC93D,wWAAUg4D,CAAA,GACLz1D,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,aAClCo0D,YAAa,SAAAliE,GAAK,OAAIA,EAAMC,SAAN,SACtBkiE,WAAY,SAAAniE,GAAK,OAAIA,EAAMC,SAASkiE,gBCjD1C,IAEIC,GAVJ,SAAoB3hE,GAClBtxB,EAAQ,MAyBKkzF,GAVCl0F,OAAAwyB,GAAA,EAAAxyB,CACdm0F,GCjBQ,WAAgB,IAAAp6D,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,WAAqBC,YAAA,gBAAAC,MAAA,CAAmCqO,KAAArH,EAAAu5D,QAAqBlgE,MAAA,CAAQiD,QAAA,QAAAI,OAAA,CAA4BkB,MAAA,GAAApe,OAAA,KAAyBmlB,WAAA,CAAa5G,EAAA,aAAiBgd,gBAAA,8BAA8C9a,GAAA,CAAK6C,KAAA9C,EAAA25D,SAAA30E,MAAA,WAAyC,OAAAgb,EAAAu5D,QAAA,KAA+B,CAAAzgE,EAAA,OAAYC,YAAA,4CAAAM,MAAA,CAA+DoK,KAAA,WAAiBA,KAAA,WAAgB,CAAA3K,EAAA,MAAAkH,EAAA,YAAAlH,EAAA,MAAAA,EAAA,eAAwDO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,aAAoB,CAAAmsB,EAAA,KAAUC,YAAA,4BAAsCiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,MAAAA,EAAA,eAA8HO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,eAAqB,CAAAmsB,EAAA,KAAUC,YAAA,8BAAwCiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,MAAAA,EAAA,eAA+HO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,MAAA+U,OAAA,CAAuB7C,SAAAmhB,EAAA4F,YAAAj3B,gBAA4C,CAAAmqB,EAAA,KAAUC,YAAA,8BAAwCiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA4F,cAAA5F,EAAAg6D,YAAAlhE,EAAA,MAAAA,EAAA,eAA6IO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,qBAA4B,CAAAmsB,EAAA,KAAUC,YAAA,2BAAqCiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAAi6D,aAAAj6D,EAAA4F,aAAA5F,EAAAg6D,YAAwQh6D,EAAAQ,KAAxQ1H,EAAA,MAAAA,EAAA,eAAuKO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,8BAAqC,CAAAmsB,EAAA,KAAUC,YAAA,2BAAqCiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA2FC,YAAA,4BAAAM,MAAA,CAA+CoK,KAAA,WAAiBA,KAAA,WAAgB,CAAA3K,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA45D,mBAAA55D,EAAAO,GAAA,KAAAzH,EAAA,KAAsEC,YAAA,wBAC/wD,IDOY,EAa7BmhE,GATiB,KAEU,MAYG,QE6JjBG,GApKE,CACf3iE,MAAO,CACL,WACA,eACA,QACA,SACA,MACA,WACA,QACA,kBACA,aAEFpyB,KAZe,WAab,MAAO,CACLg1F,QAAQ,EACRC,WAAW,EACXC,aAAa,IAGjBviE,WAAY,CACVyiB,kBACA+/C,gBACAnB,iBAEFv3D,SAAU,CACR24D,cADQ,WAEN,OAAO98E,KAAKia,OAAOC,MAAMzC,SAASvpB,OAEpCqqE,UAJQ,WAKN,OAAOv4D,KAAKia,OAAOC,MAAMzC,SAAS8gD,WAEpCmE,eAPQ,WAQN,OAAO18D,KAAKmI,SAASu0D,gBAEvBqgB,eAVQ,WAWN,OAAI/8E,KAAK88E,gBAAiB98E,KAAKu4D,YACxBv4D,KAAKmI,SAASu0D,eAAiB,GAAmC,IAA9B18D,KAAKmI,SAAS00D,cAE3DmgB,iBAdQ,WAeN,OAAkC,IAA9Bh9E,KAAKmI,SAAS00D,YACT78D,KAAK+lB,GAAG,mBAEf,GAAAzvB,OAAU0J,KAAK+lB,GAAG,qBAAlB,MAAAzvB,OAA2C0J,KAAK08D,eAAhD,MAGJl1C,QArBQ,WAsBN,MAAO,CACLypD,KAAM,CAAC,YAAY36E,OAAQ0J,KAAKi9E,SAAwC,GAA7B,CAAC,QAAS,kBACrD3qF,OAAQ,CAAC,oBAAoBgE,OAAQ0J,KAAKi9E,SAA+B,GAApB,CAAC,kBACtDn9E,KAAM,CAAC,iBAAiBxJ,OAAQ0J,KAAKi9E,SAA4B,GAAjB,CAAC,eACjDC,OAAQ,CAAC,mBAAmB5mF,OAAQ0J,KAAKi9E,SAA8B,GAAnB,CAAC,mBAIzDE,wBA9BQ,WA+BN,IAAM1gC,EApEiC,SAAChlC,EAAUviB,GACtD,IAAMunD,EAAM,GACZ,GAAIvnD,GAAmBA,EAAgBhN,OAAS,EAAG,KAAAkpD,GAAA,EAAAC,GAAA,EAAAC,OAAA9iD,EAAA,IACjD,QAAA+iD,EAAAC,EAAmB/5B,EAAnBnoB,OAAAmiD,cAAAL,GAAAG,EAAAC,EAAAn2C,QAAAq2C,MAAAN,GAAA,EAA6B,KAApB56C,EAAoB+6C,EAAA/hD,MAC3B,IAAK0F,EAAgBhB,SAASsC,EAAO3F,IACnC,MAEF4rD,EAAIr0D,KAAKoO,EAAO3F,KAL+B,MAAA1D,GAAAkkD,GAAA,EAAAC,EAAAnkD,EAAA,YAAAikD,GAAA,MAAAI,EAAA,QAAAA,EAAA,oBAAAH,EAAA,MAAAC,IAQnD,OAAOmL,EA0DS2gC,CAA8Bp9E,KAAKmI,SAASq0D,gBAAiBx8D,KAAK9K,iBAE9E,OAAOmoF,KAAM5gC,IAEf4+B,sBAnCQ,WAoCN,OAAOgC,KAAMr9E,KAAK9K,mBAGtB8sB,QA/De,WAgEb,IAAMlG,EAAQ9b,KAAKia,OACbtW,EAAcmY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAC5C6/C,EAA2D,IAAzCxjD,KAAKmI,SAASq0D,gBAAgBt0E,OAItD,GAFAoI,OAAOsW,iBAAiB,SAAU5G,KAAKs9E,YAEnCxhE,EAAM5B,MAAMwK,IAAIyoD,SAASntE,KAAKg8E,cAAiB,OAAO,EAE1DnY,GAAgBX,eAAe,CAC7BpnD,QACAnY,cACAwE,SAAUnI,KAAKg8E,aACfx4B,kBACA/6C,OAAQzI,KAAKyI,OACbnc,IAAK0T,KAAK1T,OAGdkoD,QAjFe,gBAkFkB,IAApBroD,SAAS6yB,SAClB7yB,SAASya,iBAAiB,mBAAoB5G,KAAKu9E,wBAAwB,GAC3Ev9E,KAAK28E,UAAYxwF,SAAS6yB,QAE5B1uB,OAAOsW,iBAAiB,UAAW5G,KAAKw9E,iBAE1Cv7D,UAxFe,WAyFb3xB,OAAO4xB,oBAAoB,SAAUliB,KAAKs9E,YAC1ChtF,OAAO4xB,oBAAoB,UAAWliB,KAAKw9E,qBACZ,IAApBrxF,SAAS6yB,QAAwB7yB,SAAS+1B,oBAAoB,mBAAoBliB,KAAKu9E,wBAAwB,GAC1Hv9E,KAAKia,OAAO2K,OAAO,aAAc,CAAEzc,SAAUnI,KAAKg8E,aAAcxsF,OAAO,KAEzE+qB,QAAS,CACPijE,eADO,SACS3zF,GAEV,CAAC,WAAY,SAASqK,SAASrK,EAAEoD,OAAOu3B,QAAQ4V,gBACtC,MAAVvwC,EAAEiG,KAAakQ,KAAKy/D,mBAE1BA,gBANO,WAO6B,IAA9Bz/D,KAAKmI,SAAS00D,aAChB78D,KAAKia,OAAO2K,OAAO,gBAAiB,CAAEzc,SAAUnI,KAAKg8E,aAAchc,eAAe,IAClFhgE,KAAKia,OAAO2K,OAAO,aAAc,CAAEzc,SAAUnI,KAAKg8E,aAAcnrF,GAAI,IACpEmP,KAAKy9E,uBAELz9E,KAAKia,OAAO2K,OAAO,kBAAmB,CAAEzc,SAAUnI,KAAKg8E,eACvDh8E,KAAK08E,QAAS,IAGlBe,mBAAoBC,KAAS,WAAY,IAAAn9E,EAAAP,KACjC8b,EAAQ9b,KAAKia,OACbtW,EAAcmY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAClDmY,EAAM8I,OAAO,aAAc,CAAEzc,SAAUnI,KAAKg8E,aAAcxsF,OAAO,IACjEq0E,GAAgBX,eAAe,CAC7BpnD,QACAnY,cACAwE,SAAUnI,KAAKg8E,aACfvd,OAAO,EACPjb,iBAAiB,EACjB/6C,OAAQzI,KAAKyI,OACbnc,IAAK0T,KAAK1T,MACTkB,KAAK,SAAAoQ,GAAkB,IAAf6Z,EAAe7Z,EAAf6Z,SACTqE,EAAM8I,OAAO,aAAc,CAAEzc,SAAU5H,EAAKy7E,aAAcxsF,OAAO,IAC7DioB,GAAgC,IAApBA,EAASvvB,SACvBqY,EAAKq8E,aAAc,MAGtB,SAAMpuF,GACT8uF,WAnCO,SAmCKzzF,GACV,IAAM8zF,EAAYxxF,SAAS2T,KAAK2f,wBAC1BL,EAASziB,KAAK4jB,IAAIo9D,EAAUv+D,QAAUu+D,EAAUv9D,IACxB,IAA1BpgB,KAAKmI,SAAS88B,SACdjlC,KAAKsf,IAAIyB,aAAe,GACvBzwB,OAAOqwB,YAAcrwB,OAAOstF,aAAiBx+D,EAAS,KACzDpf,KAAKy9E,sBAGTF,uBA5CO,WA6CLv9E,KAAK28E,UAAYxwF,SAAS6yB,SAG9BmjB,MAAO,CACLu6B,eADK,SACW/9B,GACd,GAAK3+B,KAAKia,OAAOqN,QAAQlK,aAAa8pC,WAGlCvoB,EAAQ,EAAG,CAEb,IAAMk/C,EAAM1xF,SAAS2sF,mBACRxoF,OAAOstF,aAAeC,EAAI1iC,YAAc0iC,EAAIC,WAAa,GAC5D,KACL99E,KAAK08E,QACJ18E,KAAK28E,WAAa38E,KAAKia,OAAOqN,QAAQlK,aAAagqC,iBAIvDpnD,KAAK08E,QAAS,EAFd18E,KAAKy/D,sBCtKf,IAEIse,GAVJ,SAAoBpjE,GAClBtxB,EAAQ,MAyBK20F,GAVC31F,OAAAwyB,GAAA,EAAAxyB,CACd41F,GCjBQ,WAAgB,IAAA77D,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBE,MAAA,CAAAgH,EAAAoF,QAAAypD,KAAA,aAAqC,CAAA/1D,EAAA,OAAYE,MAAAgH,EAAAoF,QAAAl1B,QAAyB,CAAA8vB,EAAA66D,SAAA76D,EAAAQ,KAAA1H,EAAA,gBAAAkH,EAAAO,GAAA,KAAAP,EAAA,cAAAlH,EAAA,OAAwFC,YAAA,6BAAAkH,GAAA,CAA6CI,MAAA,SAAAa,GAAyBA,EAAA4H,oBAA2B,CAAA9I,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAA,UAAAlH,EAAA,OAAoGC,YAAA,6BAAAkH,GAAA,CAA6CI,MAAA,SAAAa,GAAyBA,EAAA4H,oBAA2B,CAAA9I,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAm2C,UAAA5uD,YAAA,YAAAyY,EAAA,eAAAlH,EAAA,UAAmGC,YAAA,kBAAAkH,GAAA,CAAkCI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAq9C,gBAAAn8C,MAAqC,CAAAlB,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA46D,kBAAA,YAAA9hE,EAAA,OAAuEC,YAAA,sBAAAkH,GAAA,CAAsCI,MAAA,SAAAa,GAAyBA,EAAA4H,oBAA2B,CAAA9I,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAgGE,MAAAgH,EAAAoF,QAAA1nB,MAAuB,CAAAob,EAAA,OAAYC,YAAA,YAAuB,CAAAiH,EAAAyY,GAAAzY,EAAA,yBAAAya,GAAkD,OAAAza,EAAAja,SAAAm0D,eAAAz/B,GAAA3hB,EAAA,gBAAmEprB,IAAA+sC,EAAA,UAAA1hB,YAAA,gBAAAM,MAAA,CAA4DyoB,YAAArH,EAAAs+C,aAAA,EAAA+C,2BAAA97D,EAAAi5D,sBAAAE,aAAAn5D,EAAAue,UAAA66C,kBAAAp5D,EAAA3Z,UAAsJ2Z,EAAAQ,QAAYR,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAAja,SAAA,yBAAA3R,GAAqE,OAAA4rB,EAAA+6D,wBAAA3mF,EAAA3F,IAAwNuxB,EAAAQ,KAAxN1H,EAAA,gBAAqEprB,IAAA0G,EAAA3F,GAAAsqB,YAAA,gBAAAM,MAAA,CAAiDyoB,YAAA1tC,EAAA3F,GAAAsqF,aAAA,EAAAI,aAAAn5D,EAAAue,UAAA66C,kBAAAp5D,EAAA3Z,cAA8G,KAAA2Z,EAAAO,GAAA,KAAAzH,EAAA,OAA8BE,MAAAgH,EAAAoF,QAAA01D,QAAyB,KAAA96D,EAAAuc,MAAAzjB,EAAA,OAA4BC,YAAA,0DAAqE,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAA,YAAAlH,EAAA,OAAmGC,YAAA,0DAAqE,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAja,SAAA88B,SAAA7iB,EAAAm2C,UAAmTn2C,EAAA,UAAAlH,EAAA,KAA4EO,MAAA,CAAOrxB,KAAA,MAAY,CAAA8wB,EAAA,OAAYC,YAAA,oDAA+D,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAm2C,UAAArqE,YAAAgtB,EAAA,OAAoDC,YAAA,oDAA+D,CAAAD,EAAA,KAAUC,YAAA,8BAA1lBD,EAAA,KAA8HO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAq7D,wBAAkC,CAAAviE,EAAA,OAAYC,YAAA,oDAA+D,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kCACpyE,IDOY,EAa7Bg4D,GATiB,KAEU,MAYG,QETjBI,GAhBQ,CACrB9jE,WAAY,CACVoiE,aAEFt4D,SAAU,CACRhc,SADQ,WACM,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAA3B,SAEvBl7C,QAPqB,WAQnBhiB,KAAKia,OAAO+K,SAAS,wBAAyB,CAAE7c,SAAU,YAE5D8Z,UAVqB,WAWnBjiB,KAAKia,OAAO+K,SAAS,uBAAwB,YCWlCo5D,GAVC/1F,OAAAwyB,GAAA,EAAAxyB,CACdg2F,GCdQ,WAAgB,IAAatjE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,YAAsBU,MAAA,CAAO3iB,MAA5FkH,KAA4F+lB,GAAA,iBAAA5d,SAA5FnI,KAA4FmI,SAAAm2E,gBAAA,aACnG,IDIY,EAEb,KAEC,KAEU,MAYG,QEPjBC,GAfmB,CAChClkE,WAAY,CACVoiE,aAEFt4D,SAAU,CACRhc,SADQ,WACM,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAAU9zD,oBAE5D4Y,QAPgC,WAQ9BhiB,KAAKia,OAAO+K,SAAS,wBAAyB,CAAE7c,SAAU,uBAE5D8Z,UAVgC,WAW9BjiB,KAAKia,OAAO+K,SAAS,uBAAwB,uBCWlCw5D,GAVCn2F,OAAAwyB,GAAA,EAAAxyB,CACdo2F,GCdQ,WAAgB,IAAa1jE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,YAAsBU,MAAA,CAAO3iB,MAA5FkH,KAA4F+lB,GAAA,YAAA5d,SAA5FnI,KAA4FmI,SAAAm2E,gBAAA,wBACnG,IDIY,EAEb,KAEC,KAEU,MAYG,QEbjBI,GATS,CACtBrkE,WAAY,CACVoiE,aAEFt4D,SAAU,CACRhc,SADQ,WACM,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAAUj0D,WCiB/C01E,GAVCt2F,OAAAwyB,GAAA,EAAAxyB,CACdu2F,GCdQ,WAAgB,IAAa7jE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,YAAsBU,MAAA,CAAO3iB,MAA5FkH,KAA4F+lB,GAAA,gBAAA5d,SAA5FnI,KAA4FmI,SAAAm2E,gBAAA,cACnG,IDIY,EAEb,KAEC,KAEU,MAYG,QEEjBO,GAvBK,CAClB78D,QADkB,WAEhBhiB,KAAKia,OAAO2K,OAAO,gBAAiB,CAAEzc,SAAU,QAChDnI,KAAKia,OAAO+K,SAAS,wBAAyB,CAAE7c,SAAU,MAAO7b,IAAK0T,KAAK1T,OAE7E+tB,WAAY,CACVoiE,aAEFt4D,SAAU,CACR73B,IADQ,WACC,OAAO0T,KAAKqlB,OAAOvhB,OAAOxX,KACnC6b,SAFQ,WAEM,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAAU5wE,MAE5D61C,MAAO,CACL71C,IADK,WAEH0T,KAAKia,OAAO2K,OAAO,gBAAiB,CAAEzc,SAAU,QAChDnI,KAAKia,OAAO+K,SAAS,wBAAyB,CAAE7c,SAAU,MAAO7b,IAAK0T,KAAK1T,QAG/E21B,UAlBkB,WAmBhBjiB,KAAKia,OAAO+K,SAAS,uBAAwB,SCElC85D,GAVCz2F,OAAAwyB,GAAA,EAAAxyB,CACd02F,GCdQ,WAAgB,IAAahkE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,YAAsBU,MAAA,CAAO3iB,MAA5FkH,KAA4F1T,IAAA6b,SAA5FnI,KAA4FmI,SAAAm2E,gBAAA,MAAAhyF,IAA5F0T,KAA4F1T,QACnG,IDIY,EAEb,KAEC,KAEU,MAYG,QEPjB0yF,GAdG,CAChB76D,SAAU,CACRhc,SADQ,WAEN,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAAU3zD,YAGhD8Q,WAAY,CACVoiE,aAEFx6D,UATgB,WAUdjiB,KAAKia,OAAO2K,OAAO,gBAAiB,CAAEzc,SAAU,gBCWrC82E,GAVC52F,OAAAwyB,GAAA,EAAAxyB,CACd62F,GCdQ,WAAgB,IAAankE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,YAAsBU,MAAA,CAAO3iB,MAA5FkH,KAA4F+lB,GAAA,iBAAA5d,SAA5FnI,KAA4FmI,SAAAm2E,gBAAA,gBACnG,IDIY,EAEb,KAEC,KAEU,MAYG,QEVjBa,GAXU,CACvB9kE,WAAY,CACVwiE,iBAEF14D,SAAU,CACR0Y,SADQ,WAEN,OAAO78B,KAAKqlB,OAAOvhB,OAAOjT,MCejBuuF,GAVC/2F,OAAAwyB,GAAA,EAAAxyB,CACdg3F,GCdQ,WAAgB,IAAatkE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,gBAA0BU,MAAA,CAAO0/D,aAAA,EAAAmE,UAAA,OAAAp7C,YAAhGlkC,KAAgG68B,aACvG,IDIY,EAEb,KAEC,KAEU,MAYG,2REbhC,IAiFeurB,GAjFM,CACnB1gE,KADmB,WAEjB,MAAO,CACLy3C,cAAc,EACd3jB,aAAcxb,KAAKia,OAAOC,MAAZ,UAA4BiN,eAAeC,UACzD8X,SAAS,IAGbplB,MAAO,CAAE,gBACTO,WAAY,CACV2kB,mBACAnlB,sBACAglB,cACAE,aACAjC,mBAEFviB,QAAS,CACP2nB,mBADO,WAELliC,KAAKm/B,cAAgBn/B,KAAKm/B,cAE5BY,wBAJO,SAIkBvmC,GACvB,OAAOigB,aAAoBjgB,EAAK3I,GAAI2I,EAAKzI,YAAaiP,KAAKia,OAAOC,MAAMC,SAAST,sBAEnF6lE,QAPO,SAOE/3E,GACP,OAAOxH,KAAKia,OAAOC,MAAMtP,MAAM+9D,YAAYnhE,EAAajN,aAAa1J,KAEvEoxC,WAVO,WAWLjiC,KAAKk/B,SAAWl/B,KAAKk/B,SAEvBxqB,YAbO,WAcL1U,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkBjQ,YAAY,CAAE7jB,GAAImP,KAAKxG,KAAK3I,KACpEmP,KAAKia,OAAO+K,SAAS,sBAAuBhlB,KAAKxG,MACjDwG,KAAKia,OAAO+K,SAAS,+BAAgC,CAAEn0B,GAAImP,KAAKwH,aAAa3W,KAC7EmP,KAAKia,OAAO+K,SAAS,qBAAsB,CACzCn0B,GAAImP,KAAKwH,aAAa3W,GACtB2wE,QAAS,SAAAh6D,GACPA,EAAa5a,KAAO,aAI1BioB,SAxBO,WAwBK,IAAAtU,EAAAP,KACVA,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkB9P,SAAS,CAAEhkB,GAAImP,KAAKxG,KAAK3I,KAC9DrD,KAAK,WACJ+S,EAAK0Z,OAAO+K,SAAS,2BAA4B,CAAEn0B,GAAI0P,EAAKiH,aAAa3W,KACzE0P,EAAK0Z,OAAO+K,SAAS,sBAAuBzkB,EAAK/G,UAIzD2qB,wWAAUq7D,CAAA,CACR//C,UADM,WAEJ,OAAOD,aAAex/B,KAAKwH,aAAajN,eAE1CslC,UAJM,WAKJ,IAAMnX,EAAY1oB,KAAKia,OAAOqN,QAAQlK,aAAasL,UAC7ClvB,EAAOwG,KAAKwH,aAAajN,aAC/B,OAAOqlC,aAAelX,EAAUlvB,EAAKzI,eAEvCyI,KATM,WAUJ,OAAOwG,KAAKia,OAAOqN,QAAQC,SAASvnB,KAAKwH,aAAajN,aAAa1J,KAErE64B,gBAZM,WAaJ,OAAO1pB,KAAK+/B,wBAAwB//B,KAAKxG,OAE3CimF,WAfM,WAgBJ,OAAOz/E,KAAKia,OAAOqN,QAAQC,SAASvnB,KAAKwH,aAAava,OAAO4D,KAE/D6uF,sBAlBM,WAmBJ,OAAO1/E,KAAK+/B,wBAAwB//B,KAAKy/E,aAE3CE,SArBM,WAsBJ,OAAO3/E,KAAKia,OAAOqN,QAAQ30B,aAAaqN,KAAKxG,KAAK3I,IAAIuD,QAExDiG,qBAxBM,WAyBJ,OAAOA,YAAqB2F,KAAKwH,aAAa5a,QAE7C85B,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,iBC9ExC,IAEI43D,GAVJ,SAAoBjlE,GAClBtxB,EAAQ,MAyBKw2F,GAVCx3F,OAAAwyB,GAAA,EAAAxyB,CACdy3F,GCjBQ,WAAgB,IAAA19D,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,kBAAAqH,EAAA5a,aAAA5a,KAAAsuB,EAAA,UAA0DO,MAAA,CAAOH,SAAA,EAAA+hB,UAAAjb,EAAA5a,aAAAhR,UAAoD0kB,EAAA,OAAAkH,EAAAu9D,WAAAv9D,EAAA8c,QAAAhkB,EAAA,OAAqDC,YAAA,iCAA4C,CAAAD,EAAA,SAAAA,EAAA,eAAgCO,MAAA,CAAOwK,GAAA7D,EAAAsH,kBAA0B,CAAAtH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA5a,aAAAjN,aAAAxJ,aAAA,kBAAAqxB,EAAAO,GAAA,KAAAzH,EAAA,KAA8GC,YAAA,SAAAM,MAAA,CAA4BrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA6f,WAAA3e,MAAgC,CAAApI,EAAA,KAAUC,YAAA,iCAAuCD,EAAA,OAAgBC,YAAA,cAAAC,MAAA,CAAAgH,EAAAqd,UAAA,CAAiD4D,YAAAjhB,EAAAyd,YAA6Bhd,MAAA,CAAAT,EAAAyd,YAA4B,CAAA3kB,EAAA,KAAUC,YAAA,mBAAAM,MAAA,CAAsCrxB,KAAAg4B,EAAA5a,aAAAjN,aAAAtJ,uBAA2DoxB,GAAA,CAAKohB,SAAA,SAAAngB,GAA2E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA8f,mBAAA5e,MAAwC,CAAApI,EAAA,cAAmBO,MAAA,CAAOH,SAAA,EAAAC,gBAAA6G,EAAA5G,aAAAhiB,KAAA4oB,EAAA5a,aAAAjN,iBAAsF,GAAA6nB,EAAAO,GAAA,KAAAzH,EAAA,OAA4BC,YAAA,sBAAiC,CAAAiH,EAAA,aAAAlH,EAAA,YAAoCO,MAAA,CAAOioB,UAAAthB,EAAAm9D,QAAAn9D,EAAA5a,cAAA3W,GAAA62B,SAAA,EAAAG,UAAA,KAA2EzF,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,QAAkCC,YAAA,wBAAmC,CAAAD,EAAA,OAAYC,YAAA,mBAA8B,CAAAiH,EAAA5a,aAAAjN,aAAAnJ,UAAA8pB,EAAA,OAAwDC,YAAA,WAAAM,MAAA,CAA8B3iB,MAAA,IAAAspB,EAAA5a,aAAAjN,aAAAxJ,aAAsDq5B,SAAA,CAAWC,UAAAjI,EAAA0D,GAAA1D,EAAA5a,aAAAjN,aAAAnJ,cAA6D8pB,EAAA,QAAaC,YAAA,WAAAM,MAAA,CAA8B3iB,MAAA,IAAAspB,EAAA5a,aAAAjN,aAAAxJ,cAAuD,CAAAqxB,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5a,aAAAjN,aAAAxL,SAAAqzB,EAAAO,GAAA,cAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,QAAAA,EAAA,KAAyHC,YAAA,qBAA+BiH,EAAAO,GAAA,KAAAzH,EAAA,SAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,gBAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,QAAAA,EAAA,KAAiKC,YAAA,sBAAAM,MAAA,CAAyC3iB,MAAAspB,EAAA2D,GAAA,sBAAmC3D,EAAAO,GAAA,KAAAzH,EAAA,SAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,gBAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,QAAAA,EAAA,KAAgKC,YAAA,0BAAoCiH,EAAAO,GAAA,KAAAzH,EAAA,SAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,wBAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,QAAAA,EAAA,KAAwKC,YAAA,qBAA+BiH,EAAAO,GAAA,KAAAzH,EAAA,SAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,cAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,QAAAA,EAAA,KAAgKC,YAAA,6BAAuCiH,EAAAO,GAAA,KAAAzH,EAAA,SAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,gCAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,QAAAA,EAAA,SAAAA,EAAA,QAA8LO,MAAA,CAAOsrB,KAAA,+BAAqC,CAAA7rB,EAAA,QAAaC,YAAA,wBAAmC,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA5a,aAAAtR,aAAA,KAAAksB,EAAAQ,OAAAR,EAAAO,GAAA,KAAAP,EAAA,qBAAAlH,EAAA,OAA+GC,YAAA,WAAsB,CAAAiH,EAAA5a,aAAA,OAAA0T,EAAA,eAA8CC,YAAA,aAAAM,MAAA,CAAgCwK,GAAA,CAAMl3B,KAAA,eAAA+U,OAAA,CAAgCjT,GAAAuxB,EAAA5a,aAAAhR,OAAA3F,OAAqC,CAAAqqB,EAAA,WAAgBO,MAAA,CAAOkoB,KAAAvhB,EAAA5a,aAAA7S,WAAAivC,cAAA,QAAsD,GAAAxhB,EAAAQ,MAAA,GAAA1H,EAAA,OAA6BC,YAAA,WAAsB,CAAAD,EAAA,QAAaC,YAAA,SAAoB,CAAAD,EAAA,WAAgBO,MAAA,CAAOkoB,KAAAvhB,EAAA5a,aAAA7S,WAAAivC,cAAA,QAAsD,KAAAxhB,EAAAO,GAAA,KAAAP,EAAA,SAAAlH,EAAA,KAA2CO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA6f,WAAA3e,MAAgC,CAAApI,EAAA,KAAUC,YAAA,+BAAuCiH,EAAAQ,OAAAR,EAAAO,GAAA,gBAAAP,EAAA5a,aAAA5a,MAAA,mBAAAw1B,EAAA5a,aAAA5a,KAAAsuB,EAAA,OAAwHC,YAAA,eAA0B,CAAAD,EAAA,eAAoBC,YAAA,cAAAM,MAAA,CAAiCwK,GAAA7D,EAAAsH,kBAA0B,CAAAtH,EAAAO,GAAA,gBAAAP,EAAA0D,GAAA1D,EAAA5a,aAAAjN,aAAAxJ,aAAA,gBAAAqxB,EAAAO,GAAA,wBAAAP,EAAA5a,aAAA5a,KAAAsuB,EAAA,OAA8J8oB,YAAA,CAAa+7C,cAAA,WAAwB,CAAA7kE,EAAA,KAAUC,YAAA,4CAAAM,MAAA,CAA+D3iB,MAAAspB,EAAA2D,GAAA,mCAAiD1D,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA1N,kBAA2B0N,EAAAO,GAAA,KAAAzH,EAAA,KAAsBC,YAAA,gDAAAM,MAAA,CAAmE3iB,MAAAspB,EAAA2D,GAAA,mCAAiD1D,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAvN,iBAAwBuN,EAAAQ,MAAA,YAAAR,EAAA5a,aAAA5a,KAAAsuB,EAAA,OAA8DC,YAAA,aAAwB,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA7D,EAAAs9D,wBAAgC,CAAAt9D,EAAAO,GAAA,gBAAAP,EAAA0D,GAAA1D,EAAA5a,aAAAva,OAAA8D,aAAA,qBAAAmqB,EAAA,kBAA+GC,YAAA,QAAAM,MAAA,CAA2BjlB,OAAA4rB,EAAA5a,aAAAlN,YAAkC,QACnrJ,IDOY,EAa7BslF,GATiB,KAEU,MAYG,qOEjBhC,IAwGeI,GAtGO,CACpBlmE,MAAO,CAELgmB,UAAWnlC,QAGXslF,YAAatlF,QAEbulF,WAAYp1D,OAEdpjC,KAVoB,WAWlB,MAAO,CACLk1F,aAAa,EAIbuD,mBAlBgC,KAqBpCn+D,QAnBoB,WAoBlB,IAAMlG,EAAQ9b,KAAKia,OACbtW,EAAcmY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAClD2gE,GAAqBpB,eAAe,CAAEpnD,QAAOnY,iBAE/CwgB,wWAAUi8D,CAAA,CACRC,UADM,WAEJ,OAAOrgF,KAAKigF,YAAc,GAAK,uBAEjC92E,cAJM,WAKJ,OAAO0S,YAAuB7b,KAAKia,SAErC/rB,MAPM,WAQJ,OAAO8R,KAAKia,OAAOC,MAAMzC,SAAStO,cAAcjb,OAElDoyF,oBAVM,WAWJ,OAAOtiE,YAA6Bhe,KAAKia,SAE3CsmE,sBAbM,WAcJ,OAAO5iE,YAA+B3d,KAAKia,OAAQja,KAAKkgF,aAE1DM,YAhBM,WAiBJ,OAAOxgF,KAAKsgF,oBAAoBp4F,QAElCu4F,iBAnBM,WAoBJ,OAAOzgF,KAAKwgF,YAAexgF,KAAK20E,iBAElC1vC,QAtBM,WAuBJ,OAAOjlC,KAAKia,OAAOC,MAAMzC,SAAStO,cAAc87B,SAElDy7C,uBAzBM,WA0BJ,OAAO1gF,KAAKugF,sBAAsB/vF,MAAM,EAAGwP,KAAKwgF,YAAcxgF,KAAKmgF,sBAElEv3D,YAAW,CAAC,qBAEjBvO,WAAY,CACV+tC,iBAEFjmB,MAAO,CACLs+C,iBADK,SACa9hD,GACZA,EAAQ,EACV3+B,KAAKia,OAAO+K,SAAS,eAArB,IAAA1uB,OAAyCqoC,EAAzC,MAEA3+B,KAAKia,OAAO+K,SAAS,eAAgB,MAI3CzK,QAAS,CACPomE,WADO,WAEL3gF,KAAKia,OAAO+K,SAAS,2BACrBhlB,KAAKmgF,mBAvE2B,IAyElCS,wBALO,WAKoB,IAAArgF,EAAAP,KACzB,IAAIA,KAAKilC,QAAT,CAIA,IAAM47C,EAAY7gF,KAAKugF,sBAAsBr4F,OAAS8X,KAAKwgF,YAC3D,GAAIxgF,KAAKmgF,mBAAqBU,EAC5B7gF,KAAKmgF,mBAAqBxjF,KAAK2jB,IAAItgB,KAAKmgF,mBAAqB,GAAIU,OADnE,CAGW7gF,KAAKmgF,mBAAqBU,IACnC7gF,KAAKmgF,mBAAqBU,GAG5B,IAAM/kE,EAAQ9b,KAAKia,OACbtW,EAAcmY,EAAM5B,MAAMtP,MAAMod,YAAYrkB,YAClDmY,EAAM8I,OAAO,0BAA2B,CAAEp1B,OAAO,IACjD80E,GAAqBpB,eAAe,CAClCpnD,QACAnY,cACA86D,OAAO,IACNjxE,KAAK,SAAAszF,GACNhlE,EAAM8I,OAAO,0BAA2B,CAAEp1B,OAAO,IAC3B,IAAlBsxF,EAAO54F,SACTqY,EAAKq8E,aAAc,GAErBr8E,EAAK4/E,oBAAsBW,EAAO54F,cCnG1C,IAEI64F,GAVJ,SAAoBpmE,GAClBtxB,EAAQ,MAyBK23F,GAVC34F,OAAAwyB,GAAA,EAAAxyB,CACd44F,GCjBQ,WAAgB,IAAA7+D,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,gBAAAC,MAAA,CAAmC8lE,QAAA9+D,EAAA69D,cAA4B,CAAA/kE,EAAA,OAAYE,MAAAgH,EAAAi+D,WAAoB,CAAAj+D,EAAA0d,UAA+pB1d,EAAAQ,KAA/pB1H,EAAA,OAA6BC,YAAA,iBAA4B,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,8CAAA3D,EAAA,YAAAlH,EAAA,QAA+GC,YAAA,yCAAoD,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAo+D,gBAAAp+D,EAAAQ,OAAAR,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAAiFC,YAAA,6BAAAkH,GAAA,CAA6CI,MAAA,SAAAa,GAAyBA,EAAA4H,oBAA2B,CAAA9I,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,UAAkIC,YAAA,cAAAkH,GAAA,CAA8BI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAu+D,WAAAr9D,MAAgC,CAAAlB,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAQ,OAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAmHC,YAAA,cAAyBiH,EAAAyY,GAAAzY,EAAA,gCAAA5a,GAA4D,OAAA0T,EAAA,OAAiBprB,IAAA0X,EAAA3W,GAAAsqB,YAAA,eAAAC,MAAA,CAAsD+lE,QAAA/+D,EAAA69D,cAAAz4E,EAAArN,OAAkD,CAAA+gB,EAAA,OAAYC,YAAA,yBAAmCiH,EAAAO,GAAA,KAAAzH,EAAA,gBAAiCO,MAAA,CAAOjU,mBAA6B,KAAM,GAAA4a,EAAAO,GAAA,KAAAzH,EAAA,OAA2BC,YAAA,gBAA2B,CAAAiH,EAAA,YAAAlH,EAAA,OAA8BC,YAAA,0DAAqE,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sDAAA3D,EAAA6iB,QAA2S/pB,EAAA,OAAqJC,YAAA,oDAA+D,CAAAD,EAAA,KAAUC,YAAA,8BAAzgBD,EAAA,KAAiHO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAw+D,6BAAuC,CAAA1lE,EAAA,OAAYC,YAAA,oDAA+D,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA69D,YAAA79D,EAAA2D,GAAA,2BAAA3D,EAAA2D,GAAA,sDACptD,IDOY,EAa7Bg7D,GATiB,KAEU,MAYG,QExB1BK,GAAc,CAClBznF,SAAU,CAAC,WACX0nF,gBAAiB,CAAC,SAAU,QAC5BhlE,QAAS,CAAC,UACVE,MAAO,CAAC,SAoBK+kE,GAjBM,CACnB55F,KADmB,WAEjB,MAAO,CACLy8E,mBAAoBnkE,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYh1B,qBACxDktF,WAAYkB,GAAW,WAG3B7mE,QAAS,CACPgnE,aADO,SACOzxF,GACZkQ,KAAKkgF,WAAakB,GAAYtxF,KAGlCuqB,WAAY,CACV2lE,mBCCWwB,GAVCn5F,OAAAwyB,GAAA,EAAAxyB,CACdo5F,GCdQ,WAAgB,IAAAr/D,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,gBAAoGsH,IAAA,cAAA/G,MAAA,CAAyBimE,YAAAt/D,EAAAm/D,eAA8B,CAAArmE,EAAA,QAAaprB,IAAA,WAAA2rB,MAAA,CAAsBkuC,MAAAvnC,EAAA2D,GAAA,mBAAgC3D,EAAAO,GAAA,KAAAzH,EAAA,QAAyBprB,IAAA,gBAAA2rB,MAAA,CAA2BkuC,MAAAvnC,EAAA2D,GAAA,gCAA6C3D,EAAAO,GAAA,KAAAzH,EAAA,QAAyBprB,IAAA,UAAA2rB,MAAA,CAAqBkuC,MAAAvnC,EAAA2D,GAAA,2BAAwC3D,EAAAO,GAAA,KAAAP,EAAA+hD,mBAA4G/hD,EAAAQ,KAA5G1H,EAAA,QAAmDprB,IAAA,QAAA2rB,MAAA,CAAmBkuC,MAAAvnC,EAAA2D,GAAA,2BAAsC3D,EAAAO,GAAA,KAAAzH,EAAA,iBAA6CsH,IAAA,gBAAA/G,MAAA,CAA2B6oB,cAAA,EAAAq9C,gBAAA,EAAAC,cAAAx/D,EAAA89D,eAAoE,IAC90B,IDIY,EAEb,KAEC,KAEU,MAYG,QEVjB2B,GAXH,CACV19D,SAAU,CACRhc,SADQ,WAEN,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAAUh0D,MAGhDmR,WAAY,CACVoiE,cCcWqF,GAVCz5F,OAAAwyB,GAAA,EAAAxyB,CACd05F,GCdQ,WAAgB,IAAahnE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,YAAsBU,MAAA,CAAO3iB,MAA5FkH,KAA4F+lB,GAAA,WAAA5d,SAA5FnI,KAA4FmI,SAAAm2E,gBAAA,UACnG,IDIY,EAEb,KAEC,KAEU,MAYG,kBEnBjB9wB,OAAIC,UAAU,aAAc,CACzC1+D,KAAM,YACNsrB,WAAY,CACVR,uBAEFC,MAAO,CACL,OAAQ,cAEVqK,SAAU,CACRrrB,MADQ,WAEN,OAAOkH,KAAKxG,KAAOwG,KAAKxG,KAAKzI,YAAc,IAE7CixF,UAJQ,WAKN,OAAOhiF,KAAKxG,KAAOwG,KAAKxG,KAAKpI,UAAY,KAG7CmpB,QAAS,CACP0nE,mBADO,SACazoF,GAClB,OAAOigB,aAAoBjgB,EAAK3I,GAAI2I,EAAKzI,iBCd/C,IAEImxF,GAVJ,SAAoBvnE,GAClBtxB,EAAQ,MAyBK84F,GAVC95F,OAAAwyB,GAAA,EAAAxyB,CACd+5F,GCjBQ,WAAgB,IAAAhgE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,aAAAM,MAAA,CAAgC3iB,MAAAspB,EAAAtpB,QAAmB,CAAAspB,EAAAigE,YAAAjgE,EAAA5oB,KAAA0hB,EAAA,eAAiDO,MAAA,CAAOwK,GAAA7D,EAAA6/D,mBAAA7/D,EAAA5oB,QAAuC,CAAA0hB,EAAA,cAAmBO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,KAAA2lB,MAAA,OAAAC,OAAA,WAAgD,GAAAgD,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,QAAsCC,YAAA,WAAAiP,SAAA,CAAiCC,UAAAjI,EAAA0D,GAAA1D,EAAA4/D,eAAmC,IAC7Z,IDOY,EAa7BE,GATiB,KAEU,MAYG,qOElBhC,IA0DeI,GA1DM,CACnBvzF,KAAM,eACN+qB,MAAO,CACL,QAEFO,WAAY,CACVR,sBACAilB,gBACAC,aACAwjD,aACAvjD,oBAEF7a,wWAAUq+D,CAAA,GACL97D,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,eAF9B,CAINy6D,eAJM,WAKJ,GAAiD,IAA7CziF,KAAKrE,KAAKE,YAAYjC,YAAY1R,OAAtC,CAEA,IAAM01B,EAAQ5d,KAAKrE,KAAKE,YAAYjC,YAAY/H,IAAI,SAAAohB,GAAI,OAAIqL,KAASA,SAASrL,EAAKxd,YACnF,OAAImoB,EAAM1pB,SAAS,SACV8L,KAAK+lB,GAAG,mBACNnI,EAAM1pB,SAAS,SACjB8L,KAAK+lB,GAAG,mBACNnI,EAAM1pB,SAAS,SACjB8L,KAAK+lB,GAAG,mBAER/lB,KAAK+lB,GAAG,oBAGnB28D,wBAlBM,WAmBJ,IAAMn0F,EAAUyR,KAAKrE,KAAKE,YACpB8mF,EAAQp0F,GAAWA,EAAQwoB,aAAe/W,KAAKgoB,YAAYn3B,GAC3DyG,EAAU/I,EAAWyR,KAAKyiF,gBAAkBl0F,EAAQ+I,QAAW,GAC/DsrF,EAAiBD,EAAK,MAAArsF,OAAS0J,KAAK+lB,GAAG,aAAjB,SAAAzvB,OAAqCgB,GAAYA,EAC7E,MAAO,CACLE,QAAS,GACTH,eAAgBurF,EAChBrrF,KAAMqrF,EACNhpF,YAAa,OAInB2gB,QAAS,CACPgM,SADO,SACG3D,GACJ5iB,KAAKrE,KAAK9K,IACZmP,KAAKwmB,QAAQp+B,KAAK,CAChB2G,KAAM,OACN+U,OAAQ,CACN7C,SAAUjB,KAAKgoB,YAAYj3B,YAC3B01B,aAAczmB,KAAKrE,KAAKlC,QAAQ5I,SClD5C,IAEIgyF,GAVJ,SAAoBloE,GAClBtxB,EAAQ,MAyBKy5F,GAVCz6F,OAAAwyB,GAAA,EAAAxyB,CACd06F,GCjBQ,WAAgB,IAAA3gE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,iBAAAkH,GAAA,CAAiCohB,SAAA,SAAAngB,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAAmE,SAAAjD,MAA8B,CAAApI,EAAA,OAAYC,YAAA,uBAAkC,CAAAD,EAAA,cAAmBO,MAAA,CAAOjiB,KAAA4oB,EAAAzmB,KAAAlC,QAAA2lB,OAAA,OAAAD,MAAA,WAAwD,GAAAiD,EAAAO,GAAA,KAAAzH,EAAA,OAA4BC,YAAA,yBAAoC,CAAAD,EAAA,OAAYC,YAAA,WAAsB,CAAAiH,EAAAzmB,KAAA,QAAAuf,EAAA,QAAgCC,YAAA,yBAAoC,CAAAD,EAAA,aAAkBO,MAAA,CAAOjiB,KAAA4oB,EAAAzmB,KAAAlC,YAAyB,GAAA2oB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,QAAsCC,YAAA,oBAA4BiH,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,gBAA2B,CAAAD,EAAA,iBAAsBO,MAAA,CAAOjlB,OAAA4rB,EAAAsgE,wBAAAx3C,eAAA,KAAyD9oB,EAAAO,GAAA,KAAAP,EAAAzmB,KAAAC,OAAA,EAAAsf,EAAA,OAA8CC,YAAA,8CAAyD,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAAzmB,KAAAC,QAAA,cAAAwmB,EAAAQ,MAAA,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAiGC,YAAA,gBAA2B,CAAAD,EAAA,WAAgBO,MAAA,CAAOkoB,KAAAvhB,EAAAzmB,KAAAK,WAAA4nC,cAAA,OAA6C,MACphC,IDOY,EAa7Bi/C,GATiB,KAEU,MAYG,8OEtBhC,IAoEeG,GApEC,CACd3oE,WAAY,CACV+xB,mBACAvyB,uBAEFnyB,KALc,WAMZ,MAAO,CACLstB,YAAa,GACbiuE,QAAS,GACTh+C,SAAS,EACTrtB,MAAO,KAGLoK,QAbQ,eAAApkB,EAAA2C,EAAAP,KAAA,OAAA6K,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,cAAA0P,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAcYjL,KAAK2kB,kBAAkBrM,SAdnC,OAAA1a,EAAAmN,EAAAG,KAAAtN,EAcJ0a,MACFzJ,QAAQ,SAAAlT,GAAI,OAAI4E,EAAKyU,YAAY5sB,KAAKuT,EAAKlC,WAfrC,wBAAAsR,EAAAM,SAAA,KAAArL,OAiBdmkB,wWAAU++D,CAAA,CACRt4E,MADM,WACG,IAAAka,EAAA9kB,KACP,OAAOA,KAAKijF,QAAQpxF,IAAI,SAAA4W,GAAM,OAAIqc,EAAKyC,SAAS9e,MAElD06E,eAJM,WAKJ,OAA0B,IAAtBnjF,KAAK4X,MAAM1vB,OACN8X,KAAK4K,MAEL5K,KAAKgV,cAGb0R,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,aAClCrD,kBAAmB,SAAAzK,GAAK,OAAIA,EAAMwK,IAAIC,qBAblC,GAeHiE,YAAW,CAAC,cAEjBrO,QAAS,CACP6oE,OADO,WAELpjF,KAAKuhB,MAAM,WAEb8hE,SAJO,SAIG7pF,GACRwG,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,OAAQ+U,OAAQ,CAAE2iB,aAAcjtB,EAAK3I,OAEjE0jE,QAPO,WAQLv0D,KAAKijE,OAAOjjE,KAAK4X,QAEnB0rE,QAVO,SAUE9pF,GACPwG,KAAKujF,gBAAgBn7F,KAAKoR,EAAK3I,IAC/BmP,KAAK4X,MAAQ,IAEf4rE,WAdO,SAcK/6E,GACVzI,KAAKujF,gBAAkBvjF,KAAKujF,gBAAgBt+E,OAAO,SAAApU,GAAE,OAAIA,IAAO4X,KAElEw6D,OAjBO,SAiBCrrD,GAAO,IAAAuN,EAAAnlB,KACR4X,GAKL5X,KAAKilC,SAAU,EACfjlC,KAAKijF,QAAU,GACfjjF,KAAKia,OAAO+K,SAAS,SAAU,CAAE1N,EAAGM,EAAO1tB,SAAS,EAAM0C,KAAM,aAC7DY,KAAK,SAAA9F,GACJy9B,EAAK8f,SAAU,EACf9f,EAAK89D,QAAUv7F,EAAK2uB,SAASxkB,IAAI,SAAA4L,GAAC,OAAIA,EAAE5M,QAT1CmP,KAAKilC,SAAU,KCjDvB,IAEIw+C,GAVJ,SAAoB9oE,GAClBtxB,EAAQ,MAyBKq6F,GAVCr7F,OAAAwyB,GAAA,EAAAxyB,CACds7F,GCjBQ,WAAgB,IAAAvhE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,+BAAAM,MAAA,CAAkD5qB,GAAA,QAAY,CAAAqqB,EAAA,OAAYsH,IAAA,SAAArH,YAAA,iBAAyC,CAAAD,EAAA,KAAUC,YAAA,iBAAAkH,GAAA,CAAiCI,MAAAL,EAAAghE,SAAoB,CAAAloE,EAAA,KAAUC,YAAA,mCAAyCiH,EAAAO,GAAA,KAAAzH,EAAA,OAA4BC,YAAA,cAAyB,CAAAiH,EAAA+H,GAAA,GAAA/H,EAAAO,GAAA,KAAAzH,EAAA,SAAoCqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,MAAAqI,WAAA,UAAoEjI,IAAA,SAAA/G,MAAA,CAAsBmf,YAAA,iBAA8BxQ,SAAA,CAAW56B,MAAA4yB,EAAA,OAAoBC,GAAA,CAAK3iB,MAAA,UAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAxK,MAAA0L,EAAAr2B,OAAAuC,QAA8B4yB,EAAAmyC,cAAenyC,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,eAA0BiH,EAAAyY,GAAAzY,EAAA,wBAAA5oB,GAA4C,OAAA0hB,EAAA,OAAiBprB,IAAA0J,EAAA3I,GAAAsqB,YAAA,UAAiC,CAAAD,EAAA,OAAYmH,GAAA,CAAIohB,SAAA,SAAAngB,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAAihE,SAAA7pF,MAA4B,CAAA0hB,EAAA,iBAAsBO,MAAA,CAAOjiB,WAAa,OAAQ,MAC78B,YAAiB,IAAauhB,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,gBAA2B,CAAAD,EAAA,KAAUC,YAAA,iCDO1H,EAa7BsoE,GATiB,KAEU,MAYG,8OErBhC,IA+BeG,GA/BE,CACfvpE,WAAY,CACVioE,gBACAuB,UACAC,YAEF3/D,wWAAU4/D,CAAA,GACLr9D,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,eAF9B,GAIHY,YAAW,CAAC,oBAEjBlhC,KAZe,WAab,MAAO,CACLs8F,OAAO,IAGXhiE,QAjBe,WAkBbhiB,KAAKia,OAAO+K,SAAS,aAAc,CAAE+nD,QAAQ,KAE/CxyD,QAAS,CACP0pE,cADO,WAELjkF,KAAKgkF,OAAQ,EACbhkF,KAAKia,OAAO+K,SAAS,aAAc,CAAE+nD,QAAQ,KAE/CmX,QALO,WAMLlkF,KAAKgkF,OAAQ,KCvBnB,IAEIG,GAVJ,SAAoBxpE,GAClBtxB,EAAQ,MAyBK+6F,GAVC/7F,OAAAwyB,GAAA,EAAAxyB,CACdg8F,GCjBQ,WAAgB,IAAAjiE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,MAAAlH,EAAA,OAAAA,EAAA,WAA2CmH,GAAA,CAAIiiE,OAAAliE,EAAA6hE,kBAA4B,GAAA/oE,EAAA,OAAgBC,YAAA,iCAA4C,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,QAAaC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAAuFmH,GAAA,CAAII,MAAAL,EAAA8hE,UAAqB,CAAA9hE,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAoFC,YAAA,cAAyB,CAAAiH,EAAAqyD,eAAAvsF,OAAA,EAAAgzB,EAAA,OAA4CC,YAAA,YAAuB,CAAAD,EAAA,QAAaO,MAAA,CAAOknC,MAAAvgC,EAAAqyD,gBAA2Bh6C,YAAArY,EAAAsY,GAAA,EAAsB5qC,IAAA,OAAA6qC,GAAA,SAAAnY,GAC9oB,IAAAqgC,EAAArgC,EAAAqgC,KACA,OAAA3nC,EAAA,gBAA2BprB,IAAA+yD,EAAAhyD,GAAA4qB,MAAA,CAAmBH,SAAA,EAAA3f,KAAAknD,SAAiC,uBAAyB,GAAA3nC,EAAA,OAAgBC,YAAA,yBAAoC,CAAAD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gDACzI,IDKY,EAa7Bo+D,GATiB,KAEU,MAYG,qCEnBhCI,GAAA,CACAx1F,KAAA,UACA+qB,MAAA,SACAqK,SAAA,CACAqgE,YADA,WAEA,IAAAC,EAAA,IAAA7vF,KAGA,OAFA6vF,EAAAlR,SAAA,SAEAvzE,KAAAgsC,KAAAwnC,YAAAiR,EAAAjR,UACAxzE,KAAA+lB,GAAA,sBAEA/lB,KAAAgsC,KAAA04C,mBAAA,MAAAC,IAAA,UAAAC,MAAA,YCMeC,GAVCx8F,OAAAwyB,GAAA,EAAAxyB,CACdk8F,GCfQ,WAAgB,IAAaxpE,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,QAA/D/a,KAA+D2iB,GAAA,OAA/D3iB,KAA+D8lB,GAA/D9lB,KAA+DwkF,aAAA,SACtE,IDKY,EAEb,KAEC,KAEU,MAYG,qOEdhC,IAqFeM,GArFK,CAClB/1F,KAAM,cACN+qB,MAAO,CACL,SACA,SACA,YACA,eACA,uBAEFO,WAAY,CACVoE,mBACAirB,gBACA1K,mBACAnlB,sBACA+vB,aACAC,iBACAk7C,oBAEF5gE,wWAAU6gE,CAAA,CAERC,UAFM,WAIJ,OADajlF,KAAKklF,aAAax9F,KAAKiN,WACxBwwF,mBAAmB,KAAM,CAAEC,KAAM,UAAWC,OAAQ,UAAWC,QAAQ,KAErFC,cANM,WAOJ,OAAOvlF,KAAKzR,QAAQwoB,aAAe/W,KAAKgoB,YAAYn3B,IAEtDtC,QATM,WAUJ,OAAOyR,KAAKklF,aAAax9F,MAE3BgiC,gBAZM,WAaJ,OAAOjQ,aAAoBzZ,KAAKwlF,OAAO30F,GAAImP,KAAKwlF,OAAOz0F,YAAaiP,KAAKia,OAAOC,MAAMC,SAAST,sBAEjG+rE,UAfM,WAgBJ,MAAkC,YAA3BzlF,KAAKklF,aAAat4F,MAE3B81F,wBAlBM,WAmBJ,MAAO,CACLlrF,QAAS,GACTH,eAAgB2I,KAAKzR,QAAQ+I,QAC7BC,KAAMyI,KAAKzR,QAAQ+I,QACnBsC,YAAaoG,KAAKzR,QAAQqL,cAG9B8rF,cA1BM,WA2BJ,OAAO1lF,KAAKzR,QAAQqL,YAAY1R,OAAS,IAExCw+B,YAAS,CACVlL,aAAc,SAAAtB,GAAK,OAAIA,EAAK,UAAWiN,eAAeC,WACtDY,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,aAClCtO,oBAAqB,SAAAQ,GAAK,OAAIA,EAAMC,SAAST,uBAhCzC,CAkCNisE,mBAlCM,WAmCJ,OAAI3lF,KAAKulF,cACA,GAEA,CAAEvlE,KAAM,MAGhB4I,YAAW,CAAC,eAAgB,cAEjClhC,KA7DkB,WA8DhB,MAAO,CACLk+F,SAAS,EACTC,YAAY,IAGhBtrE,QAAS,CACPurE,QADO,SACEC,GACP/lF,KAAKuhB,MAAM,QAAS,CAAEykE,UAAWD,EAAMpS,eAAgB3zE,KAAKklF,aAAavR,kBAErEE,cAJC,kBAAAhpE,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,WAKa/K,OAAOirC,QAAQv7B,KAAK+lB,GAAG,yBALpC,CAAAhb,EAAA1P,KAAA,eAAA0P,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAOGjL,KAAKia,OAAO+K,SAAS,oBAAqB,CAC9CzhB,UAAWvD,KAAKklF,aAAax9F,KAAKmJ,GAClCyS,OAAQtD,KAAKklF,aAAax9F,KAAKwU,WAT9B,OAYL8D,KAAK4lF,SAAU,EACf5lF,KAAK6lF,YAAa,EAbb,wBAAA96E,EAAAM,SAAA,KAAArL,SCrEX,IAEIimF,GAVJ,SAAoBtrE,GAClBtxB,EAAQ,MAyBK68F,GAVC79F,OAAAwyB,GAAA,EAAAxyB,CACd89F,GCjBQ,WAAgB,IAAA/jE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,UAAAlH,EAAA,OAAiCC,YAAA,uBAAAC,MAAA,CAA0CgrE,wBAAAhkE,EAAAikE,qBAAmDhkE,GAAA,CAAKikE,UAAA,SAAAhjE,GAA6B,OAAAlB,EAAA0jE,SAAA,IAAyBvjE,WAAA,SAAAe,GAA+B,OAAAlB,EAAA0jE,SAAA,MAA4B,CAAA5qE,EAAA,OAAYC,YAAA,eAAAC,MAAA,EAAmCmrE,SAAAnkE,EAAAmjE,cAAAiB,UAAApkE,EAAAmjE,iBAAkE,CAAAnjE,EAAAmjE,cAA0OnjE,EAAAQ,KAA1O1H,EAAA,OAAiCC,YAAA,kBAA6B,CAAAiH,EAAA8iE,aAAA,OAAAhqE,EAAA,eAA8CO,MAAA,CAAOwK,GAAA7D,EAAAsH,kBAA0B,CAAAxO,EAAA,cAAmBO,MAAA,CAAOH,SAAA,EAAAC,gBAAA6G,EAAA5G,aAAAhiB,KAAA4oB,EAAAojE,WAAmE,GAAApjE,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAkDC,YAAA,sBAAiC,CAAAD,EAAA,OAAYC,YAAA,cAAA0H,MAAA,CAAkCohB,YAAA7hB,EAAA7zB,QAAA4N,WAAA,WAAqD,CAAA+e,EAAA,OAAYC,YAAA,eAAAC,MAAA,CAAkCqrE,sBAAArkE,EAAAsjE,eAA2C1hD,YAAA,CAAcpL,SAAA,YAAsBvW,GAAA,CAAKC,WAAA,SAAAgB,GAA8BlB,EAAAwjE,SAAA,GAAmBrjE,WAAA,SAAAe,GAA+BlB,EAAAwjE,SAAA,KAAsB,CAAA1qE,EAAA,OAAYC,YAAA,oBAAAC,MAAA,CAAuC8jC,QAAA98B,EAAAwjE,SAAAxjE,EAAAyjE,aAA4C,CAAA3qE,EAAA,WAAgBO,MAAA,CAAOiD,QAAA,QAAAC,UAAA,MAAA+nE,oBAAAtkE,EAAAmjE,cAAA,8BAAAx+D,WAAA,CAAwH5G,EAAA,aAAiBrB,OAAAsD,EAAAujE,oBAAiCtjE,GAAA,CAAK6C,KAAA,SAAA5B,GAAwBlB,EAAAyjE,YAAA,GAAsBz+E,MAAA,SAAAkc,GAA0BlB,EAAAyjE,YAAA,KAAyB,CAAA3qE,EAAA,OAAYO,MAAA,CAAOoK,KAAA,WAAiBA,KAAA,WAAgB,CAAA3K,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,UAAeC,YAAA,mCAAAkH,GAAA,CAAmDI,MAAAL,EAAAyxD,gBAA2B,CAAA34D,EAAA,KAAUC,YAAA,gBAA0BiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAAmGO,MAAA,CAAOoK,KAAA,UAAA/sB,MAAAspB,EAAA2D,GAAA,eAA8CF,KAAA,WAAgB,CAAA3K,EAAA,KAAUC,YAAA,uBAA4B,GAAAiH,EAAAO,GAAA,KAAAzH,EAAA,iBAA0CO,MAAA,CAAOjlB,OAAA4rB,EAAAsgE,wBAAAiE,gBAAA,IAA0D,CAAAzrE,EAAA,QAAaC,YAAA,aAAAM,MAAA,CAAgCoK,KAAA,UAAgBA,KAAA,UAAe,CAAAzD,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA6iE,WAAA,kCAAA/pE,EAAA,OAA8FC,YAAA,+BAA0C,CAAAD,EAAA,mBAAwBO,MAAA,CAAOuwB,KAAA5pB,EAAA8iE,aAAAl5C,SAA8B,IAChuE,IDOY,EAa7Bi6C,GATiB,KAEU,MAYG,iBEzBnBW,GAAoB,SAACruC,GAChC,MAAO,CACL4C,UAAW5C,EAAG4C,UACdI,aAAchD,EAAGgD,aACjBx6B,aAAcw3B,EAAGx3B,8kBCIrB,IAuUe8lE,GAnUF,CACXxsE,WAAY,CACVyqE,eACAvC,aACA3jD,qBAEFl3C,KANW,WAOT,MAAO,CACLo/F,2BAA2B,EAC3BC,2BAAuBv4F,EACvBw4F,mBAAoB,GACpBC,0BAA2B,OAC3BC,kBAAkB,IAGtBllE,QAfW,WAgBThiB,KAAK8jE,gBACLxzE,OAAOsW,iBAAiB,SAAU5G,KAAKmnF,qBAEzC3yC,QAnBW,WAmBA,IAAAj0C,EAAAP,KACT1P,OAAOsW,iBAAiB,SAAU5G,KAAKonF,mBACR,IAApBj7F,SAAS6yB,QAClB7yB,SAASya,iBAAiB,mBAAoB5G,KAAKu9E,wBAAwB,GAG7Ev9E,KAAKwhB,UAAU,WACbjhB,EAAK8mF,kCACL9mF,EAAK+mF,iBAEPtnF,KAAKunF,iBAEPtlE,UA/BW,WAgCT3xB,OAAO4xB,oBAAoB,SAAUliB,KAAKonF,cAC1C92F,OAAO4xB,oBAAoB,SAAUliB,KAAKmnF,oBAC1CnnF,KAAKwnF,uBAC0B,IAApBr7F,SAAS6yB,QAAwB7yB,SAAS+1B,oBAAoB,mBAAoBliB,KAAKu9E,wBAAwB,GAC1Hv9E,KAAKia,OAAO+K,SAAS,qBAEvBb,SAAUsjE,GAAA,CACRC,UADM,WAEJ,OAAO1nF,KAAKq0E,aAAer0E,KAAKq0E,YAAY56E,SAE9C+6E,YAJM,WAKJ,OAAOx0E,KAAKqlB,OAAOvhB,OAAO2iB,cAE5BkhE,gBAPM,WAQJ,OAAI3nF,KAAK0nF,UACA1nF,KAAK+lB,GAAG,qBAAsB,CAAEpU,SAAU3R,KAAK0nF,UAAU32F,cAEzD,IAGX62F,cAdM,WAeJ,OAAO/R,GAAY3C,QAAQlzE,KAAKs0E,4BAElCrB,gBAjBM,WAkBJ,OAAOjzE,KAAKs0E,2BAA6Bt0E,KAAKs0E,0BAA0BrB,iBAE1E4U,iBApBM,WAqBJ,OAAO7nF,KAAKod,aAAaoqC,iBAAmBxnD,KAAKqtE,wBAA0B3lE,IAAmBE,SAE7FghB,YAAW,CACZ,cACA,4BACA,8BACA,iBA3BI,GA6BHlC,YAAS,CACV/B,kBAAmB,SAAAzK,GAAK,OAAIA,EAAMwK,IAAIC,mBACtC0oD,sBAAuB,SAAAnzD,GAAK,OAAIA,EAAMwK,IAAI2oD,uBAC1Ct1B,aAAc,SAAA79B,GAAK,OAAIA,EAAK,UAAW69B,cACvCogB,aAAc,SAAAj+C,GAAK,OAAIA,EAAK,UAAWi+C,cACvCnwC,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,gBAGtCma,MAAO,CACLylD,cADK,WACY,IAAA9iE,EAAA9kB,KAGT8nF,EAA0B9nF,KAAK48E,YAnFf,IAoFtB58E,KAAKwhB,UAAU,WACTsmE,GACFhjE,EAAKijE,WAAW,CAAEC,WAAY77F,SAAS6yB,YAI7CqG,OAAU,WACRrlB,KAAK8jE,iBAEP3L,aAdK,WAeHn4D,KAAKsnF,aAAa,CAAEW,QAAQ,KAE9B5a,sBAjBK,SAiBkB5Y,GACjBA,IAAa/sD,IAAmBE,QAClC5H,KAAKkoF,UAAU,CAAEC,cAAc,MAIrC5tE,QAAS,CAEP6tE,eAFO,SAAAxqF,GAEwC,IAA7BooF,EAA6BpoF,EAA7BooF,UAAWrS,EAAkB/1E,EAAlB+1E,eAC3B3zE,KAAK+mF,sBAAwBf,EAAYrS,OAAiBnlF,GAE5D65F,eALO,WAKW,IAAAljE,EAAAnlB,KAChBA,KAAKwhB,UAAU,WACb2D,EAAKmiE,eACLniE,EAAKkiE,qCAGT9J,uBAXO,WAWmB,IAAA7hD,EAAA17B,KACxBA,KAAKwhB,UAAU,YACRr1B,SAAS6yB,QAAU0c,EAAKkhD,YAnHT,KAoHlBlhD,EAAKqsD,WAAW,CAAEC,WAAW,OAInCT,cAlBO,WAkBU,IAAA3rD,EAAA57B,KAQXyoC,EAAOt8C,SAASq6C,cAAc,QAC9BiC,GACFA,EAAKzU,UAAUC,IAAI,eAGrBj0B,KAAKwhB,UAAU,WACboa,EAAKyrD,qCAGTG,gBAnCO,WAoCL,IAAI/+C,EAAOt8C,SAASq6C,cAAc,QAC9BiC,GACFA,EAAKzU,UAAUU,OAAO,gBAG1ByyD,mBAzCO,WAyCe,IAAAlrD,EAAAj8B,KACpBA,KAAKwhB,UAAU,WACbya,EAAKorD,kCACLprD,EAAK8rD,gBAITV,gCAhDO,WAiDL,IAAM/0F,EAAS0N,KAAK4f,MAAMttB,OACpB4qF,EAASl9E,KAAK4f,MAAMs9D,OACpBoL,EAAQtoF,KAAK+3C,aAAeznD,OAAOnE,SAAS2T,KAAOE,KAAK4f,MAAM0oE,MACpEtoF,KAAKinF,0BD5I8B,SAACqB,EAAOh2F,EAAQ4qF,GACvD,OAAOoL,EAAMvnE,aAAezuB,EAAOs/D,aAAesrB,EAAOtrB,aC2IpBq1B,CAA0BqB,EAAOh2F,EAAQ4qF,GAAU,MAGtFoK,aAvDO,WAuDkB,IAAAprD,EAAAl8B,KAAXktE,EAAWjyE,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GAAIstF,EACqBrb,EAApC+a,cADe,IAAAM,KAAAC,EACqBtb,EAApB3zB,aADD,IAAAivC,KAIrB/5F,WAAW,WACTytC,EAAKorD,aAALG,GAAA,GAAuBva,EAAvB,CAA6B3zB,SAAS,MAhKhB,KAqK1Bv5C,KAAKwhB,UAAU,WACb0a,EAAKmrD,kCADc,IAAAoB,EAGkBvsD,EAAK8qD,mBAAlCjmE,oBAHW,IAAA0nE,OAGIj6F,EAHJi6F,EAInBvsD,EAAK8qD,mBAAqBJ,GAAkB1qD,EAAKtc,MAAM8oE,YAEvD,IAAMC,EAAOzsD,EAAK8qD,mBAAmBjmE,aAAeA,GAChD4nE,EAAO,IAAOzsD,EAAK0gD,eAAiBqL,IACtC/rD,EAAK1a,UAAU,WACb0a,EAAKmrD,kCACLnrD,EAAKtc,MAAM8oE,WAAWE,SAAS,CAC7B3oE,IAAKic,EAAKtc,MAAM8oE,WAAWvtC,UAAYwtC,EACvC3oE,KAAM,SAMhB+nE,WAnFO,WAmFmB,IAAdpvF,EAAcsC,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAJ,GAAI4tF,EACyBlwF,EAAzCyoC,gBADgB,IAAAynD,EACL,OADKA,EAAAC,EACyBnwF,EAAtBqvF,iBADH,IAAAc,KAElBJ,EAAa1oF,KAAK4f,MAAM8oE,WACzBA,IACL1oF,KAAKwhB,UAAU,WACbknE,EAAWE,SAAS,CAAE3oE,IAAKyoE,EAAWntC,aAAcv7B,KAAM,EAAGohB,gBAE3D4mD,GAAahoF,KAAKizE,gBAAkB,IACtCjzE,KAAKkZ,aAGTA,SA9FO,WA+FL,GAAMlZ,KAAKs0E,2BAA6Bt0E,KAAKs0E,0BAA0Bl5E,QACnEjP,SAAS6yB,OAAb,CACA,IAAM5F,EAAapZ,KAAKs0E,0BAA0Bl5E,MAClD4E,KAAKia,OAAO+K,SAAS,WAAY,CAAEn0B,GAAImP,KAAKq0E,YAAYxjF,GAAIuoB,iBAE9DwjE,YApGO,SAoGMrlE,GACX,ODrMuB,SAACghC,GAAmB,IAAfhhC,EAAetc,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAN,EACzC,GAAKs9C,EAAL,CACA,IAAMgD,EAAehD,EAAG4C,UAAY5jC,EAEpC,OADoBghC,EAAGgD,aAAehD,EAAGx3B,cACnBw6B,GCiMXwtC,CAAc/oF,KAAK4f,MAAM8oE,WAAYnxE,IAE9CyxE,WAvGO,WAwGL,IAAMN,EAAa1oF,KAAK4f,MAAM8oE,WAC9B,OAAOA,GAAcA,EAAWvtC,WAAa,GAE/CisC,aAAc1J,KAAW,WAClB19E,KAAKq0E,cAENr0E,KAAKgpF,aACPhpF,KAAKkoF,UAAU,CAAE9sF,MAAO4E,KAAKs0E,0BAA0B/4E,QAC9CyE,KAAK48E,YArN0B,MAsNxC58E,KAAK8mF,2BAA4B,EAC7B9mF,KAAKizE,gBAAkB,GACzBjzE,KAAKkZ,YAGPlZ,KAAK8mF,2BAA4B,IAElC,KACHmC,eAzHO,SAyHSC,GACd,ID9N4BC,EAAkBC,EC8NxCC,EAAuBzC,GAAkB5mF,KAAK4f,MAAM8oE,YAC1D1oF,KAAK4f,MAAM8oE,WAAWE,SAAS,CAC7B3oE,KDhO0BkpE,ECgOHD,EDhOqBE,ECgOEC,ED/N7CF,EAAiBhuC,WAAaiuC,EAAY7tC,aAAe4tC,EAAiB5tC,eCgO3Ev7B,KAAM,KAGVkoE,UAhIO,SAAArqF,GAgI0D,IAAAyrF,EAAAtpF,KAAAupF,EAAA1rF,EAApDsqF,oBAAoD,IAAAoB,KAAAC,EAAA3rF,EAA9B4rF,mBAA8B,IAAAD,KAATpuF,EAASyC,EAATzC,MAChDk7E,EAAqBt2E,KAAKs0E,0BAChC,GAAKgC,KACDmT,IAAezpF,KAAK6nF,kBAAxB,CAEA,IAAMvkF,EAASgzE,EAAmBhzE,OAC5BomF,IAAuBtuF,EACvBwJ,EAAU6kF,GAAenT,EAAmBl7E,MAElD4E,KAAK2kB,kBAAkBhM,aAAa,CAAE9nB,GAAIyS,EAAQlI,QAAOwJ,YACtDpX,KAAK,SAACq4D,GAEDsiC,GACFtS,GAAY7iC,MAAMsjC,GAGpB,IAAMqT,EAAuB/C,GAAkB0C,EAAK1pE,MAAM8oE,YAC1DY,EAAKrvE,OAAO+K,SAAS,kBAAmB,CAAE1hB,SAAQuiD,aAAYr4D,KAAK,WACjE87F,EAAK9nE,UAAU,WACTkoE,GACFJ,EAAKL,eAAeU,GAGlBxB,GACFmB,EAAKjC,0CAMXvjB,cA9JC,eAAAnoE,EAAAiuF,EAAA5pF,KAAA,OAAA6K,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,UA+JDM,EAAOqE,KAAKu0E,4BAA4Bv0E,KAAKw0E,aA/J5C,CAAAzpE,EAAA1P,KAAA,gBAAA0P,EAAAvP,KAAA,EAAAuP,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAkKYjL,KAAK2kB,kBAAkBnM,gBAAgB,CAAEE,UAAW1Y,KAAKw0E,eAlKrE,OAkKD74E,EAlKCoP,EAAAG,KAAAH,EAAA1P,KAAA,gBAAA0P,EAAAvP,KAAA,EAAAuP,EAAAK,GAAAL,EAAA,SAoKD3a,QAAQlC,MAAM,mCAAd6c,EAAAK,IACApL,KAAKknF,kBAAmB,EArKvB,QAwKDvrF,IACFqE,KAAKwhB,UAAU,WACbooE,EAAK7B,WAAW,CAAEC,WAAW,MAE/BhoF,KAAKia,OAAO+K,SAAS,gBAAiB,CAAErpB,SACxCqE,KAAK6pF,mBA7KF,yBAAA9+E,EAAAM,SAAA,KAAArL,KAAA,UAgLP6pF,gBAhLO,WAgLY,IAAAC,EAAA9pF,KACjBA,KAAKia,OAAO+K,SAAS,2BAA4B,CAC/C0oD,QAAS,kBAAMxJ,YAAY,kBAAM4lB,EAAK5B,UAAU,CAAEuB,aAAa,KAAS,QAE1EzpF,KAAKkoF,UAAU,CAAEC,cAAc,KAEjC4B,YAtLO,SAAAzrF,GAsLyB,IAAA0rF,EAAAhqF,KAAjBxJ,EAAiB8H,EAAjB9H,OAAQ6S,EAAS/K,EAAT+K,MACfvF,EAAS,CACbjT,GAAImP,KAAKq0E,YAAYxjF,GACrByG,QAASd,GAOX,OAJI6S,EAAM,KACRvF,EAAOmV,QAAU5P,EAAM,GAAGxY,IAGrBmP,KAAK2kB,kBAAkB7L,gBAAgBhV,GAC3CtW,KAAK,SAAA9F,GAiBJ,OAhBAsiG,EAAK/vE,OAAO+K,SAAS,kBAAmB,CACtC1hB,OAAQ0mF,EAAK3V,YAAYxjF,GACzBg1D,SAAU,CAACn+D,GACXorF,aAAa,IACZtlF,KAAK,WACNw8F,EAAKxoE,UAAU,WACbwoE,EAAK1C,eAGL74F,WAAW,WACTu7F,EAAK3C,mCAhTW,KAkTlB2C,EAAKjC,WAAW,CAAEC,WAAW,QAI1BtgG,IAlBJ,MAoBE,SAAAwG,GAEL,OADAkC,QAAQlC,MAAM,wBAAyBA,GAChC,CACLA,MAAO87F,EAAKjkE,GAAG,mCAIvBq9D,OA3NO,WA4NLpjF,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,QAAS+U,OAAQ,CAAE7C,SAAUjB,KAAKgoB,YAAYj3B,kBCnU9E,IAEIk5F,GAVJ,SAAoBtvE,GAClBtxB,EAAQ,MAyBK6gG,GAVC7hG,OAAAwyB,GAAA,EAAAxyB,CACd8hG,GCjBQ,WAAgB,IAAA/nE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,aAAwB,CAAAD,EAAA,OAAYC,YAAA,mBAA8B,CAAAD,EAAA,OAAYsH,IAAA,QAAArH,YAAA,qCAAAM,MAAA,CAAoE5qB,GAAA,QAAY,CAAAqqB,EAAA,OAAYsH,IAAA,SAAArH,YAAA,iDAAyE,CAAAD,EAAA,KAAUC,YAAA,iBAAAkH,GAAA,CAAiCI,MAAAL,EAAAghE,SAAoB,CAAAloE,EAAA,KAAUC,YAAA,iCAAyCiH,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,qBAAgC,CAAAD,EAAA,aAAkBO,MAAA,CAAOjiB,KAAA4oB,EAAAslE,UAAA0C,eAAA,MAAyC,KAAAhoE,EAAAO,GAAA,MAAAzH,EAAA,OAA+BsH,IAAA,aAAArH,YAAA,0BAAA0H,MAAA,CAA+DzD,OAAAgD,EAAA6kE,2BAAwC5kE,GAAA,CAAM45B,OAAA75B,EAAAglE,eAA2B,CAAAhlE,EAAA8kE,iBAA0ShsE,EAAA,OAAYC,YAAA,sBAAiC,CAAAD,EAAA,OAAYC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mDAA7X3D,EAAAyY,GAAAzY,EAAA,uBAAA8iE,GAA4E,OAAAhqE,EAAA,eAAyBprB,IAAAo1F,EAAAr0F,GAAA4qB,MAAA,CAA2B+pE,OAAApjE,EAAAslE,UAAA2C,iBAAAnF,EAAAkB,wBAAAlB,EAAAvR,iBAAAvxD,EAAA2kE,uBAAuI1kE,GAAA,CAAKioE,MAAAloE,EAAAgmE,qBAAiH,GAAAhmE,EAAAO,GAAA,KAAAzH,EAAA,OAAuHsH,IAAA,SAAArH,YAAA,qBAA6C,CAAAD,EAAA,OAAYC,YAAA,wBAAAC,MAAA,CAA2C8jC,QAAA98B,EAAA0kE,2BAA2CzkE,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA2lE,WAAA,CAAuB3mD,SAAA,cAAyB,CAAAlmB,EAAA,KAAUC,YAAA,kBAA6B,CAAAiH,EAAA,gBAAAlH,EAAA,OAAkCC,YAAA,mEAA8E,CAAAiH,EAAAO,GAAA,qBAAAP,EAAA0D,GAAA1D,EAAA6wD,iBAAA,sBAAA7wD,EAAAQ,SAAAR,EAAAO,GAAA,KAAAzH,EAAA,kBAA8HO,MAAA,CAAO8uE,mBAAA,EAAAC,0BAAA,EAAAC,kBAAA,EAAAC,wBAAA,EAAAC,iBAAA,EAAAC,gCAAA,EAAAC,iBAAAzoE,EAAA8kE,mBAAA9kE,EAAAiyD,YAAAyW,mBAAA,EAAAC,eAAA3oE,EAAA2nE,YAAAiB,mBAAA5oE,EAAA21B,aAAAkzC,kBAAA7oE,EAAA21B,aAAAmzC,cAAA9oE,EAAA21B,aAAAnd,YAAAxY,EAAAulE,gBAAAwD,aAAA,EAAAC,aAAA,MAAAC,yBAAA,OAAydhpE,GAAA,CAAKqyB,OAAAtyB,EAAAklE,iBAA2B,aACrsE,IDOY,EAa7B2C,GATiB,KAEU,MAYG,4BECjBqB,GAvBI,CACjBxxE,MAAO,CACL,OACA,gBAEFO,WAAY,CACV+xB,mBACAjjB,kBACAC,mBAEFjF,SAAU,CACRonE,KADQ,WAEN,OAAOvrF,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYn3B,KAAOmP,KAAKxG,KAAK3I,IAE9Dy3B,SAJQ,WAKN,OAAOtoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAEjCr1B,aAPQ,WAQN,OAAOqN,KAAKia,OAAOqN,QAAQ30B,aAAaqN,KAAKxG,KAAK3I,OCdxD,IAEI26F,GAVJ,SAAoB7wE,GAClBtxB,EAAQ,MAyBKoiG,GAVCpjG,OAAAwyB,GAAA,EAAAxyB,CACdqjG,GCjBQ,WAAgB,IAAAtpE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,mBAA6BO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,OAAiB,CAAA0hB,EAAA,OAAYC,YAAA,iCAA4C,CAAAiH,EAAAmpE,OAAAnpE,EAAAupE,cAAAvpE,EAAAzvB,aAAA6B,YAAA0mB,EAAA,QAA+EC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAmpE,KAAAnpE,EAAA2D,GAAA,qBAAA3D,EAAA2D,GAAA,sCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAkG,SAAoRlG,EAAAmpE,KAAsLnpE,EAAAQ,KAAtL,CAAA1H,EAAA,gBAAgDC,YAAA,4BAAAM,MAAA,CAA+C9oB,aAAAyvB,EAAAzvB,aAAAi5F,kBAAAxpE,EAAA2D,GAAA,iCAAnX,CAAA3D,EAAAzvB,aAAA+B,UAAoR0tB,EAAAQ,KAApR1H,EAAA,OAA+LC,YAAA,6BAAwC,CAAAD,EAAA,gBAAqBO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,SAAiB,KAAsL,MAChuB,IDOY,EAa7BgyF,GATiB,KAEU,MAYG,4oBErBhC,IAwFeK,GAxFM,SAAAjuF,GAAA,IACnB6F,EADmB7F,EACnB6F,MACAqoF,EAFmBluF,EAEnBkuF,OACAC,EAHmBnuF,EAGnBmuF,QAHmBC,EAAApuF,EAInBquF,qBAJmB,IAAAD,EAIH,UAJGA,EAAAE,EAAAtuF,EAKnBuuF,2BALmB,IAAAD,EAKG,GALHA,EAAA,OAMf,SAACE,GACL,IACMtyE,EADgBzxB,OAAO+mB,KAAK4/C,aAAkBo9B,IACxBnnF,OAAO,SAAAqkB,GAAC,OAAIA,IAAM2iE,IAAe31F,OAAO61F,GAEpE,OAAO3+B,IAAIC,UAAU,eAAgB,CACnC3zC,QACApyB,KAFmC,WAGjC,MAAO,CACLu9C,SAAS,EACT23C,aAAa,EACb1uF,OAAO,IAGXi2B,SAAU,CACRjjB,QADQ,WAEN,OAAO4qF,EAAO9rF,KAAKqsF,OAAQrsF,KAAKia,SAAW,KAG/C+H,QAdmC,WAejC1xB,OAAOsW,iBAAiB,SAAU5G,KAAKs9E,YACX,IAAxBt9E,KAAKkB,QAAQhZ,QACf8X,KAAKssF,gBAGTrqE,UApBmC,WAqBjC3xB,OAAO4xB,oBAAoB,SAAUliB,KAAKs9E,YAC1CyO,GAAWA,EAAQ/rF,KAAKqsF,OAAQrsF,KAAKia,SAEvCM,QAAS,CACP+xE,aADO,WACS,IAAA/rF,EAAAP,KACTA,KAAKilC,UACRjlC,KAAKilC,SAAU,EACfjlC,KAAK9R,OAAQ,EACbuV,EAAMzD,KAAKqsF,OAAQrsF,KAAKia,QACrBzsB,KAAK,SAAC++F,GACLhsF,EAAK0kC,SAAU,EACf1kC,EAAKq8E,YAAcp8B,KAAQ+rC,KAH/B,MAKS,WACLhsF,EAAK0kC,SAAU,EACf1kC,EAAKrS,OAAQ,MAIrBovF,WAhBO,SAgBKzzF,GACV,IAAM8zF,EAAYxxF,SAAS2T,KAAK2f,wBAC1BL,EAASziB,KAAK4jB,IAAIo9D,EAAUv+D,QAAUu+D,EAAUv9D,IACjC,IAAjBpgB,KAAKilC,UACc,IAArBjlC,KAAK48E,aACL58E,KAAKsf,IAAIyB,aAAe,GACvBzwB,OAAOqwB,YAAcrwB,OAAOstF,aAAiBx+D,EAAS,KAEvDpf,KAAKssF,iBAIX79B,OApDmC,SAoD3BC,GACN,IAAM50C,EAAQ,CACZA,MAAO0yE,GAAA,GACFxsF,KAAKqsF,OADL7wB,IAAA,GAEFywB,EAAgBjsF,KAAKkB,UAExBmhB,GAAIriB,KAAKysF,WACThyD,YAAaz6B,KAAK0sF,cAEd7sE,EAAWx3B,OAAO6Y,QAAQlB,KAAK8iD,QAAQjxD,IAAI,SAAAgM,GAAA,IAAAS,EAAA8C,IAAAvD,EAAA,GAAE/N,EAAFwO,EAAA,GAAO9O,EAAP8O,EAAA,UAAkBowD,EAAE,WAAY,CAAE7oC,KAAM/1B,GAAON,KAChG,OAAAk/D,EAAA,OAAAtzC,MACa,kBADb,CAAAszC,EAAA09B,EAAAO,KAAA,IAE0B7yE,IAF1B,CAGO+F,IAHP6uC,EAAA,OAAAtzC,MAKe,yBALf,CAMOpb,KAAK9R,OAALwgE,EAAA,KAAArsC,GAAA,CAAAI,MAA0BziB,KAAKssF,cAA/BlxE,MAAmD,eAAnD,CAAkEpb,KAAK+lB,GAAG,4BACzE/lB,KAAK9R,OAAS8R,KAAKilC,SAApBypB,EAAA,KAAAtzC,MAAwC,6BACvCpb,KAAK9R,QAAU8R,KAAKilC,UAAYjlC,KAAK48E,aAAtCluB,EAAA,KAAArsC,GAAA,CAAAI,MAAiEziB,KAAKssF,eAAtE,CAAqFtsF,KAAK+lB,GAAG,2BC5EpG6mE,GAAef,GAAa,CAChCpoF,MAAO,SAACqW,EAAOG,GAAR,OAAmBA,EAAO+K,SAAS,iBAAkBlL,EAAMrR,SAClEqjF,OAAQ,SAAChyE,EAAOG,GAAR,OAAmB7qB,KAAI6qB,EAAOqN,QAAQC,SAASzN,EAAMrR,QAAS,cAAe,IAAI5W,IAAI,SAAAhB,GAAE,OAAIopB,EAAOqN,QAAQC,SAAS12B,MAC3Hk7F,QAAS,SAACjyE,EAAOG,GAAR,OAAmBA,EAAO+K,SAAS,iBAAkBlL,EAAMrR,SACpEwjF,cAAe,QACfE,oBAAqB,CAAC,WALHN,CAMlBhI,MAEGgJ,GAAahB,GAAa,CAC9BpoF,MAAO,SAACqW,EAAOG,GAAR,OAAmBA,EAAO+K,SAAS,eAAgBlL,EAAMrR,SAChEqjF,OAAQ,SAAChyE,EAAOG,GAAR,OAAmB7qB,KAAI6qB,EAAOqN,QAAQC,SAASzN,EAAMrR,QAAS,YAAa,IAAI5W,IAAI,SAAAhB,GAAE,OAAIopB,EAAOqN,QAAQC,SAAS12B,MACzHk7F,QAAS,SAACjyE,EAAOG,GAAR,OAAmBA,EAAO+K,SAAS,eAAgBlL,EAAMrR,SAClEwjF,cAAe,QACfE,oBAAqB,CAAC,WALLN,CAMhBhI,MA2IYiJ,GAvIK,CAClBplG,KADkB,WAEhB,MAAO,CACLwG,OAAO,EACPua,OAAQ,KACRooB,IAPgB,aAUpB7O,QARkB,WAShB,IAAM+qE,EAAc/sF,KAAKqlB,OAAOvhB,OAChC9D,KAAKikD,KAAK8oC,EAAYh+F,MAAQg+F,EAAYl8F,IAC1CmP,KAAK6wB,IAAMzhC,KAAI4Q,KAAKqlB,OAAQ,YAbV,aAepBpD,UAbkB,WAchBjiB,KAAKgtF,gBAEP7oE,SAAU,CACRhc,SADQ,WAEN,OAAOnI,KAAKia,OAAOC,MAAMzC,SAASylD,UAAU1jE,MAE9C8P,UAJQ,WAKN,OAAOtJ,KAAKia,OAAOC,MAAMzC,SAASylD,UAAU5zD,WAE9CD,MAPQ,WAQN,OAAOrJ,KAAKia,OAAOC,MAAMzC,SAASylD,UAAU7zD,OAE9C4jF,KAVQ,WAWN,OAAOjtF,KAAKyI,QAAUzI,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYn3B,IACxDmP,KAAKyI,SAAWzI,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYn3B,IAExD2I,KAdQ,WAeN,OAAOwG,KAAKia,OAAOqN,QAAQC,SAASvnB,KAAKyI,SAE3C+Q,WAjBQ,WAkBN,MAA4B,0BAArBxZ,KAAKqlB,OAAOt2B,MAErBm+F,kBApBQ,WAqBN,OAAOltF,KAAKitF,OAASjtF,KAAKxG,KAAKvG,cAEjCk6F,oBAvBQ,WAwBN,OAAOntF,KAAKitF,OAASjtF,KAAKxG,KAAKtG,iBAGnCqnB,QAAS,CACP0pC,KADO,SACDmpC,GAAc,IAAA7sF,EAAAP,KACZ2kE,EAAwB,SAACx8D,EAAUM,GAEnCA,IAAWlI,EAAK0Z,OAAOC,MAAMzC,SAASylD,UAAU/0D,GAAUM,QAC5DlI,EAAK0Z,OAAO2K,OAAO,gBAAiB,CAAEzc,aAExC5H,EAAK0Z,OAAO+K,SAAS,wBAAyB,CAAE7c,WAAUM,YAGtD4kF,EAAW,SAAC5kF,GAChBlI,EAAKkI,OAASA,EACdk8D,EAAsB,OAAQl8D,GAC9Bk8D,EAAsB,QAASl8D,GAC3BlI,EAAK0sF,MACPtoB,EAAsB,YAAal8D,GAGrClI,EAAK0Z,OAAO+K,SAAS,sBAAuBvc,IAI9CzI,KAAKyI,OAAS,KACdzI,KAAK9R,OAAQ,EAGb,IAAMsL,EAAOwG,KAAKia,OAAOqN,QAAQC,SAAS6lE,GACtC5zF,EACF6zF,EAAS7zF,EAAK3I,IAEdmP,KAAKia,OAAO+K,SAAS,YAAaooE,GAC/B5/F,KAAK,SAAAoQ,GAAA,IAAG/M,EAAH+M,EAAG/M,GAAH,OAAYw8F,EAASx8F,KAD7B,MAES,SAACy8F,GACN,IAAMC,EAAen+F,KAAIk+F,EAAQ,eAE/B/sF,EAAKrS,MADc,8BAAjBq/F,EACWhtF,EAAKwlB,GAAG,uCACZwnE,GAGIhtF,EAAKwlB,GAAG,yCAK/BinE,aA5CO,WA6CLhtF,KAAKia,OAAO+K,SAAS,uBAAwB,QAC7ChlB,KAAKia,OAAO+K,SAAS,uBAAwB,aAC7ChlB,KAAKia,OAAO+K,SAAS,uBAAwB,UAE/CwoE,WAjDO,SAiDKJ,GACVptF,KAAKgtF,eACLhtF,KAAKikD,KAAKmpC,IAEZK,YArDO,SAqDM58D,GACX7wB,KAAK6wB,IAAMA,EACX7wB,KAAKwmB,QAAQv0B,QAAQ,CAAE2lB,MAAO,CAAEiZ,UAElCrH,YAzDO,SAAA3rB,GAyDkB,IAAV5Q,EAAU4Q,EAAV5Q,OACU,SAAnBA,EAAOu3B,UACTv3B,EAASA,EAAOI,YAEK,MAAnBJ,EAAOu3B,SACTl0B,OAAOm5B,KAAKx8B,EAAO7C,KAAM,YAI/B+3C,MAAO,CACLurD,mBAAoB,SAAUjT,GACxBA,GACFz6E,KAAKwtF,WAAW/S,IAGpBkT,qBAAsB,SAAUlT,GAC1BA,GACFz6E,KAAKwtF,WAAW/S,IAGpBmT,eAAgB,SAAUnT,GACxBz6E,KAAK6wB,IAAM4pD,EAAO5pD,KA3HF,aA8HpBxW,WAAY,CACVwkB,cACA49C,YACAmQ,gBACAC,cACAvB,cACAuC,iBACAhR,kBCtJJ,IAEIiR,GAVJ,SAAoBnzE,GAClBtxB,EAAQ,MAyBK0kG,GAVC1lG,OAAAwyB,GAAA,EAAAxyB,CACd2lG,GCjBQ,WAAgB,IAAA5rE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAAkH,EAAA,KAAAlH,EAAA,OAAsCC,YAAA,oCAA+C,CAAAD,EAAA,YAAiBO,MAAA,CAAOioB,UAAAthB,EAAA3Z,OAAA8gB,UAAA,EAAAwB,SAAA3I,EAAAja,SAAA8lF,QAAAC,wBAAA,EAAAxmE,QAAA,SAAkHtF,EAAAO,GAAA,KAAAP,EAAA5oB,KAAA5H,aAAAwwB,EAAA5oB,KAAA5H,YAAA1J,OAAA,EAAAgzB,EAAA,OAAkFC,YAAA,uBAAkCiH,EAAAyY,GAAAzY,EAAA5oB,KAAA,qBAAA1H,EAAAi0C,GAAqD,OAAA7qB,EAAA,MAAgBprB,IAAAi2C,EAAA5qB,YAAA,sBAA2C,CAAAD,EAAA,MAAWC,YAAA,0BAAAM,MAAA,CAA6C3iB,MAAAspB,EAAA5oB,KAAAzH,YAAAg0C,GAAAh3C,MAAyCszB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoH,YAAAlG,MAAiC,CAAAlB,EAAAO,GAAA,eAAAP,EAAA0D,GAAAh0B,EAAA/C,MAAA,gBAAAqzB,EAAAO,GAAA,KAAAzH,EAAA,MAAgFC,YAAA,2BAAAM,MAAA,CAA8C3iB,MAAAspB,EAAA5oB,KAAAzH,YAAAg0C,GAAAv2C,OAA0C46B,SAAA,CAAWC,UAAAjI,EAAA0D,GAAAh0B,EAAAtC,QAAgC6yB,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoH,YAAAlG,WAAqC,GAAAlB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,gBAA6CO,MAAA,CAAO0yE,aAAA/rE,EAAAyO,IAAAu9D,uBAAA,EAAA1M,YAAAt/D,EAAAqrE,cAA6E,CAAAvyE,EAAA,YAAiBprB,IAAA,WAAA2rB,MAAA,CAAsBkuC,MAAAvnC,EAAA2D,GAAA,sBAAA4Y,MAAAvc,EAAA5oB,KAAAzE,eAAAkoF,UAAA,EAAAnkF,MAAAspB,EAAA2D,GAAA,+BAAA5d,SAAAia,EAAAja,SAAAm2E,gBAAA,OAAA56C,UAAAthB,EAAA3Z,OAAA4lF,oBAAAjsE,EAAA5oB,KAAAtE,gBAAAqmF,cAAA,KAAuQn5D,EAAAO,GAAA,KAAAP,EAAA,kBAAAlH,EAAA,OAAgDprB,IAAA,YAAA2rB,MAAA,CAAuBkuC,MAAAvnC,EAAA2D,GAAA,uBAAA+gB,UAAA1kB,EAAA5oB,KAAAjH,gBAA0E,CAAA2oB,EAAA,cAAmBO,MAAA,CAAOioB,UAAAthB,EAAA3Z,QAAqBgyB,YAAArY,EAAAsY,GAAA,EAAsB5qC,IAAA,OAAA6qC,GAAA,SAAAnY,GACvoD,IAAAqgC,EAAArgC,EAAAqgC,KACA,OAAA3nC,EAAA,cAAyBO,MAAA,CAAOjiB,KAAAqpD,SAAiB,sBAAwB,GAAAzgC,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,oBAAAlH,EAAA,OAA+DprB,IAAA,YAAA2rB,MAAA,CAAuBkuC,MAAAvnC,EAAA2D,GAAA,uBAAA+gB,UAAA1kB,EAAA5oB,KAAA1E,kBAA4E,CAAAomB,EAAA,gBAAqBO,MAAA,CAAOioB,UAAAthB,EAAA3Z,QAAqBgyB,YAAArY,EAAAsY,GAAA,EAAsB5qC,IAAA,OAAA6qC,GAAA,SAAAnY,GAClT,IAAAqgC,EAAArgC,EAAAqgC,KACA,OAAA3nC,EAAA,cAAyBO,MAAA,CAAOjiB,KAAAqpD,EAAAyrC,iBAAAlsE,EAAA6qE,YAA2C,uBAAyB,GAAA7qE,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,YAA0CprB,IAAA,QAAA2rB,MAAA,CAAmBkuC,MAAAvnC,EAAA2D,GAAA,mBAAA+gB,UAAA1kB,EAAA/Y,MAAAmzD,gBAAAt0E,OAAA+0F,UAAA,EAAAnkF,MAAAspB,EAAA2D,GAAA,mBAAAu4D,gBAAA,QAAAn2E,SAAAia,EAAA/Y,MAAAq6B,UAAAthB,EAAA3Z,OAAA8yE,cAAA,KAAsNn5D,EAAAO,GAAA,KAAAP,EAAA,KAAAlH,EAAA,YAAwCprB,IAAA,YAAA2rB,MAAA,CAAuBkuC,MAAAvnC,EAAA2D,GAAA,uBAAA+gB,UAAA1kB,EAAA9Y,UAAAkzD,gBAAAt0E,OAAA+0F,UAAA,EAAAnkF,MAAAspB,EAAA2D,GAAA,uBAAAu4D,gBAAA,YAAAn2E,SAAAia,EAAA9Y,UAAAiyE,cAAA,KAAqNn5D,EAAAQ,MAAA,OAAA1H,EAAA,OAA6BC,YAAA,kCAA6C,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAmGC,YAAA,cAAyB,CAAAiH,EAAA,MAAAlH,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAl0B,UAAAgtB,EAAA,KAA6DC,YAAA,mCACn8B,IDGY,EAa7B2yE,GATiB,KAEU,MAYG,QEuEjBS,GA5FA,CACbl0E,WAAY,CACVixE,cACAzO,gBACA//C,mBAEFhjB,MAAO,CACL,SAEFpyB,KATa,WAUX,MAAO,CACL6uF,QAAQ,EACRtxC,SAAS,EACTupD,WAAYxuF,KAAK4X,OAAS,GAC1BqrE,QAAS,GACTxrE,SAAU,GACVg3E,SAAU,GACVC,gBAAiB,aAGrBvqE,SAAU,CACRvZ,MADQ,WACC,IAAArK,EAAAP,KACP,OAAOA,KAAKijF,QAAQpxF,IAAI,SAAA4W,GAAM,OAAIlI,EAAK0Z,OAAOqN,QAAQC,SAAS9e,MAEjE+zD,gBAJQ,WAKN,IAAMj8B,EAAoBvgC,KAAKia,OAAOC,MAAMzC,SAAS8oB,kBAErD,OAAOvgC,KAAKyX,SAASxS,OAAO,SAAAzO,GAAM,OAChC+pC,EAAkB/pC,EAAO3F,MAAQ0vC,EAAkB/pC,EAAO3F,IAAI6uC,YAIpE8U,QAhCa,WAiCXx0C,KAAKijE,OAAOjjE,KAAK4X,QAEnBuqB,MAAO,CACLvqB,MADK,SACE68C,GACLz0D,KAAKwuF,WAAa/5B,EAClBz0D,KAAKijE,OAAOxO,KAGhBl6C,QAAS,CACPo0E,SADO,SACG/2E,GACR5X,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,SAAU6oB,MAAO,CAAEA,WAC7C5X,KAAK4f,MAAMgvE,YAAY17C,SAEzB+vB,OALO,SAKCrrD,GAAO,IAAAkN,EAAA9kB,KACR4X,GAKL5X,KAAKilC,SAAU,EACfjlC,KAAKijF,QAAU,GACfjjF,KAAKyX,SAAW,GAChBzX,KAAKyuF,SAAW,GAChBzuF,KAAK4f,MAAMgvE,YAAY75D,OAEvB/0B,KAAKia,OAAO+K,SAAS,SAAU,CAAE1N,EAAGM,EAAO1tB,SAAS,IACjDsD,KAAK,SAAA9F,GACJo9B,EAAKmgB,SAAU,EACfngB,EAAKm+D,QAAUpxF,KAAInK,EAAK2uB,SAAU,MAClCyO,EAAKrN,SAAW/vB,EAAK+vB,SACrBqN,EAAK2pE,SAAW/mG,EAAK+mG,SACrB3pE,EAAK4pE,gBAAkB5pE,EAAK+pE,eAC5B/pE,EAAKyxD,QAAS,KAjBhBv2E,KAAKilC,SAAU,GAoBnB6pD,YA3BO,SA2BMC,GACX,IAAM7mG,EAAS8X,KAAK+uF,GAAS7mG,OAC7B,OAAkB,IAAXA,EAAe,GAAf,KAAAoO,OAAyBpO,EAAzB,MAET8mG,kBA/BO,SA+BYl/F,GACjBkQ,KAAK0uF,gBAAkB5+F,GAEzB++F,aAlCO,WAmCL,OAAI7uF,KAAKw8D,gBAAgBt0E,OAAS,EACzB,WACE8X,KAAK4K,MAAM1iB,OAAS,EACtB,SACE8X,KAAKyuF,SAASvmG,OAAS,EACzB,WAGF,YAET+mG,kBA7CO,SA6CYC,GACjB,OAAOA,EAAQ3pE,SAAW2pE,EAAQ3pE,QAAQ,MCpFhD,IAEI4pE,GAVJ,SAAoBx0E,GAClBtxB,EAAQ,MAyBK+lG,GAVC/mG,OAAAwyB,GAAA,EAAAxyB,CACdgnG,GCjBQ,WAAgB,IAAAjtE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAqFC,YAAA,0BAAqC,CAAAD,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,WAAAqI,WAAA,eAA8EjI,IAAA,cAAArH,YAAA,eAAAM,MAAA,CAAsDmf,YAAAxY,EAAA2D,GAAA,eAAmCqE,SAAA,CAAW56B,MAAA4yB,EAAA,YAAyBC,GAAA,CAAKitE,MAAA,SAAAhsE,GAAyB,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,KAAesyB,EAAAusE,SAAAvsE,EAAAosE,aAAoC9uF,MAAA,SAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAosE,WAAAlrE,EAAAr2B,OAAAuC,WAAqC4yB,EAAAO,GAAA,KAAAzH,EAAA,UAA2BC,YAAA,oBAAAkH,GAAA,CAAoCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAusE,SAAAvsE,EAAAosE,eAAsC,CAAAtzE,EAAA,KAAUC,YAAA,oBAA0BiH,EAAAO,GAAA,KAAAP,EAAA,QAAAlH,EAAA,OAA0CC,YAAA,4BAAuC,CAAAD,EAAA,KAAUC,YAAA,8BAAsCiH,EAAA,OAAAlH,EAAA,OAAAA,EAAA,OAAqCC,YAAA,sBAAiC,CAAAD,EAAA,gBAAqBsH,IAAA,cAAA/G,MAAA,CAAyBimE,YAAAt/D,EAAA4sE,kBAAAb,aAAA/rE,EAAAssE,kBAAoE,CAAAxzE,EAAA,QAAaprB,IAAA,WAAA2rB,MAAA,CAAsBkuC,MAAAvnC,EAAA2D,GAAA,sBAAA3D,EAAA0sE,YAAA,sBAA2E1sE,EAAAO,GAAA,KAAAzH,EAAA,QAAyBprB,IAAA,SAAA2rB,MAAA,CAAoBkuC,MAAAvnC,EAAA2D,GAAA,iBAAA3D,EAAA0sE,YAAA,YAA4D1sE,EAAAO,GAAA,KAAAzH,EAAA,QAAyBprB,IAAA,WAAA2rB,MAAA,CAAsBkuC,MAAAvnC,EAAA2D,GAAA,mBAAA3D,EAAA0sE,YAAA,kBAAiE,KAAA1sE,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAyCC,YAAA,cAAyB,cAAAiH,EAAAssE,gBAAAxzE,EAAA,WAAAkH,EAAAo6C,gBAAAt0E,SAAAk6B,EAAA6iB,SAAA7iB,EAAAm0D,OAAAr7D,EAAA,OAA4HC,YAAA,yBAAoC,CAAAD,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAA,yBAAA5rB,GAA8H,OAAA0kB,EAAA,UAAoBprB,IAAA0G,EAAA3F,GAAAsqB,YAAA,gBAAAM,MAAA,CAAiD0/D,aAAA,EAAAr3C,YAAA,EAAAxoB,SAAA,EAAA+hB,UAAA7mC,EAAA8tC,cAAA,QAAgG,cAAAliB,EAAAssE,gBAAAxzE,EAAA,WAAAkH,EAAAxX,MAAA1iB,SAAAk6B,EAAA6iB,SAAA7iB,EAAAm0D,OAAAr7D,EAAA,OAAoHC,YAAA,yBAAoC,CAAAD,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAA,eAAA5oB,GAAkH,OAAA0hB,EAAA,cAAwBprB,IAAA0J,EAAA3I,GAAAsqB,YAAA,0BAAAM,MAAA,CAAyDjiB,aAAe,gBAAA4oB,EAAAssE,gBAAAxzE,EAAA,WAAAkH,EAAAqsE,SAAAvmG,SAAAk6B,EAAA6iB,SAAA7iB,EAAAm0D,OAAAr7D,EAAA,OAAyHC,YAAA,yBAAoC,CAAAD,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAyY,GAAAzY,EAAA,kBAAA8sE,GAAwH,OAAAh0E,EAAA,OAAiBprB,IAAAo/F,EAAAh+F,IAAAiqB,YAAA,8BAAyD,CAAAD,EAAA,OAAYC,YAAA,WAAsB,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,eAAA+U,OAAA,CAAgCxX,IAAA4iG,EAAAngG,SAAwB,CAAAqzB,EAAAO,GAAA,kBAAAP,EAAA0D,GAAAopE,EAAAngG,MAAA,kBAAAqzB,EAAAO,GAAA,KAAAP,EAAA6sE,kBAAAC,GAAAh0E,EAAA,UAAAkH,EAAA6sE,kBAAAC,GAAA74E,SAAA6E,EAAA,QAAAkH,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yBAAqP4Y,MAAAvc,EAAA6sE,kBAAAC,GAAA74E,YAAiD,oBAAA6E,EAAA,QAAAkH,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yBAAoG4Y,MAAAvc,EAAA6sE,kBAAAC,GAAA74E,YAAiD,sBAAA+L,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAP,EAAA6sE,kBAAAC,GAAAh0E,EAAA,OAA6FC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA6sE,kBAAAC,GAAAK,MAAA,gBAAAntE,EAAAQ,UAA+F,GAAAR,EAAAQ,OAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAuCC,YAAA,2DAC1kH,IDOY,EAa7Bg0E,GATiB,KAEU,MAYG,0lBEtBhC,IA2EepoB,GA3EM,CACnByoB,OAAQ,CAACC,oBACT/nG,KAAM,iBAAO,CACX8R,KAAM,CACJia,MAAO,GACPi8E,SAAU,GACVzuF,SAAU,GACVqS,SAAU,GACVioB,QAAS,IAEXo0D,QAAS,KAEXC,YAZmB,WAYJ,IAAArvF,EAAAP,KACb,MAAO,CACLxG,KAAM,CACJia,MAAO,CAAEk6C,SAAUkiC,sBAAW,kBAAMtvF,EAAKuvF,6BACzC7uF,SAAU,CAAE0sD,sBACZ+hC,SAAU,CAAE/hC,sBACZr6C,SAAU,CAAEq6C,sBACZpyB,QAAS,CACPoyB,qBACAoiC,eAAgBC,kBAAO,gBAK/BhuE,QA1BmB,aA2BXhiB,KAAK05D,mBAAqB15D,KAAKlN,OAAUkN,KAAKiwF,WAClDjwF,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,SAG5BiR,KAAKkwF,cAEP/rE,SAAUgsE,GAAA,CACRr9F,MADM,WACK,OAAOkN,KAAKqlB,OAAOvhB,OAAOhR,OACrCs9F,eAFM,WAGJ,OAAOpwF,KAAK+lB,GAAG,gCAAgC9zB,QAAQ,YAAa,SAEnEy0B,YAAS,CACVgzC,iBAAkB,SAACx/C,GAAD,OAAWA,EAAMC,SAASu/C,kBAC5Cu2B,SAAU,SAAC/1E,GAAD,QAAaA,EAAMtP,MAAMod,aACnCqoE,UAAW,SAACn2E,GAAD,OAAWA,EAAMtP,MAAMg+D,eAClC0nB,uBAAwB,SAACp2E,GAAD,OAAWA,EAAMtP,MAAMi+D,cAC/C0nB,eAAgB,SAACr2E,GAAD,OAAWA,EAAMC,SAAS8gD,KAC1C60B,0BAA2B,SAAC51E,GAAD,OAAWA,EAAMC,SAAS21E,8BAGzDv1E,QAAS41E,GAAA,GACJK,YAAW,CAAC,SAAU,eADpB,CAECxzC,OAFD,kBAAAnyC,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,UAGH2E,KAAKxG,KAAKmY,SAAW3R,KAAKxG,KAAKyH,SAC/BjB,KAAKxG,KAAK1G,MAAQkN,KAAKlN,MAEvBkN,KAAKxG,KAAKi3F,iBAAmBzwF,KAAK2vF,QAAQe,SAC1C1wF,KAAKxG,KAAKm3F,cAAgB3wF,KAAK2vF,QAAQ78F,MACvCkN,KAAKxG,KAAKo3F,oBAAsB5wF,KAAK2vF,QAAQkB,YAE7C7wF,KAAK8wF,GAAGC,SAEH/wF,KAAK8wF,GAAGE,SAZV,CAAAjmF,EAAA1P,KAAA,gBAAA0P,EAAAvP,KAAA,EAAAuP,EAAA1P,KAAA,GAAAwP,EAAApN,EAAAwN,MAcOjL,KAAKqsE,OAAOrsE,KAAKxG,OAdxB,QAeCwG,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,YAf3Bgc,EAAA1P,KAAA,iBAAA0P,EAAAvP,KAAA,GAAAuP,EAAAK,GAAAL,EAAA,SAiBC3a,QAAQmX,KAAK,wBAAbwD,EAAAK,IACApL,KAAKkwF,aAlBN,yBAAAnlF,EAAAM,SAAA,KAAArL,KAAA,WAsBLkwF,WAtBK,WAsBS,IAAAprE,EAAA9kB,KACZA,KAAKoS,aAAa5kB,KAAK,SAAAyjG,GAASnsE,EAAK6qE,QAAUsB,QClErD,IAEIC,GAVJ,SAAoBv2E,GAClBtxB,EAAQ,MAyBK8nG,GAVC9oG,OAAAwyB,GAAA,EAAAxyB,CACd+oG,GCjBQ,WAAgB,IAAAhvE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,gCAA2C,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA8FC,YAAA,cAAyB,CAAAD,EAAA,QAAaC,YAAA,oBAAAkH,GAAA,CAAoC26B,OAAA,SAAA15B,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAA46B,OAAA56B,EAAA5oB,SAA8B,CAAA0hB,EAAA,OAAYC,YAAA,aAAwB,CAAAD,EAAA,OAAYC,YAAA,eAA0B,CAAAD,EAAA,OAAYC,YAAA,aAAAC,MAAA,CAAgCi2E,oBAAAjvE,EAAA0uE,GAAAt3F,KAAAyH,SAAAqwF,SAAoD,CAAAp2E,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,qBAA0B,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAqEqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,eAAAh7B,MAAA4yB,EAAA0uE,GAAAt3F,KAAAyH,SAAA,OAAAwpB,WAAA,0BAAA8mE,UAAA,CAAwHroD,MAAA,KAAa/tB,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,mBAAAi2C,SAAA1kB,EAAAiuE,UAAAz1D,YAAAxY,EAAA2D,GAAA,sCAA2GqE,SAAA,CAAW56B,MAAA4yB,EAAA0uE,GAAAt3F,KAAAyH,SAAA,QAAsCohB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA0uE,GAAAt3F,KAAAyH,SAAA,SAAAqiB,EAAAr2B,OAAAuC,MAAA05C,SAAqEnU,KAAA,SAAAzR,GAAyB,OAAAlB,EAAAovE,qBAA4BpvE,EAAAO,GAAA,KAAAP,EAAA0uE,GAAAt3F,KAAAyH,SAAA,OAAAia,EAAA,OAAwDC,YAAA,cAAyB,CAAAD,EAAA,MAAAkH,EAAA0uE,GAAAt3F,KAAAyH,SAAA0sD,SAAAvrC,EAAAQ,KAAA1H,EAAA,MAAAA,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAqLC,YAAA,aAAAC,MAAA,CAAgCi2E,oBAAAjvE,EAAA0uE,GAAAt3F,KAAAk2F,SAAA4B,SAAoD,CAAAp2E,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,qBAA0B,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAA4EqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,eAAAh7B,MAAA4yB,EAAA0uE,GAAAt3F,KAAAk2F,SAAA,OAAAjlE,WAAA,0BAAA8mE,UAAA,CAAwHroD,MAAA,KAAa/tB,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,mBAAAi2C,SAAA1kB,EAAAiuE,UAAAz1D,YAAAxY,EAAA2D,GAAA,sCAA2GqE,SAAA,CAAW56B,MAAA4yB,EAAA0uE,GAAAt3F,KAAAk2F,SAAA,QAAsCrtE,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA0uE,GAAAt3F,KAAAk2F,SAAA,SAAApsE,EAAAr2B,OAAAuC,MAAA05C,SAAqEnU,KAAA,SAAAzR,GAAyB,OAAAlB,EAAAovE,qBAA4BpvE,EAAAO,GAAA,KAAAP,EAAA0uE,GAAAt3F,KAAAk2F,SAAA,OAAAx0E,EAAA,OAAwDC,YAAA,cAAyB,CAAAD,EAAA,MAAAkH,EAAA0uE,GAAAt3F,KAAAk2F,SAAA/hC,SAAAvrC,EAAAQ,KAAA1H,EAAA,MAAAA,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAqLC,YAAA,aAAAC,MAAA,CAAgCi2E,oBAAAjvE,EAAA0uE,GAAAt3F,KAAAia,MAAA69E,SAAiD,CAAAp2E,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,UAAe,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAyEqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA0uE,GAAAt3F,KAAAia,MAAA,OAAAgX,WAAA,yBAAkGtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,QAAAi2C,SAAA1kB,EAAAiuE,UAAAzjG,KAAA,SAAqDw9B,SAAA,CAAW56B,MAAA4yB,EAAA0uE,GAAAt3F,KAAAia,MAAA,QAAmC4O,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA0uE,GAAAt3F,KAAAia,MAAA,SAAA6P,EAAAr2B,OAAAuC,aAA6D4yB,EAAAO,GAAA,KAAAP,EAAA0uE,GAAAt3F,KAAAia,MAAA,OAAAyH,EAAA,OAAqDC,YAAA,cAAyB,CAAAD,EAAA,MAAAkH,EAAA0uE,GAAAt3F,KAAAia,MAAAk6C,SAAAvrC,EAAAQ,KAAA1H,EAAA,MAAAA,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA+KC,YAAA,cAAyB,CAAAD,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,QAAa,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0BAAA3D,EAAA0D,GAAA1D,EAAA2D,GAAA,4BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,YAAsHqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA5oB,KAAA,IAAAixB,WAAA,aAA0EtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,MAAAi2C,SAAA1kB,EAAAiuE,UAAAz1D,YAAAxY,EAAAguE,gBAAqEhmE,SAAA,CAAW56B,MAAA4yB,EAAA5oB,KAAA,KAAuB6oB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA5oB,KAAA,MAAA8pB,EAAAr2B,OAAAuC,aAAiD4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,aAAAC,MAAA,CAAgCi2E,oBAAAjvE,EAAA0uE,GAAAt3F,KAAA8Z,SAAAg+E,SAAoD,CAAAp2E,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,qBAA0B,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAqEqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA5oB,KAAA,SAAAixB,WAAA,kBAAoFtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,mBAAAi2C,SAAA1kB,EAAAiuE,UAAAzjG,KAAA,YAAmEw9B,SAAA,CAAW56B,MAAA4yB,EAAA5oB,KAAA,UAA4B6oB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA5oB,KAAA,WAAA8pB,EAAAr2B,OAAAuC,aAAsD4yB,EAAAO,GAAA,KAAAP,EAAA0uE,GAAAt3F,KAAA8Z,SAAA,OAAA4H,EAAA,OAAwDC,YAAA,cAAyB,CAAAD,EAAA,MAAAkH,EAAA0uE,GAAAt3F,KAAA8Z,SAAAq6C,SAAAvrC,EAAAQ,KAAA1H,EAAA,MAAAA,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAqLC,YAAA,aAAAC,MAAA,CAAgCi2E,oBAAAjvE,EAAA0uE,GAAAt3F,KAAA+hC,QAAA+1D,SAAmD,CAAAp2E,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,kCAAuC,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAoFqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA5oB,KAAA,QAAAixB,WAAA,iBAAkFtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,gCAAAi2C,SAAA1kB,EAAAiuE,UAAAzjG,KAAA,YAAgFw9B,SAAA,CAAW56B,MAAA4yB,EAAA5oB,KAAA,SAA2B6oB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA5oB,KAAA,UAAA8pB,EAAAr2B,OAAAuC,aAAqD4yB,EAAAO,GAAA,KAAAP,EAAA0uE,GAAAt3F,KAAA+hC,QAAA,OAAArgB,EAAA,OAAuDC,YAAA,cAAyB,CAAAD,EAAA,MAAAkH,EAAA0uE,GAAAt3F,KAAA+hC,QAAAoyB,SAAAvrC,EAAAQ,KAAA1H,EAAA,MAAAA,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iEAAA3D,EAAAO,GAAA,KAAAP,EAAA0uE,GAAAt3F,KAAA+hC,QAAAw0D,eAAA3tE,EAAAQ,KAAA1H,EAAA,MAAAA,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kEAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,aAAAP,EAAAutE,QAAA/iG,KAAAsuB,EAAA,OAAgYC,YAAA,aAAAM,MAAA,CAAgC5qB,GAAA,kBAAsB,CAAAqqB,EAAA,SAAcC,YAAA,cAAAM,MAAA,CAAiCkP,IAAA,kBAAuB,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4BAAA3D,EAAAO,GAAA,4BAAAzuB,SAAAkuB,EAAAutE,QAAA/iG,MAAA,CAAAsuB,EAAA,OAA+HO,MAAA,CAAOvuB,IAAAk1B,EAAAutE,QAAAz+F,KAAsBmxB,GAAA,CAAKI,MAAAL,EAAA8tE,cAAwB9tE,EAAAO,GAAA,KAAAzH,EAAA,OAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAqGqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAAutE,QAAA,SAAAllE,WAAA,qBAA0FtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,iBAAAi2C,SAAA1kB,EAAAiuE,UAAAzjG,KAAA,OAAAmwD,aAAA,MAAA00C,YAAA,MAAAC,eAAA,MAAAC,WAAA,SAAkJvnE,SAAA,CAAW56B,MAAA4yB,EAAAutE,QAAA,UAA+BttE,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAAutE,QAAA,WAAArsE,EAAAr2B,OAAAuC,YAAyD4yB,EAAAQ,MAAA,GAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAA2DC,YAAA,cAAyB,CAAAD,EAAA,SAAcO,MAAA,CAAOkP,IAAA,UAAe,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAyEqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,MAAAqI,WAAA,UAAoEtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,QAAAi2C,SAAA,OAAAl6C,KAAA,QAA6Cw9B,SAAA,CAAW56B,MAAA4yB,EAAA,OAAoBC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAtvB,MAAAwwB,EAAAr2B,OAAAuC,aAAgC4yB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAmCC,YAAA,cAAyB,CAAAD,EAAA,UAAeC,YAAA,kBAAAM,MAAA,CAAqCqrB,SAAA1kB,EAAAiuE,UAAAzjG,KAAA,WAA0C,CAAAw1B,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA2GC,YAAA,mBAAAiP,SAAA,CAAyCC,UAAAjI,EAAA0D,GAAA1D,EAAAmuE,qBAAwCnuE,EAAAO,GAAA,KAAAP,EAAAkuE,uBAAA,OAAAp1E,EAAA,OAA8DC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,eAA0BiH,EAAAyY,GAAAzY,EAAA,gCAAAl0B,GAAqD,OAAAgtB,EAAA,QAAkBprB,IAAA5B,GAAU,CAAAk0B,EAAAO,GAAAP,EAAA0D,GAAA53B,QAA0B,KAAAk0B,EAAAQ,YACzoP,IDOY,EAa7BsuE,GATiB,KAEU,MAYG,QETjBU,GAbO,SAAAh0F,GAAyB,IAAtBuc,EAAsBvc,EAAtBuc,SACjBrW,EAAS,CAAE2P,MAD4B7V,EAAZ6V,OAE3BmE,EAAQ23C,KAAOzrD,EAAQ,SAAC7N,EAAKqzB,EAAGxqB,GACpC,IAAMonE,EAAO,GAAA5vE,OAAMwI,EAAN,KAAAxI,OAAW8N,mBAAmBklB,IAC3C,SAAAhzB,OAAUL,EAAV,KAAAK,OAAiB4vE,IAChB,IACGh1E,EAAG,GAAAoF,OAAM6jB,GAAN7jB,OARsB,iBAQtB,KAAAA,OAAgDshB,GAEzD,OAAOtnB,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,uOCVZ,IA2DeguF,GA3DO,CACpBnqG,KAAM,iBAAO,CACX8R,KAAM,CACJia,MAAO,IAET48E,WAAW,EACX/3B,SAAS,EACTw5B,WAAW,EACX5jG,MAAO,OAETi2B,wWAAU4tE,CAAA,GACLrrE,YAAS,CACVupE,SAAU,SAAC/1E,GAAD,QAAaA,EAAMtP,MAAMod,aACnC7N,SAAU,SAAAD,GAAK,OAAIA,EAAMC,YAHrB,CAKN63E,cALM,WAMJ,OAAOhyF,KAAKma,SAAS63E,iBAGzBhwE,QAnBoB,WAoBdhiB,KAAKiwF,UACPjwF,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,UAG9B+qB,MAAO,CACLm4E,uBAAwB,CACtBjvE,SAAS,EACTp2B,KAAM+N,UAGV4f,QAAS,CACP23E,aADO,WAELlyF,KAAK9R,MAAQ,MAEf8uD,OAJO,WAIG,IAAAz8C,EAAAP,KACRA,KAAKqwF,WAAY,EACjB,IAAM58E,EAAQzT,KAAKxG,KAAKia,MAClB0G,EAAWna,KAAKma,SAASC,OAE/B+3E,GAAiB,CAAEh4E,WAAU1G,UAASjmB,KAAK,SAAAoQ,GAAgB,IAAbpH,EAAaoH,EAAbpH,OAC5C+J,EAAK8vF,WAAY,EACjB9vF,EAAK/G,KAAKia,MAAQ,GAEH,MAAXjd,GACF+J,EAAK+3D,SAAU,EACf/3D,EAAKrS,MAAQ,MACO,MAAXsI,IACT+J,EAAKuxF,WAAY,EACjBvxF,EAAKrS,MAAQqS,EAAKwlB,GAAG,uCATzB,MAWS,WACPxlB,EAAK8vF,WAAY,EACjB9vF,EAAK/G,KAAKia,MAAQ,GAClBlT,EAAKrS,MAAQqS,EAAKwlB,GAAG,8BChD7B,IAEIqsE,GAVJ,SAAoBz3E,GAClBtxB,EAAQ,MAyBKgpG,GAVChqG,OAAAwyB,GAAA,EAAAxyB,CACdiqG,GCjBQ,WAAgB,IAAAlwE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,gCAA2C,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAkGC,YAAA,cAAyB,CAAAD,EAAA,QAAaC,YAAA,sBAAAkH,GAAA,CAAsC26B,OAAA,SAAA15B,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAA46B,OAAA15B,MAA4B,CAAApI,EAAA,OAAYC,YAAA,aAAwB,CAAAiH,EAAA4vE,cAAA5vE,EAAAk2C,SAAAl2C,EAAA0vE,UAAA52E,EAAA,OAAAkH,EAAA,QAAAlH,EAAA,KAAAkH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAkeC,YAAA,0BAAqC,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,UAAe,CAAAqzB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yDAAA7K,EAAA,OAAAkH,EAAA,uBAAAlH,EAAA,KAAkJC,YAAA,iCAA4C,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6DAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA+OC,YAAA,cAAyB,CAAAD,EAAA,SAAcqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA5oB,KAAA,MAAAixB,WAAA,eAA8EjI,IAAA,QAAArH,YAAA,eAAAM,MAAA,CAAgDqrB,SAAA1kB,EAAAiuE,UAAAz1D,YAAAxY,EAAA2D,GAAA,8BAAAn5B,KAAA,SAA2Fw9B,SAAA,CAAW56B,MAAA4yB,EAAA5oB,KAAA,OAAyB6oB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA5oB,KAAA,QAAA8pB,EAAAr2B,OAAAuC,aAAmD4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,cAAyB,CAAAD,EAAA,UAAeC,YAAA,4BAAAM,MAAA,CAA+CqrB,SAAA1kB,EAAAiuE,UAAAzjG,KAAA,WAA0C,CAAAw1B,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2CAAviD7K,EAAA,OAAAkH,EAAA,uBAAAlH,EAAA,KAAAkH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oFAAA7K,EAAA,KAAAkH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+DAAuiD3D,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,KAAqHC,YAAA,kCAA6C,CAAAD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAAl0B,UAAAk0B,EAAAO,GAAA,KAAAzH,EAAA,KAA6DC,YAAA,sBAAAkH,GAAA,CAAsCI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA8vE,kBAA4B,CAAAh3E,EAAA,KAAUC,YAAA,oBAA0BiH,EAAAQ,cACv2E,IDOY,EAa7BwvE,GATiB,KAEU,MAYG,QEajBG,GApCW,CACxBz4E,MAAO,CAAC,QACRO,WAAY,CACV+xB,oBAEF7xB,QAAS,CACPi4E,gCADO,WAC4B,IAAAjyF,EAAAP,KAC3ByyF,EAAQ52E,YAAuB7b,KAAKia,QAAQ8f,KAChD,SAAC04D,GAAD,OAAWA,EAAMl4F,aAAa1J,KAAO0P,EAAK/G,KAAK3I,IAAqB,mBAAf4hG,EAAM7lG,OAE7D,OAAO6lG,GAASA,EAAM5hG,IAExB6jB,YAPO,WAQL1U,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkBjQ,YAAY,CAAE7jB,GAAImP,KAAKxG,KAAK3I,KACpEmP,KAAKia,OAAO+K,SAAS,sBAAuBhlB,KAAKxG,MAEjD,IAAMk5F,EAAU1yF,KAAKwyF,kCACrBxyF,KAAKia,OAAO+K,SAAS,+BAAgC,CAAEn0B,GAAI6hG,IAC3D1yF,KAAKia,OAAO+K,SAAS,qBAAsB,CACzCn0B,GAAI6hG,EACJlxB,QAAS,SAAAh6D,GACPA,EAAa5a,KAAO,aAI1BioB,SApBO,WAoBK,IAAAiQ,EAAA9kB,KACJ0yF,EAAU1yF,KAAKwyF,kCACrBxyF,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkB9P,SAAS,CAAEhkB,GAAImP,KAAKxG,KAAK3I,KAC9DrD,KAAK,WACJs3B,EAAK7K,OAAO+K,SAAS,2BAA4B,CAAEn0B,GAAI6hG,IACvD5tE,EAAK7K,OAAO+K,SAAS,sBAAuBF,EAAKtrB,WCzB3D,IAEIm5F,GAVJ,SAAoBh4E,GAClBtxB,EAAQ,MCYKupG,GAXQ,CACrBv4E,WAAY,CACVk4E,kBDYYlqG,OAAAwyB,GAAA,EAAAxyB,CACdwqG,GEjBQ,WAAgB,IAAAzwE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,mBAA6BO,MAAA,CAAOjiB,KAAA4oB,EAAA5oB,OAAiB,CAAA0hB,EAAA,OAAYC,YAAA,yCAAoD,CAAAD,EAAA,UAAeC,YAAA,kBAAAkH,GAAA,CAAkCI,MAAAL,EAAA1N,cAAyB,CAAA0N,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA6FC,YAAA,kBAAAkH,GAAA,CAAkCI,MAAAL,EAAAvN,WAAsB,CAAAuN,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAC1Z,IFOY,EAa7B4sE,GATiB,KAEU,MAYG,SCpB9BxuE,SAAU,CACRogD,SADQ,WAEN,OAAOvkE,KAAKia,OAAOC,MAAMwK,IAAI4oD,kBEepBwlB,GAVCzqG,OAAAwyB,GAAA,EAAAxyB,CACd0qG,GCdQ,WAAgB,IAAah4E,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,gCAA2C,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAnKnb,KAAmK2iB,GAAA,SAAnK3iB,KAAmK8lB,GAAnK9lB,KAAmK+lB,GAAA,kCAAnK/lB,KAAmK2iB,GAAA,KAAAzH,EAAA,OAAwFC,YAAA,cAA3Pnb,KAAoR66B,GAApR76B,KAAoR,kBAAAhT,GAAyC,OAAAkuB,EAAA,qBAA+BprB,IAAA9C,EAAA6D,GAAAsqB,YAAA,YAAAM,MAAA,CAA8CjiB,KAAAxM,OAAkB,MACna,IDIY,EAEb,KAEC,KAEU,MAYG,QEDjBgmG,GApBH,CACVl5E,MAAO,CAAC,QACR06B,QAFU,WAEC,IAAAj0C,EAAAP,KACT,GAAIA,KAAKmH,KAAM,KAAA8rF,EACsBjzF,KAAKia,OAAOC,MAAM2rD,MAA7CR,EADK4tB,EACL5tB,SAAUC,EADL2tB,EACK3tB,aAElBO,GAAMM,SAAS,CACbd,WACAC,eACAnrD,SAAUna,KAAKia,OAAOC,MAAMC,SAASC,OACrCjT,KAAMnH,KAAKmH,OACV3Z,KAAK,SAACzE,GACPwX,EAAK0Z,OAAO2K,OAAO,WAAY77B,EAAOwc,cACtChF,EAAK0Z,OAAO+K,SAAS,YAAaj8B,EAAOwc,cACzChF,EAAKimB,QAAQp+B,KAAK,CAAE2G,KAAM,iBCOnBmkG,GAVC7qG,OAAAwyB,GAAA,EAAAxyB,CACd8qG,GCdQ,WAAgB,IAAap4E,EAAb/a,KAAagb,eAAkD,OAA/Dhb,KAAuCib,MAAAC,IAAAH,GAAwB,MAA/D/a,KAA+D2iB,GAAA,UACtE,IDIY,EAEb,KAEC,KAEU,MAYG,ukBEpBhC,IAiFeywE,GAjFG,CAChB1rG,KAAM,iBAAO,CACX8R,KAAM,GACNtL,OAAO,IAETi2B,SAAUkvE,GAAA,CACRC,eADM,WACc,OAAOtzF,KAAKswE,kBAChCijB,YAFM,WAEW,OAAOvzF,KAAKuwE,gBAC1B7pD,YAAS,CACVgzC,iBAAkB,SAAAx/C,GAAK,OAAIA,EAAMC,SAASu/C,kBAC1Cv/C,SAAU,SAAAD,GAAK,OAAIA,EAAMC,UACzBsuD,UAAW,SAAAvuD,GAAK,OAAIA,EAAMtP,MAAM69D,WAChC5C,MAAO,SAAA3rD,GAAK,OAAIA,EAAM2rD,SAPlB,GASHj9C,YACD,WAAY,CAAC,mBAAoB,gBAAiB,iBAGtDrO,QAAS84E,GAAA,GACJG,YAAa,WAAY,CAAC,eADxB,GAEFhD,YAAW,CAAE1qB,MAAO,mBAFlB,CAGL9oB,OAHK,WAIHh9C,KAAKuzF,YAAcvzF,KAAKyzF,cAAgBzzF,KAAK0zF,kBAE/CD,YANK,WAMU,IAAAE,EACsB3zF,KAAK6lE,MAClCn+E,EAAO,CACX29E,SAHWsuB,EACLtuB,SAGNC,aAJWquB,EACKruB,aAIhBnrD,SAAUna,KAAKma,SAASC,OACxBwK,OAAQ5kB,KAAKia,OAAO2K,QAGtB8nD,GAAStH,eAAe19E,GACrB8F,KAAK,SAACi4E,GAAUiH,GAAS5G,MAATutB,GAAA,GAAoB5tB,EAApB,GAA4B/9E,OAEjDgsG,eAlBK,WAkBa,IAAAnzF,EAAAP,KAEVtY,EAAO,CACX29E,SAFmBrlE,KAAK6lE,MAAlBR,SAGNQ,MAAO7lE,KAAK6lE,MACZ1rD,SAAUna,KAAKma,SAASC,OACxBwK,OAAQ5kB,KAAKia,OAAO2K,QAEtB5kB,KAAK9R,OAAQ,EAEbw+E,GAAStH,eAAe19E,GAAM8F,KAAK,SAACi4E,GAClCiH,GAAStG,wBAATitB,GAAA,GAEO5tB,EAFP,CAGItrD,SAAUzyB,EAAKyyB,SACflZ,SAAUV,EAAK/G,KAAKyH,SACpBqS,SAAU/S,EAAK/G,KAAK8Z,YAEtB9lB,KAAK,SAACzE,GACFA,EAAOmF,MACY,iBAAjBnF,EAAOmF,MACTqS,EAAKswE,WAAW,CAAE35D,SAAUnuB,IACG,4BAAtBA,EAAO6qG,WAChBrzF,EAAKimB,QAAQp+B,KAAK,CAAE2G,KAAM,iBAAkB+U,OAAQ,CAAEmuF,wBAAwB,MAE9E1xF,EAAKrS,MAAQnF,EAAOmF,MACpBqS,EAAKszF,wBAITtzF,EAAKulE,MAAM/8E,GAAQyE,KAAK,WACtB+S,EAAKimB,QAAQp+B,KAAK,CAAE2G,KAAM,mBAKlC8yC,WAtDK,WAsDW7hC,KAAK9R,OAAQ,GAC7B2lG,qBAvDK,WAwDH,IAAIC,EAAgB9zF,KAAK4f,MAAMk0E,cAC/BA,EAAc5gD,QACd4gD,EAAcj/C,kBAAkB,EAAGi/C,EAActkG,MAAMtH,YCvE7D,IAEI6rG,GAVJ,SAAoBp5E,GAClBtxB,EAAQ,MAyBK2qG,GAVC3rG,OAAAwyB,GAAA,EAAAxyB,CACd4rG,GCjBQ,WAAgB,IAAA7xE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,6BAAwC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAgFC,YAAA,cAAyB,CAAAD,EAAA,QAAaC,YAAA,aAAAkH,GAAA,CAA6B26B,OAAA,SAAA15B,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAA46B,OAAA15B,MAA4B,CAAAlB,EAAA,gBAAAlH,EAAA,OAAkCC,YAAA,cAAyB,CAAAD,EAAA,SAAcO,MAAA,CAAOkP,IAAA,aAAkB,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAqEqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA5oB,KAAA,SAAAixB,WAAA,kBAAoFtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,WAAAi2C,SAAA1kB,EAAAqmD,UAAA7tC,YAAAxY,EAAA2D,GAAA,sBAAmFqE,SAAA,CAAW56B,MAAA4yB,EAAA5oB,KAAA,UAA4B6oB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA5oB,KAAA,WAAA8pB,EAAAr2B,OAAAuC,aAAsD4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,cAAyB,CAAAD,EAAA,SAAcO,MAAA,CAAOkP,IAAA,aAAkB,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAAqEqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA5oB,KAAA,SAAAixB,WAAA,kBAAoFjI,IAAA,gBAAArH,YAAA,eAAAM,MAAA,CAAwD5qB,GAAA,WAAAi2C,SAAA1kB,EAAAqmD,UAAA77E,KAAA,YAA2Dw9B,SAAA,CAAW56B,MAAA4yB,EAAA5oB,KAAA,UAA4B6oB,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,WAAsCtI,EAAA6xB,KAAA7xB,EAAA5oB,KAAA,WAAA8pB,EAAAr2B,OAAAuC,aAAsD4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,cAAyB,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,oBAAyB,CAAAqzB,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0DAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,OAAmJC,YAAA,cAAyB,CAAAD,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAyFC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,gBAA2B,CAAAD,EAAA,OAAAkH,EAAA,iBAAAlH,EAAA,eAAqDC,YAAA,WAAAM,MAAA,CAA8BwK,GAAA,CAAMl3B,KAAA,kBAAuB,CAAAqzB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uCAAA3D,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAzH,EAAA,UAAuHC,YAAA,kBAAAM,MAAA,CAAqCqrB,SAAA1kB,EAAAqmD,UAAA77E,KAAA,WAA0C,CAAAw1B,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4CAAA3D,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAAsHC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAl0B,OAAA,YAAAgtB,EAAA,KAA0DC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAAL,EAAAyf,kBAAwBzf,EAAAQ,QACr9E,IDOY,EAa7BmxE,GATiB,KAEU,MAYG,QEWjBG,GALH,CACV7tB,cAjCoB,SAAAzoE,GAA0D,IAAvDynE,EAAuDznE,EAAvDynE,SAAUC,EAA6C1nE,EAA7C0nE,aAAcnrD,EAA+Bvc,EAA/Buc,SAAUmsD,EAAqB1oE,EAArB0oE,SAAUn/D,EAAWvJ,EAAXuJ,KAC7DjW,EAAG,GAAAoF,OAAM6jB,EAAN,wBACHrO,EAAO,IAAIxb,OAAOoe,SAQxB,OANA5C,EAAK8C,OAAO,YAAay2D,GACzBv5D,EAAK8C,OAAO,gBAAiB02D,GAC7Bx5D,EAAK8C,OAAO,YAAa03D,GACzBx6D,EAAK8C,OAAO,OAAQzH,GACpB2E,EAAK8C,OAAO,iBAAkB,QAEvBte,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,UAqBvBiiE,mBAlByB,SAAA1oE,GAA0D,IAAvDwnE,EAAuDxnE,EAAvDwnE,SAAUC,EAA6CznE,EAA7CynE,aAAcnrD,EAA+Btc,EAA/Bsc,SAAUmsD,EAAqBzoE,EAArByoE,SAAUn/D,EAAWtJ,EAAXsJ,KAClEjW,EAAG,GAAAoF,OAAM6jB,EAAN,wBACHrO,EAAO,IAAIxb,OAAOoe,SAQxB,OANA5C,EAAK8C,OAAO,YAAay2D,GACzBv5D,EAAK8C,OAAO,gBAAiB02D,GAC7Bx5D,EAAK8C,OAAO,YAAa03D,GACzBx6D,EAAK8C,OAAO,OAAQzH,GACpB2E,EAAK8C,OAAO,iBAAkB,YAEvBte,OAAOmT,MAAMvS,EAAK,CACvB2S,OAAQ,OACR/D,KAAMgM,IACLte,KAAK,SAAC9F,GAAD,OAAUA,EAAK4c,0kBC1BV,IAAA6vF,GAAA,CACbzsG,KAAM,iBAAO,CACXyf,KAAM,KACNjZ,OAAO,IAETi2B,SAAUiwE,GAAA,GACLxrE,YAAW,CACZyrE,aAAc,sBAFV,GAIH3tE,YAAS,CACVvM,SAAU,WACV0rD,MAAO,WAGXtrD,QAAS65E,GAAA,GACJZ,YAAa,WAAY,CAAC,cAAe,aADvC,GAEFhD,YAAW,CAAE1qB,MAAO,mBAFlB,CAGLjkC,WAHK,WAGW7hC,KAAK9R,OAAQ,GAC7B8uD,OAJK,WAIK,IAAAz8C,EAAAP,KAAA2zF,EAC2B3zF,KAAK6lE,MAElCn+E,EAAO,CACX29E,SAJMsuB,EACAtuB,SAINC,aALMquB,EACUruB,aAKhBnrD,SAAUna,KAAKma,SAASC,OACxBksD,SAAUtmE,KAAKq0F,aAAaC,UAC5BntF,KAAMnH,KAAKmH,MAGbotF,GAAOhuB,mBAAmB7+E,GAAM8F,KAAK,SAACzE,GACpC,GAAIA,EAAOmF,MAGT,OAFAqS,EAAKrS,MAAQnF,EAAOmF,WACpBqS,EAAK4G,KAAO,MAId5G,EAAKulE,MAAM/8E,GAAQyE,KAAK,WACtB+S,EAAKimB,QAAQp+B,KAAK,CAAE2G,KAAM,oBCjBrBylG,GAVCnsG,OAAAwyB,GAAA,EAAAxyB,CACd8rG,GCdQ,WAAgB,IAAA/xE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,6BAAwC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA2FC,YAAA,cAAyB,CAAAD,EAAA,QAAaC,YAAA,aAAAkH,GAAA,CAA6B26B,OAAA,SAAA15B,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAA46B,OAAA15B,MAA4B,CAAApI,EAAA,OAAYC,YAAA,cAAyB,CAAAD,EAAA,SAAcO,MAAA,CAAOkP,IAAA,SAAc,CAAAvI,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAA0EqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,KAAAqI,WAAA,SAAkEtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,QAAYu5B,SAAA,CAAW56B,MAAA4yB,EAAA,MAAmBC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAjb,KAAAmc,EAAAr2B,OAAAuC,aAA+B4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,gBAA2B,CAAAD,EAAA,OAAAA,EAAA,KAAoBO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA2uD,YAAAztD,MAAiC,CAAAlB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAAO,GAAA,KAAAzH,EAAA,KAAuIO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA4uD,SAAA1tD,MAA8B,CAAAlB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA4GC,YAAA,kBAAAM,MAAA,CAAqC7uB,KAAA,WAAiB,CAAAw1B,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6CAAA3D,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAAuHC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAl0B,OAAA,YAAAgtB,EAAA,KAA0DC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAAL,EAAAyf,kBAAwBzf,EAAAQ,QAC7rD,IDIY,EAEb,KAEC,KAEU,MAYG,ukBErBjB,IAAA6xE,GAAA,CACb/sG,KAAM,iBAAO,CACXyf,KAAM,KACNjZ,OAAO,IAETi2B,SAAUuwE,GAAA,GACL9rE,YAAW,CACZyrE,aAAc,sBAFV,GAIH3tE,YAAS,CACVvM,SAAU,WACV0rD,MAAO,WAGXtrD,QAASm6E,GAAA,GACJlB,YAAa,WAAY,CAAC,kBAAmB,aAD3C,GAEFhD,YAAW,CAAE1qB,MAAO,mBAFlB,CAGLjkC,WAHK,WAGW7hC,KAAK9R,OAAQ,GAC7B8uD,OAJK,WAIK,IAAAz8C,EAAAP,KAAA2zF,EAC2B3zF,KAAK6lE,MAElCn+E,EAAO,CACX29E,SAJMsuB,EACAtuB,SAINC,aALMquB,EACUruB,aAKhBnrD,SAAUna,KAAKma,SAASC,OACxBksD,SAAUtmE,KAAKq0F,aAAaC,UAC5BntF,KAAMnH,KAAKmH,MAGbotF,GAAOluB,cAAc3+E,GAAM8F,KAAK,SAACzE,GAC/B,GAAIA,EAAOmF,MAGT,OAFAqS,EAAKrS,MAAQnF,EAAOmF,WACpBqS,EAAK4G,KAAO,MAId5G,EAAKulE,MAAM/8E,GAAQyE,KAAK,WACtB+S,EAAKimB,QAAQp+B,KAAK,CAAE2G,KAAM,oBChBrB4lG,GAVCtsG,OAAAwyB,GAAA,EAAAxyB,CACdosG,GCdQ,WAAgB,IAAAryE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,6BAAwC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAuFC,YAAA,cAAyB,CAAAD,EAAA,QAAaC,YAAA,aAAAkH,GAAA,CAA6B26B,OAAA,SAAA15B,GAAkD,OAAxBA,EAAA4H,iBAAwB9I,EAAA46B,OAAA15B,MAA4B,CAAApI,EAAA,OAAYC,YAAA,cAAyB,CAAAD,EAAA,SAAcO,MAAA,CAAOkP,IAAA,SAAc,CAAAvI,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,8CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,SAA4GqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,KAAAqI,WAAA,SAAkEtP,YAAA,eAAAM,MAAA,CAAoC5qB,GAAA,QAAYu5B,SAAA,CAAW56B,MAAA4yB,EAAA,MAAmBC,GAAA,CAAK3iB,MAAA,SAAA4jB,GAAyBA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAjb,KAAAmc,EAAAr2B,OAAAuC,aAA+B4yB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,gBAA2B,CAAAD,EAAA,OAAAA,EAAA,KAAoBO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA0uD,gBAAAxtD,MAAqC,CAAAlB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAAO,GAAA,KAAAzH,EAAA,KAAqIO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAA4uD,SAAA1tD,MAA8B,CAAAlB,EAAAO,GAAA,mBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA4GC,YAAA,kBAAAM,MAAA,CAAqC7uB,KAAA,WAAiB,CAAAw1B,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6CAAA3D,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAAuHC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAAl0B,OAAA,YAAAgtB,EAAA,KAA0DC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAAL,EAAAyf,kBAAwBzf,EAAAQ,QAC7tD,IDIY,EAEb,KAEC,KAEU,MAYG,qOElBhC,IAoBegyE,GApBE,CACf7lG,KAAM,WACN0/D,OAFe,SAEP9hE,GACN,OAAOA,EAAc,YAAa,CAAEkoG,GAAI70F,KAAK80F,YAE/C3wE,wWAAU4wE,CAAA,CACRD,SADM,WAEJ,OAAI90F,KAAKwwE,aAAuB,cAC5BxwE,KAAKywE,iBAA2B,kBAC7B,cAEN7nD,YAAW,WAAY,CAAC,eAAgB,sBAE7CvO,WAAY,CACV26E,mBACAC,eACA7B,eCSW8B,GA5BG,CAChBp7E,MAAO,CAAE,YACTpyB,KAFgB,WAGd,MAAO,CACLytG,eAAgB,GAChB9lB,QAAS,KACT+lB,WAAW,IAGfjxE,SAAU,CACR0hC,SADQ,WAEN,OAAO7lD,KAAKia,OAAOC,MAAMve,KAAKkqD,WAGlCtrC,QAAS,CACPyiC,OADO,SACCzuD,GACNyR,KAAKia,OAAOC,MAAMve,KAAK0zE,QAAQjnF,KAAK,UAAW,CAAEmP,KAAMhJ,GAAW,KAClEyR,KAAKm1F,eAAiB,IAExBE,YALO,WAMLr1F,KAAKo1F,WAAap1F,KAAKo1F,WAEzB1rE,gBARO,SAQUlwB,GACf,OAAOigB,aAAoBjgB,EAAK3I,GAAI2I,EAAKyH,SAAUjB,KAAKia,OAAOC,MAAMC,SAAST,wBCjBpF,IAEI47E,GAVJ,SAAoB36E,GAClBtxB,EAAQ,MAyBKksG,GAVCltG,OAAAwyB,GAAA,EAAAxyB,CACdmtG,GCjBQ,WAAgB,IAAApzE,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAAgzE,WAAAhzE,EAAAqzE,SAAmpDv6E,EAAA,OAAkBC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,mDAAAkH,GAAA,CAAmEI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAizE,YAAA/xE,MAAiC,CAAApI,EAAA,OAAYC,YAAA,SAAoB,CAAAD,EAAA,KAAUC,YAAA,mBAA6BiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uCAA7+D7K,EAAA,OAAmDC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,iCAAAC,MAAA,CAAoDs6E,eAAAtzE,EAAAqzE,UAA+BpzE,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAizE,YAAA/xE,MAAiC,CAAApI,EAAA,OAAYC,YAAA,SAAoB,CAAAD,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sBAAA3D,EAAAO,GAAA,KAAAP,EAAA,SAAAlH,EAAA,KAA2FC,YAAA,gBAA0BiH,EAAAQ,SAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAqCqP,WAAA,EAAax7B,KAAA,cAAAy7B,QAAA,kBAA2CrP,YAAA,eAA4BiH,EAAAyY,GAAAzY,EAAA,kBAAA7zB,GAAyC,OAAA2sB,EAAA,OAAiBprB,IAAAvB,EAAAsC,GAAAsqB,YAAA,gBAA0C,CAAAD,EAAA,QAAaC,YAAA,eAA0B,CAAAD,EAAA,OAAYO,MAAA,CAAOvuB,IAAAqB,EAAAi3F,OAAArzF,YAA6BiwB,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,gBAA2B,CAAAD,EAAA,eAAoBC,YAAA,YAAAM,MAAA,CAA+BwK,GAAA7D,EAAAsH,gBAAAn7B,EAAAi3F,UAA0C,CAAApjE,EAAAO,GAAA,iBAAAP,EAAA0D,GAAAv3B,EAAAi3F,OAAAvkF,UAAA,kBAAAmhB,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAAO,GAAA,KAAAzH,EAAA,QAAwHC,YAAA,aAAwB,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAAv3B,EAAAgJ,MAAA,0BAAuE,GAAA6qB,EAAAO,GAAA,KAAAzH,EAAA,OAA2BC,YAAA,cAAyB,CAAAD,EAAA,YAAiBqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,eAAAqI,WAAA,mBAAsFtP,YAAA,sBAAAM,MAAA,CAA2C2iC,KAAA,KAAWh0B,SAAA,CAAW56B,MAAA4yB,EAAA,gBAA6BC,GAAA,CAAKitE,MAAA,SAAAhsE,GAAyB,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,KAAesyB,EAAA46B,OAAA56B,EAAA+yE,iBAAsCz1F,MAAA,SAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,YAAsCtI,EAAA+yE,eAAA7xE,EAAAr2B,OAAAuC,kBAChrD,IDOY,EAa7B8lG,GATiB,KAEU,MAYG,QEajBK,GApCK,CAClBt7E,WAAY,CACVixE,eAEF5jG,KAJkB,WAKhB,MAAO,CACLkjB,MAAO,KAGX4pC,QATkB,WAUhBx0C,KAAK41F,kBAEPr7E,QAAS,CACPs7E,gBADO,SACUxxD,GAAO,IAAA9jC,EAAAP,KACtBqkC,EAAMx1B,QAAQ,SAAC7mB,EAAG+9C,GAChBxlC,EAAK0Z,OAAOC,MAAMwK,IAAIC,kBAAkB1X,UAAU,CAAEpc,GAAI7I,EAAEgJ,OACvDxD,KAAK,SAACsoG,GACAA,EAAa5nG,QAChBqS,EAAK0Z,OAAO2K,OAAO,cAAe,CAACkxE,IACnCv1F,EAAKqK,MAAMxiB,KAAK0tG,SAK1BF,eAZO,WAYW,IAAA9wE,EAAA9kB,KACV2D,EAAc3D,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYrkB,YACpDA,GACFoE,IAAWiN,YAAY,CAAErR,YAAaA,IACnCnW,KAAK,SAAC62C,GACLvf,EAAK+wE,gBAAgBxxD,QCxBjC,IAEI0xD,GAVJ,SAAoBp7E,GAClBtxB,EAAQ,MAyBK2sG,GAVC3tG,OAAAwyB,GAAA,EAAAxyB,CACd4tG,GCjBQ,WAAgB,IAAal7E,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAA1Jnb,KAA0J2iB,GAAA,SAA1J3iB,KAA0J8lB,GAA1J9lB,KAA0J+lB,GAAA,0CAA1J/lB,KAA0J2iB,GAAA,KAAAzH,EAAA,OAAgGC,YAAA,cAA1Pnb,KAAmR66B,GAAnR76B,KAAmR,eAAAxG,GAAmC,OAAA0hB,EAAA,cAAwBprB,IAAA0J,EAAA3I,GAAAsqB,YAAA,YAAAM,MAAA,CAA2CjiB,YAAe,MAC/Y,IDOY,EAa7Bu8F,GATiB,KAEU,MAYG,QElBjBG,GARe,CAC5B/xE,SAAU,CACR62C,6BADQ,WAEN,OAAOh7D,KAAKia,OAAOC,MAAMC,SAAS6gD,gCCoBzBm7B,GAVC9tG,OAAAwyB,GAAA,EAAAxyB,CACd+tG,GCdQ,WAAgB,IAAar7E,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,2BAAsC,CAAAD,EAAA,OAAYC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,cAAyB,CAAAD,EAAA,OAAYkP,SAAA,CAAUC,UAA/NrqB,KAA+N8lB,GAA/N9lB,KAA+Ng7D,wCACtO,IDIY,EAEb,KAEC,KAEU,MAYG,QEXjBq7B,GAZO,CACpBlyE,SAAU,CACRxoB,KAAM,WAAc,OAAOqE,KAAKia,OAAOC,MAAMC,SAASygD,eACtD07B,oBAAqB,WAAc,OAAOt2F,KAAKia,OAAOC,MAAMC,SAASwM,8BACrE4vE,OAAQ,WAAc,OAAOv2F,KAAKia,OAAOC,MAAMC,SAAS0gD,iBACxD27B,YAAa,WAAc,OAAOx2F,KAAKia,OAAOC,MAAMC,SAAS2gD,oBAC7D27B,WAAY,WAAc,OAAOz2F,KAAKia,OAAOC,MAAMC,SAASomC,qBAC5DpK,kBAAmB,WAAc,OAAOn2C,KAAKia,OAAOC,MAAMC,SAASg8B,mBACnES,UAAW,WAAc,OAAO52C,KAAKia,OAAOC,MAAMC,SAASy8B,aCA/D,IAEI8/C,GAVJ,SAAoB/7E,GAClBtxB,EAAQ,MAyBKstG,GAVCtuG,OAAAwyB,GAAA,EAAAxyB,CACduuG,GCjBQ,WAAgB,IAAAx0E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,kBAA6B,CAAAD,EAAA,OAAYC,YAAA,yCAAoD,CAAAD,EAAA,OAAYC,YAAA,2DAAsE,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAmGC,YAAA,6BAAwC,CAAAD,EAAA,MAAAkH,EAAA,KAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,oBAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,OAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,WAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAA0D,GAAA1D,EAAAw0B,uBACjb,IDOY,EAa7B8/C,GATiB,KAEU,MAYG,QElBjBG,GARa,CAC1B1yE,SAAU,CACR7sB,QADQ,WAEN,OAAO0I,KAAKia,OAAOC,MAAMC,SAAS8gD,OCKxC,IAEI67B,GAVJ,SAAoBn8E,GAClBtxB,EAAQ,MAyBK0tG,GAVC1uG,OAAAwyB,GAAA,EAAAxyB,CACd2uG,GCjBQ,WAAgB,IAAaj8E,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAAA,EAAA,OAA2BC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,cAAAiP,SAAA,CAAoCC,UAAjNrqB,KAAiN8lB,GAAjN9lB,KAAiN1I,mBACxN,IDOY,EAa7Bw/F,GATiB,KAEU,MAYG,QERjBG,GAfI,CACjBj1E,QADiB,WACN,IAAAzhB,EAAAP,KACSA,KAAKia,OAAOC,MAAMC,SAAS+8E,cACnCroF,QAAQ,SAAA8C,GAAQ,OAAIpR,EAAK0Z,OAAO+K,SAAS,qBAAsBrT,MAE3E0I,WAAY,CACV+xB,oBAEFjoB,SAAU,CACR+yE,cADQ,WACS,IAAApyE,EAAA9kB,KACf,OAAOnO,KAAImO,KAAKia,OAAOC,MAAMC,SAAS+8E,cAAe,SAAAvlF,GAAQ,OAAImT,EAAK7K,OAAOqN,QAAQC,SAAS5V,KAAW1M,OAAO,SAAAC,GAAC,OAAIA,OCL3H,IAEIiyF,GAVJ,SAAoBx8E,GAClBtxB,EAAQ,MAyBK+tG,GAVC/uG,OAAAwyB,GAAA,EAAAxyB,CACdgvG,GCjBQ,WAAgB,IAAat8E,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,eAA0B,CAAAD,EAAA,OAAYC,YAAA,yCAAoD,CAAAD,EAAA,OAAYC,YAAA,oDAA+D,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAArRnb,KAAqR2iB,GAAA,aAArR3iB,KAAqR8lB,GAArR9lB,KAAqR+lB,GAAA,gCAArR/lB,KAAqR2iB,GAAA,KAAAzH,EAAA,OAA0FC,YAAA,cAA/Wnb,KAAwY66B,GAAxY76B,KAAwY,uBAAAxG,GAA2C,OAAA0hB,EAAA,mBAA6BprB,IAAA0J,EAAAzI,YAAA0qB,MAAA,CAA4BjiB,YAAe,QAClgB,IDOY,EAa7B29F,GATiB,KAEU,MAYG,qOEvBhC,IA+BeG,GA/Bc,CAC3BnzE,wWAAUozE,CAAA,GACL7wE,YAAS,CACV8wE,iBAAkB,SAAAt9E,GAAK,OAAItI,KAAIsI,EAAO,8BACtCu9E,YAAa,SAAAv9E,GAAK,OAAItI,KAAIsI,EAAO,yCAA0C,KAC3Ew9E,oBAAqB,SAAAx9E,GAAK,OAAItI,KAAIsI,EAAO,kDAAmD,KAC5Fy9E,gBAAiB,SAAAz9E,GAAK,OAAItI,KAAIsI,EAAO,8CAA+C,KACpF09E,gBAAiB,SAAA19E,GAAK,OAAItI,KAAIsI,EAAO,8CAA+C,KACpF29E,oBAAqB,SAAA39E,GAAK,OAAItI,KAAIsI,EAAO,kEAAmE,KAC5G49E,mBAAoB,SAAA59E,GAAK,OAAItI,KAAIsI,EAAO,kDAAmD,KAC3F69E,sBAAuB,SAAA79E,GAAK,OAAItI,KAAIsI,EAAO,qDAAsD,KACjG89E,mBAAoB,SAAA99E,GAAK,OAAItI,KAAIsI,EAAO,mEAAoE,KAC5G+9E,eAAgB,SAAA/9E,GAAK,OAAItI,KAAIsI,EAAO,+CAAgD,KACpFg+E,gBAAiB,SAAAh+E,GAAK,OAAItI,KAAIsI,EAAO,gDAAiD,OAZlF,CAcNi+E,4BAdM,WAeJ,OAAOn4F,KAAK03F,oBAAoBxvG,QAC9B8X,KAAK23F,gBAAgBzvG,QACrB8X,KAAK43F,gBAAgB1vG,QACrB8X,KAAK63F,oBAAoB3vG,QACzB8X,KAAK83F,mBAAmB5vG,QACxB8X,KAAK+3F,sBAAsB7vG,QAE/BkwG,mBAtBM,WAuBJ,OAAOp4F,KAAKg4F,mBAAmB9vG,QAC7B8X,KAAKi4F,eAAe/vG,QACpB8X,KAAKk4F,gBAAgBhwG,WCrB7B,IAEImwG,GAVJ,SAAoB19E,GAClBtxB,EAAQ,MCuBKivG,GAlBD,CACZj+E,WAAY,CACV67E,yBACAG,iBACAQ,uBACAI,cACAK,qBDIYjvG,OAAAwyB,GAAA,EAAAxyB,CACdkwG,GEjBQ,WAAgB,IAAAn2E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,iBAAAlH,EAAA,OAAwCC,YAAA,0BAAqC,CAAAD,EAAA,OAAYC,YAAA,yCAAoD,CAAAD,EAAA,OAAYC,YAAA,oDAA+D,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAAmGC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,eAA0B,CAAAD,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,8BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,qBAAAo2E,GAAwM,OAAAt9E,EAAA,MAAgBprB,IAAA0oG,EAAApuE,SAAA,CAAqBquE,YAAAr2E,EAAA0D,GAAA0yE,QAAgC,GAAAp2E,EAAAO,GAAA,KAAAP,EAAA,4BAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAu1E,gBAAA,OAAAz8E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,yBAAAjI,GAA+Z,OAAAe,EAAA,MAAgBprB,IAAAqqB,EAAAiQ,SAAA,CAAuBquE,YAAAr2E,EAAA0D,GAAA3L,QAAkC,KAAAiI,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAw1E,gBAAA,OAAA18E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,yBAAAjI,GAAiR,OAAAe,EAAA,MAAgBprB,IAAAqqB,EAAAiQ,SAAA,CAAuBquE,YAAAr2E,EAAA0D,GAAA3L,QAAkC,KAAAiI,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAs1E,oBAAA,OAAAx8E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,6BAAAjI,GAAiS,OAAAe,EAAA,MAAgBprB,IAAAqqB,EAAAiQ,SAAA,CAAuBquE,YAAAr2E,EAAA0D,GAAA3L,QAAkC,KAAAiI,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAy1E,oBAAA,OAAA38E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,6BAAAjI,GAAmS,OAAAe,EAAA,MAAgBprB,IAAAqqB,EAAAiQ,SAAA,CAAuBquE,YAAAr2E,EAAA0D,GAAA3L,QAAkC,KAAAiI,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA01E,mBAAA,OAAA58E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,4BAAAjI,GAA+R,OAAAe,EAAA,MAAgBprB,IAAAqqB,EAAAiQ,SAAA,CAAuBquE,YAAAr2E,EAAA0D,GAAA3L,QAAkC,KAAAiI,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA21E,sBAAA,OAAA78E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,+BAAAjI,GAA2S,OAAAe,EAAA,MAAgBprB,IAAAqqB,EAAAiQ,SAAA,CAAuBquE,YAAAr2E,EAAA0D,GAAA3L,QAAkC,KAAAiI,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,mBAAAlH,EAAA,MAAAkH,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uDAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA41E,mBAAA,OAAA98E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,qCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,4BAAAkuC,GAAiW,OAAAp1C,EAAA,MAAgBprB,IAAAwgE,EAAAlmC,SAAA,CAAsBquE,YAAAr2E,EAAA0D,GAAAwqC,QAAiC,KAAAluC,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA61E,eAAA,OAAA/8E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,wBAAAkuC,GAAkM,OAAAp1C,EAAA,MAAgBprB,IAAAwgE,EAAAlmC,SAAA,CAAsBquE,YAAAr2E,EAAA0D,GAAAwqC,QAAiC,KAAAluC,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA81E,gBAAA,OAAAh9E,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,iCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAyY,GAAAzY,EAAA,yBAAAkuC,GAAqM,OAAAp1C,EAAA,MAAgBprB,IAAAwgE,GAAY,CAAAluC,EAAAO,GAAA,mBAAAP,EAAA0D,GAAAwqC,EAAAooC,SAAA,mBAAAt2E,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAA0D,GAAAwqC,EAAAx1B,aAAA,sBAA6L,KAAA1Y,EAAAQ,aAAAR,EAAAQ,MAChjI,IFOY,EAa7By1E,GATiB,KAEU,MAYG,SCZ9Bl0E,SAAU,CACRk2C,kBADQ,WACe,OAAOr6D,KAAKia,OAAOC,MAAMC,SAASkgD,mBACzDC,0BAFQ,WAGN,OAAOt6D,KAAKia,OAAOC,MAAMC,SAASmgD,4BAC/Bt6D,KAAKia,OAAOqN,QAAQlK,aAAaypC,SAClC7mD,KAAKia,OAAOC,MAAMC,SAAS6gD,gCEXnC,IAEI29B,GAVJ,SAAoBh+E,GAClBtxB,EAAQ,MAyBKuvG,GAVCvwG,OAAAwyB,GAAA,EAAAxyB,CACdwwG,GCjBQ,WAAgB,IAAAz2E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,WAAsB,CAAAiH,EAAA,0BAAAlH,EAAA,2BAAAkH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,eAAAkH,EAAAO,GAAA,KAAAzH,EAAA,0BAAAkH,EAAAO,GAAA,KAAAzH,EAAA,wBAAAkH,EAAAO,GAAA,KAAAP,EAAA,kBAAAlH,EAAA,kBAAAkH,EAAAQ,MAAA,IAC7G,IDOY,EAa7B+1E,GATiB,KAEU,MAYG,QEIjBG,GA9BY,CACzBpxG,KAAM,iBAAO,CACXwG,OAAO,IAETsmD,QAJyB,WAKvBx0C,KAAK+4F,YAEPx+E,QAAS,CACPw+E,SADO,WACK,IAAAx4F,EAAAP,KACJhP,EAAOgP,KAAKqlB,OAAOvhB,OAAO7C,SAAW,IAAMjB,KAAKqlB,OAAOvhB,OAAOk1F,SACpEh5F,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkB1X,UAAU,CAAEpc,GAAIG,IACrDxD,KAAK,SAACsoG,GACL,GAAIA,EAAa5nG,MACfqS,EAAKrS,OAAQ,MACR,CACLqS,EAAK0Z,OAAO2K,OAAO,cAAe,CAACkxE,IACnC,IAAMjlG,EAAKilG,EAAajlG,GACxB0P,EAAKimB,QAAQv0B,QAAQ,CACnBlD,KAAM,wBACN+U,OAAQ,CAAEjT,WATlB,MAaS,WACL0P,EAAKrS,OAAQ,OChBvB,IAEI+qG,GAVJ,SAAoBt+E,GAClBtxB,EAAQ,MAyBK6vG,GAVC7wG,OAAAwyB,GAAA,EAAAxyB,CACd8wG,GCjBQ,WAAgB,IAAA/2E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,SAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA8GC,YAAA,cAAyB,CAAAD,EAAA,KAAAkH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4CAAA3D,EAAA0D,GAAA1D,EAAAiD,OAAAvhB,OAAA7C,UAAA,IAAAmhB,EAAA0D,GAAA1D,EAAAiD,OAAAvhB,OAAAk1F,UAAA,YAAA52E,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,KAAAkH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,2CAAA3D,EAAAQ,UACxS,IDOY,EAa7Bq2E,GATiB,KAEU,MAYG,QEHjBG,GAAA,SAACt9E,GACd,IAAMu9E,EAA6B,SAACpzE,EAAIwhD,EAAMpsE,GACxCygB,EAAM5B,MAAMtP,MAAMod,YACpB3sB,IAEAA,EAAKygB,EAAM5B,MAAMC,SAASigD,qBAAuB,cAIjDk/B,EAAS,CACX,CAAEvqG,KAAM,OACNg4C,KAAM,IACNgyD,SAAU,SAAAQ,GACR,OAAQz9E,EAAM5B,MAAMtP,MAAMod,YACtBlM,EAAM5B,MAAMC,SAASggD,kBACrBr+C,EAAM5B,MAAMC,SAASigD,sBAAwB,cAGrD,CAAErrE,KAAM,2BAA4Bg4C,KAAM,YAAa0mB,UAAW8wB,IAClE,CAAExvF,KAAM,kBAAmBg4C,KAAM,eAAgB0mB,UAAW0wB,IAC5D,CAAEpvF,KAAM,UAAWg4C,KAAM,gBAAiB0mB,UAAWixB,GAAiB8a,YAAaH,GACnF,CAAEtqG,KAAM,eAAgBg4C,KAAM,YAAa0mB,UAAWoxB,IACtD,CAAE9vF,KAAM,YAAag4C,KAAM,aAAc0mB,UAAWgsC,IACpD,CAAE1qG,KAAM,eAAgBg4C,KAAM,cAAe0mB,UAAWisC,GAAkB/jG,KAAM,CAAEgkG,YAAY,IAC9F,CAAE5qG,KAAM,2BACNg4C,KAAM,wDACN0mB,UAAWqrC,GACXU,YAAaH,GAEf,CAAEtqG,KAAM,sBACNg4C,KAAM,oCACN0mB,UAAWqrC,GACXU,YAAaH,GAEf,CAAEtqG,KAAM,wBAAyBg4C,KAAM,aAAc0mB,UAAWq/B,IAChE,CAAE/9F,KAAM,eAAgBg4C,KAAM,gCAAiC0mB,UAAW6zB,GAAckY,YAAaH,GACrG,CAAEtqG,KAAM,MAAOg4C,KAAM,uBAAwB0mB,UAAWo0B,GAAK2X,YAAaH,GAC1E,CAAEtqG,KAAM,eAAgBg4C,KAAM,gBAAiB0mB,UAAWmsC,IAC1D,CAAE7qG,KAAM,iBAAkBg4C,KAAM,kBAAmB0mB,UAAWosC,GAAe//E,OAAO,GACpF,CAAE/qB,KAAM,qBAAsBg4C,KAAM,uBAAwB0mB,UAAWmsC,IACvE,CAAE7qG,KAAM,kBAAmBg4C,KAAM,mBAAoB0mB,UAAWmlC,GAAgB4G,YAAaH,GAC7F,CAAEtqG,KAAM,gBAAiBg4C,KAAM,2BAA4B0mB,UAAWuyB,GAAewZ,YAAaH,GAClG,CAAEtqG,KAAM,QAASg4C,KAAM,SAAU0mB,UAAWmnC,IAC5C,CAAE7lG,KAAM,aAAcg4C,KAAM,cAAe0mB,UAAWqsC,GAAWhgF,MAAO,iBAAO,CAAE27E,UAAU,KAC3F,CAAE1mG,KAAM,iBAAkBg4C,KAAM,kBAAmB0mB,UAAWssC,GAAejgF,MAAO,SAACmiE,GAAD,MAAY,CAAE90E,KAAM80E,EAAMrkE,MAAMzQ,QACpH,CAAEpY,KAAM,SAAUg4C,KAAM,UAAW0mB,UAAW8gC,GAAQz0E,MAAO,SAACmiE,GAAD,MAAY,CAAErkE,MAAOqkE,EAAMrkE,MAAMA,SAC9F,CAAE7oB,KAAM,gBAAiBg4C,KAAM,iBAAkB0mB,UAAWkoC,GAAa6D,YAAaH,GACtF,CAAEtqG,KAAM,QAASg4C,KAAM,SAAU0mB,UAAW6qC,IAC5C,CAAEvpG,KAAM,eAAgBg4C,KAAM,kBAAmB0mB,UAAWq/B,KAU9D,OAPIhxE,EAAM5B,MAAMC,SAASwM,+BACvB2yE,EAASA,EAAOhjG,OAAO,CACrB,CAAEvH,KAAM,OAAQg4C,KAAM,uCAAwC0mB,UAAWo5B,GAAMlxF,KAAM,CAAEgkG,YAAY,GAASH,YAAaH,GACzH,CAAEtqG,KAAM,QAASg4C,KAAM,yBAA0B0mB,UAAWm2B,GAAUjuF,KAAM,CAAEgkG,YAAY,GAASH,YAAaH,MAI7GC,gOC5ET,IAYeU,GAZG,CAChB71E,wWAAU81E,CAAA,CACRhK,SADM,WACQ,OAAOjwF,KAAKxG,OACvBktB,YAAS,CAAEltB,KAAM,SAAA0gB,GAAK,OAAIA,EAAMtP,MAAMod,gBAE3C3N,WAAY,CACVu6E,YACAh2D,oBACAC,gBCLJ,IAEIq7D,GAVJ,SAAoBv/E,GAClBtxB,EAAQ,MAyBK8wG,GAVC9xG,OAAAwyB,GAAA,EAAAxyB,CACd+xG,GCjBQ,WAAgB,IAAar/E,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,cAAyB,CAAzGnb,KAAyG,SAAAkb,EAAA,OAA2BprB,IAAA,aAAAqrB,YAAA,iCAA6D,CAAAD,EAAA,YAAiBO,MAAA,CAAOioB,UAAzN1jC,KAAyNxG,KAAA3I,GAAAo5B,YAAA,EAAAvC,QAAA,SAAzN1nB,KAAgR2iB,GAAA,KAAAzH,EAAA,sBAAAA,EAAA,aAAuDprB,IAAA,gBAAiB,IAC/V,IDOY,EAa7BoqG,GATiB,KAEU,MAYG,qO5HR5Bz7E,kWAmCQ47E,CAAA,GACL3zE,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,aAClCo0D,YAAa,SAAAliE,GAAK,OAAIA,EAAMC,SAAN,SACtBkiE,WAAY,SAAAniE,GAAK,OAAIA,EAAMC,SAASkiE,4O8HtD1C,IA2Beie,GA3BE,CACft4E,QADe,WAEThiB,KAAKgoB,aAAehoB,KAAKgoB,YAAYnzB,QACvCmL,KAAKia,OAAO+K,SAAS,gCAGzBb,wWAAUo2E,CAAA,CACRC,gBADM,WAEJ,Q9HLG,CACLvxF,QAAW,eACXM,UAAa,gBACbL,IAAO,UACP0yE,kBAAmB,gBACnBC,2BAA4B,WAC5BC,eAAgB,O8HDW97E,KAAKqlB,OAAOt2B,OAEvC0rG,eAJM,WAKJ,OAAIz6F,KAAKia,OAAOC,MAAZ,UAA4Bk+C,aACvBp4D,KAAKia,OAAOC,MAAZ,UAA4Bk+C,aAE9Bp4D,KAAKgoB,YAAc,UAAY,oBAErCtB,YAAS,CACVsB,YAAa,SAAA9N,GAAK,OAAIA,EAAMtP,MAAMod,aAClC0yE,mBAAoB,SAAAxgF,GAAK,OAAIA,EAAMwK,IAAI4oD,eAAeplF,QACtDk0F,YAAa,SAAAliE,GAAK,OAAIA,EAAMC,SAAN,SACtBkiE,WAAY,SAAAniE,GAAK,OAAIA,EAAMC,SAASkiE,YACpC11D,6BAA8B,SAAAzM,GAAK,OAAIA,EAAMC,SAASwM,gCAflD,GAiBHiC,YAAW,CAAC,sBClBnB,IAEI+xE,GAVJ,SAAoBhgF,GAClBtxB,EAAQ,MAyBKuxG,GAVCvyG,OAAAwyB,GAAA,EAAAxyB,CACdwyG,GCjBQ,WAAgB,IAAAz4E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,aAAwB,CAAAD,EAAA,OAAYC,YAAA,uBAAkC,CAAAD,EAAA,MAAAkH,EAAA4F,cAAA5F,EAAAg6D,YAAAlhE,EAAA,MAAAA,EAAA,eAA4EE,MAAAgH,EAAAo4E,iBAAA,qBAAA/+E,MAAA,CAAyDwK,GAAA,CAAMl3B,KAAAqzB,EAAAq4E,kBAA6B,CAAAv/E,EAAA,KAAUC,YAAA,4BAAsCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,MAAAA,EAAA,eAAmIO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,eAAA+U,OAAA,CAAgC7C,SAAAmhB,EAAA4F,YAAAj3B,gBAA4C,CAAAmqB,EAAA,KAAUC,YAAA,8BAAwCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA4F,aAAA5F,EAAAuE,6BAAAzL,EAAA,MAAAA,EAAA,eAA0KO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,QAAA+U,OAAA,CAAyB7C,SAAAmhB,EAAA4F,YAAAj3B,gBAA4C,CAAAqxB,EAAA,gBAAAlH,EAAA,OAAkCC,YAAA,8CAAyD,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAAuyD,iBAAA,kBAAAvyD,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,KAAqGC,YAAA,0BAAoCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA4F,aAAA5F,EAAA4F,YAAAnzB,OAAAqmB,EAAA,MAAAA,EAAA,eAAyJO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,qBAA4B,CAAAmsB,EAAA,KAAUC,YAAA,+BAAyCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAs4E,mBAAA,EAAAx/E,EAAA,QAA2GC,YAAA,8BAAyC,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAAs4E,oBAAA,kBAAAt4E,EAAAQ,QAAA,GAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,MAAAA,EAAA,eAA0IO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,WAAkB,CAAAmsB,EAAA,KAAUC,YAAA,kCAA4CiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAC3sD,IDOY,EAa7B40E,GATiB,KAEU,MAYG,QEKjBG,GA/BG,CAChBpzG,KAAM,iBAAO,CACX8mG,gBAAYhgG,EACZwwB,QAAQ,EACR9wB,OAAO,EACP+2C,SAAS,IAEX9C,MAAO,CACL9c,OAAU,SAAU42D,GACC,WAAfA,EAAMltF,OACRiR,KAAKwuF,WAAavS,EAAMrkE,MAAMA,SAIpC2C,QAAS,CACPwf,KADO,SACDy0D,GACJxuF,KAAKwmB,QAAQp+B,KAAK,CAAE2G,KAAM,SAAU6oB,MAAO,CAAEA,MAAO42E,KACpDxuF,KAAK4f,MAAMgvE,YAAY17C,SAEzB4N,aALO,WAKS,IAAAvgD,EAAAP,KACdA,KAAKgf,QAAUhf,KAAKgf,OACpBhf,KAAKuhB,MAAM,UAAWvhB,KAAKgf,QAC3Bhf,KAAKwhB,UAAU,WACRjhB,EAAKye,QACRze,EAAKqf,MAAMgvE,YAAY17C,aChBjC,IAEI6nD,GAVJ,SAAoBpgF,GAClBtxB,EAAQ,MAyBK2xG,GAVC3yG,OAAAwyB,GAAA,EAAAxyB,CACd4yG,GCjBQ,WAAgB,IAAA74E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAAA,EAAA,OAA2BC,YAAA,wBAAmC,CAAAiH,EAAA,QAAAlH,EAAA,KAAwBC,YAAA,6CAAuDiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,OAAAlH,EAAA,KAA4CO,MAAA,CAAOrxB,KAAA,IAAA0O,MAAAspB,EAAA2D,GAAA,gBAAyC,CAAA7K,EAAA,KAAUC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAA,SAAAa,GAA0E,OAAjDA,EAAA4H,iBAAwB5H,EAAAE,kBAAyBpB,EAAA0+B,aAAAx9B,SAAkC,CAAApI,EAAA,SAAiBqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,WAAAqI,WAAA,eAA8EjI,IAAA,cAAArH,YAAA,mBAAAM,MAAA,CAA0D5qB,GAAA,mBAAA+pC,YAAAxY,EAAA2D,GAAA,cAAAn5B,KAAA,QAAyEw9B,SAAA,CAAW56B,MAAA4yB,EAAA,YAAyBC,GAAA,CAAKitE,MAAA,SAAAhsE,GAAyB,OAAAA,EAAA12B,KAAAknD,QAAA,QAAA1xB,EAAA2xB,GAAAzwB,EAAA0wB,QAAA,WAAA1wB,EAAAxzB,IAAA,SAAsF,KAAesyB,EAAA2X,KAAA3X,EAAAosE,aAAgC9uF,MAAA,SAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAosE,WAAAlrE,EAAAr2B,OAAAuC,WAAqC4yB,EAAAO,GAAA,KAAAzH,EAAA,UAA2BC,YAAA,oBAAAkH,GAAA,CAAoCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA2X,KAAA3X,EAAAosE,eAAkC,CAAAtzE,EAAA,KAAUC,YAAA,kBAA0BiH,EAAAO,GAAA,KAAAzH,EAAA,KAAwBC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAA,SAAAa,GAA0E,OAAjDA,EAAA4H,iBAAwB5H,EAAAE,kBAAyBpB,EAAA0+B,aAAAx9B,SAAkC,MACtzC,IDOY,EAa7By3E,GATiB,KAEU,MAYG,6BEDhC,SAASnF,GAAgBhqE,GACvB,IAAIjoB,EAAcioB,EAAM3R,OAAOC,MAAMtP,MAAMod,YAAYrkB,YACnDA,IACFioB,EAAMsvE,cAAcrsF,QAAQ,SAAAssF,GAC1BA,EAASpsG,KAAO,eAElBgZ,IAAWiN,YAAY,CAAErR,YAAaA,IACnCnW,KAAK,SAAC62C,IA5Bb,SAA0BzY,EAAOyY,GAAO,IAAA9jC,EAAAP,KAChCo7F,EAAWC,KAAQh3D,GAEzBzY,EAAMsvE,cAAcrsF,QAAQ,SAACssF,EAAUp1D,GACrC,IAAIvsC,EAAO4hG,EAASr1D,GAChBga,EAAMvmD,EAAKrH,QAAUoO,EAAK0Z,OAAOC,MAAMC,SAASH,cAChDjrB,EAAOyK,EAAKxI,KAEhBmqG,EAASp7C,IAAMA,EACfo7C,EAASpsG,KAAOA,EAEhB68B,EAAM3R,OAAOC,MAAMwK,IAAIC,kBAAkB1X,UAAU,CAAEpc,GAAI9B,IACtDvB,KAAK,SAACsoG,GACAA,EAAa5nG,QAChB09B,EAAM3R,OAAO2K,OAAO,cAAe,CAACkxE,IACpCqF,EAAStqG,GAAKilG,EAAajlG,QAc7BglG,CAAgBjqE,EAAOyY,MAK/B,IAuCei3D,GAvCU,CACvB5zG,KAAM,iBAAO,CACXwzG,cAAe,KAEjB/2E,SAAU,CACR3qB,KAAM,WACJ,OAAOwG,KAAKia,OAAOC,MAAMtP,MAAMod,YAAYj3B,aAE7C+pE,mBAJQ,WAKN,OAAO96D,KAAKia,OAAOC,MAAMC,SAAS2gD,qBAGtCvgD,QAAS,CACPmP,gBADO,SACU74B,EAAI9B,GACnB,OAAO0qB,aAAoB5oB,EAAI9B,EAAMiR,KAAKia,OAAOC,MAAMC,SAAST,uBAGpEyoB,MAAO,CACL3oC,KAAM,SAAUA,EAAM+hG,GAChBv7F,KAAK86D,oBACP86B,GAAe51F,QAIrBw0C,QACE,WAAY,IAAA1vB,EAAA9kB,KACVA,KAAKk7F,cAAgB,IAAIpwE,MAAM,GAAG0wE,OAAO3pG,IAAI,SAAAsuB,GAAC,MAC5C,CACE4/B,IAAKj7B,EAAK7K,OAAOC,MAAMC,SAASH,cAChCjrB,KAAM,GACN8B,GAAI,KAGJmP,KAAK86D,oBACP86B,GAAe51F,QChEvB,IAEIy7F,GAVJ,SAAoB9gF,GAClBtxB,EAAQ,MAyBKqyG,GAVCrzG,OAAAwyB,GAAA,EAAAxyB,CACdszG,GCjBQ,WAAgB,IAAAv5E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,uBAAkC,CAAAD,EAAA,OAAYC,YAAA,yCAAoD,CAAAD,EAAA,OAAYC,YAAA,2DAAsE,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,gDAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA0GC,YAAA,iBAA4B,CAAAiH,EAAAyY,GAAAzY,EAAA,uBAAA5oB,GAA4C,OAAA0hB,EAAA,KAAeprB,IAAA0J,EAAA3I,GAAAsqB,YAAA,uBAA8C,CAAAD,EAAA,OAAYO,MAAA,CAAOvuB,IAAAsM,EAAAumD,OAAgB39B,EAAAO,GAAA,KAAAzH,EAAA,eAAgCO,MAAA,CAAOwK,GAAA7D,EAAAsH,gBAAAlwB,EAAA3I,GAAA2I,EAAAzK,QAA8C,CAAAqzB,EAAAO,GAAA,eAAAP,EAAA0D,GAAAtsB,EAAAzK,MAAA,gBAAAmsB,EAAA,YAAuEkH,EAAAO,GAAA,KAAAzH,EAAA,KAAsBC,YAAA,sBAAiC,CAAAD,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,mBAA0B,CAAAqzB,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oDAC30B,IDOY,EAa7B01E,GATiB,KAEU,MAYG,QEbhCG,GAAA,CACA9hF,MAAA,CACA6hE,OAAA,CACA/uF,KAAA+N,QACAqoB,SAAA,GAEA64E,aAAA,CACAjvG,KAAA+N,QACAqoB,SAAA,IAGAmB,SAAA,CACAqD,QADA,WAEA,OACAs0E,oBAAA97F,KAAA67F,aACApyE,KAAAzpB,KAAA27E,WCnBA,IAEIogB,GAXJ,SAAoBphF,GAClBtxB,EAAQ,MA0BK2yG,GAVC3zG,OAAAwyB,GAAA,EAAAxyB,CACduzG,GClBQ,WAAgB,IAAAx5E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAAkD,OAAxBoH,EAAAnH,MAAAC,IAAAH,GAAwB,OAAiBwP,WAAA,EAAax7B,KAAA,OAAAy7B,QAAA,SAAAh7B,MAAA4yB,EAAA,OAAAqI,WAAA,UAAoE,CAAE17B,KAAA,mBAAAy7B,QAAA,qBAAAh7B,MAAA4yB,EAAAu5D,SAAAv5D,EAAAy5E,aAAApxE,WAAA,4BAAkItP,YAAA,aAAAC,MAAAgH,EAAAoF,QAAAnF,GAAA,CAAiDI,MAAA,SAAAa,GAAyB,OAAAA,EAAAr2B,SAAAq2B,EAAAC,cAA2C,KAAenB,EAAAb,MAAA,sBAAsC,CAAAa,EAAAM,GAAA,gBACtd,IDQY,EAa7Bq5E,GATiB,KAEU,MAYG,QEvBhC,IAMIE,GAVJ,SAAoBthF,GAClBtxB,EAAQ,MCQV,IAEI6yG,GAXJ,SAAoBvhF,GAClBtxB,EAAQ,mOC8BK8yG,ICUAC,GApCO,CACpB/hF,WAAY,CACVgiF,SACAC,qBDCJ,SAAsCC,EAAgB5jG,GACpD,IAAM6jG,EAAwB,kBAAM,iXAAAC,CAAA,CAClChvC,UAAW8uC,KACR5jG,KAGC+jG,EAAUlvC,IAAImvC,WAAW,CAAE9tG,EAAG2tG,MAEpC,MAAO,CACLI,YAAY,EACZnuC,OAFK,SAEG9hE,EAFHiR,GAEsC,IAAlBlW,EAAkBkW,EAAlBlW,KAAMm4B,EAAYjiB,EAAZiiB,SAO7B,OALAn4B,EAAK26B,GAAK,GACV36B,EAAK26B,GAAGw6E,oBAAsB,WAC5BH,EAAQ7tG,EAAI2tG,KAGP7vG,EAAc+vG,EAAQ7tG,EAAGnH,EAAMm4B,KClBlBs8E,CACpB,kBAAMlyG,QAAA0E,IAAA,CAAAtF,EAAAQ,EAAA,GAAAR,EAAAQ,EAAA,KAAA2D,KAAAnE,EAAA0G,KAAA,YACN,CACEk1C,QHKQ58C,OAAAwyB,GAAA,EAAAxyB,CAZhB,KIJU,WAAgB,IAAa0yB,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,iBAA4B,CAAAD,EAAA,QAAaC,YAAA,gBAA2B,CAAAD,EAAA,KAAUC,YAAA,4BAA9Jnb,KAAoM2iB,GAAA,SAApM3iB,KAAoM8lB,GAApM9lB,KAAoM+lB,GAAA,iCAC3M,IJOY,EAa7Bk2E,GATiB,KAEU,MAYG,QGdxB/tG,MFKQ7F,OAAAwyB,GAAA,EAAAxyB,CIGhB,CACAkyB,QAAA,CACAuiF,MADA,WAEA98F,KAAAuhB,MAAA,0BCvBU,WAAgB,IAAAa,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,yBAAoC,CAAAD,EAAA,OAAAA,EAAA,MAAAkH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAAAkH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA4MC,YAAA,MAAAkH,GAAA,CAAsBI,MAAAL,EAAA06E,QAAmB,CAAA16E,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAChX,ILQY,EAa7Bm2E,GATiB,KAEU,MAYG,QEdxBa,MAAO,KAIbxiF,QAAS,CACPyiF,WADO,WAELh9F,KAAKia,OAAO+K,SAAS,uBAEvBi4E,UAJO,WAKLj9F,KAAKia,OAAO+K,SAAS,6BAGzBb,SAAU,CACR0zC,uBADQ,WAEN,OAAO73D,KAAKia,OAAOC,MAAZ,UAA4BhD,SAAS2gD,wBAE9Cga,eAJQ,WAKN,MAA0D,WAAnD7xE,KAAKia,OAAOC,MAAZ,UAA4Bk0C,oBAErC8uC,gBAPQ,WAQN,OAAOl9F,KAAKia,OAAOC,MAAZ,UAA4By9C,qBAErCwlC,YAVQ,WAWN,MAA0D,cAAnDn9F,KAAKia,OAAOC,MAAZ,UAA4Bk0C,sBI5BzC,IAEIgvC,GAVJ,SAAoBziF,GAClBtxB,EAAQ,MAyBKg0G,GAVCh1G,OAAAwyB,GAAA,EAAAxyB,CACdi1G,GCjBQ,WAAgB,IAAAl7E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,SAAmBC,YAAA,iBAAAC,MAAA,CAAoCmiF,KAAAn7E,EAAA+6E,aAAwB1hF,MAAA,CAAQ+hF,UAAAp7E,EAAAyvD,eAAA4rB,gBAAAr7E,EAAA+6E,cAA8D,CAAAjiF,EAAA,OAAYC,YAAA,8BAAyC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,QAAaC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,cAAqGO,MAAA,CAAO1sB,KAAA,SAAe,CAAAqzB,EAAA,wBAAAA,EAAAy1C,uBAAA,MAAA38C,EAAA,OAA6EC,YAAA,cAAAkH,GAAA,CAA8BI,MAAA,SAAAa,GAAyBA,EAAA4H,oBAA2B,CAAA9I,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAAy1C,uBAAA3pE,MAA6Ok0B,EAAAQ,KAA7O1H,EAAA,OAAqJC,YAAA,oBAAAkH,GAAA,CAAoCI,MAAA,SAAAa,GAAyBA,EAAA4H,oBAA2B,CAAA9I,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAQ,MAAA,GAAAR,EAAAO,GAAA,KAAAzH,EAAA,UAAiIC,YAAA,MAAAkH,GAAA,CAAsBI,MAAAL,EAAA66E,YAAuB,CAAA76E,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,+BAAA3D,EAAAO,GAAA,KAAAzH,EAAA,UAA4FC,YAAA,MAAAkH,GAAA,CAAsBI,MAAAL,EAAA46E,aAAwB,CAAA56E,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,OAA8FC,YAAA,cAAyB,CAAAiH,EAAA,gBAAAlH,EAAA,wBAAAkH,EAAAQ,MAAA,QAC/wC,IDOY,EAa7Bw6E,GATiB,KAEU,MAYG,2BElB1BM,GAAkB,SAAA7zG,GAAC,MAAK,CAACA,EAAE8zG,QAAQ,GAAGC,QAAS/zG,EAAE8zG,QAAQ,GAAGE,UAE5DC,GAAe,SAAAx0E,GAAC,OAAI3sB,KAAKohG,KAAKz0E,EAAE,GAAKA,EAAE,GAAKA,EAAE,GAAKA,EAAE,KAIrD00E,GAAa,SAACC,EAAIC,GAAL,OAAYD,EAAG,GAAKC,EAAG,GAAKD,EAAG,GAAKC,EAAG,IAEpDC,GAAU,SAACF,EAAIC,GACnB,IAAME,EAAUJ,GAAWC,EAAIC,GAAMF,GAAWE,EAAIA,GACpD,MAAO,CAACE,EAASF,EAAG,GAAIE,EAASF,EAAG,KAuDvBG,GAVQ,CACrBC,eA/DqB,EAAE,EAAG,GAgE1BC,gBA/DsB,CAAC,EAAG,GAgE1BC,aA/DmB,CAAC,GAAI,GAgExBC,eA/DqB,CAAC,EAAG,GAgEzBC,aAzCmB,SAACC,EAAWC,GAC/B,MAAO,CACLD,YACAC,UACAC,UAJuF5jG,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAArC,GAKlD6jG,uBALuF7jG,UAAA/S,OAAA,QAAAsG,IAAAyM,UAAA,GAAAA,UAAA,GAAR,EAM/E8jG,UAAW,CAAC,EAAG,GACfC,UAAU,IAmCZC,WA/BiB,SAAClyG,EAAOmyG,GACzBA,EAAQH,UAAYrB,GAAgB3wG,GACpCmyG,EAAQF,UAAW,GA8BnBG,YA3BkB,SAACpyG,EAAOmyG,GAC1B,GAAKA,EAAQF,SAAb,CAEA,IAxCkBI,EAAUC,EAwCtBC,GAxCYF,EAwCOF,EAAQH,UAxCQ,EAAbM,EAwCgB3B,GAAgB3wG,IAxCT,GAAKqyG,EAAS,GAAIC,EAAS,GAAKD,EAAS,KAyC5F,KAAItB,GAAawB,GAASJ,EAAQL,WAE9Bb,GAAWsB,EAAOJ,EAAQP,WAAa,GAA3C,CAEA,IAvCoBr1E,EAuCdi2E,EAAapB,GAAQmB,EAAOJ,EAAQP,WACpCa,EAxCmB,EAALl2E,EAwCmB41E,EAAQP,WAxCnB,IAAKr1E,EAAE,IAyC7Bm2E,EAAuBtB,GAAQmB,EAAOE,GAE1C1B,GAAayB,GAAcL,EAAQJ,uBACnChB,GAAa2B,KAGfP,EAAQN,UACRM,EAAQF,UAAW,OCqCNU,GA3FI,CACjBrlF,WAAY,CACVC,gBACA4lC,qBACAm8C,UAEFl4E,SAAU,CACRw7E,QADQ,WAEN,OAAO3/F,KAAKia,OAAOC,MAAMg3D,YAAYE,WAEvC/nE,MAJQ,WAKN,OAAOrJ,KAAKia,OAAOC,MAAMg3D,YAAY7nE,OAEvC8nE,aAPQ,WAQN,OAAOnxE,KAAKia,OAAOC,MAAMg3D,YAAYC,cAEvCyuB,aAVQ,WAWN,OAAO5/F,KAAKqJ,MAAMrJ,KAAKmxE,eAEzB0uB,YAbQ,WAcN,OAAO7/F,KAAKqJ,MAAMnhB,OAAS,GAE7B0E,KAhBQ,WAiBN,OAAOoT,KAAK4/F,aAAerhF,KAAgBD,SAASte,KAAK4/F,aAAanqG,UAAY,OAGtFusB,QA1BiB,WA2BfhiB,KAAK8/F,uBAAyBzB,GAAeK,aAC3CL,GAAeE,gBACfv+F,KAAK+/F,OACL,IAEF//F,KAAKggG,sBAAwB3B,GAAeK,aAC1CL,GAAeC,eACft+F,KAAKigG,OACL,KAGJ1lF,QAAS,CACP2lF,gBADO,SACUr2G,GACfw0G,GAAeY,WAAWp1G,EAAGmW,KAAK8/F,wBAClCzB,GAAeY,WAAWp1G,EAAGmW,KAAKggG,wBAEpCG,eALO,SAKSt2G,GACdw0G,GAAec,YAAYt1G,EAAGmW,KAAK8/F,wBACnCzB,GAAec,YAAYt1G,EAAGmW,KAAKggG,wBAErCzpC,KATO,WAULv2D,KAAKia,OAAO+K,SAAS,qBAEvB+6E,OAZO,WAaL,GAAI//F,KAAK6/F,YAAa,CACpB,IAAMO,EAAkC,IAAtBpgG,KAAKmxE,aAAqBnxE,KAAKqJ,MAAMnhB,OAAS,EAAK8X,KAAKmxE,aAAe,EACzFnxE,KAAKia,OAAO+K,SAAS,aAAchlB,KAAKqJ,MAAM+2F,MAGlDH,OAlBO,WAmBL,GAAIjgG,KAAK6/F,YAAa,CACpB,IAAMQ,EAAYrgG,KAAKmxE,eAAiBnxE,KAAKqJ,MAAMnhB,OAAS,EAAI,EAAK8X,KAAKmxE,aAAe,EACzFnxE,KAAKia,OAAO+K,SAAS,aAAchlB,KAAKqJ,MAAMg3F,MAGlDC,iBAxBO,SAwBWz2G,GACZmW,KAAK2/F,SAAyB,KAAd91G,EAAEmqD,SACpBh0C,KAAKu2D,QAGTgqC,mBA7BO,SA6Ba12G,GACbmW,KAAK2/F,UAIQ,KAAd91G,EAAEmqD,QACJh0C,KAAKigG,SACkB,KAAdp2G,EAAEmqD,SACXh0C,KAAK+/F,YAIXvrD,QA/EiB,WAgFflkD,OAAOsW,iBAAiB,WAAY5G,KAAKu2D,MACzCpqE,SAASya,iBAAiB,QAAS5G,KAAKsgG,kBACxCn0G,SAASya,iBAAiB,UAAW5G,KAAKugG,qBAE5Ct+E,UApFiB,WAqFf3xB,OAAO4xB,oBAAoB,WAAYliB,KAAKu2D,MAC5CpqE,SAAS+1B,oBAAoB,QAASliB,KAAKsgG,kBAC3Cn0G,SAAS+1B,oBAAoB,UAAWliB,KAAKugG,sBCrFjD,IAEIC,GAVJ,SAAoB7lF,GAClBtxB,EAAQ,MAyBKo3G,GAVCp4G,OAAAwyB,GAAA,EAAAxyB,CACdq4G,GCjBQ,WAAgB,IAAAt+E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,QAAAlH,EAAA,SAAiCC,YAAA,mBAAAkH,GAAA,CAAmCs+E,gBAAAv+E,EAAAm0C,OAA4B,WAAAn0C,EAAAx1B,KAAAsuB,EAAA,OAAmCC,YAAA,cAAAM,MAAA,CAAiCvuB,IAAAk1B,EAAAw9E,aAAA1uG,IAAAwqB,IAAA0G,EAAAw9E,aAAApuG,YAAAsH,MAAAspB,EAAAw9E,aAAApuG,aAAmG6wB,GAAA,CAAKm9B,WAAA,SAAAl8B,GAAuD,OAAzBA,EAAAE,kBAAyBpB,EAAA89E,gBAAA58E,IAAmCs9E,UAAA,SAAAt9E,GAAuD,OAAzBA,EAAAE,kBAAyBpB,EAAA+9E,eAAA78E,IAAkCb,MAAAL,EAAAm0C,QAAmBn0C,EAAAQ,KAAAR,EAAAO,GAAA,eAAAP,EAAAx1B,KAAAsuB,EAAA,mBAAoEC,YAAA,cAAAM,MAAA,CAAiCtf,WAAAimB,EAAAw9E,aAAAp+C,UAAA,KAA+Cp/B,EAAAQ,KAAAR,EAAAO,GAAA,eAAAP,EAAAx1B,KAAAsuB,EAAA,SAA0DC,YAAA,cAAAM,MAAA,CAAiCvuB,IAAAk1B,EAAAw9E,aAAA1uG,IAAAwqB,IAAA0G,EAAAw9E,aAAApuG,YAAAsH,MAAAspB,EAAAw9E,aAAApuG,YAAAgwD,SAAA,MAAkHp/B,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,UAAsDC,YAAA,wDAAAM,MAAA,CAA2E3iB,MAAAspB,EAAA2D,GAAA,yBAAuC1D,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA29E,OAAAz8E,MAA4B,CAAApI,EAAA,KAAUC,YAAA,gCAAwCiH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,UAAwDC,YAAA,wDAAAM,MAAA,CAA2E3iB,MAAAspB,EAAA2D,GAAA,qBAAmC1D,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA69E,OAAA38E,MAA4B,CAAApI,EAAA,KAAUC,YAAA,iCAAyCiH,EAAAQ,MAAA,GAAAR,EAAAQ,MAClgD,IDOY,EAa7B49E,GATiB,KAEU,MAYG,qOErBhC,IA6EeK,GA7EI,CACjB/mF,MAAO,CAAE,UACTpyB,KAAM,iBAAO,CACXo5G,QAAQ,EACRC,kBAAcvyG,IAEhBwzB,QANiB,WAOfhiB,KAAK+gG,aAAe1C,GAAeK,aAAaL,GAAeC,eAAgBt+F,KAAKghG,cAEhFhhG,KAAKgoB,aAAehoB,KAAKgoB,YAAYnzB,QACvCmL,KAAKia,OAAO+K,SAAS,gCAGzB3K,WAAY,CAAEwkB,eACd1a,wWAAU88E,CAAA,CACRj5E,YADM,WAEJ,OAAOhoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAEjCrsB,KAJM,WAII,MAAgD,WAAzCqE,KAAKia,OAAOC,MAAMve,KAAK0zE,QAAQn1D,OAChDomE,oBALM,WAMJ,OAAOtiE,YAA6Bhe,KAAKia,SAE3CinF,yBARM,WASJ,OAAOlhG,KAAKsgF,oBAAoBp4F,QAElC4yE,mBAXM,WAYJ,OAAO96D,KAAKia,OAAOC,MAAMC,SAAS2gD,oBAEpCd,KAdM,WAeJ,OAAOh6D,KAAKia,OAAOC,MAAMC,SAAS6/C,MAEpCF,aAjBM,WAkBJ,OAAO95D,KAAKia,OAAOC,MAAMC,SAAS2/C,cAEpCqnC,SApBM,WAqBJ,OAAOnhG,KAAKia,OAAOC,MAAMC,SAASprB,MAEpC2rG,mBAvBM,WAwBJ,OAAO16F,KAAKia,OAAOC,MAAMwK,IAAI4oD,eAAeplF,QAE9Ck0F,YA1BM,WA2BJ,OAAOp8E,KAAKia,OAAOC,MAAMC,SAAlB,SAETkiE,WA7BM,WA8BJ,OAAOr8E,KAAKia,OAAOC,MAAMC,SAASkiE,YAEpCoe,eAhCM,WAiCJ,OAAIz6F,KAAKia,OAAOC,MAAZ,UAA4Bk+C,aACvBp4D,KAAKia,OAAOC,MAAZ,UAA4Bk+C,aAE9Bp4D,KAAKgoB,YAAc,UAAY,oBAErCtB,YAAS,CACVC,6BAA8B,SAAAzM,GAAK,OAAIA,EAAMC,SAASwM,gCAvClD,GAyCHiC,YAAW,CAAC,qBAEjBrO,QAAS,CACPymF,aADO,WAELhhG,KAAK8gG,QAAU9gG,KAAK8gG,QAEtBM,SAJO,WAKLphG,KAAKwsE,SACLxsE,KAAKghG,gBAEPK,WARO,SAQKx3G,GACVw0G,GAAeY,WAAWp1G,EAAGmW,KAAK+gG,eAEpCO,UAXO,SAWIz3G,GACTw0G,GAAec,YAAYt1G,EAAGmW,KAAK+gG,eAErCnoC,kBAdO,WAeL54D,KAAKia,OAAO+K,SAAS,wBCrE3B,IAEIu8E,GAVJ,SAAoB5mF,GAClBtxB,EAAQ,MAyBKm4G,GAVCn5G,OAAAwyB,GAAA,EAAAxyB,CACdo5G,GCjBQ,WAAgB,IAAAr/E,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,wBAAAC,MAAA,CAA2CsmF,+BAAAt/E,EAAA0+E,OAAAa,8BAAAv/E,EAAA0+E,SAAyF,CAAA5lF,EAAA,OAAYC,YAAA,qBAAAC,MAAA,CAAwCwmF,4BAAAx/E,EAAA0+E,UAA0C1+E,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,cAAAC,MAAA,CAAiCymF,qBAAAz/E,EAAA0+E,QAAiCz+E,GAAA,CAAKm9B,WAAAp9B,EAAAi/E,WAAAT,UAAAx+E,EAAAk/E,YAAuD,CAAApmF,EAAA,OAAYC,YAAA,sBAAAkH,GAAA,CAAsCI,MAAAL,EAAA4+E,eAA0B,CAAA5+E,EAAA,YAAAlH,EAAA,YAAmCO,MAAA,CAAOioB,UAAAthB,EAAA4F,YAAAn3B,GAAAo5B,YAAA,KAA8C/O,EAAA,OAAYC,YAAA,4BAAuC,CAAAD,EAAA,OAAYO,MAAA,CAAOvuB,IAAAk1B,EAAA43C,QAAgB53C,EAAAO,GAAA,KAAAP,EAAA03C,aAAA13C,EAAAQ,KAAA1H,EAAA,QAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA++E,gBAAA,GAAA/+E,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAA4F,YAA4Q5F,EAAAQ,KAA5Q1H,EAAA,MAA4ImH,GAAA,CAAII,MAAAL,EAAA4+E,eAA0B,CAAA9lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,WAAkB,CAAAmsB,EAAA,KAAUC,YAAA,2BAAqCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,oCAAA3D,EAAAO,GAAA,KAAAP,EAAA4F,cAAA5F,EAAAg6D,YAAAlhE,EAAA,MAAmImH,GAAA,CAAII,MAAAL,EAAA4+E,eAA0B,CAAA9lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAAqzB,EAAAq4E,kBAA6B,CAAAv/E,EAAA,KAAUC,YAAA,4BAAsCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,sCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA4F,aAAA5F,EAAAuE,6BAAAzL,EAAA,MAAqJmH,GAAA,CAAII,MAAAL,EAAA4+E,eAA0B,CAAA9lF,EAAA,eAAoB8oB,YAAA,CAAapL,SAAA,YAAsBnd,MAAA,CAAQwK,GAAA,CAAMl3B,KAAA,QAAA+U,OAAA,CAAyB7C,SAAAmhB,EAAA4F,YAAAj3B,gBAA4C,CAAAmqB,EAAA,KAAUC,YAAA,0BAAoCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,8BAAA3D,EAAA,gBAAAlH,EAAA,QAA0FC,YAAA,8CAAyD,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAAuyD,iBAAA,kBAAAvyD,EAAAQ,QAAA,GAAAR,EAAAQ,OAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,MAAAA,EAAA,MAAkJmH,GAAA,CAAII,MAAAL,EAAA4+E,eAA0B,CAAA9lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,eAAA+U,OAAA,CAAgC7C,SAAAmhB,EAAA4F,YAAAj3B,gBAA4C,CAAAmqB,EAAA,KAAUC,YAAA,8BAAwCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAO,GAAA,KAAAP,EAAA4F,YAAA,OAAA9M,EAAA,MAAkHmH,GAAA,CAAII,MAAAL,EAAA4+E,eAA0B,CAAA9lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,qBAAyB,CAAA/K,EAAA,KAAUC,YAAA,+BAAyCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAs4E,mBAAA,EAAAx/E,EAAA,QAA2GC,YAAA,8BAAyC,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAAs4E,oBAAA,kBAAAt4E,EAAAQ,QAAA,GAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,KAAAlH,EAAA,MAAmImH,GAAA,CAAII,MAAAL,EAAA4+E,eAA0B,CAAA9lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,UAAiB,CAAAmsB,EAAA,KAAUC,YAAA,+BAAyCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uCAAA3D,EAAAQ,OAAAR,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,MAAAkH,EAAA4F,cAAA5F,EAAAg6D,YAAAlhE,EAAA,MAA0JmH,GAAA,CAAII,MAAAL,EAAA4+E,eAA0B,CAAA9lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,YAAmB,CAAAmsB,EAAA,KAAUC,YAAA,4BAAsCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA4F,aAAA5F,EAAA04C,mBAAA5/C,EAAA,MAAwImH,GAAA,CAAII,MAAAL,EAAA4+E,eAA0B,CAAA9lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,mBAA0B,CAAAmsB,EAAA,KAAUC,YAAA,+BAAyCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,MAAmGmH,GAAA,CAAII,MAAAL,EAAA4+E,eAA0B,CAAA9lF,EAAA,KAAUO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAAL,EAAAw2C,oBAA+B,CAAA19C,EAAA,KAAUC,YAAA,yBAAmCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,MAAwFmH,GAAA,CAAII,MAAAL,EAAA4+E,eAA0B,CAAA9lF,EAAA,eAAoBO,MAAA,CAAOwK,GAAA,CAAMl3B,KAAA,WAAiB,CAAAmsB,EAAA,KAAUC,YAAA,kCAA4CiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,kCAAA3D,EAAAO,GAAA,KAAAP,EAAA4F,aAAA,UAAA5F,EAAA4F,YAAAt0B,KAAAwnB,EAAA,MAAwImH,GAAA,CAAII,MAAAL,EAAA4+E,eAA0B,CAAA9lF,EAAA,KAAUO,MAAA,CAAOrxB,KAAA,iCAAA6C,OAAA,WAA2D,CAAAiuB,EAAA,KAAUC,YAAA,2BAAqCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,yCAAA3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,MAAoHmH,GAAA,CAAII,MAAAL,EAAA4+E,eAA0B,CAAA9lF,EAAA,KAAUO,MAAA,CAAOrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAAL,EAAAg/E,WAAsB,CAAAlmF,EAAA,KAAUC,YAAA,4BAAsCiH,EAAAO,GAAA,IAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAQ,SAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAAiGC,YAAA,4BAAAC,MAAA,CAA+C0mF,mCAAA1/E,EAAA0+E,QAA+Cz+E,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAA4+E,aAAA19E,UACt+I,IDOY,EAa7Bi+E,GATiB,KAEU,MAYG,4BExB1BQ,GAAmB,IAAIn8F,IAAI,CAC/B,QACA,SA+Fao8F,GA5FgB,CAC7Bt6G,KAD6B,WAE3B,MAAO,CACLs3B,QAAQ,EACRijF,eAAe,EACfC,aAAa,EACbC,aAAc,EACdC,eAAgB,IAGpBpgF,QAV6B,WAWvBhiB,KAAKmnD,4BACPnnD,KAAKqiG,qCAEP/xG,OAAOsW,iBAAiB,SAAU5G,KAAKsiG,YAEzCrgF,UAhB6B,WAiBvBjiB,KAAKmnD,4BACPnnD,KAAKuiG,uCAEPjyG,OAAO4xB,oBAAoB,SAAUliB,KAAKsiG,YAE5Cn+E,SAAU,CACRq+E,WADQ,WAEN,QAASxiG,KAAKia,OAAOC,MAAMtP,MAAMod,aAEnCy6E,SAJQ,WAKN,QAAIV,GAAiBz6F,IAAItH,KAAKqlB,OAAOt2B,OAE9BiR,KAAKmnD,6BAA+BnnD,KAAKgf,QAAUhf,KAAKkiG,cAEjE/6C,2BATQ,WAUN,QAASnnD,KAAKia,OAAOqN,QAAQlK,aAAa+pC,6BAG9ChlB,MAAO,CACLglB,2BAA4B,SAAU2f,GAChCA,EACF9mE,KAAKqiG,qCAELriG,KAAKuiG,yCAIXhoF,QAAS,CACP8nF,mCADO,WAEL/xG,OAAOsW,iBAAiB,SAAU5G,KAAK0iG,mBACvCpyG,OAAOsW,iBAAiB,SAAU5G,KAAK2iG,kBAEzCJ,qCALO,WAMLjyG,OAAO4xB,oBAAoB,SAAUliB,KAAK0iG,mBAC1CpyG,OAAO4xB,oBAAoB,SAAUliB,KAAK2iG,kBAE5CC,aATO,WAUL5iG,KAAKia,OAAO+K,SAAS,wBAEvBs9E,UAZO,WAqBL,IAAMO,EAAavyG,OAAOkwB,WAAa,IACjCsiF,EAAmBD,GAAcvyG,OAAOqwB,YAAc,IAGtDoiF,GADeF,GAAcvyG,OAAOkwB,WAAa,KACdlwB,OAAOqwB,YAAc,IAE5D3gB,KAAKkiG,eADHY,IAAoBC,IAM1BL,kBAAmBxpD,KAAS,WACtB5oD,OAAO4qD,QAAUl7C,KAAKmiG,aACxBniG,KAAKgf,QAAS,EAEdhf,KAAKgf,QAAS,EAEhBhf,KAAKmiG,aAAe7xG,OAAO4qD,SAC1B,IAAK,CAAE8nD,SAAS,EAAMC,UAAU,IAEnCN,gBAAiBzpD,KAAS,WACxBl5C,KAAKgf,QAAS,EACdhf,KAAKmiG,aAAe7xG,OAAO4qD,SAC1B,IAAK,CAAE8nD,SAAS,EAAOC,UAAU,MCvFxC,IAEIC,GAVJ,SAAoBvoF,GAClBtxB,EAAQ,MAyBK85G,GAVC96G,OAAAwyB,GAAA,EAAAxyB,CACd+6G,GCjBQ,WAAgB,IAAaroF,EAAb/a,KAAagb,eAA0BE,EAAvClb,KAAuCib,MAAAC,IAAAH,EAAwB,OAA/D/a,KAA+D,WAAAkb,EAAA,OAAAA,EAAA,UAA+CC,YAAA,oBAAAC,MAAA,CAAuC4D,OAArJhf,KAAqJyiG,UAAyBpgF,GAAA,CAAKI,MAAnLziB,KAAmL4iG,eAA0B,CAAA1nF,EAAA,KAAUC,YAAA,kBAAvNnb,KAA+O4iB,MACtP,IDOY,EAa7BsgF,GATiB,KAEU,MAYG,qOEpBhC,IA+EeG,GA/EG,CAChBhpF,WAAY,CACVwmF,cACA7gB,kBAEFt4F,KAAM,iBAAO,CACX47G,+BAA2B90G,EAC3B+0G,mBAAmB,IAErBvhF,QATgB,WAUdhiB,KAAKsjG,0BAA4BjF,GAAeK,aAC9CL,GAAeE,gBACfv+F,KAAKwjG,yBACL,KAGJr/E,wWAAUs/E,CAAA,CACRz7E,YADM,WAEJ,OAAOhoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAEjCs4D,oBAJM,WAKJ,OAAOtiE,YAA6Bhe,KAAKia,SAE3CinF,yBAPM,WAQJ,OAAOlhG,KAAKsgF,oBAAoBp4F,QAElC4xE,aAVM,WAUY,OAAO95D,KAAKia,OAAOC,MAAMC,SAAS2/C,cACpDqnC,SAXM,WAWQ,OAAOnhG,KAAKia,OAAOC,MAAMC,SAASprB,MAChD20G,OAZM,WAaJ,MAA4B,SAArB1jG,KAAKqlB,OAAOt2B,OAElB65B,YAAW,CAAC,qBAEjBrO,QAAS,CACPopF,oBADO,WAEL3jG,KAAK4f,MAAMgkF,WAAW5C,gBAExB6C,wBAJO,WAKL7jG,KAAKujG,mBAAoB,GAE3BC,yBAPO,WAQDxjG,KAAKujG,oBAGPvjG,KAAKujG,mBAAoB,EACzBvjG,KAAKkV,4BAGT4uF,wBAfO,SAekBj6G,GACvBw0G,GAAeY,WAAWp1G,EAAGmW,KAAKsjG,4BAEpCS,uBAlBO,SAkBiBl6G,GACtBw0G,GAAec,YAAYt1G,EAAGmW,KAAKsjG,4BAErCU,YArBO,WAsBL1zG,OAAOs4F,SAAS,EAAG,IAErBpc,OAxBO,WAyBLxsE,KAAKwmB,QAAQv0B,QAAQ,gBACrB+N,KAAKia,OAAO+K,SAAS,WAEvB9P,wBA5BO,WA6BLlV,KAAK4f,MAAMzW,cAAcw3E,cAE3BtvB,SA/BO,SAAAzzD,GA+B0D,IAAAqmG,EAAArmG,EAArD3Q,OAAqDg3G,EAA3C9oD,UAA2C8oD,EAAhCryC,cAAgCqyC,EAAlB1oD,cAE3Cv7C,KAAK4f,MAAMzW,cAAcy3E,4BAI/Bz+C,MAAO,CACL9c,OADK,WAIHrlB,KAAKwjG,8BCxEX,IAEIU,GAVJ,SAAoBvpF,GAClBtxB,EAAQ,MAyBK86G,GAVC97G,OAAAwyB,GAAA,EAAAxyB,CACd+7G,GCjBQ,WAAgB,IAAAhiF,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAAA,EAAA,OAA2BC,YAAA,oBAAAC,MAAA,CAAuCipF,gBAAAjiF,EAAAshF,QAA8BjoF,MAAA,CAAQ5qB,GAAA,QAAY,CAAAqqB,EAAA,OAAYC,YAAA,mBAAAkH,GAAA,CAAmCI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA4hF,iBAA2B,CAAA9oF,EAAA,OAAYC,YAAA,QAAmB,CAAAD,EAAA,KAAUC,YAAA,oBAAAM,MAAA,CAAuCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAuhF,yBAAmC,CAAAzoF,EAAA,KAAUC,YAAA,0BAAoCiH,EAAAO,GAAA,KAAAP,EAAA,gBAAAlH,EAAA,OAA8CC,YAAA,cAAwBiH,EAAAQ,OAAAR,EAAAO,GAAA,KAAAP,EAAA03C,aAA2I13C,EAAAQ,KAA3I1H,EAAA,eAA+DC,YAAA,YAAAM,MAAA,CAA+BwK,GAAA,CAAMl3B,KAAA,QAAeu1G,eAAA,SAAwB,CAAAliF,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA++E,UAAA,oBAAA/+E,EAAAO,GAAA,KAAAzH,EAAA,OAAgGC,YAAA,cAAyB,CAAAiH,EAAA,YAAAlH,EAAA,KAA4BC,YAAA,oBAAAM,MAAA,CAAuCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAyhF,6BAAuC,CAAA3oF,EAAA,KAAUC,YAAA,8BAAwCiH,EAAAO,GAAA,KAAAP,EAAA,yBAAAlH,EAAA,OAAuDC,YAAA,cAAwBiH,EAAAQ,OAAAR,EAAAQ,WAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,OAAoEC,YAAA,8BAAAC,MAAA,CAAiD0lF,QAAA1+E,EAAAmhF,mBAAmClhF,GAAA,CAAKm9B,WAAA,SAAAl8B,GAAuD,OAAzBA,EAAAE,kBAAyBpB,EAAA0hF,wBAAAxgF,IAA2Cs9E,UAAA,SAAAt9E,GAAuD,OAAzBA,EAAAE,kBAAyBpB,EAAA2hF,uBAAAzgF,MAA4C,CAAApI,EAAA,OAAYC,YAAA,+BAA0C,CAAAD,EAAA,QAAaC,YAAA,SAAoB,CAAAiH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,KAA8EC,YAAA,oBAAAkH,GAAA,CAAoCI,MAAA,SAAAa,GAA0E,OAAjDA,EAAAE,kBAAyBF,EAAA4H,iBAAwB9I,EAAAohF,8BAAwC,CAAAtoF,EAAA,KAAUC,YAAA,gCAAsCiH,EAAAO,GAAA,KAAAzH,EAAA,OAA4BC,YAAA,uBAAAkH,GAAA,CAAuC45B,OAAA75B,EAAAivC,WAAuB,CAAAn2C,EAAA,iBAAsBsH,IAAA,gBAAA/G,MAAA,CAA2B6oB,cAAA,MAAmB,KAAAliB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,cAA8CsH,IAAA,aAAA/G,MAAA,CAAwB+wD,OAAApqD,EAAAoqD,WAAqB,IAC7mE,IDOY,EAa7B03B,GATiB,KAEU,MAYG,8OEpBhC,IAqGeK,GArGY,CACzBlqF,WAAY,CACVyiB,kBACA+mD,UACAtvC,cACA8nD,UAEF30G,KAPyB,WAQvB,MAAO,CACLmvB,QAAS,GACTC,SAAS,EACT0tF,kBAAmB,GACnBC,YAAY,EACZv2G,OAAO,IAGXi2B,SAAU,CACRq+E,WADQ,WAEN,QAASxiG,KAAKia,OAAOC,MAAMtP,MAAMod,aAEnC2zD,OAJQ,WAKN,OAAO37E,KAAKwiG,YAAcxiG,KAAKia,OAAOC,MAAM03D,QAAQC,gBAEtDppE,OAPQ,WAQN,OAAOzI,KAAKia,OAAOC,MAAM03D,QAAQnpE,QAEnCjP,KAVQ,WAWN,OAAOwG,KAAKia,OAAOqN,QAAQC,SAASvnB,KAAKyI,SAE3Ci8F,eAbQ,WAcN,OAAQ1kG,KAAKxG,KAAKvF,UAAY+L,KAAKxG,KAAKzI,YAAYm8D,OAAOltD,KAAKxG,KAAKzI,YAAY+iD,QAAQ,KAAO,IAElGr8B,SAhBQ,WAiBN,OAAOzX,KAAKia,OAAOC,MAAM03D,QAAQn6D,WAGrC0qB,MAAO,CACL15B,OAAQ,cAEV8R,QAAS,CACP01D,WADO,WAGLjwE,KAAK6W,QAAU,GACf7W,KAAK8W,SAAU,EACf9W,KAAKwkG,kBAAoB,GACzBxkG,KAAKykG,YAAa,EAClBzkG,KAAK9R,OAAQ,GAEf8uG,WATO,WAULh9F,KAAKia,OAAO+K,SAAS,4BAEvBtO,WAZO,WAYO,IAAAnW,EAAAP,KACZA,KAAKykG,YAAa,EAClBzkG,KAAK9R,OAAQ,EACb,IAAM4V,EAAS,CACb2E,OAAQzI,KAAKyI,OACboO,QAAS7W,KAAK6W,QACdC,QAAS9W,KAAK8W,QACdF,UAAW5W,KAAKwkG,mBAElBxkG,KAAKia,OAAOC,MAAMwK,IAAIC,kBAAkBjO,0WAAxCiuF,CAAA,GAAwD7gG,IACrDtW,KAAK,WACJ+S,EAAKkkG,YAAa,EAClBlkG,EAAK0vE,aACL1vE,EAAKy8F,eAJT,MAMS,WACLz8F,EAAKkkG,YAAa,EAClBlkG,EAAKrS,OAAQ,KAGnB2zC,WAhCO,WAiCL7hC,KAAK9R,OAAQ,GAEf02G,UAnCO,SAmCI/nE,GACT,OAAqD,IAA9C78B,KAAKwkG,kBAAkB1wD,QAAQjX,IAExCgoE,aAtCO,SAsCOp+D,EAAS5J,GACjB4J,IAAYzmC,KAAK4kG,UAAU/nE,KAI3B4J,EACFzmC,KAAKwkG,kBAAkBp8G,KAAKy0C,GAE5B78B,KAAKwkG,kBAAkBp7G,OAAO4W,KAAKwkG,kBAAkB1wD,QAAQjX,GAAW,KAG5E6X,OAjDO,SAiDC7qD,GACN,IAAMoD,EAASpD,EAAEoD,QAAUpD,EACrBoD,aAAkBqD,OAAOgqD,UAE/BrtD,EAAO41B,MAAMzD,OAAS,OACtBnyB,EAAO41B,MAAMzD,OAAb,GAAA9oB,OAAyBrJ,EAAOsuD,aAAhC,MACqB,KAAjBtuD,EAAOuC,QACTvC,EAAO41B,MAAMzD,OAAS,UC7F9B,IAEI0lF,GAVJ,SAAoBnqF,GAClBtxB,EAAQ,MAyBK07G,GAVC18G,OAAAwyB,GAAA,EAAAxyB,CACd28G,GCjBQ,WAAgB,IAAA5iF,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAA,OAAAlH,EAAA,SAAgCmH,GAAA,CAAIs+E,gBAAAv+E,EAAA46E,aAAkC,CAAA9hF,EAAA,OAAYC,YAAA,8BAAyC,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAD,EAAA,OAAYC,YAAA,SAAoB,CAAAiH,EAAAO,GAAA,aAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,wBAAA3D,EAAA5oB,KAAAzI,eAAA,gBAAAqxB,EAAAO,GAAA,KAAAzH,EAAA,OAA2HC,YAAA,cAAyB,CAAAD,EAAA,OAAYC,YAAA,6BAAwC,CAAAD,EAAA,OAAAA,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,8CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,YAAkHqP,WAAA,EAAax7B,KAAA,QAAAy7B,QAAA,UAAAh7B,MAAA4yB,EAAA,QAAAqI,WAAA,YAAwEtP,YAAA,eAAAM,MAAA,CAAoCmf,YAAAxY,EAAA2D,GAAA,sCAAAq4B,KAAA,KAAsEh0B,SAAA,CAAW56B,MAAA4yB,EAAA,SAAsBC,GAAA,CAAK3iB,MAAA,UAAA4jB,GAA0BA,EAAAr2B,OAAAy9B,YAAsCtI,EAAAvL,QAAAyM,EAAAr2B,OAAAuC,QAAgC4yB,EAAAsyB,aAActyB,EAAAO,GAAA,KAAAP,EAAA5oB,KAAAvF,SAA4OmuB,EAAAQ,KAA5O1H,EAAA,OAAAA,EAAA,KAAAkH,EAAAO,GAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,0CAAA3D,EAAAO,GAAA,KAAAzH,EAAA,YAAiJuiC,MAAA,CAAOjuD,MAAA4yB,EAAA,QAAAs7B,SAAA,SAAAC,GAA6Cv7B,EAAAtL,QAAA6mC,GAAgBlzB,WAAA,YAAuB,CAAArI,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,6BAAA3D,EAAAsiF,kBAAA,sBAAAtiF,EAAAO,GAAA,KAAAzH,EAAA,OAAAA,EAAA,UAA8JC,YAAA,kBAAAM,MAAA,CAAqCqrB,SAAA1kB,EAAAqiF,YAA0BpiF,GAAA,CAAKI,MAAAL,EAAA1L,aAAwB,CAAA0L,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,4CAAA3D,EAAAO,GAAA,KAAAP,EAAA,MAAAlH,EAAA,OAAsHC,YAAA,eAA0B,CAAAiH,EAAAO,GAAA,iBAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mDAAA3D,EAAAQ,SAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA8HC,YAAA,8BAAyC,CAAAD,EAAA,QAAaO,MAAA,CAAOknC,MAAAvgC,EAAA3K,UAAqBgjB,YAAArY,EAAAsY,GAAA,EAAsB5qC,IAAA,OAAA6qC,GAAA,SAAAnY,GACrwD,IAAAqgC,EAAArgC,EAAAqgC,KACA,OAAA3nC,EAAA,OAAkBC,YAAA,4CAAuD,CAAAD,EAAA,UAAeO,MAAA,CAAO6/D,mBAAA,EAAAt6C,SAAA,EAAA3D,UAAAwlB,KAA0DzgC,EAAAO,GAAA,KAAAzH,EAAA,YAA6BO,MAAA,CAAOgrB,QAAArkB,EAAAwiF,UAAA/hD,EAAAhyD,KAAiCwxB,GAAA,CAAKuI,OAAA,SAAA6b,GAA6B,OAAArkB,EAAAyiF,aAAAp+D,EAAAoc,EAAAhyD,SAA+C,OAAQ,uBAAyB,SAAAuxB,EAAAQ,MAC7T,IDKY,EAa7BkiF,GATiB,KAEU,MAYG,QEwBjBG,GA9CS,CACtB5qF,WAAY,CACVukB,oBACAy9D,UAEF30G,KALsB,WAMpB,MAAO,CACLw9G,eAAe,IAGnB/gF,SAAU,CACRq+E,WADQ,WAEN,QAASxiG,KAAKia,OAAOC,MAAMtP,MAAMod,aAEnC6pD,eAJQ,WAKN,OAAO7xE,KAAKia,OAAOC,MAAMjM,WAAW4jE,gBAEtCszB,cAPQ,WAQN,OAAOnlG,KAAKwiG,aAAexiG,KAAKklG,eAAiBllG,KAAK6xE,gBAExD/tE,OAVQ,WAWN,OAAO9D,KAAKia,OAAOC,MAAMjM,WAAWnK,QAAU,KAGlDq+B,MAAO,CACLr+B,OADK,SACG22E,EAAQC,GAAQ,IAAAn6E,EAAAP,KAClB5Q,KAAIqrF,EAAQ,oBAAsBrrF,KAAIsrF,EAAQ,oBAChD16E,KAAKklG,eAAgB,EACrBllG,KAAKwhB,UAAU,WACbjhB,EAAK2kG,eAAgB,MAI3BC,cATK,SASUzoG,GAAK,IAAAooB,EAAA9kB,KACdtD,GACFsD,KAAKwhB,UAAU,kBAAMsD,EAAKxF,KAAOwF,EAAKxF,IAAIknB,cAAc,YAAY0M,YAI1E34B,QAAS,CACPyiF,WADO,WAELh9F,KAAKia,OAAO+K,SAAS,2BCrC3B,IAEIogF,GAVJ,SAAoBzqF,GAClBtxB,EAAQ,MAyBKg8G,GAVCh9G,OAAAwyB,GAAA,EAAAxyB,CACdi9G,GCjBQ,WAAgB,IAAAljF,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAqH,EAAAogF,aAAApgF,EAAA8iF,cAAAhqF,EAAA,SAA0DC,YAAA,uBAAAM,MAAA,CAA0C+hF,UAAAp7E,EAAAyvD,gBAA6BxvD,GAAA,CAAKs+E,gBAAAv+E,EAAA46E,aAAkC,CAAA9hF,EAAA,OAAYC,YAAA,+BAA0C,CAAAD,EAAA,OAAYC,YAAA,iBAA4B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,uCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,iBAAAkH,EAAAmjF,GAAA,CAAiHpqF,YAAA,aAAAkH,GAAA,CAA6B2iB,OAAA5iB,EAAA46E,aAAyB,iBAAA56E,EAAAte,QAAA,UAAAse,EAAAQ,MACnf,IDOY,EAa7BwiF,GATiB,KAEU,MAYG,QEZjBI,GAbU,CACvBrhF,SAAU,CACRshF,QADQ,WAEN,OAAOzlG,KAAKia,OAAOC,MAAZ,UAA4Bg+C,gBAGvC39C,QAAS,CACPmrF,YADO,SACMjrG,GACXuF,KAAKia,OAAO+K,SAAS,qBAAsBvqB,MCDjD,IAEIkrG,GAVJ,SAAoBhrF,GAClBtxB,EAAQ,MAyBKu8G,GAVCv9G,OAAAwyB,GAAA,EAAAxyB,CACdw9G,GCjBQ,WAAgB,IAAAzjF,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiBC,YAAA,sBAAiCiH,EAAAyY,GAAAzY,EAAA,iBAAA3nB,EAAAsrC,GAC3I,IAAAqb,EACA,OAAAlmC,EAAA,OAAiBprB,IAAAi2C,EAAA5qB,YAAA,sBAAAC,OAAAgmC,EAAA,GAA6DA,EAAA,UAAA3mD,EAAAquC,QAAA,EAAAsY,IAAgD,CAAAlmC,EAAA,OAAYC,YAAA,kBAA6B,CAAAiH,EAAAO,GAAA,WAAAP,EAAA0D,GAAA1D,EAAA2D,GAAAtrB,EAAA4+D,WAAA5+D,EAAA8+D,cAAA,YAAAn3C,EAAAO,GAAA,KAAAzH,EAAA,KAA0GC,YAAA,0BAAAkH,GAAA,CAA0CI,MAAA,SAAAa,GAAyB,OAAAlB,EAAAsjF,YAAAjrG,WAAqC,IACtW,IDKY,EAa7BkrG,GATiB,KAEU,MAYG,QEzBnBG,GAAc,kBACzBx1G,OAAOkwB,YACPr0B,SAAS2sF,gBAAgBC,aACzB5sF,SAAS2T,KAAKi5E,aCcDgtB,GAAA,CACbh3G,KAAM,MACNsrB,WAAY,CACV2/E,aACAM,YACAta,iBACA8a,aACA5E,yBACAG,iBACAiF,oBACAxB,aACA4F,cACAmB,cACAmB,0BACAqB,aACAjH,iBACAmI,sBACAU,mBACAO,qBAEF99G,KAAM,iBAAO,CACXs+G,kBAAmB,WACnBC,iBAAiB,EACjBC,aAAc51G,OAAO0nE,KAAO1nE,OAAO0nE,IAAIC,WACrC3nE,OAAO0nE,IAAIC,SAAS,YAAa,YAC/B3nE,OAAO0nE,IAAIC,SAAS,oBAAqB,YACzC3nE,OAAO0nE,IAAIC,SAAS,iBAAkB,YACtC3nE,OAAO0nE,IAAIC,SAAS,gBAAiB,YACrC3nE,OAAO0nE,IAAIC,SAAS,eAAgB,cAG1Cj2C,QA/Ba,WAiCX,IAAMtlB,EAAMsD,KAAKia,OAAOqN,QAAQlK,aAAamqC,kBAC7CvnD,KAAKia,OAAO+K,SAAS,YAAa,CAAEj2B,KAAM,oBAAqBS,MAAOkN,IACtEpM,OAAOsW,iBAAiB,SAAU5G,KAAKmmG,oBAEzClkF,UArCa,WAsCX3xB,OAAO4xB,oBAAoB,SAAUliB,KAAKmmG,oBAE5ChiF,SAAU,CACR6D,YADQ,WACS,OAAOhoB,KAAKia,OAAOC,MAAMtP,MAAMod,aAChDpV,WAFQ,WAGN,OAAO5S,KAAKgoB,YAAYp1B,kBAAoBoN,KAAKia,OAAOC,MAAMC,SAASvH,YAEzEwzF,WALQ,WAKQ,OAAOpmG,KAAKkmG,cAAgBlmG,KAAKia,OAAOC,MAAMC,SAAS+/C,UACvEmsC,UANQ,WAON,MAAO,CACL/sG,WAAc0G,KAAKomG,WAAa,SAAW,YAG/CE,cAXQ,WAYN,OAAOtmG,KAAKomG,WAAa,CACvBG,aAAA,OAAAjwG,OAAqB0J,KAAKia,OAAOC,MAAMC,SAAS6/C,KAAhD,MACE,CACFwsC,mBAAoBxmG,KAAKomG,WAAa,GAAK,gBAG/CK,YAlBQ,WAmBN,OAAOp+G,OAAOgX,OAAO,CACnByf,OAAA,GAAAxoB,OAAa0J,KAAKia,OAAOC,MAAMC,SAAS8/C,WAAxC,MACAx7D,QAASuB,KAAKimG,gBAAkB,EAAI,GACnCjmG,KAAKomG,WAAa,GAAK,CACxBI,mBAAoBxmG,KAAKomG,WAAa,GAAK,iBAG/CpsC,KA1BQ,WA0BE,OAAOh6D,KAAKia,OAAOC,MAAMC,SAAS6/C,MAC5C0sC,QA3BQ,WA4BN,MAAO,CACLC,mBAAA,OAAArwG,OAA2B0J,KAAK4S,WAAhC,OAGJg0F,WAhCQ,WAiCN,MAAO,CACLC,0BAAA,OAAAvwG,OAAkC0J,KAAK4S,WAAvC,OAGJuuF,SArCQ,WAqCM,OAAOnhG,KAAKia,OAAOC,MAAMC,SAASprB,MAChD4M,KAtCQ,WAsCE,MAAgD,WAAzCqE,KAAKia,OAAOC,MAAMve,KAAK0zE,QAAQn1D,OAChD4/C,aAvCQ,WAuCU,OAAO95D,KAAKia,OAAOC,MAAMC,SAAS2/C,cACpDgB,mBAxCQ,WAwCgB,OAAO96D,KAAKia,OAAOC,MAAMC,SAAS2gD,oBAC1DR,0BAzCQ,WA0CN,OAAOt6D,KAAKia,OAAOC,MAAMC,SAASmgD,4BAC/Bt6D,KAAKia,OAAOqN,QAAQlK,aAAaypC,SAClC7mD,KAAKia,OAAOC,MAAMC,SAAS6gD,8BAE/BX,kBA9CQ,WA8Ce,OAAOr6D,KAAKia,OAAOC,MAAMC,SAASkgD,mBACzDysC,eA/CQ,WA+CY,OAAO9mG,KAAKia,OAAOC,MAAZ,UAA4B69B,cACvDqkC,YAhDQ,WAgDS,OAAOp8E,KAAKia,OAAOC,MAAMC,SAAlB,SACxB4sF,aAjDQ,WAkDN,MAAO,CACLC,MAAShnG,KAAKia,OAAOC,MAAMC,SAASogD,aAAe,GAAK,KAI9DhgD,QAAS,CACPypF,YADO,WAEL1zG,OAAOs4F,SAAS,EAAG,IAErBpc,OAJO,WAKLxsE,KAAKwmB,QAAQv0B,QAAQ,gBACrB+N,KAAKia,OAAO+K,SAAS,WAEvBiiF,mBARO,SAQajoF,GAClBhf,KAAKimG,gBAAkBjnF,GAEzB45C,kBAXO,WAYL54D,KAAKia,OAAO+K,SAAS,sBAEvBmhF,kBAdO,WAeL,IAAMpuD,EAAe+tD,MAAiB,IAChC3tC,ED1HV7nE,OAAOqwB,aACPx0B,SAAS2sF,gBAAgBlnB,cACzBzlE,SAAS2T,KAAK8xD,aCyHM7Z,IAAiB/3C,KAAK8mG,gBAEpC9mG,KAAKia,OAAO+K,SAAS,kBAAmB+yB,GAE1C/3C,KAAKia,OAAO+K,SAAS,kBAAmBmzC,MC9H9C,IAEI+uC,GAVJ,SAAoBvsF,GAClBtxB,EAAQ,MAyBK89G,GAVC9+G,OAAAwyB,GAAA,EAAAxyB,CACd09G,GCjBQ,WAAgB,IAAA3jF,EAAApiB,KAAa+a,EAAAqH,EAAApH,eAA0BE,EAAAkH,EAAAnH,MAAAC,IAAAH,EAAwB,OAAAG,EAAA,OAAiB2H,MAAAT,EAAA,WAAA3G,MAAA,CAA8B5qB,GAAA,QAAY,CAAAqqB,EAAA,OAAYC,YAAA,iBAAA0H,MAAAT,EAAA,QAAA3G,MAAA,CAAwD5qB,GAAA,oBAAuBuxB,EAAAO,GAAA,KAAAP,EAAA,eAAAlH,EAAA,aAAAA,EAAA,OAA6DC,YAAA,oBAAAM,MAAA,CAAuC5qB,GAAA,OAAWwxB,GAAA,CAAKI,MAAA,SAAAa,GAAyB,OAAAlB,EAAA4hF,iBAA2B,CAAA9oF,EAAA,OAAYC,YAAA,aAAwB,CAAAD,EAAA,OAAYC,YAAA,OAAA0H,MAAAT,EAAA,aAA2C,CAAAlH,EAAA,OAAYC,YAAA,OAAA0H,MAAAT,EAAA,gBAA6CA,EAAAO,GAAA,KAAAzH,EAAA,OAAwB2H,MAAAT,EAAA,UAAA3G,MAAA,CAA6BvuB,IAAAk1B,EAAA43C,UAAgB53C,EAAAO,GAAA,KAAAzH,EAAA,OAA0BC,YAAA,QAAmB,CAAAiH,EAAA03C,aAAoH13C,EAAAQ,KAApH1H,EAAA,eAAwCC,YAAA,YAAAM,MAAA,CAA+BwK,GAAA,CAAMl3B,KAAA,QAAeu1G,eAAA,SAAwB,CAAAliF,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA++E,UAAA,oBAAA/+E,EAAAO,GAAA,KAAAzH,EAAA,OAAgGC,YAAA,cAAyB,CAAAiH,EAAA4F,cAAA5F,EAAAg6D,YAAAlhE,EAAA,cAAyDC,YAAA,yBAAAkH,GAAA,CAAyC6B,QAAA9B,EAAA6kF,oBAAiCzjE,SAAA,CAAW/gB,MAAA,SAAAa,GAAyBA,EAAAE,sBAA4BpB,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,KAA+BC,YAAA,gBAAAM,MAAA,CAAmCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAkD,OAAzBA,EAAAE,kBAAyBpB,EAAAw2C,kBAAAt1C,MAAuC,CAAApI,EAAA,KAAUC,YAAA,gCAAAM,MAAA,CAAmD3iB,MAAAspB,EAAA2D,GAAA,wBAAmC3D,EAAAO,GAAA,KAAAP,EAAA4F,aAAA,UAAA5F,EAAA4F,YAAAt0B,KAAAwnB,EAAA,KAA8EC,YAAA,gBAAAM,MAAA,CAAmCrxB,KAAA,iCAAA6C,OAAA,WAA2D,CAAAiuB,EAAA,KAAUC,YAAA,kCAAAM,MAAA,CAAqD3iB,MAAAspB,EAAA2D,GAAA,2BAAsC3D,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,KAAmDC,YAAA,gBAAAM,MAAA,CAAmCrxB,KAAA,KAAWi4B,GAAA,CAAKI,MAAA,SAAAa,GAAiD,OAAxBA,EAAA4H,iBAAwB9I,EAAAoqD,OAAAlpD,MAA4B,CAAApI,EAAA,KAAUC,YAAA,mCAAAM,MAAA,CAAsD3iB,MAAAspB,EAAA2D,GAAA,qBAAgC3D,EAAAQ,MAAA,OAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA2CC,YAAA,yCAAmDiH,EAAAO,GAAA,KAAAzH,EAAA,OAAwBC,YAAA,qBAAAM,MAAA,CAAwC5qB,GAAA,YAAgB,CAAAqqB,EAAA,OAAYC,YAAA,+BAAA0H,MAAAT,EAAA,cAAoE,CAAAlH,EAAA,OAAYC,YAAA,kBAA6B,CAAAD,EAAA,OAAYC,YAAA,oBAA+B,CAAAD,EAAA,OAAYC,YAAA,WAAsB,CAAAD,EAAA,cAAAkH,EAAAO,GAAA,KAAAP,EAAA0kF,eAAA1kF,EAAAQ,KAAA1H,EAAA,OAAAA,EAAA,aAAAkH,EAAAO,GAAA,KAAAP,EAAA,0BAAAlH,EAAA,2BAAAkH,EAAAQ,KAAAR,EAAAO,GAAA,MAAAP,EAAA4F,aAAA5F,EAAAi4C,kBAAAn/C,EAAA,kBAAAkH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA4F,aAAA5F,EAAA04C,mBAAA5/C,EAAA,uBAAAkH,EAAAQ,KAAAR,EAAAO,GAAA,KAAAP,EAAA,YAAAlH,EAAA,iBAAAkH,EAAAQ,MAAA,aAAAR,EAAAO,GAAA,KAAAzH,EAAA,OAA2bC,YAAA,QAAmB,CAAAiH,EAAA4F,YAAwJ5F,EAAAQ,KAAxJ1H,EAAA,OAA+BC,YAAA,kCAA6C,CAAAD,EAAA,eAAoBC,YAAA,aAAAM,MAAA,CAAgCwK,GAAA,CAAMl3B,KAAA,WAAkB,CAAAqzB,EAAAO,GAAA,eAAAP,EAAA0D,GAAA1D,EAAA2D,GAAA,mCAAA3D,EAAAO,GAAA,KAAAzH,EAAA,mBAAAkH,EAAAO,GAAA,KAAAzH,EAAA,mBAAAkH,EAAAO,GAAA,KAAAP,EAAA4F,aAAA5F,EAAAzmB,KAAAuf,EAAA,cAAiNC,YAAA,8BAAAM,MAAA,CAAiDg6E,UAAA,KAAiBrzE,EAAAQ,KAAAR,EAAAO,GAAA,KAAAzH,EAAA,0BAAAkH,EAAAO,GAAA,KAAAzH,EAAA,sBAAAkH,EAAAO,GAAA,KAAAzH,EAAA,mBAAAkH,EAAAO,GAAA,KAAAzH,EAAA,iBAAAkH,EAAAO,GAAA,KAAAzH,EAAA,iBAA2LO,MAAA,CAAO1sB,KAAA,WAAgBqzB,EAAAO,GAAA,KAAAzH,EAAA,yBACxyG,IDOY,EAa7BgsF,GATiB,KAEU,MAYG,ukBEhBhC,IAAIE,GAAuB,KAYrBC,GAAmB,SAAC3/G,GACxB,IAAMw/E,EAAUK,KAAK7/E,GACf8kD,EAAQg7B,WAAWC,KAAKlmE,IAAI2lE,GAASr1E,IAAI,SAAC03C,GAAD,OAAUA,EAAKm+B,WAAW,MAEzE,OADa,IAAI4/B,aAAcC,OAAO/6D,IAIlCg7D,GAAe,SAAOx6G,GAAP,IAAAtF,EAAA+/G,EAAAC,EAAA,OAAA78F,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,WACb3T,EAjBDyE,SAASgtF,eAAe,oBAGxBiuB,KACHA,GAAuBnnG,KAAKY,MAAM1U,SAASgtF,eAAe,mBAAmBsf,cAExE2O,IALE,OAiBK1/G,EAAKsF,GAFA,CAAA+d,EAAA1P,KAAA,eAAA0P,EAAA4tC,OAAA,SAGVroD,OAAOmT,MAAMzW,IAHH,cAKby6G,EAAUJ,GAAiB3/G,EAAKsF,IAChC06G,EAAcznG,KAAKY,MAAM4mG,GANZ18F,EAAA4tC,OAAA,SAOZ,CACLp0C,IAAI,EACJD,KAAM,kBAAMojG,GACZnwG,KAAM,kBAAMmwG,KAVK,wBAAA38F,EAAAM,WAcfs8F,GAAoB,SAAA/pG,GAAA,IAAAke,EAAA4/C,EAAAh0E,EAAAkvD,EAAA+iB,EAAA,OAAA9uD,EAAApN,EAAAqN,MAAA,SAAA+wD,GAAA,cAAAA,EAAArgE,KAAAqgE,EAAAxgE,MAAA,cAASygB,EAATle,EAASke,MAAT+/C,EAAArgE,KAAA,EAAAqgE,EAAAxgE,KAAA,EAAAwP,EAAApN,EAAAwN,MAEJu8F,GAAa,qBAFT,YAEhB9rC,EAFgBG,EAAA3wD,MAGd3G,GAHc,CAAAs3D,EAAAxgE,KAAA,gBAAAwgE,EAAAxgE,KAAA,EAAAwP,EAAApN,EAAAwN,MAIDywD,EAAIp3D,QAJH,OAId5c,EAJcm0E,EAAA3wD,KAKd0rC,EAAYlvD,EAAKkgH,eACjBjuC,EAAiBjyE,EAAKgL,QAAQm1G,iBAEpC/rF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,YAAaS,MAAOonD,IAE5D+iB,GACF79C,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,iBAAkBS,MAAOmqE,IAXnDkC,EAAAxgE,KAAA,uBAcbqgE,EAda,QAAAG,EAAAxgE,KAAA,iBAAAwgE,EAAArgE,KAAA,GAAAqgE,EAAAzwD,GAAAywD,EAAA,SAiBtBzrE,QAAQlC,MAAM,qDACdkC,QAAQlC,MAAR2tE,EAAAzwD,IAlBsB,yBAAAywD,EAAAxwD,SAAA,qBAsBpBy8F,GAA2B,SAAAjqG,GAAA,IAAA69D,EAAAh0E,EAAA,OAAAmjB,EAAApN,EAAAqN,MAAA,SAAAsxD,GAAA,cAAAA,EAAA5gE,KAAA4gE,EAAA/gE,MAAA,cAAAwC,EAASie,MAATsgD,EAAA5gE,KAAA,EAAA4gE,EAAA/gE,KAAA,EAAAwP,EAAApN,EAAAwN,MAEX3a,OAAOmT,MAAM,yCAFF,YAEvBi4D,EAFuBU,EAAAlxD,MAGrB3G,GAHqB,CAAA63D,EAAA/gE,KAAA,gBAAA+gE,EAAA/gE,KAAA,EAAAwP,EAAApN,EAAAwN,MAIRywD,EAAIp3D,QAJI,cAIrB5c,EAJqB00E,EAAAlxD,KAAAkxD,EAAAzjB,OAAA,SAKpBjxD,EAAKqgH,YALe,cAOpBrsC,EAPoB,QAAAU,EAAA/gE,KAAA,iBAAA+gE,EAAA5gE,KAAA,GAAA4gE,EAAAhxD,GAAAgxD,EAAA,SAU7BhsE,QAAQlC,MAAM,sEACdkC,QAAQlC,MAARkuE,EAAAhxD,IAX6B,yBAAAgxD,EAAA/wD,SAAA,qBAe3B28F,GAAkB,eAAAtsC,EAAA,OAAA7wD,EAAApN,EAAAqN,MAAA,SAAAm9F,GAAA,cAAAA,EAAAzsG,KAAAysG,EAAA5sG,MAAA,cAAA4sG,EAAAzsG,KAAA,EAAAysG,EAAA5sG,KAAA,EAAAwP,EAAApN,EAAAwN,MAEF3a,OAAOmT,MAAM,wBAFX,YAEdi4D,EAFcusC,EAAA/8F,MAGZ3G,GAHY,CAAA0jG,EAAA5sG,KAAA,eAAA4sG,EAAAtvD,OAAA,SAIX+iB,EAAIp3D,QAJO,aAMXo3D,EANW,OAAAusC,EAAA5sG,KAAA,wBAAA4sG,EAAAzsG,KAAA,GAAAysG,EAAA78F,GAAA68F,EAAA,SASpB73G,QAAQmX,KAAK,6DACbnX,QAAQmX,KAAR0gG,EAAA78F,IAVoB68F,EAAAtvD,OAAA,SAWb,IAXa,yBAAAsvD,EAAA58F,SAAA,qBAelB68F,GAAc,SAAA5pG,GAAA,IAAA6pG,EAAAC,EAAAtsF,EAAAusF,EAAAC,EAAArsF,EAAAssF,EAAA,OAAA19F,EAAApN,EAAAqN,MAAA,SAAA09F,GAAA,cAAAA,EAAAhtG,KAAAgtG,EAAAntG,MAAA,cAAS8sG,EAAT7pG,EAAS6pG,UAAWC,EAApB9pG,EAAoB8pG,aAActsF,EAAlCxd,EAAkCwd,MAC9CusF,EAAY/3G,OAAOm4G,4BAA8B,GACjDH,EAAMh4G,OAAOo4G,kBAAkBC,SAGjC1sF,EAAS,GACTosF,EAAUO,wBAAkC,gBAARN,GACtCl4G,QAAQmX,KAAK,4CACb0U,EAAS5zB,OAAOgX,OAAO,GAAI8oG,EAAWC,IAEtCnsF,EAAS5zB,OAAOgX,OAAO,GAAI+oG,EAAcD,IAGrCI,EAAqB,SAACx5G,GAC1B+sB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,OAAMS,MAAOysB,EAAOltB,OAGzC,mBACnBw5G,EAAmB,cACnBA,EAAmB,iBACnBA,EAAmB,iBACnBA,EAAmB,wBACnBA,EAAmB,QAEnBzsF,EAAMkJ,SAAS,oBAAqB,CAClCj2B,KAAM,WACNS,WAAkC,IAApBysB,EAAOi+C,UAEjBj+C,EAAOi+C,WAGbp+C,EAAMkJ,SAAS,oBAAqB,CAClCj2B,KAAM,aACNS,WAAoC,IAAtBysB,EAAOg+C,WACjB,EACAh+C,EAAOg+C,aAEbn+C,EAAM8I,OAAO,8BAA+B3I,EAAO89C,aAEnDwuC,EAAmB,uBACnBA,EAAmB,qBACnBA,EAAmB,6BACnBA,EAAmB,qBACnBA,EAAmB,kBACnBA,EAAmB,8BACnBA,EAAmB,aACnBA,EAAmB,uBACnBA,EAAmB,mBACnBA,EAAmB,0BACnBA,EAAmB,qBACnBA,EAAmB,gBACnBA,EAAmB,gBAnDDC,EAAA7vD,OAAA,SAqDX78B,EAAMkJ,SAAS,WAAY/I,EAAM,QArDtB,yBAAAusF,EAAAn9F,WAwDdw9F,GAAS,SAAAtqG,GAAA,IAAAud,EAAA4/C,EAAAjzB,EAAA,OAAA59B,EAAApN,EAAAqN,MAAA,SAAAg+F,GAAA,cAAAA,EAAAttG,KAAAstG,EAAAztG,MAAA,cAASygB,EAATvd,EAASud,MAATgtF,EAAAttG,KAAA,EAAAstG,EAAAztG,KAAA,EAAAwP,EAAApN,EAAAwN,MAEO3a,OAAOmT,MAAM,kCAFpB,YAELi4D,EAFKotC,EAAA59F,MAGH3G,GAHG,CAAAukG,EAAAztG,KAAA,gBAAAytG,EAAAztG,KAAA,EAAAwP,EAAApN,EAAAwN,MAIUywD,EAAInkE,QAJd,OAIHkxC,EAJGqgE,EAAA59F,KAKT4Q,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,MAAOS,MAAOi5C,IALjDqgE,EAAAztG,KAAA,uBAOFqgE,EAPE,QAAAotC,EAAAztG,KAAA,iBAAAytG,EAAAttG,KAAA,GAAAstG,EAAA19F,GAAA09F,EAAA,SAUX14G,QAAQmX,KAAK,kBACbnX,QAAQmX,KAARuhG,EAAA19F,IAXW,yBAAA09F,EAAAz9F,SAAA,qBAeT09F,GAAmB,SAAAx2F,GAAA,IAAAuJ,EAAA4/C,EAAAjzB,EAAA,OAAA59B,EAAApN,EAAAqN,MAAA,SAAAk+F,GAAA,cAAAA,EAAAxtG,KAAAwtG,EAAA3tG,MAAA,cAASygB,EAATvJ,EAASuJ,MAATktF,EAAAxtG,KAAA,EAAAwtG,EAAA3tG,KAAA,EAAAwP,EAAApN,EAAAwN,MAEHu8F,GAAa,yBAFV,YAEf9rC,EAFestC,EAAA99F,MAGb3G,GAHa,CAAAykG,EAAA3tG,KAAA,gBAAA2tG,EAAA3tG,KAAA,EAAAwP,EAAApN,EAAAwN,MAIAywD,EAAInkE,QAJJ,OAIbkxC,EAJaugE,EAAA99F,KAKnB4Q,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,+BAAgCS,MAAOi5C,IALhEugE,EAAA3tG,KAAA,uBAOZqgE,EAPY,QAAAstC,EAAA3tG,KAAA,iBAAA2tG,EAAAxtG,KAAA,GAAAwtG,EAAA59F,GAAA49F,EAAA,SAUrB54G,QAAQmX,KAAK,6BACbnX,QAAQmX,KAARyhG,EAAA59F,IAXqB,yBAAA49F,EAAA39F,SAAA,qBAenB49F,GAAc,SAAAn2F,GAAA,IAAAgJ,EAAA4/C,EAAAC,EAAAlJ,EAAA,OAAA5nD,EAAApN,EAAAqN,MAAA,SAAAo+F,GAAA,cAAAA,EAAA1tG,KAAA0tG,EAAA7tG,MAAA,cAASygB,EAAThJ,EAASgJ,MAATotF,EAAA1tG,KAAA,EAAA0tG,EAAA7tG,KAAA,EAAAwP,EAAApN,EAAAwN,MAEE3a,OAAOmT,MAAM,0BAFf,YAEVi4D,EAFUwtC,EAAAh+F,MAGR3G,GAHQ,CAAA2kG,EAAA7tG,KAAA,gBAAA6tG,EAAA7tG,KAAA,EAAAwP,EAAApN,EAAAwN,MAIOywD,EAAIp3D,QAJX,cAIRq3D,EAJQutC,EAAAh+F,KAAAg+F,EAAA7tG,KAAA,GAAAwP,EAAApN,EAAAwN,MAKUhhB,QAAQ0E,IAC9BtG,OAAO6Y,QAAQy6D,GAAQ9pE,IAAI,SAAAmgB,GAAA,IAAArG,EAAA5c,EAAAg4C,EAAAoiE,EAAAxzG,EAAA,OAAAkV,EAAApN,EAAAqN,MAAA,SAAAs+F,GAAA,cAAAA,EAAA5tG,KAAA4tG,EAAA/tG,MAAA,cAAAsQ,EAAAvK,IAAA4Q,EAAA,GAAQjjB,EAAR4c,EAAA,GAAco7B,EAAdp7B,EAAA,GAAAy9F,EAAA/tG,KAAA,EAAAwP,EAAApN,EAAAwN,MACH3a,OAAOmT,MAAMsjC,EAAO,cADjB,UACnBoiE,EADmBC,EAAAl+F,KAErBvV,EAAO,IACPwzG,EAAQ5kG,GAHa,CAAA6kG,EAAA/tG,KAAA,eAAA+tG,EAAA/tG,KAAA,EAAAwP,EAAApN,EAAAwN,MAIVk+F,EAAQ7kG,QAJE,OAIvB3O,EAJuByzG,EAAAl+F,KAAA,cAAAk+F,EAAAzwD,OAAA,SAMlB,CACL0wD,KAAMt6G,EACNg4C,OACApxC,SATuB,yBAAAyzG,EAAA/9F,cANf,QAAA69F,EAAA99F,GAkBN,SAAC3N,EAAGnB,GACV,OAAOmB,EAAE9H,KAAKmD,MAAMwwG,cAAchtG,EAAE3G,KAAKmD,QAdrC25D,EALQy2C,EAAAh+F,KAkBX4S,KAlBWorF,EAAA99F,IAqBd0Q,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,WAAYS,MAAOijE,IArBjDy2C,EAAA7tG,KAAA,uBAuBPqgE,EAvBO,QAAAwtC,EAAA7tG,KAAA,iBAAA6tG,EAAA1tG,KAAA,GAAA0tG,EAAAK,GAAAL,EAAA,SA0BhB94G,QAAQmX,KAAK,uBACbnX,QAAQmX,KAAR2hG,EAAAK,IA3BgB,yBAAAL,EAAA79F,SAAA,qBA+Bdm+F,GAAe,SAAAv9F,GAAA,IAAA6P,EAAA5B,EAAA0K,EAAAihD,EAAA1rD,EAAA,OAAAtP,EAAApN,EAAAqN,MAAA,SAAA2+F,GAAA,cAAAA,EAAAjuG,KAAAiuG,EAAApuG,MAAA,cAASygB,EAAT7P,EAAS6P,MACpB5B,EAAkB4B,EAAlB5B,MAAO0K,EAAW9I,EAAX8I,OACPihD,EAAoB3rD,EAApB2rD,MAAO1rD,EAAaD,EAAbC,SAFIsvF,EAAA9wD,OAAA,SAGZysB,GAAeskC,GAAA,GAAK7jC,EAAN,CAAa1rD,SAAUA,EAASC,OAAQwK,YAC1Dp3B,KAAK,SAACi4E,GAAD,OAASG,GAAe8jC,GAAA,GAAKjkC,EAAN,CAAWtrD,SAAUA,EAASC,YAC1D5sB,KAAK,SAACsF,GACL8xB,EAAO,cAAe9xB,EAAMyS,cAC5Bqf,EAAO,uBAAwB6/C,GAAyB3oD,EAAMwL,QAAQ6+C,gBAPvD,wBAAAsjC,EAAAp+F,WAWfs+F,GAAuB,SAAAv9F,GAAyB,IAAtB0P,EAAsB1P,EAAtB0P,MACxB9K,EAD8C5E,EAAfiK,SACVxkB,IAAI,SAAAoH,GAAG,OAAIA,EAAIiE,MAAM,KAAKosC,QACrDxtB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,gBAAiBS,MAAOwhB,KAGhE44F,GAAc,SAAAt9F,GAAA,IAAAwP,EAAA4/C,EAAAh0E,EAAAmiH,EAAAC,EAAAC,EAAA/0F,EAAAg1F,EAAAC,EAAA9uC,EAAA+uC,EAAApa,EAAAz5E,EAAA,OAAAxL,EAAApN,EAAAqN,MAAA,SAAAq/F,GAAA,cAAAA,EAAA3uG,KAAA2uG,EAAA9uG,MAAA,cAASygB,EAATxP,EAASwP,MAATquF,EAAA3uG,KAAA,EAAA2uG,EAAA9uG,KAAA,EAAAwP,EAAApN,EAAAwN,MAEEu8F,GAAa,uBAFf,YAEV9rC,EAFUyuC,EAAAj/F,MAGR3G,GAHQ,CAAA4lG,EAAA9uG,KAAA,gBAAA8uG,EAAA9uG,KAAA,EAAAwP,EAAApN,EAAAwN,MAIKywD,EAAIp3D,QAJT,OAIR5c,EAJQyiH,EAAAj/F,KAKR2+F,EAAWniH,EAAKmiH,SAChBC,EAAWD,EAASC,SAC1BhuF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,OAAQS,MAAOq6G,EAASO,WACpEtuF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,mBAAoBS,MAAO9H,EAAK2iH,oBAC5EvuF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,sBAAuBS,MAAOs6G,EAAS51G,SAAS,iBAC5F4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,SAAUS,MAAOs6G,EAAS51G,SAAS,sBAC/E4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,gBAAiBS,MAAOs6G,EAAS51G,SAAS,UACtF4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,+BAAgCS,MAAOs6G,EAAS51G,SAAS,2BACrG4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,kBAAmBS,MAAOs6G,EAAS51G,SAAS,YACxF4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,iBAAkBS,MAAOs6G,EAAS51G,SAAS,WACvF4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,aAAcS,MAAOq6G,EAAS13D,aAC1Er2B,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,gBAAiBS,MAAOq6G,EAAS7X,gBAEvE+X,EAAeF,EAASE,aAC9BjuF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,cAAeS,MAAOqL,SAASkvG,EAAaO,WACxFxuF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,cAAeS,MAAOqL,SAASkvG,EAAa53G,UACxF2pB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,kBAAmBS,MAAOqL,SAASkvG,EAAan3F,cAC5FkJ,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,cAAeS,MAAOqL,SAASkvG,EAAar3F,UACxFoJ,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,eAAgBS,MAAOq6G,EAASU,eAE5EzuF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,sBAAuBS,MAAOq6G,EAASnwF,sBACnFoC,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,cAAeS,MAAOq6G,EAAS3yD,cAErEliC,EAAc60F,EAAS70F,YAC7B8G,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,qBAAsBS,MAAOwlB,EAAYw1F,UACrF1uF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,iBAAkBS,MAAOwlB,EAAYy1F,MAE3ET,EAAWtiH,EAAKsiH,SACtBluF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,iBAAkBS,MAAOw6G,EAASU,UAC9E5uF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,iBAAkBS,MAAyB,YAAlBw6G,EAASj7G,OAExEk7G,EAAOJ,EAAQ,QACrB/tF,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,UAAWS,MAAOy6G,IAExD9uC,EAAkB7qE,OAAOi1E,yBAC/BzpD,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,kBAAmBS,MAAO2rE,IAEhE+uC,EAAaL,EAASK,WAE5BpuF,EAAMkJ,SAAS,oBAAqB,CAClCj2B,KAAM,qBACNS,WAA0C,IAA5B06G,EAAWS,cAErBd,EAASK,WAAWS,aAAaz2G,SAAS,eAGhD4nB,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,mBAAoBS,MAAO06G,IACvEpuF,EAAMkJ,SAAS,oBAAqB,CAClCj2B,KAAM,aACNS,WAAqC,IAAvB06G,EAAWM,SAErBN,EAAWM,UAGX1a,EAA4B+Z,EAAS/Z,0BAC3Ch0E,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,4BAA6BS,MAAOsgG,IAE1Ez5E,EAAWwzF,EAAS3S,cAC1ByS,GAAqB,CAAE7tF,QAAOzF,aA/DhB8zF,EAAA9uG,KAAA,uBAiEPqgE,EAjEO,QAAAyuC,EAAA9uG,KAAA,iBAAA8uG,EAAA3uG,KAAA,GAAA2uG,EAAA/+F,GAAA++F,EAAA,SAoEhB/5G,QAAQmX,KAAK,2BACbnX,QAAQmX,KAAR4iG,EAAA/+F,IArEgB,yBAAA++F,EAAA9+F,SAAA,qBAyEdu/F,GAAY,SAAAp+F,GAAA,IAAAsP,EAAA+uF,EAAA1C,EAAAC,EAAA,OAAAv9F,EAAApN,EAAAqN,MAAA,SAAAggG,GAAA,cAAAA,EAAAtvG,KAAAsvG,EAAAzvG,MAAA,cAASygB,EAATtP,EAASsP,MAATgvF,EAAAzvG,KAAA,EAAAwP,EAAApN,EAAAwN,MAEUhhB,QAAQ0E,IAAI,CAACm5G,GAAyB,CAAEhsF,UAAUksF,QAF5D,cAEV6C,EAFUC,EAAA5/F,KAGVi9F,EAAY0C,EAAY,GACxBzC,EAAeyC,EAAY,GAJjBC,EAAAzvG,KAAA,EAAAwP,EAAApN,EAAAwN,MAMVi9F,GAAY,CAAEpsF,QAAOqsF,YAAWC,iBAAgB56G,KAAKg8G,GAAa,CAAE1tF,YAN1D,wBAAAgvF,EAAAz/F,WASZ0/F,GAAkB,SAAAr+F,GAAA,IAAAoP,EAAA,OAAAjR,EAAApN,EAAAqN,MAAA,SAAAkgG,GAAA,cAAAA,EAAAxvG,KAAAwvG,EAAA3vG,MAAA,cAASygB,EAATpP,EAASoP,MAATkvF,EAAAryD,OAAA,SACf,IAAI1uD,QAAQ,SAAOC,EAASC,GAAhB,OAAA0gB,EAAApN,EAAAqN,MAAA,SAAAmgG,GAAA,cAAAA,EAAAzvG,KAAAyvG,EAAA5vG,MAAA,WACbygB,EAAMwL,QAAQ0oD,eADD,CAAAi7B,EAAA5vG,KAAA,eAAA4vG,EAAAzvG,KAAA,EAAAyvG,EAAA5vG,KAAA,EAAAwP,EAAApN,EAAAwN,MAGP6Q,EAAMkJ,SAAS,YAAalJ,EAAMwL,QAAQ0oD,iBAHnC,OAAAi7B,EAAA5vG,KAAA,eAAA4vG,EAAAzvG,KAAA,EAAAyvG,EAAA7/F,GAAA6/F,EAAA,SAKb76G,QAAQlC,MAAR+8G,EAAA7/F,IALa,OAQjBlhB,IARiB,yBAAA+gH,EAAA5/F,SAAA,sBADG,wBAAA2/F,EAAA3/F,WA0ET6/F,GA7DS,SAAAt+F,GAAA,IAAAkP,EAAA2B,EAAA0B,EAAAkpF,EAAAjuF,EAAA+wF,EAAAxkD,EAAAC,EAAA/wB,EAAAu1E,EAAA,OAAAvgG,EAAApN,EAAAqN,MAAA,SAAAugG,GAAA,cAAAA,EAAA7vG,KAAA6vG,EAAAhwG,MAAA,cAASygB,EAATlP,EAASkP,MAAO2B,EAAhB7Q,EAAgB6Q,KAChC0B,EAAQ2mF,KACdhqF,EAAMkJ,SAAS,kBAAmB7F,GAAS,KAErCkpF,EAAY/3G,OAAOm4G,4BAA8B,GACjDruF,OAAsC,IAArBiuF,EAAUp7G,OAA0Bo7G,EAAUp7G,OAASqD,OAAO60E,SAASplD,OAC9FjE,EAAMkJ,SAAS,oBAAqB,CAAEj2B,KAAM,SAAUS,MAAO4qB,IANvCixF,EAAAhwG,KAAA,EAAAwP,EAAApN,EAAAwN,MAQhB2/F,GAAU,CAAE9uF,WARI,cAAAqvF,EAUqBrvF,EAAM5B,MAAM+B,OAA/C0qC,EAVcwkD,EAUdxkD,YAAaC,EAVCukD,EAUDvkD,kBACb/wB,EAAU/Z,EAAM5B,MAAMC,SAAtB0b,MACmB+wB,GAAqBD,EAG1CC,GAAqBA,EAAkBvxB,qBAAuBiX,IAChEzY,YAAW+yB,GAEX/yB,YAAW8yB,GAEJ9wB,GAGTzlC,QAAQlC,MAAM,6BAvBMm9G,EAAAhwG,KAAA,GAAAwP,EAAApN,EAAAwN,MA4BhBhhB,QAAQ0E,IAAI,CAChBo8G,GAAgB,CAAEjvF,UAClBitF,GAAiB,CAAEjtF,UACnB8tF,GAAY,CAAE9tF,UACd6rF,GAAkB,CAAE7rF,aAhCA,eAoCtBA,EAAMkJ,SAAS,cACf6jF,GAAO,CAAE/sF,UACTmtF,GAAY,CAAEntF,UAERsvF,EAAS,IAAIE,IAAU,CAC3B57G,KAAM,UACN4pG,OAAQA,GAAOx9E,GACfyvF,eAAgB,SAACtlF,EAAIulF,EAAOC,GAC1B,OAAIxlF,EAAGylF,QAAQ58F,KAAK,SAAAlgB,GAAC,OAAIA,EAAE+G,KAAKgkG,eAGzB8R,GAAiB,CAAEtrF,EAAG,EAAGC,EAAG,OA/CjBirF,EAAA1yD,OAAA,SAoDf,IAAI6U,IAAI,CACb49C,SACAtvF,QACA2B,OACA86B,GAAI,OACJkW,OAAQ,SAAAC,GAAC,OAAIA,EAAEq3C,QAzDK,yBAAAsF,EAAAhgG,WC9RlBsgG,IAAiBr7G,OAAOurC,UAAUqqB,UAAY,MAAMhpD,MAAM,KAAK,GAErEswD,IAAIo+C,IAAIC,KACRr+C,IAAIo+C,IAAIN,KACR99C,IAAIo+C,IAAIE,MACRt+C,IAAIo+C,IAAIG,MACRv+C,IAAIo+C,IAAII,MACRx+C,IAAIo+C,IAAIK,MACRz+C,IAAIo+C,IlL4BW,SAACp+C,GACdA,EAAIgsB,UAAU,mBAAoBA,MkL3BpC,IAAM/7D,GAAO,IAAIquF,KAAQ,CAEvB55F,OAAQ,KACRg6F,eAAgB,KAChBrmD,SAAUA,KAAQ,UAGpBA,KAASI,YAAYxoC,GAAMkuF,IAE3B,IAQCQ,GAAAC,GAAAC,GAAAvwF,GARKwwF,GAAwB,CAC5B71B,MAAO,CACL,SACA,sBACA,UAIH5rE,EAAApN,EAAAqN,MAAA,SAAAC,GAAA,cAAAA,EAAAvP,KAAAuP,EAAA1P,MAAA,cACK8wG,IAAe,EACbC,GAAU,CAACG,IAFlBxhG,EAAAvP,KAAA,EAAAuP,EAAA1P,KAAA,EAAAwP,EAAApN,EAAAwN,MAIgC8rE,GAAqBu1B,KAJrD,OAISD,GAJTthG,EAAAG,KAKGkhG,GAAQhkH,KAAKikH,IALhBthG,EAAA1P,KAAA,gBAAA0P,EAAAvP,KAAA,EAAAuP,EAAAK,GAAAL,EAAA,SAOG3a,QAAQlC,MAAR6c,EAAAK,IACA+gG,IAAe,EARlB,QAUOrwF,GAAQ,IAAI+vF,IAAKW,MAAM,CAC3B/jH,QAAS,CACPg1B,KAAM,CACJ6J,QAAS,CACP7J,KAAM,kBAAMA,MAGhB6Y,UAAWm2E,EACXtyF,SAAUuyF,EACVj1F,SAAUk1F,GACV/hG,MAAOgiG,GACPloF,IAAKmoF,GACL5wF,OAAQ6wF,IACRnxG,KAAMoxG,GACNlnC,MAAOmnC,GACPC,SAAUC,GACVh8B,YAAai8B,GACb37B,YAAa47B,GACbx7B,QAASy7B,GACTnoE,MAAOooE,GACPr/F,WAAYs/F,GACZj1F,MAAOk1F,IAETpB,WACAqB,QAAQ,IAGNtB,IACFrwF,GAAMkJ,SAAS,mBAAoB,CAAEq0C,WAAY,6BAA8BvwB,MAAO,UAExFoiE,GAAgB,CAAEpvF,SAAO2B,UAxC1B,yBAAA1S,EAAAM,SAAA,mBA6CD/a,OAAOo4G,kBAAoBgF,gCAC3Bp9G,OAAOi1E,yBAA2BooC,aAClCr9G,OAAOm4G,gCAA6BmF","file":"static/js/app.826c44232e0a76bbd9ba.js","sourcesContent":[" \t// install a JSONP callback for chunk loading\n \tfunction webpackJsonpCallback(data) {\n \t\tvar chunkIds = data[0];\n \t\tvar moreModules = data[1];\n \t\tvar executeModules = data[2];\n\n \t\t// add \"moreModules\" to the modules object,\n \t\t// then flag all \"chunkIds\" as loaded and fire callback\n \t\tvar moduleId, chunkId, i = 0, resolves = [];\n \t\tfor(;i < chunkIds.length; i++) {\n \t\t\tchunkId = chunkIds[i];\n \t\t\tif(installedChunks[chunkId]) {\n \t\t\t\tresolves.push(installedChunks[chunkId][0]);\n \t\t\t}\n \t\t\tinstalledChunks[chunkId] = 0;\n \t\t}\n \t\tfor(moduleId in moreModules) {\n \t\t\tif(Object.prototype.hasOwnProperty.call(moreModules, moduleId)) {\n \t\t\t\tmodules[moduleId] = moreModules[moduleId];\n \t\t\t}\n \t\t}\n \t\tif(parentJsonpFunction) parentJsonpFunction(data);\n\n \t\twhile(resolves.length) {\n \t\t\tresolves.shift()();\n \t\t}\n\n \t\t// add entry modules from loaded chunk to deferred list\n \t\tdeferredModules.push.apply(deferredModules, executeModules || []);\n\n \t\t// run deferred modules when all chunks ready\n \t\treturn checkDeferredModules();\n \t};\n \tfunction checkDeferredModules() {\n \t\tvar result;\n \t\tfor(var i = 0; i < deferredModules.length; i++) {\n \t\t\tvar deferredModule = deferredModules[i];\n \t\t\tvar fulfilled = true;\n \t\t\tfor(var j = 1; j < deferredModule.length; j++) {\n \t\t\t\tvar depId = deferredModule[j];\n \t\t\t\tif(installedChunks[depId] !== 0) fulfilled = false;\n \t\t\t}\n \t\t\tif(fulfilled) {\n \t\t\t\tdeferredModules.splice(i--, 1);\n \t\t\t\tresult = __webpack_require__(__webpack_require__.s = deferredModule[0]);\n \t\t\t}\n \t\t}\n\n \t\treturn result;\n \t}\n\n \t// The module cache\n \tvar installedModules = {};\n\n \t// object to store loaded CSS chunks\n \tvar installedCssChunks = {\n \t\t0: 0\n \t}\n\n \t// object to store loaded and loading chunks\n \t// undefined = chunk not loaded, null = chunk preloaded/prefetched\n \t// Promise = chunk loading, 0 = chunk loaded\n \tvar installedChunks = {\n \t\t0: 0\n \t};\n\n \tvar deferredModules = [];\n\n \t// script path function\n \tfunction jsonpScriptSrc(chunkId) {\n \t\treturn __webpack_require__.p + \"static/js/\" + ({}[chunkId]||chunkId) + \".\" + {\"2\":\"e852a6b4b3bba752b838\",\"3\":\"7d21accf4e5bd07e3ebf\",\"4\":\"5719922a4e807145346d\",\"5\":\"cf05c5ddbdbac890ae35\",\"6\":\"ecfd3302a692de148391\",\"7\":\"dd44c3d58fb9dced093d\",\"8\":\"636322a87bb10a1754f8\",\"9\":\"6010dbcce7b4d7c05a18\",\"10\":\"46fbbdfaf0d4800f349b\",\"11\":\"708cc2513c53879a92cc\",\"12\":\"b3bf0bc313861d6ec36b\",\"13\":\"adb8a942514d735722c4\",\"14\":\"d015d9b2ea16407e389c\",\"15\":\"19866e6a366ccf982284\",\"16\":\"38a984effd54736f6a2c\",\"17\":\"9c25507194320db2e85b\",\"18\":\"94946caca48930c224c7\",\"19\":\"233c81ac2c28d55e9f13\",\"20\":\"818c38d27369c3a4d677\",\"21\":\"ce4cda179d888ca6bc2a\",\"22\":\"2ea93c6cc569ef0256ab\",\"23\":\"a57a7845cc20fafd06d1\",\"24\":\"35eb55a657b5485f8491\",\"25\":\"5a9efe20e3ae1352e6d2\",\"26\":\"cf13231d524e5ca3b3e6\",\"27\":\"fca8d4f6e444bd14f376\",\"28\":\"e0f9f164e0bfd890dc61\",\"29\":\"0b69359f0fe5c0785746\",\"30\":\"fce58be0b52ca3e32fa4\"}[chunkId] + \".js\"\n \t}\n\n \t// The require function\n \tfunction __webpack_require__(moduleId) {\n\n \t\t// Check if module is in cache\n \t\tif(installedModules[moduleId]) {\n \t\t\treturn installedModules[moduleId].exports;\n \t\t}\n \t\t// Create a new module (and put it into the cache)\n \t\tvar module = installedModules[moduleId] = {\n \t\t\ti: moduleId,\n \t\t\tl: false,\n \t\t\texports: {}\n \t\t};\n\n \t\t// Execute the module function\n \t\tmodules[moduleId].call(module.exports, module, module.exports, __webpack_require__);\n\n \t\t// Flag the module as loaded\n \t\tmodule.l = true;\n\n \t\t// Return the exports of the module\n \t\treturn module.exports;\n \t}\n\n \t// This file contains only the entry chunk.\n \t// The chunk loading function for additional chunks\n \t__webpack_require__.e = function requireEnsure(chunkId) {\n \t\tvar promises = [];\n\n\n \t\t// mini-css-extract-plugin CSS loading\n \t\tvar cssChunks = {\"2\":1,\"3\":1};\n \t\tif(installedCssChunks[chunkId]) promises.push(installedCssChunks[chunkId]);\n \t\telse if(installedCssChunks[chunkId] !== 0 && cssChunks[chunkId]) {\n \t\t\tpromises.push(installedCssChunks[chunkId] = new Promise(function(resolve, reject) {\n \t\t\t\tvar href = \"static/css/\" + ({}[chunkId]||chunkId) + \".\" + {\"2\":\"0778a6a864a1307a6c41\",\"3\":\"b2603a50868c68a1c192\",\"4\":\"31d6cfe0d16ae931b73c\",\"5\":\"31d6cfe0d16ae931b73c\",\"6\":\"31d6cfe0d16ae931b73c\",\"7\":\"31d6cfe0d16ae931b73c\",\"8\":\"31d6cfe0d16ae931b73c\",\"9\":\"31d6cfe0d16ae931b73c\",\"10\":\"31d6cfe0d16ae931b73c\",\"11\":\"31d6cfe0d16ae931b73c\",\"12\":\"31d6cfe0d16ae931b73c\",\"13\":\"31d6cfe0d16ae931b73c\",\"14\":\"31d6cfe0d16ae931b73c\",\"15\":\"31d6cfe0d16ae931b73c\",\"16\":\"31d6cfe0d16ae931b73c\",\"17\":\"31d6cfe0d16ae931b73c\",\"18\":\"31d6cfe0d16ae931b73c\",\"19\":\"31d6cfe0d16ae931b73c\",\"20\":\"31d6cfe0d16ae931b73c\",\"21\":\"31d6cfe0d16ae931b73c\",\"22\":\"31d6cfe0d16ae931b73c\",\"23\":\"31d6cfe0d16ae931b73c\",\"24\":\"31d6cfe0d16ae931b73c\",\"25\":\"31d6cfe0d16ae931b73c\",\"26\":\"31d6cfe0d16ae931b73c\",\"27\":\"31d6cfe0d16ae931b73c\",\"28\":\"31d6cfe0d16ae931b73c\",\"29\":\"31d6cfe0d16ae931b73c\",\"30\":\"31d6cfe0d16ae931b73c\"}[chunkId] + \".css\";\n \t\t\t\tvar fullhref = __webpack_require__.p + href;\n \t\t\t\tvar existingLinkTags = document.getElementsByTagName(\"link\");\n \t\t\t\tfor(var i = 0; i < existingLinkTags.length; i++) {\n \t\t\t\t\tvar tag = existingLinkTags[i];\n \t\t\t\t\tvar dataHref = tag.getAttribute(\"data-href\") || tag.getAttribute(\"href\");\n \t\t\t\t\tif(tag.rel === \"stylesheet\" && (dataHref === href || dataHref === fullhref)) return resolve();\n \t\t\t\t}\n \t\t\t\tvar existingStyleTags = document.getElementsByTagName(\"style\");\n \t\t\t\tfor(var i = 0; i < existingStyleTags.length; i++) {\n \t\t\t\t\tvar tag = existingStyleTags[i];\n \t\t\t\t\tvar dataHref = tag.getAttribute(\"data-href\");\n \t\t\t\t\tif(dataHref === href || dataHref === fullhref) return resolve();\n \t\t\t\t}\n \t\t\t\tvar linkTag = document.createElement(\"link\");\n \t\t\t\tlinkTag.rel = \"stylesheet\";\n \t\t\t\tlinkTag.type = \"text/css\";\n \t\t\t\tlinkTag.onload = resolve;\n \t\t\t\tlinkTag.onerror = function(event) {\n \t\t\t\t\tvar request = event && event.target && event.target.src || fullhref;\n \t\t\t\t\tvar err = new Error(\"Loading CSS chunk \" + chunkId + \" failed.\\n(\" + request + \")\");\n \t\t\t\t\terr.request = request;\n \t\t\t\t\tdelete installedCssChunks[chunkId]\n \t\t\t\t\tlinkTag.parentNode.removeChild(linkTag)\n \t\t\t\t\treject(err);\n \t\t\t\t};\n \t\t\t\tlinkTag.href = fullhref;\n\n \t\t\t\tvar head = document.getElementsByTagName(\"head\")[0];\n \t\t\t\thead.appendChild(linkTag);\n \t\t\t}).then(function() {\n \t\t\t\tinstalledCssChunks[chunkId] = 0;\n \t\t\t}));\n \t\t}\n\n \t\t// JSONP chunk loading for javascript\n\n \t\tvar installedChunkData = installedChunks[chunkId];\n \t\tif(installedChunkData !== 0) { // 0 means \"already installed\".\n\n \t\t\t// a Promise means \"currently loading\".\n \t\t\tif(installedChunkData) {\n \t\t\t\tpromises.push(installedChunkData[2]);\n \t\t\t} else {\n \t\t\t\t// setup Promise in chunk cache\n \t\t\t\tvar promise = new Promise(function(resolve, reject) {\n \t\t\t\t\tinstalledChunkData = installedChunks[chunkId] = [resolve, reject];\n \t\t\t\t});\n \t\t\t\tpromises.push(installedChunkData[2] = promise);\n\n \t\t\t\t// start chunk loading\n \t\t\t\tvar script = document.createElement('script');\n \t\t\t\tvar onScriptComplete;\n\n \t\t\t\tscript.charset = 'utf-8';\n \t\t\t\tscript.timeout = 120;\n \t\t\t\tif (__webpack_require__.nc) {\n \t\t\t\t\tscript.setAttribute(\"nonce\", __webpack_require__.nc);\n \t\t\t\t}\n \t\t\t\tscript.src = jsonpScriptSrc(chunkId);\n\n \t\t\t\t// create error before stack unwound to get useful stacktrace later\n \t\t\t\tvar error = new Error();\n \t\t\t\tonScriptComplete = function (event) {\n \t\t\t\t\t// avoid mem leaks in IE.\n \t\t\t\t\tscript.onerror = script.onload = null;\n \t\t\t\t\tclearTimeout(timeout);\n \t\t\t\t\tvar chunk = installedChunks[chunkId];\n \t\t\t\t\tif(chunk !== 0) {\n \t\t\t\t\t\tif(chunk) {\n \t\t\t\t\t\t\tvar errorType = event && (event.type === 'load' ? 'missing' : event.type);\n \t\t\t\t\t\t\tvar realSrc = event && event.target && event.target.src;\n \t\t\t\t\t\t\terror.message = 'Loading chunk ' + chunkId + ' failed.\\n(' + errorType + ': ' + realSrc + ')';\n \t\t\t\t\t\t\terror.type = errorType;\n \t\t\t\t\t\t\terror.request = realSrc;\n \t\t\t\t\t\t\tchunk[1](error);\n \t\t\t\t\t\t}\n \t\t\t\t\t\tinstalledChunks[chunkId] = undefined;\n \t\t\t\t\t}\n \t\t\t\t};\n \t\t\t\tvar timeout = setTimeout(function(){\n \t\t\t\t\tonScriptComplete({ type: 'timeout', target: script });\n \t\t\t\t}, 120000);\n \t\t\t\tscript.onerror = script.onload = onScriptComplete;\n \t\t\t\tdocument.head.appendChild(script);\n \t\t\t}\n \t\t}\n \t\treturn Promise.all(promises);\n \t};\n\n \t// expose the modules object (__webpack_modules__)\n \t__webpack_require__.m = modules;\n\n \t// expose the module cache\n \t__webpack_require__.c = installedModules;\n\n \t// define getter function for harmony exports\n \t__webpack_require__.d = function(exports, name, getter) {\n \t\tif(!__webpack_require__.o(exports, name)) {\n \t\t\tObject.defineProperty(exports, name, { enumerable: true, get: getter });\n \t\t}\n \t};\n\n \t// define __esModule on exports\n \t__webpack_require__.r = function(exports) {\n \t\tif(typeof Symbol !== 'undefined' && Symbol.toStringTag) {\n \t\t\tObject.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });\n \t\t}\n \t\tObject.defineProperty(exports, '__esModule', { value: true });\n \t};\n\n \t// create a fake namespace object\n \t// mode & 1: value is a module id, require it\n \t// mode & 2: merge all properties of value into the ns\n \t// mode & 4: return value when already ns object\n \t// mode & 8|1: behave like require\n \t__webpack_require__.t = function(value, mode) {\n \t\tif(mode & 1) value = __webpack_require__(value);\n \t\tif(mode & 8) return value;\n \t\tif((mode & 4) && typeof value === 'object' && value && value.__esModule) return value;\n \t\tvar ns = Object.create(null);\n \t\t__webpack_require__.r(ns);\n \t\tObject.defineProperty(ns, 'default', { enumerable: true, value: value });\n \t\tif(mode & 2 && typeof value != 'string') for(var key in value) __webpack_require__.d(ns, key, function(key) { return value[key]; }.bind(null, key));\n \t\treturn ns;\n \t};\n\n \t// getDefaultExport function for compatibility with non-harmony modules\n \t__webpack_require__.n = function(module) {\n \t\tvar getter = module && module.__esModule ?\n \t\t\tfunction getDefault() { return module['default']; } :\n \t\t\tfunction getModuleExports() { return module; };\n \t\t__webpack_require__.d(getter, 'a', getter);\n \t\treturn getter;\n \t};\n\n \t// Object.prototype.hasOwnProperty.call\n \t__webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); };\n\n \t// __webpack_public_path__\n \t__webpack_require__.p = \"/\";\n\n \t// on error function for async loading\n \t__webpack_require__.oe = function(err) { console.error(err); throw err; };\n\n \tvar jsonpArray = window[\"webpackJsonp\"] = window[\"webpackJsonp\"] || [];\n \tvar oldJsonpFunction = jsonpArray.push.bind(jsonpArray);\n \tjsonpArray.push = webpackJsonpCallback;\n \tjsonpArray = jsonpArray.slice();\n \tfor(var i = 0; i < jsonpArray.length; i++) webpackJsonpCallback(jsonpArray[i]);\n \tvar parentJsonpFunction = oldJsonpFunction;\n\n\n \t// add entry module to deferred list\n \tdeferredModules.push([562,1]);\n \t// run deferred modules when ready\n \treturn checkDeferredModules();\n","import escape from 'escape-html'\nimport parseLinkHeader from 'parse-link-header'\nimport { isStatusNotification } from '../notification_utils/notification_utils.js'\n\nconst qvitterStatusType = (status) => {\n if (status.is_post_verb) {\n return 'status'\n }\n\n if (status.retweeted_status) {\n return 'retweet'\n }\n\n if ((typeof status.uri === 'string' && status.uri.match(/(fave|objectType=Favourite)/)) ||\n (typeof status.text === 'string' && status.text.match(/favorited/))) {\n return 'favorite'\n }\n\n if (status.text.match(/deleted notice {{tag/) || status.qvitter_delete_notice) {\n return 'deletion'\n }\n\n if (status.text.match(/started following/) || status.activity_type === 'follow') {\n return 'follow'\n }\n\n return 'unknown'\n}\n\nexport const parseUser = (data) => {\n const output = {}\n const masto = data.hasOwnProperty('acct')\n // case for users in \"mentions\" property for statuses in MastoAPI\n const mastoShort = masto && !data.hasOwnProperty('avatar')\n\n output.id = String(data.id)\n\n if (masto) {\n output.screen_name = data.acct\n output.statusnet_profile_url = data.url\n\n // There's nothing else to get\n if (mastoShort) {\n return output\n }\n\n output.name = data.display_name\n output.name_html = addEmojis(escape(data.display_name), data.emojis)\n\n output.description = data.note\n output.description_html = addEmojis(data.note, data.emojis)\n\n output.fields = data.fields\n output.fields_html = data.fields.map(field => {\n return {\n name: addEmojis(field.name, data.emojis),\n value: addEmojis(field.value, data.emojis)\n }\n })\n output.fields_text = data.fields.map(field => {\n return {\n name: unescape(field.name.replace(/<[^>]*>/g, '')),\n value: unescape(field.value.replace(/<[^>]*>/g, ''))\n }\n })\n\n // Utilize avatar_static for gif avatars?\n output.profile_image_url = data.avatar\n output.profile_image_url_original = data.avatar\n\n // Same, utilize header_static?\n output.cover_photo = data.header\n\n output.friends_count = data.following_count\n\n output.bot = data.bot\n\n if (data.pleroma) {\n const relationship = data.pleroma.relationship\n\n output.background_image = data.pleroma.background_image\n output.favicon = data.pleroma.favicon\n output.token = data.pleroma.chat_token\n\n if (relationship) {\n output.relationship = relationship\n }\n\n output.allow_following_move = data.pleroma.allow_following_move\n\n output.hide_follows = data.pleroma.hide_follows\n output.hide_followers = data.pleroma.hide_followers\n output.hide_follows_count = data.pleroma.hide_follows_count\n output.hide_followers_count = data.pleroma.hide_followers_count\n\n output.rights = {\n moderator: data.pleroma.is_moderator,\n admin: data.pleroma.is_admin\n }\n // TODO: Clean up in UI? This is duplication from what BE does for qvitterapi\n if (output.rights.admin) {\n output.role = 'admin'\n } else if (output.rights.moderator) {\n output.role = 'moderator'\n } else {\n output.role = 'member'\n }\n }\n\n if (data.source) {\n output.description = data.source.note\n output.default_scope = data.source.privacy\n output.fields = data.source.fields\n if (data.source.pleroma) {\n output.no_rich_text = data.source.pleroma.no_rich_text\n output.show_role = data.source.pleroma.show_role\n output.discoverable = data.source.pleroma.discoverable\n }\n }\n\n // TODO: handle is_local\n output.is_local = !output.screen_name.includes('@')\n } else {\n output.screen_name = data.screen_name\n\n output.name = data.name\n output.name_html = data.name_html\n\n output.description = data.description\n output.description_html = data.description_html\n\n output.profile_image_url = data.profile_image_url\n output.profile_image_url_original = data.profile_image_url_original\n\n output.cover_photo = data.cover_photo\n\n output.friends_count = data.friends_count\n\n // output.bot = ??? missing\n\n output.statusnet_profile_url = data.statusnet_profile_url\n\n output.is_local = data.is_local\n output.role = data.role\n output.show_role = data.show_role\n\n if (data.rights) {\n output.rights = {\n moderator: data.rights.delete_others_notice,\n admin: data.rights.admin\n }\n }\n output.no_rich_text = data.no_rich_text\n output.default_scope = data.default_scope\n output.hide_follows = data.hide_follows\n output.hide_followers = data.hide_followers\n output.hide_follows_count = data.hide_follows_count\n output.hide_followers_count = data.hide_followers_count\n output.background_image = data.background_image\n // Websocket token\n output.token = data.token\n\n // Convert relationsip data to expected format\n output.relationship = {\n muting: data.muted,\n blocking: data.statusnet_blocking,\n followed_by: data.follows_you,\n following: data.following\n }\n }\n\n output.created_at = new Date(data.created_at)\n output.locked = data.locked\n output.followers_count = data.followers_count\n output.statuses_count = data.statuses_count\n output.friendIds = []\n output.followerIds = []\n output.pinnedStatusIds = []\n\n if (data.pleroma) {\n output.follow_request_count = data.pleroma.follow_request_count\n\n output.tags = data.pleroma.tags\n output.deactivated = data.pleroma.deactivated\n\n output.notification_settings = data.pleroma.notification_settings\n output.unread_chat_count = data.pleroma.unread_chat_count\n }\n\n output.tags = output.tags || []\n output.rights = output.rights || {}\n output.notification_settings = output.notification_settings || {}\n\n return output\n}\n\nexport const parseAttachment = (data) => {\n const output = {}\n const masto = !data.hasOwnProperty('oembed')\n\n if (masto) {\n // Not exactly same...\n output.mimetype = data.pleroma ? data.pleroma.mime_type : data.type\n output.meta = data.meta // not present in BE yet\n output.id = data.id\n } else {\n output.mimetype = data.mimetype\n // output.meta = ??? missing\n }\n\n output.url = data.url\n output.large_thumb_url = data.preview_url\n output.description = data.description\n\n return output\n}\nexport const addEmojis = (string, emojis) => {\n const matchOperatorsRegex = /[|\\\\{}()[\\]^$+*?.-]/g\n return emojis.reduce((acc, emoji) => {\n const regexSafeShortCode = emoji.shortcode.replace(matchOperatorsRegex, '\\\\$&')\n return acc.replace(\n new RegExp(`:${regexSafeShortCode}:`, 'g'),\n `<img src='${emoji.url}' alt=':${emoji.shortcode}:' title=':${emoji.shortcode}:' class='emoji' />`\n )\n }, string)\n}\n\nexport const parseStatus = (data) => {\n const output = {}\n const masto = data.hasOwnProperty('account')\n\n if (masto) {\n output.favorited = data.favourited\n output.fave_num = data.favourites_count\n\n output.repeated = data.reblogged\n output.repeat_num = data.reblogs_count\n\n output.bookmarked = data.bookmarked\n\n output.type = data.reblog ? 'retweet' : 'status'\n output.nsfw = data.sensitive\n\n output.statusnet_html = addEmojis(data.content, data.emojis)\n\n output.tags = data.tags\n\n if (data.pleroma) {\n const { pleroma } = data\n output.text = pleroma.content ? data.pleroma.content['text/plain'] : data.content\n output.summary = pleroma.spoiler_text ? data.pleroma.spoiler_text['text/plain'] : data.spoiler_text\n output.statusnet_conversation_id = data.pleroma.conversation_id\n output.is_local = pleroma.local\n output.in_reply_to_screen_name = data.pleroma.in_reply_to_account_acct\n output.thread_muted = pleroma.thread_muted\n output.emoji_reactions = pleroma.emoji_reactions\n output.parent_visible = pleroma.parent_visible === undefined ? true : pleroma.parent_visible\n } else {\n output.text = data.content\n output.summary = data.spoiler_text\n }\n\n output.in_reply_to_status_id = data.in_reply_to_id\n output.in_reply_to_user_id = data.in_reply_to_account_id\n output.replies_count = data.replies_count\n\n if (output.type === 'retweet') {\n output.retweeted_status = parseStatus(data.reblog)\n }\n\n output.summary_html = addEmojis(escape(data.spoiler_text), data.emojis)\n output.external_url = data.url\n output.poll = data.poll\n if (output.poll) {\n output.poll.options = (output.poll.options || []).map(field => ({\n ...field,\n title_html: addEmojis(field.title, data.emojis)\n }))\n }\n output.pinned = data.pinned\n output.muted = data.muted\n } else {\n output.favorited = data.favorited\n output.fave_num = data.fave_num\n\n output.repeated = data.repeated\n output.repeat_num = data.repeat_num\n\n // catchall, temporary\n // Object.assign(output, data)\n\n output.type = qvitterStatusType(data)\n\n if (data.nsfw === undefined) {\n output.nsfw = isNsfw(data)\n if (data.retweeted_status) {\n output.nsfw = data.retweeted_status.nsfw\n }\n } else {\n output.nsfw = data.nsfw\n }\n\n output.statusnet_html = data.statusnet_html\n output.text = data.text\n\n output.in_reply_to_status_id = data.in_reply_to_status_id\n output.in_reply_to_user_id = data.in_reply_to_user_id\n output.in_reply_to_screen_name = data.in_reply_to_screen_name\n output.statusnet_conversation_id = data.statusnet_conversation_id\n\n if (output.type === 'retweet') {\n output.retweeted_status = parseStatus(data.retweeted_status)\n }\n\n output.summary = data.summary\n output.summary_html = data.summary_html\n output.external_url = data.external_url\n output.is_local = data.is_local\n }\n\n output.id = String(data.id)\n output.visibility = data.visibility\n output.card = data.card\n output.created_at = new Date(data.created_at)\n\n // Converting to string, the right way.\n output.in_reply_to_status_id = output.in_reply_to_status_id\n ? String(output.in_reply_to_status_id)\n : null\n output.in_reply_to_user_id = output.in_reply_to_user_id\n ? String(output.in_reply_to_user_id)\n : null\n\n output.user = parseUser(masto ? data.account : data.user)\n\n output.attentions = ((masto ? data.mentions : data.attentions) || []).map(parseUser)\n\n output.attachments = ((masto ? data.media_attachments : data.attachments) || [])\n .map(parseAttachment)\n\n const retweetedStatus = masto ? data.reblog : data.retweeted_status\n if (retweetedStatus) {\n output.retweeted_status = parseStatus(retweetedStatus)\n }\n\n output.favoritedBy = []\n output.rebloggedBy = []\n\n return output\n}\n\nexport const parseNotification = (data) => {\n const mastoDict = {\n 'favourite': 'like',\n 'reblog': 'repeat'\n }\n const masto = !data.hasOwnProperty('ntype')\n const output = {}\n\n if (masto) {\n output.type = mastoDict[data.type] || data.type\n output.seen = data.pleroma.is_seen\n output.status = isStatusNotification(output.type) ? parseStatus(data.status) : null\n output.action = output.status // TODO: Refactor, this is unneeded\n output.target = output.type !== 'move'\n ? null\n : parseUser(data.target)\n output.from_profile = parseUser(data.account)\n output.emoji = data.emoji\n } else {\n const parsedNotice = parseStatus(data.notice)\n output.type = data.ntype\n output.seen = Boolean(data.is_seen)\n output.status = output.type === 'like'\n ? parseStatus(data.notice.favorited_status)\n : parsedNotice\n output.action = parsedNotice\n output.from_profile = output.type === 'pleroma:chat_mention' ? parseUser(data.account) : parseUser(data.from_profile)\n }\n\n output.created_at = new Date(data.created_at)\n output.id = parseInt(data.id)\n\n return output\n}\n\nconst isNsfw = (status) => {\n const nsfwRegex = /#nsfw/i\n return (status.tags || []).includes('nsfw') || !!(status.text || '').match(nsfwRegex)\n}\n\nexport const parseLinkHeaderPagination = (linkHeader, opts = {}) => {\n const flakeId = opts.flakeId\n const parsedLinkHeader = parseLinkHeader(linkHeader)\n if (!parsedLinkHeader) return\n const maxId = parsedLinkHeader.next.max_id\n const minId = parsedLinkHeader.prev.min_id\n\n return {\n maxId: flakeId ? maxId : parseInt(maxId, 10),\n minId: flakeId ? minId : parseInt(minId, 10)\n }\n}\n\nexport const parseChat = (chat) => {\n const output = {}\n output.id = chat.id\n output.account = parseUser(chat.account)\n output.unread = chat.unread\n output.lastMessage = parseChatMessage(chat.last_message)\n output.updated_at = new Date(chat.updated_at)\n return output\n}\n\nexport const parseChatMessage = (message) => {\n if (!message) { return }\n if (message.isNormalized) { return message }\n const output = message\n output.id = message.id\n output.created_at = new Date(message.created_at)\n output.chat_id = message.chat_id\n if (message.content) {\n output.content = addEmojis(message.content, message.emojis)\n } else {\n output.content = ''\n }\n if (message.attachment) {\n output.attachments = [parseAttachment(message.attachment)]\n } else {\n output.attachments = []\n }\n output.isNormalized = true\n return output\n}\n","import { invertLightness, contrastRatio } from 'chromatism'\n\n// useful for visualizing color when debugging\nexport const consoleColor = (color) => console.log('%c##########', 'background: ' + color + '; color: ' + color)\n\n/**\n * Convert r, g, b values into hex notation. All components are [0-255]\n *\n * @param {Number|String|Object} r - Either red component, {r,g,b} object, or hex string\n * @param {Number} [g] - Green component\n * @param {Number} [b] - Blue component\n */\nexport const rgb2hex = (r, g, b) => {\n if (r === null || typeof r === 'undefined') {\n return undefined\n }\n // TODO: clean up this mess\n if (r[0] === '#' || r === 'transparent') {\n return r\n }\n if (typeof r === 'object') {\n ({ r, g, b } = r)\n }\n [r, g, b] = [r, g, b].map(val => {\n val = Math.ceil(val)\n val = val < 0 ? 0 : val\n val = val > 255 ? 255 : val\n return val\n })\n return `#${((1 << 24) + (r << 16) + (g << 8) + b).toString(16).slice(1)}`\n}\n\n/**\n * Converts 8-bit RGB component into linear component\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/#relativeluminancedef\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/relative-luminance.xml\n * https://en.wikipedia.org/wiki/SRGB#The_reverse_transformation\n *\n * @param {Number} bit - color component [0..255]\n * @returns {Number} linear component [0..1]\n */\nconst c2linear = (bit) => {\n // W3C gives 0.03928 while wikipedia states 0.04045\n // what those magical numbers mean - I don't know.\n // something about gamma-correction, i suppose.\n // Sticking with W3C example.\n const c = bit / 255\n if (c < 0.03928) {\n return c / 12.92\n } else {\n return Math.pow((c + 0.055) / 1.055, 2.4)\n }\n}\n\n/**\n * Converts sRGB into linear RGB\n * @param {Object} srgb - sRGB color\n * @returns {Object} linear rgb color\n */\nconst srgbToLinear = (srgb) => {\n return 'rgb'.split('').reduce((acc, c) => { acc[c] = c2linear(srgb[c]); return acc }, {})\n}\n\n/**\n * Calculates relative luminance for given color\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/#relativeluminancedef\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/relative-luminance.xml\n *\n * @param {Object} srgb - sRGB color\n * @returns {Number} relative luminance\n */\nexport const relativeLuminance = (srgb) => {\n const { r, g, b } = srgbToLinear(srgb)\n return 0.2126 * r + 0.7152 * g + 0.0722 * b\n}\n\n/**\n * Generates color ratio between two colors. Order is unimporant\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/#contrast-ratiodef\n *\n * @param {Object} a - sRGB color\n * @param {Object} b - sRGB color\n * @returns {Number} color ratio\n */\nexport const getContrastRatio = (a, b) => {\n const la = relativeLuminance(a)\n const lb = relativeLuminance(b)\n const [l1, l2] = la > lb ? [la, lb] : [lb, la]\n\n return (l1 + 0.05) / (l2 + 0.05)\n}\n\n/**\n * Same as `getContrastRatio` but for multiple layers in-between\n *\n * @param {Object} text - text color (topmost layer)\n * @param {[Object, Number]} layers[] - layers between text and bedrock\n * @param {Object} bedrock - layer at the very bottom\n */\nexport const getContrastRatioLayers = (text, layers, bedrock) => {\n return getContrastRatio(alphaBlendLayers(bedrock, layers), text)\n}\n\n/**\n * This performs alpha blending between solid background and semi-transparent foreground\n *\n * @param {Object} fg - top layer color\n * @param {Number} fga - top layer's alpha\n * @param {Object} bg - bottom layer color\n * @returns {Object} sRGB of resulting color\n */\nexport const alphaBlend = (fg, fga, bg) => {\n if (fga === 1 || typeof fga === 'undefined') return fg\n return 'rgb'.split('').reduce((acc, c) => {\n // Simplified https://en.wikipedia.org/wiki/Alpha_compositing#Alpha_blending\n // for opaque bg and transparent fg\n acc[c] = (fg[c] * fga + bg[c] * (1 - fga))\n return acc\n }, {})\n}\n\n/**\n * Same as `alphaBlend` but for multiple layers in-between\n *\n * @param {Object} bedrock - layer at the very bottom\n * @param {[Object, Number]} layers[] - layers between text and bedrock\n */\nexport const alphaBlendLayers = (bedrock, layers) => layers.reduce((acc, [color, opacity]) => {\n return alphaBlend(color, opacity, acc)\n}, bedrock)\n\nexport const invert = (rgb) => {\n return 'rgb'.split('').reduce((acc, c) => {\n acc[c] = 255 - rgb[c]\n return acc\n }, {})\n}\n\n/**\n * Converts #rrggbb hex notation into an {r, g, b} object\n *\n * @param {String} hex - #rrggbb string\n * @returns {Object} rgb representation of the color, values are 0-255\n */\nexport const hex2rgb = (hex) => {\n const result = /^#?([a-f\\d]{2})([a-f\\d]{2})([a-f\\d]{2})$/i.exec(hex)\n return result ? {\n r: parseInt(result[1], 16),\n g: parseInt(result[2], 16),\n b: parseInt(result[3], 16)\n } : null\n}\n\n/**\n * Old somewhat weird function for mixing two colors together\n *\n * @param {Object} a - one color (rgb)\n * @param {Object} b - other color (rgb)\n * @returns {Object} result\n */\nexport const mixrgb = (a, b) => {\n return 'rgb'.split('').reduce((acc, k) => {\n acc[k] = (a[k] + b[k]) / 2\n return acc\n }, {})\n}\n/**\n * Converts rgb object into a CSS rgba() color\n *\n * @param {Object} color - rgb\n * @returns {String} CSS rgba() color\n */\nexport const rgba2css = function (rgba) {\n return `rgba(${Math.floor(rgba.r)}, ${Math.floor(rgba.g)}, ${Math.floor(rgba.b)}, ${rgba.a})`\n}\n\n/**\n * Get text color for given background color and intended text color\n * This checks if text and background don't have enough color and inverts\n * text color's lightness if needed. If text color is still not enough it\n * will fall back to black or white\n *\n * @param {Object} bg - background color\n * @param {Object} text - intended text color\n * @param {Boolean} preserve - try to preserve intended text color's hue/saturation (i.e. no BW)\n */\nexport const getTextColor = function (bg, text, preserve) {\n const contrast = getContrastRatio(bg, text)\n\n if (contrast < 4.5) {\n const base = typeof text.a !== 'undefined' ? { a: text.a } : {}\n const result = Object.assign(base, invertLightness(text).rgb)\n if (!preserve && getContrastRatio(bg, result) < 4.5) {\n // B&W\n return contrastRatio(bg, text).rgb\n }\n // Inverted color\n return result\n }\n return text\n}\n\n/**\n * Converts color to CSS Color value\n *\n * @param {Object|String} input - color\n * @param {Number} [a] - alpha value\n * @returns {String} a CSS Color value\n */\nexport const getCssColor = (input, a) => {\n let rgb = {}\n if (typeof input === 'object') {\n rgb = input\n } else if (typeof input === 'string') {\n if (input.startsWith('#')) {\n rgb = hex2rgb(input)\n } else {\n return input\n }\n }\n return rgba2css({ ...rgb, a })\n}\n","import { humanizeErrors } from '../../modules/errors'\n\nexport function StatusCodeError (statusCode, body, options, response) {\n this.name = 'StatusCodeError'\n this.statusCode = statusCode\n this.message = statusCode + ' - ' + (JSON && JSON.stringify ? JSON.stringify(body) : body)\n this.error = body // legacy attribute\n this.options = options\n this.response = response\n\n if (Error.captureStackTrace) { // required for non-V8 environments\n Error.captureStackTrace(this)\n }\n}\nStatusCodeError.prototype = Object.create(Error.prototype)\nStatusCodeError.prototype.constructor = StatusCodeError\n\nexport class RegistrationError extends Error {\n constructor (error) {\n super()\n if (Error.captureStackTrace) {\n Error.captureStackTrace(this)\n }\n\n try {\n // the error is probably a JSON object with a single key, \"errors\", whose value is another JSON object containing the real errors\n if (typeof error === 'string') {\n error = JSON.parse(error)\n if (error.hasOwnProperty('error')) {\n error = JSON.parse(error.error)\n }\n }\n\n if (typeof error === 'object') {\n const errorContents = JSON.parse(error.error)\n // keys will have the property that has the error, for example 'ap_id',\n // 'email' or 'captcha', the value will be an array of its error\n // like \"ap_id\": [\"has been taken\"] or \"captcha\": [\"Invalid CAPTCHA\"]\n\n // replace ap_id with username\n if (errorContents.ap_id) {\n errorContents.username = errorContents.ap_id\n delete errorContents.ap_id\n }\n\n this.message = humanizeErrors(errorContents)\n } else {\n this.message = error\n }\n } catch (e) {\n // can't parse it, so just treat it like a string\n this.message = error\n }\n }\n}\n","import { capitalize } from 'lodash'\n\nexport function humanizeErrors (errors) {\n return Object.entries(errors).reduce((errs, [k, val]) => {\n let message = val.reduce((acc, message) => {\n let key = capitalize(k.replace(/_/g, ' '))\n return acc + [key, message].join(' ') + '. '\n }, '')\n return [...errs, message]\n }, [])\n}\n","import { each, map, concat, last, get } from 'lodash'\nimport { parseStatus, parseUser, parseNotification, parseAttachment, parseChat, parseLinkHeaderPagination } from '../entity_normalizer/entity_normalizer.service.js'\nimport { RegistrationError, StatusCodeError } from '../errors/errors'\n\n/* eslint-env browser */\nconst BLOCKS_IMPORT_URL = '/api/pleroma/blocks_import'\nconst FOLLOW_IMPORT_URL = '/api/pleroma/follow_import'\nconst DELETE_ACCOUNT_URL = '/api/pleroma/delete_account'\nconst CHANGE_EMAIL_URL = '/api/pleroma/change_email'\nconst CHANGE_PASSWORD_URL = '/api/pleroma/change_password'\nconst TAG_USER_URL = '/api/pleroma/admin/users/tag'\nconst PERMISSION_GROUP_URL = (screenName, right) => `/api/pleroma/admin/users/${screenName}/permission_group/${right}`\nconst ACTIVATE_USER_URL = '/api/pleroma/admin/users/activate'\nconst DEACTIVATE_USER_URL = '/api/pleroma/admin/users/deactivate'\nconst ADMIN_USERS_URL = '/api/pleroma/admin/users'\nconst SUGGESTIONS_URL = '/api/v1/suggestions'\nconst NOTIFICATION_SETTINGS_URL = '/api/pleroma/notification_settings'\nconst NOTIFICATION_READ_URL = '/api/v1/pleroma/notifications/read'\n\nconst MFA_SETTINGS_URL = '/api/pleroma/accounts/mfa'\nconst MFA_BACKUP_CODES_URL = '/api/pleroma/accounts/mfa/backup_codes'\n\nconst MFA_SETUP_OTP_URL = '/api/pleroma/accounts/mfa/setup/totp'\nconst MFA_CONFIRM_OTP_URL = '/api/pleroma/accounts/mfa/confirm/totp'\nconst MFA_DISABLE_OTP_URL = '/api/pleroma/accounts/mfa/totp'\n\nconst MASTODON_LOGIN_URL = '/api/v1/accounts/verify_credentials'\nconst MASTODON_REGISTRATION_URL = '/api/v1/accounts'\nconst MASTODON_USER_FAVORITES_TIMELINE_URL = '/api/v1/favourites'\nconst MASTODON_USER_NOTIFICATIONS_URL = '/api/v1/notifications'\nconst MASTODON_DISMISS_NOTIFICATION_URL = id => `/api/v1/notifications/${id}/dismiss`\nconst MASTODON_FAVORITE_URL = id => `/api/v1/statuses/${id}/favourite`\nconst MASTODON_UNFAVORITE_URL = id => `/api/v1/statuses/${id}/unfavourite`\nconst MASTODON_RETWEET_URL = id => `/api/v1/statuses/${id}/reblog`\nconst MASTODON_UNRETWEET_URL = id => `/api/v1/statuses/${id}/unreblog`\nconst MASTODON_DELETE_URL = id => `/api/v1/statuses/${id}`\nconst MASTODON_FOLLOW_URL = id => `/api/v1/accounts/${id}/follow`\nconst MASTODON_UNFOLLOW_URL = id => `/api/v1/accounts/${id}/unfollow`\nconst MASTODON_FOLLOWING_URL = id => `/api/v1/accounts/${id}/following`\nconst MASTODON_FOLLOWERS_URL = id => `/api/v1/accounts/${id}/followers`\nconst MASTODON_FOLLOW_REQUESTS_URL = '/api/v1/follow_requests'\nconst MASTODON_APPROVE_USER_URL = id => `/api/v1/follow_requests/${id}/authorize`\nconst MASTODON_DENY_USER_URL = id => `/api/v1/follow_requests/${id}/reject`\nconst MASTODON_DIRECT_MESSAGES_TIMELINE_URL = '/api/v1/timelines/direct'\nconst MASTODON_PUBLIC_TIMELINE = '/api/v1/timelines/public'\nconst MASTODON_USER_HOME_TIMELINE_URL = '/api/v1/timelines/home'\nconst MASTODON_STATUS_URL = id => `/api/v1/statuses/${id}`\nconst MASTODON_STATUS_CONTEXT_URL = id => `/api/v1/statuses/${id}/context`\nconst MASTODON_USER_URL = '/api/v1/accounts'\nconst MASTODON_USER_RELATIONSHIPS_URL = '/api/v1/accounts/relationships'\nconst MASTODON_USER_TIMELINE_URL = id => `/api/v1/accounts/${id}/statuses`\nconst MASTODON_TAG_TIMELINE_URL = tag => `/api/v1/timelines/tag/${tag}`\nconst MASTODON_BOOKMARK_TIMELINE_URL = '/api/v1/bookmarks'\nconst MASTODON_USER_BLOCKS_URL = '/api/v1/blocks/'\nconst MASTODON_USER_MUTES_URL = '/api/v1/mutes/'\nconst MASTODON_BLOCK_USER_URL = id => `/api/v1/accounts/${id}/block`\nconst MASTODON_UNBLOCK_USER_URL = id => `/api/v1/accounts/${id}/unblock`\nconst MASTODON_MUTE_USER_URL = id => `/api/v1/accounts/${id}/mute`\nconst MASTODON_UNMUTE_USER_URL = id => `/api/v1/accounts/${id}/unmute`\nconst MASTODON_SUBSCRIBE_USER = id => `/api/v1/pleroma/accounts/${id}/subscribe`\nconst MASTODON_UNSUBSCRIBE_USER = id => `/api/v1/pleroma/accounts/${id}/unsubscribe`\nconst MASTODON_BOOKMARK_STATUS_URL = id => `/api/v1/statuses/${id}/bookmark`\nconst MASTODON_UNBOOKMARK_STATUS_URL = id => `/api/v1/statuses/${id}/unbookmark`\nconst MASTODON_POST_STATUS_URL = '/api/v1/statuses'\nconst MASTODON_MEDIA_UPLOAD_URL = '/api/v1/media'\nconst MASTODON_VOTE_URL = id => `/api/v1/polls/${id}/votes`\nconst MASTODON_POLL_URL = id => `/api/v1/polls/${id}`\nconst MASTODON_STATUS_FAVORITEDBY_URL = id => `/api/v1/statuses/${id}/favourited_by`\nconst MASTODON_STATUS_REBLOGGEDBY_URL = id => `/api/v1/statuses/${id}/reblogged_by`\nconst MASTODON_PROFILE_UPDATE_URL = '/api/v1/accounts/update_credentials'\nconst MASTODON_REPORT_USER_URL = '/api/v1/reports'\nconst MASTODON_PIN_OWN_STATUS = id => `/api/v1/statuses/${id}/pin`\nconst MASTODON_UNPIN_OWN_STATUS = id => `/api/v1/statuses/${id}/unpin`\nconst MASTODON_MUTE_CONVERSATION = id => `/api/v1/statuses/${id}/mute`\nconst MASTODON_UNMUTE_CONVERSATION = id => `/api/v1/statuses/${id}/unmute`\nconst MASTODON_SEARCH_2 = `/api/v2/search`\nconst MASTODON_USER_SEARCH_URL = '/api/v1/accounts/search'\nconst MASTODON_DOMAIN_BLOCKS_URL = '/api/v1/domain_blocks'\nconst MASTODON_STREAMING = '/api/v1/streaming'\nconst MASTODON_KNOWN_DOMAIN_LIST_URL = '/api/v1/instance/peers'\nconst PLEROMA_EMOJI_REACTIONS_URL = id => `/api/v1/pleroma/statuses/${id}/reactions`\nconst PLEROMA_EMOJI_REACT_URL = (id, emoji) => `/api/v1/pleroma/statuses/${id}/reactions/${emoji}`\nconst PLEROMA_EMOJI_UNREACT_URL = (id, emoji) => `/api/v1/pleroma/statuses/${id}/reactions/${emoji}`\nconst PLEROMA_CHATS_URL = `/api/v1/pleroma/chats`\nconst PLEROMA_CHAT_URL = id => `/api/v1/pleroma/chats/by-account-id/${id}`\nconst PLEROMA_CHAT_MESSAGES_URL = id => `/api/v1/pleroma/chats/${id}/messages`\nconst PLEROMA_CHAT_READ_URL = id => `/api/v1/pleroma/chats/${id}/read`\nconst PLEROMA_DELETE_CHAT_MESSAGE_URL = (chatId, messageId) => `/api/v1/pleroma/chats/${chatId}/messages/${messageId}`\n\nconst oldfetch = window.fetch\n\nlet fetch = (url, options) => {\n options = options || {}\n const baseUrl = ''\n const fullUrl = baseUrl + url\n options.credentials = 'same-origin'\n return oldfetch(fullUrl, options)\n}\n\nconst promisedRequest = ({ method, url, params, payload, credentials, headers = {} }) => {\n const options = {\n method,\n headers: {\n 'Accept': 'application/json',\n 'Content-Type': 'application/json',\n ...headers\n }\n }\n if (params) {\n url += '?' + Object.entries(params)\n .map(([key, value]) => encodeURIComponent(key) + '=' + encodeURIComponent(value))\n .join('&')\n }\n if (payload) {\n options.body = JSON.stringify(payload)\n }\n if (credentials) {\n options.headers = {\n ...options.headers,\n ...authHeaders(credentials)\n }\n }\n return fetch(url, options)\n .then((response) => {\n return new Promise((resolve, reject) => response.json()\n .then((json) => {\n if (!response.ok) {\n return reject(new StatusCodeError(response.status, json, { url, options }, response))\n }\n return resolve(json)\n }))\n })\n}\n\nconst updateNotificationSettings = ({ credentials, settings }) => {\n const form = new FormData()\n\n each(settings, (value, key) => {\n form.append(key, value)\n })\n\n return fetch(NOTIFICATION_SETTINGS_URL, {\n headers: authHeaders(credentials),\n method: 'PUT',\n body: form\n }).then((data) => data.json())\n}\n\nconst updateProfileImages = ({ credentials, avatar = null, banner = null, background = null }) => {\n const form = new FormData()\n if (avatar !== null) form.append('avatar', avatar)\n if (banner !== null) form.append('header', banner)\n if (background !== null) form.append('pleroma_background_image', background)\n return fetch(MASTODON_PROFILE_UPDATE_URL, {\n headers: authHeaders(credentials),\n method: 'PATCH',\n body: form\n })\n .then((data) => data.json())\n .then((data) => parseUser(data))\n}\n\nconst updateProfile = ({ credentials, params }) => {\n return promisedRequest({\n url: MASTODON_PROFILE_UPDATE_URL,\n method: 'PATCH',\n payload: params,\n credentials\n }).then((data) => parseUser(data))\n}\n\n// Params needed:\n// nickname\n// email\n// fullname\n// password\n// password_confirm\n//\n// Optional\n// bio\n// homepage\n// location\n// token\nconst register = ({ params, credentials }) => {\n const { nickname, ...rest } = params\n return fetch(MASTODON_REGISTRATION_URL, {\n method: 'POST',\n headers: {\n ...authHeaders(credentials),\n 'Content-Type': 'application/json'\n },\n body: JSON.stringify({\n nickname,\n locale: 'en_US',\n agreement: true,\n ...rest\n })\n })\n .then((response) => {\n if (response.ok) {\n return response.json()\n } else {\n return response.json().then((error) => { throw new RegistrationError(error) })\n }\n })\n}\n\nconst getCaptcha = () => fetch('/api/pleroma/captcha').then(resp => resp.json())\n\nconst authHeaders = (accessToken) => {\n if (accessToken) {\n return { 'Authorization': `Bearer ${accessToken}` }\n } else {\n return { }\n }\n}\n\nconst followUser = ({ id, credentials, ...options }) => {\n let url = MASTODON_FOLLOW_URL(id)\n const form = {}\n if (options.reblogs !== undefined) { form['reblogs'] = options.reblogs }\n return fetch(url, {\n body: JSON.stringify(form),\n headers: {\n ...authHeaders(credentials),\n 'Content-Type': 'application/json'\n },\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst unfollowUser = ({ id, credentials }) => {\n let url = MASTODON_UNFOLLOW_URL(id)\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst pinOwnStatus = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_PIN_OWN_STATUS(id), credentials, method: 'POST' })\n .then((data) => parseStatus(data))\n}\n\nconst unpinOwnStatus = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_UNPIN_OWN_STATUS(id), credentials, method: 'POST' })\n .then((data) => parseStatus(data))\n}\n\nconst muteConversation = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_MUTE_CONVERSATION(id), credentials, method: 'POST' })\n .then((data) => parseStatus(data))\n}\n\nconst unmuteConversation = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_UNMUTE_CONVERSATION(id), credentials, method: 'POST' })\n .then((data) => parseStatus(data))\n}\n\nconst blockUser = ({ id, credentials }) => {\n return fetch(MASTODON_BLOCK_USER_URL(id), {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst unblockUser = ({ id, credentials }) => {\n return fetch(MASTODON_UNBLOCK_USER_URL(id), {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst approveUser = ({ id, credentials }) => {\n let url = MASTODON_APPROVE_USER_URL(id)\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst denyUser = ({ id, credentials }) => {\n let url = MASTODON_DENY_USER_URL(id)\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst fetchUser = ({ id, credentials }) => {\n let url = `${MASTODON_USER_URL}/${id}`\n return promisedRequest({ url, credentials })\n .then((data) => parseUser(data))\n}\n\nconst fetchUserRelationship = ({ id, credentials }) => {\n let url = `${MASTODON_USER_RELATIONSHIPS_URL}/?id=${id}`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((response) => {\n return new Promise((resolve, reject) => response.json()\n .then((json) => {\n if (!response.ok) {\n return reject(new StatusCodeError(response.status, json, { url }, response))\n }\n return resolve(json)\n }))\n })\n}\n\nconst fetchFriends = ({ id, maxId, sinceId, limit = 20, credentials }) => {\n let url = MASTODON_FOLLOWING_URL(id)\n const args = [\n maxId && `max_id=${maxId}`,\n sinceId && `since_id=${sinceId}`,\n limit && `limit=${limit}`,\n `with_relationships=true`\n ].filter(_ => _).join('&')\n\n url = url + (args ? '?' + args : '')\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n .then((data) => data.map(parseUser))\n}\n\nconst exportFriends = ({ id, credentials }) => {\n return new Promise(async (resolve, reject) => {\n try {\n let friends = []\n let more = true\n while (more) {\n const maxId = friends.length > 0 ? last(friends).id : undefined\n const users = await fetchFriends({ id, maxId, credentials })\n friends = concat(friends, users)\n if (users.length === 0) {\n more = false\n }\n }\n resolve(friends)\n } catch (err) {\n reject(err)\n }\n })\n}\n\nconst fetchFollowers = ({ id, maxId, sinceId, limit = 20, credentials }) => {\n let url = MASTODON_FOLLOWERS_URL(id)\n const args = [\n maxId && `max_id=${maxId}`,\n sinceId && `since_id=${sinceId}`,\n limit && `limit=${limit}`,\n `with_relationships=true`\n ].filter(_ => _).join('&')\n\n url += args ? '?' + args : ''\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n .then((data) => data.map(parseUser))\n}\n\nconst fetchFollowRequests = ({ credentials }) => {\n const url = MASTODON_FOLLOW_REQUESTS_URL\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n .then((data) => data.map(parseUser))\n}\n\nconst fetchConversation = ({ id, credentials }) => {\n let urlContext = MASTODON_STATUS_CONTEXT_URL(id)\n return fetch(urlContext, { headers: authHeaders(credentials) })\n .then((data) => {\n if (data.ok) {\n return data\n }\n throw new Error('Error fetching timeline', data)\n })\n .then((data) => data.json())\n .then(({ ancestors, descendants }) => ({\n ancestors: ancestors.map(parseStatus),\n descendants: descendants.map(parseStatus)\n }))\n}\n\nconst fetchStatus = ({ id, credentials }) => {\n let url = MASTODON_STATUS_URL(id)\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => {\n if (data.ok) {\n return data\n }\n throw new Error('Error fetching timeline', data)\n })\n .then((data) => data.json())\n .then((data) => parseStatus(data))\n}\n\nconst tagUser = ({ tag, credentials, user }) => {\n const screenName = user.screen_name\n const form = {\n nicknames: [screenName],\n tags: [tag]\n }\n\n const headers = authHeaders(credentials)\n headers['Content-Type'] = 'application/json'\n\n return fetch(TAG_USER_URL, {\n method: 'PUT',\n headers: headers,\n body: JSON.stringify(form)\n })\n}\n\nconst untagUser = ({ tag, credentials, user }) => {\n const screenName = user.screen_name\n const body = {\n nicknames: [screenName],\n tags: [tag]\n }\n\n const headers = authHeaders(credentials)\n headers['Content-Type'] = 'application/json'\n\n return fetch(TAG_USER_URL, {\n method: 'DELETE',\n headers: headers,\n body: JSON.stringify(body)\n })\n}\n\nconst addRight = ({ right, credentials, user }) => {\n const screenName = user.screen_name\n\n return fetch(PERMISSION_GROUP_URL(screenName, right), {\n method: 'POST',\n headers: authHeaders(credentials),\n body: {}\n })\n}\n\nconst deleteRight = ({ right, credentials, user }) => {\n const screenName = user.screen_name\n\n return fetch(PERMISSION_GROUP_URL(screenName, right), {\n method: 'DELETE',\n headers: authHeaders(credentials),\n body: {}\n })\n}\n\nconst activateUser = ({ credentials, user: { screen_name: nickname } }) => {\n return promisedRequest({\n url: ACTIVATE_USER_URL,\n method: 'PATCH',\n credentials,\n payload: {\n nicknames: [nickname]\n }\n }).then(response => get(response, 'users.0'))\n}\n\nconst deactivateUser = ({ credentials, user: { screen_name: nickname } }) => {\n return promisedRequest({\n url: DEACTIVATE_USER_URL,\n method: 'PATCH',\n credentials,\n payload: {\n nicknames: [nickname]\n }\n }).then(response => get(response, 'users.0'))\n}\n\nconst deleteUser = ({ credentials, user }) => {\n const screenName = user.screen_name\n const headers = authHeaders(credentials)\n\n return fetch(`${ADMIN_USERS_URL}?nickname=${screenName}`, {\n method: 'DELETE',\n headers: headers\n })\n}\n\nconst fetchTimeline = ({\n timeline,\n credentials,\n since = false,\n until = false,\n userId = false,\n tag = false,\n withMuted = false,\n replyVisibility = 'all'\n}) => {\n const timelineUrls = {\n public: MASTODON_PUBLIC_TIMELINE,\n friends: MASTODON_USER_HOME_TIMELINE_URL,\n dms: MASTODON_DIRECT_MESSAGES_TIMELINE_URL,\n notifications: MASTODON_USER_NOTIFICATIONS_URL,\n 'publicAndExternal': MASTODON_PUBLIC_TIMELINE,\n user: MASTODON_USER_TIMELINE_URL,\n media: MASTODON_USER_TIMELINE_URL,\n favorites: MASTODON_USER_FAVORITES_TIMELINE_URL,\n tag: MASTODON_TAG_TIMELINE_URL,\n bookmarks: MASTODON_BOOKMARK_TIMELINE_URL\n }\n const isNotifications = timeline === 'notifications'\n const params = []\n\n let url = timelineUrls[timeline]\n\n if (timeline === 'user' || timeline === 'media') {\n url = url(userId)\n }\n\n if (since) {\n params.push(['since_id', since])\n }\n if (until) {\n params.push(['max_id', until])\n }\n if (tag) {\n url = url(tag)\n }\n if (timeline === 'media') {\n params.push(['only_media', 1])\n }\n if (timeline === 'public') {\n params.push(['local', true])\n }\n if (timeline === 'public' || timeline === 'publicAndExternal') {\n params.push(['only_media', false])\n }\n if (timeline !== 'favorites' && timeline !== 'bookmarks') {\n params.push(['with_muted', withMuted])\n }\n if (replyVisibility !== 'all') {\n params.push(['reply_visibility', replyVisibility])\n }\n\n params.push(['limit', 20])\n\n const queryString = map(params, (param) => `${param[0]}=${param[1]}`).join('&')\n url += `?${queryString}`\n let status = ''\n let statusText = ''\n let pagination = {}\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => {\n status = data.status\n statusText = data.statusText\n pagination = parseLinkHeaderPagination(data.headers.get('Link'), {\n flakeId: timeline !== 'bookmarks' && timeline !== 'notifications'\n })\n return data\n })\n .then((data) => data.json())\n .then((data) => {\n if (!data.error) {\n return { data: data.map(isNotifications ? parseNotification : parseStatus), pagination }\n } else {\n data.status = status\n data.statusText = statusText\n return data\n }\n })\n}\n\nconst fetchPinnedStatuses = ({ id, credentials }) => {\n const url = MASTODON_USER_TIMELINE_URL(id) + '?pinned=true'\n return promisedRequest({ url, credentials })\n .then((data) => data.map(parseStatus))\n}\n\nconst verifyCredentials = (user) => {\n return fetch(MASTODON_LOGIN_URL, {\n headers: authHeaders(user)\n })\n .then((response) => {\n if (response.ok) {\n return response.json()\n } else {\n return {\n error: response\n }\n }\n })\n .then((data) => data.error ? data : parseUser(data))\n}\n\nconst favorite = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_FAVORITE_URL(id), method: 'POST', credentials })\n .then((data) => parseStatus(data))\n}\n\nconst unfavorite = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_UNFAVORITE_URL(id), method: 'POST', credentials })\n .then((data) => parseStatus(data))\n}\n\nconst retweet = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_RETWEET_URL(id), method: 'POST', credentials })\n .then((data) => parseStatus(data))\n}\n\nconst unretweet = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_UNRETWEET_URL(id), method: 'POST', credentials })\n .then((data) => parseStatus(data))\n}\n\nconst bookmarkStatus = ({ id, credentials }) => {\n return promisedRequest({\n url: MASTODON_BOOKMARK_STATUS_URL(id),\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst unbookmarkStatus = ({ id, credentials }) => {\n return promisedRequest({\n url: MASTODON_UNBOOKMARK_STATUS_URL(id),\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst postStatus = ({\n credentials,\n status,\n spoilerText,\n visibility,\n sensitive,\n poll,\n mediaIds = [],\n inReplyToStatusId,\n contentType,\n preview,\n idempotencyKey\n}) => {\n const form = new FormData()\n const pollOptions = poll.options || []\n\n form.append('status', status)\n form.append('source', 'Pleroma FE')\n if (spoilerText) form.append('spoiler_text', spoilerText)\n if (visibility) form.append('visibility', visibility)\n if (sensitive) form.append('sensitive', sensitive)\n if (contentType) form.append('content_type', contentType)\n mediaIds.forEach(val => {\n form.append('media_ids[]', val)\n })\n if (pollOptions.some(option => option !== '')) {\n const normalizedPoll = {\n expires_in: poll.expiresIn,\n multiple: poll.multiple\n }\n Object.keys(normalizedPoll).forEach(key => {\n form.append(`poll[${key}]`, normalizedPoll[key])\n })\n\n pollOptions.forEach(option => {\n form.append('poll[options][]', option)\n })\n }\n if (inReplyToStatusId) {\n form.append('in_reply_to_id', inReplyToStatusId)\n }\n if (preview) {\n form.append('preview', 'true')\n }\n\n let postHeaders = authHeaders(credentials)\n if (idempotencyKey) {\n postHeaders['idempotency-key'] = idempotencyKey\n }\n\n return fetch(MASTODON_POST_STATUS_URL, {\n body: form,\n method: 'POST',\n headers: postHeaders\n })\n .then((response) => {\n return response.json()\n })\n .then((data) => data.error ? data : parseStatus(data))\n}\n\nconst deleteStatus = ({ id, credentials }) => {\n return fetch(MASTODON_DELETE_URL(id), {\n headers: authHeaders(credentials),\n method: 'DELETE'\n })\n}\n\nconst uploadMedia = ({ formData, credentials }) => {\n return fetch(MASTODON_MEDIA_UPLOAD_URL, {\n body: formData,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((data) => data.json())\n .then((data) => parseAttachment(data))\n}\n\nconst setMediaDescription = ({ id, description, credentials }) => {\n return promisedRequest({\n url: `${MASTODON_MEDIA_UPLOAD_URL}/${id}`,\n method: 'PUT',\n headers: authHeaders(credentials),\n payload: {\n description\n }\n }).then((data) => parseAttachment(data))\n}\n\nconst importBlocks = ({ file, credentials }) => {\n const formData = new FormData()\n formData.append('list', file)\n return fetch(BLOCKS_IMPORT_URL, {\n body: formData,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.ok)\n}\n\nconst importFollows = ({ file, credentials }) => {\n const formData = new FormData()\n formData.append('list', file)\n return fetch(FOLLOW_IMPORT_URL, {\n body: formData,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.ok)\n}\n\nconst deleteAccount = ({ credentials, password }) => {\n const form = new FormData()\n\n form.append('password', password)\n\n return fetch(DELETE_ACCOUNT_URL, {\n body: form,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.json())\n}\n\nconst changeEmail = ({ credentials, email, password }) => {\n const form = new FormData()\n\n form.append('email', email)\n form.append('password', password)\n\n return fetch(CHANGE_EMAIL_URL, {\n body: form,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.json())\n}\n\nconst changePassword = ({ credentials, password, newPassword, newPasswordConfirmation }) => {\n const form = new FormData()\n\n form.append('password', password)\n form.append('new_password', newPassword)\n form.append('new_password_confirmation', newPasswordConfirmation)\n\n return fetch(CHANGE_PASSWORD_URL, {\n body: form,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.json())\n}\n\nconst settingsMFA = ({ credentials }) => {\n return fetch(MFA_SETTINGS_URL, {\n headers: authHeaders(credentials),\n method: 'GET'\n }).then((data) => data.json())\n}\n\nconst mfaDisableOTP = ({ credentials, password }) => {\n const form = new FormData()\n\n form.append('password', password)\n\n return fetch(MFA_DISABLE_OTP_URL, {\n body: form,\n method: 'DELETE',\n headers: authHeaders(credentials)\n })\n .then((response) => response.json())\n}\n\nconst mfaConfirmOTP = ({ credentials, password, token }) => {\n const form = new FormData()\n\n form.append('password', password)\n form.append('code', token)\n\n return fetch(MFA_CONFIRM_OTP_URL, {\n body: form,\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\nconst mfaSetupOTP = ({ credentials }) => {\n return fetch(MFA_SETUP_OTP_URL, {\n headers: authHeaders(credentials),\n method: 'GET'\n }).then((data) => data.json())\n}\nconst generateMfaBackupCodes = ({ credentials }) => {\n return fetch(MFA_BACKUP_CODES_URL, {\n headers: authHeaders(credentials),\n method: 'GET'\n }).then((data) => data.json())\n}\n\nconst fetchMutes = ({ credentials }) => {\n return promisedRequest({ url: MASTODON_USER_MUTES_URL, credentials })\n .then((users) => users.map(parseUser))\n}\n\nconst muteUser = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_MUTE_USER_URL(id), credentials, method: 'POST' })\n}\n\nconst unmuteUser = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_UNMUTE_USER_URL(id), credentials, method: 'POST' })\n}\n\nconst subscribeUser = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_SUBSCRIBE_USER(id), credentials, method: 'POST' })\n}\n\nconst unsubscribeUser = ({ id, credentials }) => {\n return promisedRequest({ url: MASTODON_UNSUBSCRIBE_USER(id), credentials, method: 'POST' })\n}\n\nconst fetchBlocks = ({ credentials }) => {\n return promisedRequest({ url: MASTODON_USER_BLOCKS_URL, credentials })\n .then((users) => users.map(parseUser))\n}\n\nconst fetchOAuthTokens = ({ credentials }) => {\n const url = '/api/oauth_tokens.json'\n\n return fetch(url, {\n headers: authHeaders(credentials)\n }).then((data) => {\n if (data.ok) {\n return data.json()\n }\n throw new Error('Error fetching auth tokens', data)\n })\n}\n\nconst revokeOAuthToken = ({ id, credentials }) => {\n const url = `/api/oauth_tokens/${id}`\n\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'DELETE'\n })\n}\n\nconst suggestions = ({ credentials }) => {\n return fetch(SUGGESTIONS_URL, {\n headers: authHeaders(credentials)\n }).then((data) => data.json())\n}\n\nconst markNotificationsAsSeen = ({ id, credentials, single = false }) => {\n const body = new FormData()\n\n if (single) {\n body.append('id', id)\n } else {\n body.append('max_id', id)\n }\n\n return fetch(NOTIFICATION_READ_URL, {\n body,\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst vote = ({ pollId, choices, credentials }) => {\n const form = new FormData()\n form.append('choices', choices)\n\n return promisedRequest({\n url: MASTODON_VOTE_URL(encodeURIComponent(pollId)),\n method: 'POST',\n credentials,\n payload: {\n choices: choices\n }\n })\n}\n\nconst fetchPoll = ({ pollId, credentials }) => {\n return promisedRequest(\n {\n url: MASTODON_POLL_URL(encodeURIComponent(pollId)),\n method: 'GET',\n credentials\n }\n )\n}\n\nconst fetchFavoritedByUsers = ({ id, credentials }) => {\n return promisedRequest({\n url: MASTODON_STATUS_FAVORITEDBY_URL(id),\n method: 'GET',\n credentials\n }).then((users) => users.map(parseUser))\n}\n\nconst fetchRebloggedByUsers = ({ id, credentials }) => {\n return promisedRequest({\n url: MASTODON_STATUS_REBLOGGEDBY_URL(id),\n method: 'GET',\n credentials\n }).then((users) => users.map(parseUser))\n}\n\nconst fetchEmojiReactions = ({ id, credentials }) => {\n return promisedRequest({ url: PLEROMA_EMOJI_REACTIONS_URL(id), credentials })\n .then((reactions) => reactions.map(r => {\n r.accounts = r.accounts.map(parseUser)\n return r\n }))\n}\n\nconst reactWithEmoji = ({ id, emoji, credentials }) => {\n return promisedRequest({\n url: PLEROMA_EMOJI_REACT_URL(id, emoji),\n method: 'PUT',\n credentials\n }).then(parseStatus)\n}\n\nconst unreactWithEmoji = ({ id, emoji, credentials }) => {\n return promisedRequest({\n url: PLEROMA_EMOJI_UNREACT_URL(id, emoji),\n method: 'DELETE',\n credentials\n }).then(parseStatus)\n}\n\nconst reportUser = ({ credentials, userId, statusIds, comment, forward }) => {\n return promisedRequest({\n url: MASTODON_REPORT_USER_URL,\n method: 'POST',\n payload: {\n 'account_id': userId,\n 'status_ids': statusIds,\n comment,\n forward\n },\n credentials\n })\n}\n\nconst searchUsers = ({ credentials, query }) => {\n return promisedRequest({\n url: MASTODON_USER_SEARCH_URL,\n params: {\n q: query,\n resolve: true\n },\n credentials\n })\n .then((data) => data.map(parseUser))\n}\n\nconst search2 = ({ credentials, q, resolve, limit, offset, following }) => {\n let url = MASTODON_SEARCH_2\n let params = []\n\n if (q) {\n params.push(['q', encodeURIComponent(q)])\n }\n\n if (resolve) {\n params.push(['resolve', resolve])\n }\n\n if (limit) {\n params.push(['limit', limit])\n }\n\n if (offset) {\n params.push(['offset', offset])\n }\n\n if (following) {\n params.push(['following', true])\n }\n\n params.push(['with_relationships', true])\n\n let queryString = map(params, (param) => `${param[0]}=${param[1]}`).join('&')\n url += `?${queryString}`\n\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => {\n if (data.ok) {\n return data\n }\n throw new Error('Error fetching search result', data)\n })\n .then((data) => { return data.json() })\n .then((data) => {\n data.accounts = data.accounts.slice(0, limit).map(u => parseUser(u))\n data.statuses = data.statuses.slice(0, limit).map(s => parseStatus(s))\n return data\n })\n}\n\nconst fetchKnownDomains = ({ credentials }) => {\n return promisedRequest({ url: MASTODON_KNOWN_DOMAIN_LIST_URL, credentials })\n}\n\nconst fetchDomainMutes = ({ credentials }) => {\n return promisedRequest({ url: MASTODON_DOMAIN_BLOCKS_URL, credentials })\n}\n\nconst muteDomain = ({ domain, credentials }) => {\n return promisedRequest({\n url: MASTODON_DOMAIN_BLOCKS_URL,\n method: 'POST',\n payload: { domain },\n credentials\n })\n}\n\nconst unmuteDomain = ({ domain, credentials }) => {\n return promisedRequest({\n url: MASTODON_DOMAIN_BLOCKS_URL,\n method: 'DELETE',\n payload: { domain },\n credentials\n })\n}\n\nconst dismissNotification = ({ credentials, id }) => {\n return promisedRequest({\n url: MASTODON_DISMISS_NOTIFICATION_URL(id),\n method: 'POST',\n payload: { id },\n credentials\n })\n}\n\nexport const getMastodonSocketURI = ({ credentials, stream, args = {} }) => {\n return Object.entries({\n ...(credentials\n ? { access_token: credentials }\n : {}\n ),\n stream,\n ...args\n }).reduce((acc, [key, val]) => {\n return acc + `${key}=${val}&`\n }, MASTODON_STREAMING + '?')\n}\n\nconst MASTODON_STREAMING_EVENTS = new Set([\n 'update',\n 'notification',\n 'delete',\n 'filters_changed'\n])\n\nconst PLEROMA_STREAMING_EVENTS = new Set([\n 'pleroma:chat_update'\n])\n\n// A thin wrapper around WebSocket API that allows adding a pre-processor to it\n// Uses EventTarget and a CustomEvent to proxy events\nexport const ProcessedWS = ({\n url,\n preprocessor = handleMastoWS,\n id = 'Unknown'\n}) => {\n const eventTarget = new EventTarget()\n const socket = new WebSocket(url)\n if (!socket) throw new Error(`Failed to create socket ${id}`)\n const proxy = (original, eventName, processor = a => a) => {\n original.addEventListener(eventName, (eventData) => {\n eventTarget.dispatchEvent(new CustomEvent(\n eventName,\n { detail: processor(eventData) }\n ))\n })\n }\n socket.addEventListener('open', (wsEvent) => {\n console.debug(`[WS][${id}] Socket connected`, wsEvent)\n })\n socket.addEventListener('error', (wsEvent) => {\n console.debug(`[WS][${id}] Socket errored`, wsEvent)\n })\n socket.addEventListener('close', (wsEvent) => {\n console.debug(\n `[WS][${id}] Socket disconnected with code ${wsEvent.code}`,\n wsEvent\n )\n })\n // Commented code reason: very spammy, uncomment to enable message debug logging\n /*\n socket.addEventListener('message', (wsEvent) => {\n console.debug(\n `[WS][${id}] Message received`,\n wsEvent\n )\n })\n /**/\n\n proxy(socket, 'open')\n proxy(socket, 'close')\n proxy(socket, 'message', preprocessor)\n proxy(socket, 'error')\n\n // 1000 = Normal Closure\n eventTarget.close = () => { socket.close(1000, 'Shutting down socket') }\n\n return eventTarget\n}\n\nexport const handleMastoWS = (wsEvent) => {\n const { data } = wsEvent\n if (!data) return\n const parsedEvent = JSON.parse(data)\n const { event, payload } = parsedEvent\n if (MASTODON_STREAMING_EVENTS.has(event) || PLEROMA_STREAMING_EVENTS.has(event)) {\n // MastoBE and PleromaBE both send payload for delete as a PLAIN string\n if (event === 'delete') {\n return { event, id: payload }\n }\n const data = payload ? JSON.parse(payload) : null\n if (event === 'update') {\n return { event, status: parseStatus(data) }\n } else if (event === 'notification') {\n return { event, notification: parseNotification(data) }\n } else if (event === 'pleroma:chat_update') {\n return { event, chatUpdate: parseChat(data) }\n }\n } else {\n console.warn('Unknown event', wsEvent)\n return null\n }\n}\n\nexport const WSConnectionStatus = Object.freeze({\n 'JOINED': 1,\n 'CLOSED': 2,\n 'ERROR': 3\n})\n\nconst chats = ({ credentials }) => {\n return fetch(PLEROMA_CHATS_URL, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n .then((data) => {\n return { chats: data.map(parseChat).filter(c => c) }\n })\n}\n\nconst getOrCreateChat = ({ accountId, credentials }) => {\n return promisedRequest({\n url: PLEROMA_CHAT_URL(accountId),\n method: 'POST',\n credentials\n })\n}\n\nconst chatMessages = ({ id, credentials, maxId, sinceId, limit = 20 }) => {\n let url = PLEROMA_CHAT_MESSAGES_URL(id)\n const args = [\n maxId && `max_id=${maxId}`,\n sinceId && `since_id=${sinceId}`,\n limit && `limit=${limit}`\n ].filter(_ => _).join('&')\n\n url = url + (args ? '?' + args : '')\n\n return promisedRequest({\n url,\n method: 'GET',\n credentials\n })\n}\n\nconst sendChatMessage = ({ id, content, mediaId = null, credentials }) => {\n const payload = {\n 'content': content\n }\n\n if (mediaId) {\n payload['media_id'] = mediaId\n }\n\n return promisedRequest({\n url: PLEROMA_CHAT_MESSAGES_URL(id),\n method: 'POST',\n payload: payload,\n credentials\n })\n}\n\nconst readChat = ({ id, lastReadId, credentials }) => {\n return promisedRequest({\n url: PLEROMA_CHAT_READ_URL(id),\n method: 'POST',\n payload: {\n 'last_read_id': lastReadId\n },\n credentials\n })\n}\n\nconst deleteChatMessage = ({ chatId, messageId, credentials }) => {\n return promisedRequest({\n url: PLEROMA_DELETE_CHAT_MESSAGE_URL(chatId, messageId),\n method: 'DELETE',\n credentials\n })\n}\n\nconst apiService = {\n verifyCredentials,\n fetchTimeline,\n fetchPinnedStatuses,\n fetchConversation,\n fetchStatus,\n fetchFriends,\n exportFriends,\n fetchFollowers,\n followUser,\n unfollowUser,\n pinOwnStatus,\n unpinOwnStatus,\n muteConversation,\n unmuteConversation,\n blockUser,\n unblockUser,\n fetchUser,\n fetchUserRelationship,\n favorite,\n unfavorite,\n retweet,\n unretweet,\n bookmarkStatus,\n unbookmarkStatus,\n postStatus,\n deleteStatus,\n uploadMedia,\n setMediaDescription,\n fetchMutes,\n muteUser,\n unmuteUser,\n subscribeUser,\n unsubscribeUser,\n fetchBlocks,\n fetchOAuthTokens,\n revokeOAuthToken,\n tagUser,\n untagUser,\n deleteUser,\n addRight,\n deleteRight,\n activateUser,\n deactivateUser,\n register,\n getCaptcha,\n updateProfileImages,\n updateProfile,\n importBlocks,\n importFollows,\n deleteAccount,\n changeEmail,\n changePassword,\n settingsMFA,\n mfaDisableOTP,\n generateMfaBackupCodes,\n mfaSetupOTP,\n mfaConfirmOTP,\n fetchFollowRequests,\n approveUser,\n denyUser,\n suggestions,\n markNotificationsAsSeen,\n dismissNotification,\n vote,\n fetchPoll,\n fetchFavoritedByUsers,\n fetchRebloggedByUsers,\n fetchEmojiReactions,\n reactWithEmoji,\n unreactWithEmoji,\n reportUser,\n updateNotificationSettings,\n search2,\n searchUsers,\n fetchKnownDomains,\n fetchDomainMutes,\n muteDomain,\n unmuteDomain,\n chats,\n getOrCreateChat,\n chatMessages,\n sendChatMessage,\n readChat,\n deleteChatMessage\n}\n\nexport default apiService\n","import { includes } from 'lodash'\n\nconst generateProfileLink = (id, screenName, restrictedNicknames) => {\n const complicated = !screenName || (isExternal(screenName) || includes(restrictedNicknames, screenName))\n return {\n name: (complicated ? 'external-user-profile' : 'user-profile'),\n params: (complicated ? { id } : { name: screenName })\n }\n}\n\nconst isExternal = screenName => screenName && screenName.includes('@')\n\nexport default generateProfileLink\n","import StillImage from '../still-image/still-image.vue'\n\nconst UserAvatar = {\n props: [\n 'user',\n 'betterShadow',\n 'compact'\n ],\n data () {\n return {\n showPlaceholder: false,\n defaultAvatar: `${this.$store.state.instance.server + this.$store.state.instance.defaultAvatar}`\n }\n },\n components: {\n StillImage\n },\n methods: {\n imgSrc (src) {\n return (!src || this.showPlaceholder) ? this.defaultAvatar : src\n },\n imageLoadError () {\n this.showPlaceholder = true\n }\n }\n}\n\nexport default UserAvatar\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_avatar.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./user_avatar.js\"\nimport __vue_script__ from \"!!babel-loader!./user_avatar.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-619ad024\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_avatar.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('StillImage',{staticClass:\"Avatar\",class:{ 'avatar-compact': _vm.compact, 'better-shadow': _vm.betterShadow },attrs:{\"alt\":_vm.user.screen_name,\"title\":_vm.user.screen_name,\"src\":_vm.imgSrc(_vm.user.profile_image_url_original),\"image-load-error\":_vm.imageLoadError}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { filter, sortBy, includes } from 'lodash'\nimport { muteWordHits } from '../status_parser/status_parser.js'\nimport { showDesktopNotification } from '../desktop_notification_utils/desktop_notification_utils.js'\n\nexport const notificationsFromStore = store => store.state.statuses.notifications.data\n\nexport const visibleTypes = store => {\n const rootState = store.rootState || store.state\n\n return ([\n rootState.config.notificationVisibility.likes && 'like',\n rootState.config.notificationVisibility.mentions && 'mention',\n rootState.config.notificationVisibility.repeats && 'repeat',\n rootState.config.notificationVisibility.follows && 'follow',\n rootState.config.notificationVisibility.followRequest && 'follow_request',\n rootState.config.notificationVisibility.moves && 'move',\n rootState.config.notificationVisibility.emojiReactions && 'pleroma:emoji_reaction'\n ].filter(_ => _))\n}\n\nconst statusNotifications = ['like', 'mention', 'repeat', 'pleroma:emoji_reaction']\n\nexport const isStatusNotification = (type) => includes(statusNotifications, type)\n\nconst sortById = (a, b) => {\n const seqA = Number(a.id)\n const seqB = Number(b.id)\n const isSeqA = !Number.isNaN(seqA)\n const isSeqB = !Number.isNaN(seqB)\n if (isSeqA && isSeqB) {\n return seqA > seqB ? -1 : 1\n } else if (isSeqA && !isSeqB) {\n return 1\n } else if (!isSeqA && isSeqB) {\n return -1\n } else {\n return a.id > b.id ? -1 : 1\n }\n}\n\nconst isMutedNotification = (store, notification) => {\n if (!notification.status) return\n return notification.status.muted || muteWordHits(notification.status, store.rootGetters.mergedConfig.muteWords).length > 0\n}\n\nexport const maybeShowNotification = (store, notification) => {\n const rootState = store.rootState || store.state\n\n if (notification.seen) return\n if (!visibleTypes(store).includes(notification.type)) return\n if (notification.type === 'mention' && isMutedNotification(store, notification)) return\n\n const notificationObject = prepareNotificationObject(notification, store.rootGetters.i18n)\n showDesktopNotification(rootState, notificationObject)\n}\n\nexport const filteredNotificationsFromStore = (store, types) => {\n // map is just to clone the array since sort mutates it and it causes some issues\n let sortedNotifications = notificationsFromStore(store).map(_ => _).sort(sortById)\n sortedNotifications = sortBy(sortedNotifications, 'seen')\n return sortedNotifications.filter(\n (notification) => (types || visibleTypes(store)).includes(notification.type)\n )\n}\n\nexport const unseenNotificationsFromStore = store =>\n filter(filteredNotificationsFromStore(store), ({ seen }) => !seen)\n\nexport const prepareNotificationObject = (notification, i18n) => {\n const notifObj = {\n tag: notification.id\n }\n const status = notification.status\n const title = notification.from_profile.name\n notifObj.title = title\n notifObj.icon = notification.from_profile.profile_image_url\n let i18nString\n switch (notification.type) {\n case 'like':\n i18nString = 'favorited_you'\n break\n case 'repeat':\n i18nString = 'repeated_you'\n break\n case 'follow':\n i18nString = 'followed_you'\n break\n case 'move':\n i18nString = 'migrated_to'\n break\n case 'follow_request':\n i18nString = 'follow_request'\n break\n }\n\n if (notification.type === 'pleroma:emoji_reaction') {\n notifObj.body = i18n.t('notifications.reacted_with', [notification.emoji])\n } else if (i18nString) {\n notifObj.body = i18n.t('notifications.' + i18nString)\n } else if (isStatusNotification(notification.type)) {\n notifObj.body = notification.status.text\n }\n\n // Shows first attached non-nsfw image, if any. Should add configuration for this somehow...\n if (status && status.attachments && status.attachments.length > 0 && !status.nsfw &&\n status.attachments[0].mimetype.startsWith('image/')) {\n notifObj.image = status.attachments[0].url\n }\n\n return notifObj\n}\n","// TODO this func might as well take the entire file and use its mimetype\n// or the entire service could be just mimetype service that only operates\n// on mimetypes and not files. Currently the naming is confusing.\nconst fileType = mimetype => {\n if (mimetype.match(/text\\/html/)) {\n return 'html'\n }\n\n if (mimetype.match(/image/)) {\n return 'image'\n }\n\n if (mimetype.match(/video/)) {\n return 'video'\n }\n\n if (mimetype.match(/audio/)) {\n return 'audio'\n }\n\n return 'unknown'\n}\n\nconst fileMatchesSomeType = (types, file) =>\n types.some(type => fileType(file.mimetype) === type)\n\nconst fileTypeService = {\n fileType,\n fileMatchesSomeType\n}\n\nexport default fileTypeService\n","const Popover = {\n name: 'Popover',\n props: {\n // Action to trigger popover: either 'hover' or 'click'\n trigger: String,\n // Either 'top' or 'bottom'\n placement: String,\n // Takes object with properties 'x' and 'y', values of these can be\n // 'container' for using offsetParent as boundaries for either axis\n // or 'viewport'\n boundTo: Object,\n // Takes a selector to use as a replacement for the parent container\n // for getting boundaries for x an y axis\n boundToSelector: String,\n // Takes a top/bottom/left/right object, how much space to leave\n // between boundary and popover element\n margin: Object,\n // Takes a x/y object and tells how many pixels to offset from\n // anchor point on either axis\n offset: Object,\n // Replaces the classes you may want for the popover container.\n // Use 'popover-default' in addition to get the default popover\n // styles with your custom class.\n popoverClass: String\n },\n data () {\n return {\n hidden: true,\n styles: { opacity: 0 },\n oldSize: { width: 0, height: 0 }\n }\n },\n methods: {\n containerBoundingClientRect () {\n const container = this.boundToSelector ? this.$el.closest(this.boundToSelector) : this.$el.offsetParent\n return container.getBoundingClientRect()\n },\n updateStyles () {\n if (this.hidden) {\n this.styles = {\n opacity: 0\n }\n return\n }\n\n // Popover will be anchored around this element, trigger ref is the container, so\n // its children are what are inside the slot. Expect only one slot=\"trigger\".\n const anchorEl = (this.$refs.trigger && this.$refs.trigger.children[0]) || this.$el\n const screenBox = anchorEl.getBoundingClientRect()\n // Screen position of the origin point for popover\n const origin = { x: screenBox.left + screenBox.width * 0.5, y: screenBox.top }\n const content = this.$refs.content\n // Minor optimization, don't call a slow reflow call if we don't have to\n const parentBounds = this.boundTo &&\n (this.boundTo.x === 'container' || this.boundTo.y === 'container') &&\n this.containerBoundingClientRect()\n\n const margin = this.margin || {}\n\n // What are the screen bounds for the popover? Viewport vs container\n // when using viewport, using default margin values to dodge the navbar\n const xBounds = this.boundTo && this.boundTo.x === 'container' ? {\n min: parentBounds.left + (margin.left || 0),\n max: parentBounds.right - (margin.right || 0)\n } : {\n min: 0 + (margin.left || 10),\n max: window.innerWidth - (margin.right || 10)\n }\n\n const yBounds = this.boundTo && this.boundTo.y === 'container' ? {\n min: parentBounds.top + (margin.top || 0),\n max: parentBounds.bottom - (margin.bottom || 0)\n } : {\n min: 0 + (margin.top || 50),\n max: window.innerHeight - (margin.bottom || 5)\n }\n\n let horizOffset = 0\n\n // If overflowing from left, move it so that it doesn't\n if ((origin.x - content.offsetWidth * 0.5) < xBounds.min) {\n horizOffset += -(origin.x - content.offsetWidth * 0.5) + xBounds.min\n }\n\n // If overflowing from right, move it so that it doesn't\n if ((origin.x + horizOffset + content.offsetWidth * 0.5) > xBounds.max) {\n horizOffset -= (origin.x + horizOffset + content.offsetWidth * 0.5) - xBounds.max\n }\n\n // Default to whatever user wished with placement prop\n let usingTop = this.placement !== 'bottom'\n\n // Handle special cases, first force to displaying on top if there's not space on bottom,\n // regardless of what placement value was. Then check if there's not space on top, and\n // force to bottom, again regardless of what placement value was.\n if (origin.y + content.offsetHeight > yBounds.max) usingTop = true\n if (origin.y - content.offsetHeight < yBounds.min) usingTop = false\n\n const yOffset = (this.offset && this.offset.y) || 0\n const translateY = usingTop\n ? -anchorEl.offsetHeight - yOffset - content.offsetHeight\n : yOffset\n\n const xOffset = (this.offset && this.offset.x) || 0\n const translateX = (anchorEl.offsetWidth * 0.5) - content.offsetWidth * 0.5 + horizOffset + xOffset\n\n // Note, separate translateX and translateY avoids blurry text on chromium,\n // single translate or translate3d resulted in blurry text.\n this.styles = {\n opacity: 1,\n transform: `translateX(${Math.round(translateX)}px) translateY(${Math.round(translateY)}px)`\n }\n },\n showPopover () {\n if (this.hidden) this.$emit('show')\n this.hidden = false\n this.$nextTick(this.updateStyles)\n },\n hidePopover () {\n if (!this.hidden) this.$emit('close')\n this.hidden = true\n this.styles = { opacity: 0 }\n },\n onMouseenter (e) {\n if (this.trigger === 'hover') this.showPopover()\n },\n onMouseleave (e) {\n if (this.trigger === 'hover') this.hidePopover()\n },\n onClick (e) {\n if (this.trigger === 'click') {\n if (this.hidden) {\n this.showPopover()\n } else {\n this.hidePopover()\n }\n }\n },\n onClickOutside (e) {\n if (this.hidden) return\n if (this.$el.contains(e.target)) return\n this.hidePopover()\n }\n },\n updated () {\n // Monitor changes to content size, update styles only when content sizes have changed,\n // that should be the only time we need to move the popover box if we don't care about scroll\n // or resize\n const content = this.$refs.content\n if (!content) return\n if (this.oldSize.width !== content.offsetWidth || this.oldSize.height !== content.offsetHeight) {\n this.updateStyles()\n this.oldSize = { width: content.offsetWidth, height: content.offsetHeight }\n }\n },\n created () {\n document.addEventListener('click', this.onClickOutside)\n },\n destroyed () {\n document.removeEventListener('click', this.onClickOutside)\n this.hidePopover()\n }\n}\n\nexport default Popover\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./popover.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./popover.js\"\nimport __vue_script__ from \"!!babel-loader!./popover.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-fbc07fb6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./popover.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{on:{\"mouseenter\":_vm.onMouseenter,\"mouseleave\":_vm.onMouseleave}},[_c('div',{ref:\"trigger\",on:{\"click\":_vm.onClick}},[_vm._t(\"trigger\")],2),_vm._v(\" \"),(!_vm.hidden)?_c('div',{ref:\"content\",staticClass:\"popover\",class:_vm.popoverClass || 'popover-default',style:(_vm.styles)},[_vm._t(\"content\",null,{\"close\":_vm.hidePopover})],2):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const DialogModal = {\n props: {\n darkOverlay: {\n default: true,\n type: Boolean\n },\n onCancel: {\n default: () => {},\n type: Function\n }\n }\n}\n\nexport default DialogModal\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./dialog_modal.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./dialog_modal.js\"\nimport __vue_script__ from \"!!babel-loader!./dialog_modal.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-70b9d662\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./dialog_modal.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('span',{class:{ 'dark-overlay': _vm.darkOverlay },on:{\"click\":function($event){if($event.target !== $event.currentTarget){ return null; }$event.stopPropagation();return _vm.onCancel()}}},[_c('div',{staticClass:\"dialog-modal panel panel-default\",on:{\"click\":function($event){$event.stopPropagation();}}},[_c('div',{staticClass:\"panel-heading dialog-modal-heading\"},[_c('div',{staticClass:\"title\"},[_vm._t(\"header\")],2)]),_vm._v(\" \"),_c('div',{staticClass:\"dialog-modal-content\"},[_vm._t(\"default\")],2),_vm._v(\" \"),_c('div',{staticClass:\"dialog-modal-footer user-interactions panel-footer\"},[_vm._t(\"footer\")],2)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import DialogModal from '../dialog_modal/dialog_modal.vue'\nimport Popover from '../popover/popover.vue'\n\nconst FORCE_NSFW = 'mrf_tag:media-force-nsfw'\nconst STRIP_MEDIA = 'mrf_tag:media-strip'\nconst FORCE_UNLISTED = 'mrf_tag:force-unlisted'\nconst DISABLE_REMOTE_SUBSCRIPTION = 'mrf_tag:disable-remote-subscription'\nconst DISABLE_ANY_SUBSCRIPTION = 'mrf_tag:disable-any-subscription'\nconst SANDBOX = 'mrf_tag:sandbox'\nconst QUARANTINE = 'mrf_tag:quarantine'\n\nconst ModerationTools = {\n props: [\n 'user'\n ],\n data () {\n return {\n tags: {\n FORCE_NSFW,\n STRIP_MEDIA,\n FORCE_UNLISTED,\n DISABLE_REMOTE_SUBSCRIPTION,\n DISABLE_ANY_SUBSCRIPTION,\n SANDBOX,\n QUARANTINE\n },\n showDeleteUserDialog: false,\n toggled: false\n }\n },\n components: {\n DialogModal,\n Popover\n },\n computed: {\n tagsSet () {\n return new Set(this.user.tags)\n },\n hasTagPolicy () {\n return this.$store.state.instance.tagPolicyAvailable\n }\n },\n methods: {\n hasTag (tagName) {\n return this.tagsSet.has(tagName)\n },\n toggleTag (tag) {\n const store = this.$store\n if (this.tagsSet.has(tag)) {\n store.state.api.backendInteractor.untagUser({ user: this.user, tag }).then(response => {\n if (!response.ok) { return }\n store.commit('untagUser', { user: this.user, tag })\n })\n } else {\n store.state.api.backendInteractor.tagUser({ user: this.user, tag }).then(response => {\n if (!response.ok) { return }\n store.commit('tagUser', { user: this.user, tag })\n })\n }\n },\n toggleRight (right) {\n const store = this.$store\n if (this.user.rights[right]) {\n store.state.api.backendInteractor.deleteRight({ user: this.user, right }).then(response => {\n if (!response.ok) { return }\n store.commit('updateRight', { user: this.user, right, value: false })\n })\n } else {\n store.state.api.backendInteractor.addRight({ user: this.user, right }).then(response => {\n if (!response.ok) { return }\n store.commit('updateRight', { user: this.user, right, value: true })\n })\n }\n },\n toggleActivationStatus () {\n this.$store.dispatch('toggleActivationStatus', { user: this.user })\n },\n deleteUserDialog (show) {\n this.showDeleteUserDialog = show\n },\n deleteUser () {\n const store = this.$store\n const user = this.user\n const { id, name } = user\n store.state.api.backendInteractor.deleteUser({ user })\n .then(e => {\n this.$store.dispatch('markStatusesAsDeleted', status => user.id === status.user.id)\n const isProfile = this.$route.name === 'external-user-profile' || this.$route.name === 'user-profile'\n const isTargetUser = this.$route.params.name === name || this.$route.params.id === id\n if (isProfile && isTargetUser) {\n window.history.back()\n }\n })\n },\n setToggled (value) {\n this.toggled = value\n }\n }\n}\n\nexport default ModerationTools\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./moderation_tools.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./moderation_tools.js\"\nimport __vue_script__ from \"!!babel-loader!./moderation_tools.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-168f1ca6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./moderation_tools.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('Popover',{staticClass:\"moderation-tools-popover\",attrs:{\"trigger\":\"click\",\"placement\":\"bottom\",\"offset\":{ y: 5 }},on:{\"show\":function($event){return _vm.setToggled(true)},\"close\":function($event){return _vm.setToggled(false)}}},[_c('div',{attrs:{\"slot\":\"content\"},slot:\"content\"},[_c('div',{staticClass:\"dropdown-menu\"},[(_vm.user.is_local)?_c('span',[_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleRight(\"admin\")}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(!!_vm.user.rights.admin ? 'user_card.admin_menu.revoke_admin' : 'user_card.admin_menu.grant_admin'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleRight(\"moderator\")}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(!!_vm.user.rights.moderator ? 'user_card.admin_menu.revoke_moderator' : 'user_card.admin_menu.grant_moderator'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"dropdown-divider\",attrs:{\"role\":\"separator\"}})]):_vm._e(),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleActivationStatus()}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(!!_vm.user.deactivated ? 'user_card.admin_menu.activate_account' : 'user_card.admin_menu.deactivate_account'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.deleteUserDialog(true)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.delete_account'))+\"\\n \")]),_vm._v(\" \"),(_vm.hasTagPolicy)?_c('div',{staticClass:\"dropdown-divider\",attrs:{\"role\":\"separator\"}}):_vm._e(),_vm._v(\" \"),(_vm.hasTagPolicy)?_c('span',[_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.FORCE_NSFW)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.force_nsfw'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.FORCE_NSFW) }})]),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.STRIP_MEDIA)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.strip_media'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.STRIP_MEDIA) }})]),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.FORCE_UNLISTED)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.force_unlisted'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.FORCE_UNLISTED) }})]),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.SANDBOX)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.sandbox'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.SANDBOX) }})]),_vm._v(\" \"),(_vm.user.is_local)?_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.DISABLE_REMOTE_SUBSCRIPTION)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.disable_remote_subscription'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.DISABLE_REMOTE_SUBSCRIPTION) }})]):_vm._e(),_vm._v(\" \"),(_vm.user.is_local)?_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.DISABLE_ANY_SUBSCRIPTION)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.disable_any_subscription'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.DISABLE_ANY_SUBSCRIPTION) }})]):_vm._e(),_vm._v(\" \"),(_vm.user.is_local)?_c('button',{staticClass:\"dropdown-item\",on:{\"click\":function($event){return _vm.toggleTag(_vm.tags.QUARANTINE)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.quarantine'))+\"\\n \"),_c('span',{staticClass:\"menu-checkbox\",class:{ 'menu-checkbox-checked': _vm.hasTag(_vm.tags.QUARANTINE) }})]):_vm._e()]):_vm._e()])]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default btn-block\",class:{ toggled: _vm.toggled },attrs:{\"slot\":\"trigger\"},slot:\"trigger\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.moderation'))+\"\\n \")])]),_vm._v(\" \"),_c('portal',{attrs:{\"to\":\"modal\"}},[(_vm.showDeleteUserDialog)?_c('DialogModal',{attrs:{\"on-cancel\":_vm.deleteUserDialog.bind(this, false)}},[_c('template',{slot:\"header\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.delete_user'))+\"\\n \")]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t('user_card.admin_menu.delete_user_confirmation')))]),_vm._v(\" \"),_c('template',{slot:\"footer\"},[_c('button',{staticClass:\"btn btn-default\",on:{\"click\":function($event){return _vm.deleteUserDialog(false)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.cancel'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default danger\",on:{\"click\":function($event){return _vm.deleteUser()}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.admin_menu.delete_user'))+\"\\n \")])])],2):_vm._e()],1)],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState } from 'vuex'\nimport ProgressButton from '../progress_button/progress_button.vue'\nimport Popover from '../popover/popover.vue'\n\nconst AccountActions = {\n props: [\n 'user', 'relationship'\n ],\n data () {\n return { }\n },\n components: {\n ProgressButton,\n Popover\n },\n methods: {\n showRepeats () {\n this.$store.dispatch('showReblogs', this.user.id)\n },\n hideRepeats () {\n this.$store.dispatch('hideReblogs', this.user.id)\n },\n blockUser () {\n this.$store.dispatch('blockUser', this.user.id)\n },\n unblockUser () {\n this.$store.dispatch('unblockUser', this.user.id)\n },\n reportUser () {\n this.$store.dispatch('openUserReportingModal', this.user.id)\n },\n openChat () {\n this.$router.push({\n name: 'chat',\n params: { recipient_id: this.user.id }\n })\n }\n },\n computed: {\n ...mapState({\n pleromaChatMessagesAvailable: state => state.instance.pleromaChatMessagesAvailable\n })\n }\n}\n\nexport default AccountActions\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./account_actions.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./account_actions.js\"\nimport __vue_script__ from \"!!babel-loader!./account_actions.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1883f214\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./account_actions.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"account-actions\"},[_c('Popover',{attrs:{\"trigger\":\"click\",\"placement\":\"bottom\",\"bound-to\":{ x: 'container' }}},[_c('div',{staticClass:\"account-tools-popover\",attrs:{\"slot\":\"content\"},slot:\"content\"},[_c('div',{staticClass:\"dropdown-menu\"},[(_vm.relationship.following)?[(_vm.relationship.showing_reblogs)?_c('button',{staticClass:\"btn btn-default dropdown-item\",on:{\"click\":_vm.hideRepeats}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.hide_repeats'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(!_vm.relationship.showing_reblogs)?_c('button',{staticClass:\"btn btn-default dropdown-item\",on:{\"click\":_vm.showRepeats}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.show_repeats'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"dropdown-divider\",attrs:{\"role\":\"separator\"}})]:_vm._e(),_vm._v(\" \"),(_vm.relationship.blocking)?_c('button',{staticClass:\"btn btn-default btn-block dropdown-item\",on:{\"click\":_vm.unblockUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.unblock'))+\"\\n \")]):_c('button',{staticClass:\"btn btn-default btn-block dropdown-item\",on:{\"click\":_vm.blockUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.block'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default btn-block dropdown-item\",on:{\"click\":_vm.reportUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.report'))+\"\\n \")]),_vm._v(\" \"),(_vm.pleromaChatMessagesAvailable)?_c('button',{staticClass:\"btn btn-default btn-block dropdown-item\",on:{\"click\":_vm.openChat}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.message'))+\"\\n \")]):_vm._e()],2)]),_vm._v(\" \"),_c('div',{staticClass:\"btn btn-default ellipsis-button\",attrs:{\"slot\":\"trigger\"},slot:\"trigger\"},[_c('i',{staticClass:\"icon-ellipsis trigger-button\"})])])],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import UserAvatar from '../user_avatar/user_avatar.vue'\nimport RemoteFollow from '../remote_follow/remote_follow.vue'\nimport ProgressButton from '../progress_button/progress_button.vue'\nimport FollowButton from '../follow_button/follow_button.vue'\nimport ModerationTools from '../moderation_tools/moderation_tools.vue'\nimport AccountActions from '../account_actions/account_actions.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\nimport { mapGetters } from 'vuex'\n\nexport default {\n props: [\n 'userId', 'switcher', 'selected', 'hideBio', 'rounded', 'bordered', 'allowZoomingAvatar'\n ],\n data () {\n return {\n followRequestInProgress: false,\n betterShadow: this.$store.state.interface.browserSupport.cssFilter\n }\n },\n created () {\n this.$store.dispatch('fetchUserRelationship', this.user.id)\n },\n computed: {\n user () {\n return this.$store.getters.findUser(this.userId)\n },\n relationship () {\n return this.$store.getters.relationship(this.userId)\n },\n classes () {\n return [{\n 'user-card-rounded-t': this.rounded === 'top', // set border-top-left-radius and border-top-right-radius\n 'user-card-rounded': this.rounded === true, // set border-radius for all sides\n 'user-card-bordered': this.bordered === true // set border for all sides\n }]\n },\n style () {\n return {\n backgroundImage: [\n `linear-gradient(to bottom, var(--profileTint), var(--profileTint))`,\n `url(${this.user.cover_photo})`\n ].join(', ')\n }\n },\n isOtherUser () {\n return this.user.id !== this.$store.state.users.currentUser.id\n },\n subscribeUrl () {\n // eslint-disable-next-line no-undef\n const serverUrl = new URL(this.user.statusnet_profile_url)\n return `${serverUrl.protocol}//${serverUrl.host}/main/ostatus`\n },\n loggedIn () {\n return this.$store.state.users.currentUser\n },\n dailyAvg () {\n const days = Math.ceil((new Date() - new Date(this.user.created_at)) / (60 * 60 * 24 * 1000))\n return Math.round(this.user.statuses_count / days)\n },\n userHighlightType: {\n get () {\n const data = this.$store.getters.mergedConfig.highlight[this.user.screen_name]\n return (data && data.type) || 'disabled'\n },\n set (type) {\n const data = this.$store.getters.mergedConfig.highlight[this.user.screen_name]\n if (type !== 'disabled') {\n this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: (data && data.color) || '#FFFFFF', type })\n } else {\n this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: undefined })\n }\n },\n ...mapGetters(['mergedConfig'])\n },\n userHighlightColor: {\n get () {\n const data = this.$store.getters.mergedConfig.highlight[this.user.screen_name]\n return data && data.color\n },\n set (color) {\n this.$store.dispatch('setHighlight', { user: this.user.screen_name, color })\n }\n },\n visibleRole () {\n const rights = this.user.rights\n if (!rights) { return }\n const validRole = rights.admin || rights.moderator\n const roleTitle = rights.admin ? 'admin' : 'moderator'\n return validRole && roleTitle\n },\n hideFollowsCount () {\n return this.isOtherUser && this.user.hide_follows_count\n },\n hideFollowersCount () {\n return this.isOtherUser && this.user.hide_followers_count\n },\n ...mapGetters(['mergedConfig'])\n },\n components: {\n UserAvatar,\n RemoteFollow,\n ModerationTools,\n AccountActions,\n ProgressButton,\n FollowButton\n },\n methods: {\n muteUser () {\n this.$store.dispatch('muteUser', this.user.id)\n },\n unmuteUser () {\n this.$store.dispatch('unmuteUser', this.user.id)\n },\n subscribeUser () {\n return this.$store.dispatch('subscribeUser', this.user.id)\n },\n unsubscribeUser () {\n return this.$store.dispatch('unsubscribeUser', this.user.id)\n },\n setProfileView (v) {\n if (this.switcher) {\n const store = this.$store\n store.commit('setProfileView', { v })\n }\n },\n linkClicked ({ target }) {\n if (target.tagName === 'SPAN') {\n target = target.parentNode\n }\n if (target.tagName === 'A') {\n window.open(target.href, '_blank')\n }\n },\n userProfileLink (user) {\n return generateProfileLink(\n user.id, user.screen_name,\n this.$store.state.instance.restrictedNicknames\n )\n },\n zoomAvatar () {\n const attachment = {\n url: this.user.profile_image_url_original,\n mimetype: 'image'\n }\n this.$store.dispatch('setMedia', [attachment])\n this.$store.dispatch('setCurrent', attachment)\n },\n mentionUser () {\n this.$store.dispatch('openPostStatusModal', { replyTo: true, repliedUser: this.user })\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./user_card.js\"\nimport __vue_script__ from \"!!babel-loader!./user_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-5c57b7a6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"user-card\",class:_vm.classes},[_c('div',{staticClass:\"background-image\",class:{ 'hide-bio': _vm.hideBio },style:(_vm.style)}),_vm._v(\" \"),_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"user-info\"},[_c('div',{staticClass:\"container\"},[(_vm.allowZoomingAvatar)?_c('a',{staticClass:\"user-info-avatar-link\",on:{\"click\":_vm.zoomAvatar}},[_c('UserAvatar',{attrs:{\"better-shadow\":_vm.betterShadow,\"user\":_vm.user}}),_vm._v(\" \"),_vm._m(0)],1):_c('router-link',{attrs:{\"to\":_vm.userProfileLink(_vm.user)}},[_c('UserAvatar',{attrs:{\"better-shadow\":_vm.betterShadow,\"user\":_vm.user}})],1),_vm._v(\" \"),_c('div',{staticClass:\"user-summary\"},[_c('div',{staticClass:\"top-line\"},[(_vm.user.name_html)?_c('div',{staticClass:\"user-name\",attrs:{\"title\":_vm.user.name},domProps:{\"innerHTML\":_vm._s(_vm.user.name_html)}}):_c('div',{staticClass:\"user-name\",attrs:{\"title\":_vm.user.name}},[_vm._v(\"\\n \"+_vm._s(_vm.user.name)+\"\\n \")]),_vm._v(\" \"),(_vm.isOtherUser && !_vm.user.is_local)?_c('a',{attrs:{\"href\":_vm.user.statusnet_profile_url,\"target\":\"_blank\"}},[_c('i',{staticClass:\"icon-link-ext usersettings\"})]):_vm._e(),_vm._v(\" \"),(_vm.isOtherUser && _vm.loggedIn)?_c('AccountActions',{attrs:{\"user\":_vm.user,\"relationship\":_vm.relationship}}):_vm._e()],1),_vm._v(\" \"),_c('div',{staticClass:\"bottom-line\"},[_c('router-link',{staticClass:\"user-screen-name\",attrs:{\"title\":_vm.user.screen_name,\"to\":_vm.userProfileLink(_vm.user)}},[_vm._v(\"\\n @\"+_vm._s(_vm.user.screen_name)+\"\\n \")]),_vm._v(\" \"),(!_vm.hideBio)?[(!!_vm.visibleRole)?_c('span',{staticClass:\"alert user-role\"},[_vm._v(\"\\n \"+_vm._s(_vm.visibleRole)+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.user.bot)?_c('span',{staticClass:\"alert user-role\"},[_vm._v(\"\\n bot\\n \")]):_vm._e()]:_vm._e(),_vm._v(\" \"),(_vm.user.locked)?_c('span',[_c('i',{staticClass:\"icon icon-lock\"})]):_vm._e(),_vm._v(\" \"),(!_vm.mergedConfig.hideUserStats && !_vm.hideBio)?_c('span',{staticClass:\"dailyAvg\"},[_vm._v(_vm._s(_vm.dailyAvg)+\" \"+_vm._s(_vm.$t('user_card.per_day')))]):_vm._e()],2)])],1),_vm._v(\" \"),_c('div',{staticClass:\"user-meta\"},[(_vm.relationship.followed_by && _vm.loggedIn && _vm.isOtherUser)?_c('div',{staticClass:\"following\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.follows_you'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.isOtherUser && (_vm.loggedIn || !_vm.switcher))?_c('div',{staticClass:\"highlighter\"},[(_vm.userHighlightType !== 'disabled')?_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.userHighlightColor),expression:\"userHighlightColor\"}],staticClass:\"userHighlightText\",attrs:{\"id\":'userHighlightColorTx'+_vm.user.id,\"type\":\"text\"},domProps:{\"value\":(_vm.userHighlightColor)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.userHighlightColor=$event.target.value}}}):_vm._e(),_vm._v(\" \"),(_vm.userHighlightType !== 'disabled')?_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.userHighlightColor),expression:\"userHighlightColor\"}],staticClass:\"userHighlightCl\",attrs:{\"id\":'userHighlightColor'+_vm.user.id,\"type\":\"color\"},domProps:{\"value\":(_vm.userHighlightColor)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.userHighlightColor=$event.target.value}}}):_vm._e(),_vm._v(\" \"),_c('label',{staticClass:\"userHighlightSel select\",attrs:{\"for\":\"theme_tab\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.userHighlightType),expression:\"userHighlightType\"}],staticClass:\"userHighlightSel\",attrs:{\"id\":'userHighlightSel'+_vm.user.id},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.userHighlightType=$event.target.multiple ? $$selectedVal : $$selectedVal[0]}}},[_c('option',{attrs:{\"value\":\"disabled\"}},[_vm._v(\"No highlight\")]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"solid\"}},[_vm._v(\"Solid bg\")]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"striped\"}},[_vm._v(\"Striped bg\")]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"side\"}},[_vm._v(\"Side stripe\")])]),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])]):_vm._e()]),_vm._v(\" \"),(_vm.loggedIn && _vm.isOtherUser)?_c('div',{staticClass:\"user-interactions\"},[_c('div',{staticClass:\"btn-group\"},[_c('FollowButton',{attrs:{\"relationship\":_vm.relationship}}),_vm._v(\" \"),(_vm.relationship.following)?[(!_vm.relationship.subscribing)?_c('ProgressButton',{staticClass:\"btn btn-default\",attrs:{\"click\":_vm.subscribeUser,\"title\":_vm.$t('user_card.subscribe')}},[_c('i',{staticClass:\"icon-bell-alt\"})]):_c('ProgressButton',{staticClass:\"btn btn-default toggled\",attrs:{\"click\":_vm.unsubscribeUser,\"title\":_vm.$t('user_card.unsubscribe')}},[_c('i',{staticClass:\"icon-bell-ringing-o\"})])]:_vm._e()],2),_vm._v(\" \"),_c('div',[(_vm.relationship.muting)?_c('button',{staticClass:\"btn btn-default btn-block toggled\",on:{\"click\":_vm.unmuteUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.muted'))+\"\\n \")]):_c('button',{staticClass:\"btn btn-default btn-block\",on:{\"click\":_vm.muteUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.mute'))+\"\\n \")])]),_vm._v(\" \"),_c('div',[_c('button',{staticClass:\"btn btn-default btn-block\",on:{\"click\":_vm.mentionUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.mention'))+\"\\n \")])]),_vm._v(\" \"),(_vm.loggedIn.role === \"admin\")?_c('ModerationTools',{attrs:{\"user\":_vm.user}}):_vm._e()],1):_vm._e(),_vm._v(\" \"),(!_vm.loggedIn && _vm.user.is_local)?_c('div',{staticClass:\"user-interactions\"},[_c('RemoteFollow',{attrs:{\"user\":_vm.user}})],1):_vm._e()])]),_vm._v(\" \"),(!_vm.hideBio)?_c('div',{staticClass:\"panel-body\"},[(!_vm.mergedConfig.hideUserStats && _vm.switcher)?_c('div',{staticClass:\"user-counts\"},[_c('div',{staticClass:\"user-count\",on:{\"click\":function($event){$event.preventDefault();return _vm.setProfileView('statuses')}}},[_c('h5',[_vm._v(_vm._s(_vm.$t('user_card.statuses')))]),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(_vm.user.statuses_count)+\" \"),_c('br')])]),_vm._v(\" \"),_c('div',{staticClass:\"user-count\",on:{\"click\":function($event){$event.preventDefault();return _vm.setProfileView('friends')}}},[_c('h5',[_vm._v(_vm._s(_vm.$t('user_card.followees')))]),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(_vm.hideFollowsCount ? _vm.$t('user_card.hidden') : _vm.user.friends_count))])]),_vm._v(\" \"),_c('div',{staticClass:\"user-count\",on:{\"click\":function($event){$event.preventDefault();return _vm.setProfileView('followers')}}},[_c('h5',[_vm._v(_vm._s(_vm.$t('user_card.followers')))]),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(_vm.hideFollowersCount ? _vm.$t('user_card.hidden') : _vm.user.followers_count))])])]):_vm._e(),_vm._v(\" \"),(!_vm.hideBio && _vm.user.description_html)?_c('p',{staticClass:\"user-card-bio\",domProps:{\"innerHTML\":_vm._s(_vm.user.description_html)},on:{\"click\":function($event){$event.preventDefault();return _vm.linkClicked($event)}}}):(!_vm.hideBio)?_c('p',{staticClass:\"user-card-bio\"},[_vm._v(\"\\n \"+_vm._s(_vm.user.description)+\"\\n \")]):_vm._e()]):_vm._e()])}\nvar staticRenderFns = [function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"user-info-avatar-link-overlay\"},[_c('i',{staticClass:\"button-icon icon-zoom-in\"})])}]\nexport { render, staticRenderFns }","import { invertLightness, brightness } from 'chromatism'\nimport { alphaBlend, mixrgb } from '../color_convert/color_convert.js'\n/* This is a definition of all layer combinations\n * each key is a topmost layer, each value represents layer underneath\n * this is essentially a simplified tree\n */\nexport const LAYERS = {\n undelay: null, // root\n topBar: null, // no transparency support\n badge: null, // no transparency support\n profileTint: null, // doesn't matter\n fg: null,\n bg: 'underlay',\n highlight: 'bg',\n panel: 'bg',\n popover: 'bg',\n selectedMenu: 'popover',\n btn: 'bg',\n btnPanel: 'panel',\n btnTopBar: 'topBar',\n input: 'bg',\n inputPanel: 'panel',\n inputTopBar: 'topBar',\n alert: 'bg',\n alertPanel: 'panel',\n poll: 'bg',\n chatBg: 'underlay',\n chatMessage: 'chatBg'\n}\n\n/* By default opacity slots have 1 as default opacity\n * this allows redefining it to something else\n */\nexport const DEFAULT_OPACITY = {\n profileTint: 0.5,\n alert: 0.5,\n input: 0.5,\n faint: 0.5,\n underlay: 0.15,\n alertPopup: 0.95\n}\n\n/** SUBJECT TO CHANGE IN THE FUTURE, this is all beta\n * Color and opacity slots definitions. Each key represents a slot.\n *\n * Short-hands:\n * String beginning with `--` - value after dashes treated as sole\n * dependency - i.e. `--value` equivalent to { depends: ['value']}\n * String beginning with `#` - value would be treated as solid color\n * defined in hexadecimal representation (i.e. #FFFFFF) and will be\n * used as default. `#FFFFFF` is equivalent to { default: '#FFFFFF'}\n *\n * Full definition:\n * @property {String[]} depends - color slot names this color depends ones.\n * cyclic dependencies are supported to some extent but not recommended.\n * @property {String} [opacity] - opacity slot used by this color slot.\n * opacity is inherited from parents. To break inheritance graph use null\n * @property {Number} [priority] - EXPERIMENTAL. used to pre-sort slots so\n * that slots with higher priority come earlier\n * @property {Function(mod, ...colors)} [color] - function that will be\n * used to determine the color. By default it just copies first color in\n * dependency list.\n * @argument {Number} mod - `1` (light-on-dark) or `-1` (dark-on-light)\n * depending on background color (for textColor)/given color.\n * @argument {...Object} deps - each argument after mod represents each\n * color from `depends` array. All colors take user customizations into\n * account and represented by { r, g, b } objects.\n * @returns {Object} resulting color, should be in { r, g, b } form\n *\n * @property {Boolean|String} [textColor] - true to mark color slot as text\n * color. This enables automatic text color generation for the slot. Use\n * 'preserve' string if you don't want text color to fall back to\n * black/white. Use 'bw' to only ever use black or white. This also makes\n * following properties required:\n * @property {String} [layer] - which layer the text sit on top on - used\n * to account for transparency in text color calculation\n * layer is inherited from parents. To break inheritance graph use null\n * @property {String} [variant] - which color slot is background (same as\n * above, used to account for transparency)\n */\nexport const SLOT_INHERITANCE = {\n bg: {\n depends: [],\n opacity: 'bg',\n priority: 1\n },\n fg: {\n depends: [],\n priority: 1\n },\n text: {\n depends: [],\n layer: 'bg',\n opacity: null,\n priority: 1\n },\n underlay: {\n default: '#000000',\n opacity: 'underlay'\n },\n link: {\n depends: ['accent'],\n priority: 1\n },\n accent: {\n depends: ['link'],\n priority: 1\n },\n faint: {\n depends: ['text'],\n opacity: 'faint'\n },\n faintLink: {\n depends: ['link'],\n opacity: 'faint'\n },\n postFaintLink: {\n depends: ['postLink'],\n opacity: 'faint'\n },\n\n cBlue: '#0000ff',\n cRed: '#FF0000',\n cGreen: '#00FF00',\n cOrange: '#E3FF00',\n\n profileBg: {\n depends: ['bg'],\n color: (mod, bg) => ({\n r: Math.floor(bg.r * 0.53),\n g: Math.floor(bg.g * 0.56),\n b: Math.floor(bg.b * 0.59)\n })\n },\n profileTint: {\n depends: ['bg'],\n layer: 'profileTint',\n opacity: 'profileTint'\n },\n\n highlight: {\n depends: ['bg'],\n color: (mod, bg) => brightness(5 * mod, bg).rgb\n },\n highlightLightText: {\n depends: ['lightText'],\n layer: 'highlight',\n textColor: true\n },\n highlightPostLink: {\n depends: ['postLink'],\n layer: 'highlight',\n textColor: 'preserve'\n },\n highlightFaintText: {\n depends: ['faint'],\n layer: 'highlight',\n textColor: true\n },\n highlightFaintLink: {\n depends: ['faintLink'],\n layer: 'highlight',\n textColor: 'preserve'\n },\n highlightPostFaintLink: {\n depends: ['postFaintLink'],\n layer: 'highlight',\n textColor: 'preserve'\n },\n highlightText: {\n depends: ['text'],\n layer: 'highlight',\n textColor: true\n },\n highlightLink: {\n depends: ['link'],\n layer: 'highlight',\n textColor: 'preserve'\n },\n highlightIcon: {\n depends: ['highlight', 'highlightText'],\n color: (mod, bg, text) => mixrgb(bg, text)\n },\n\n popover: {\n depends: ['bg'],\n opacity: 'popover'\n },\n popoverLightText: {\n depends: ['lightText'],\n layer: 'popover',\n textColor: true\n },\n popoverPostLink: {\n depends: ['postLink'],\n layer: 'popover',\n textColor: 'preserve'\n },\n popoverFaintText: {\n depends: ['faint'],\n layer: 'popover',\n textColor: true\n },\n popoverFaintLink: {\n depends: ['faintLink'],\n layer: 'popover',\n textColor: 'preserve'\n },\n popoverPostFaintLink: {\n depends: ['postFaintLink'],\n layer: 'popover',\n textColor: 'preserve'\n },\n popoverText: {\n depends: ['text'],\n layer: 'popover',\n textColor: true\n },\n popoverLink: {\n depends: ['link'],\n layer: 'popover',\n textColor: 'preserve'\n },\n popoverIcon: {\n depends: ['popover', 'popoverText'],\n color: (mod, bg, text) => mixrgb(bg, text)\n },\n\n selectedPost: '--highlight',\n selectedPostFaintText: {\n depends: ['highlightFaintText'],\n layer: 'highlight',\n variant: 'selectedPost',\n textColor: true\n },\n selectedPostLightText: {\n depends: ['highlightLightText'],\n layer: 'highlight',\n variant: 'selectedPost',\n textColor: true\n },\n selectedPostPostLink: {\n depends: ['highlightPostLink'],\n layer: 'highlight',\n variant: 'selectedPost',\n textColor: 'preserve'\n },\n selectedPostFaintLink: {\n depends: ['highlightFaintLink'],\n layer: 'highlight',\n variant: 'selectedPost',\n textColor: 'preserve'\n },\n selectedPostText: {\n depends: ['highlightText'],\n layer: 'highlight',\n variant: 'selectedPost',\n textColor: true\n },\n selectedPostLink: {\n depends: ['highlightLink'],\n layer: 'highlight',\n variant: 'selectedPost',\n textColor: 'preserve'\n },\n selectedPostIcon: {\n depends: ['selectedPost', 'selectedPostText'],\n color: (mod, bg, text) => mixrgb(bg, text)\n },\n\n selectedMenu: {\n depends: ['bg'],\n color: (mod, bg) => brightness(5 * mod, bg).rgb\n },\n selectedMenuLightText: {\n depends: ['highlightLightText'],\n layer: 'selectedMenu',\n variant: 'selectedMenu',\n textColor: true\n },\n selectedMenuFaintText: {\n depends: ['highlightFaintText'],\n layer: 'selectedMenu',\n variant: 'selectedMenu',\n textColor: true\n },\n selectedMenuFaintLink: {\n depends: ['highlightFaintLink'],\n layer: 'selectedMenu',\n variant: 'selectedMenu',\n textColor: 'preserve'\n },\n selectedMenuText: {\n depends: ['highlightText'],\n layer: 'selectedMenu',\n variant: 'selectedMenu',\n textColor: true\n },\n selectedMenuLink: {\n depends: ['highlightLink'],\n layer: 'selectedMenu',\n variant: 'selectedMenu',\n textColor: 'preserve'\n },\n selectedMenuIcon: {\n depends: ['selectedMenu', 'selectedMenuText'],\n color: (mod, bg, text) => mixrgb(bg, text)\n },\n\n selectedMenuPopover: {\n depends: ['popover'],\n color: (mod, bg) => brightness(5 * mod, bg).rgb\n },\n selectedMenuPopoverLightText: {\n depends: ['selectedMenuLightText'],\n layer: 'selectedMenuPopover',\n variant: 'selectedMenuPopover',\n textColor: true\n },\n selectedMenuPopoverFaintText: {\n depends: ['selectedMenuFaintText'],\n layer: 'selectedMenuPopover',\n variant: 'selectedMenuPopover',\n textColor: true\n },\n selectedMenuPopoverFaintLink: {\n depends: ['selectedMenuFaintLink'],\n layer: 'selectedMenuPopover',\n variant: 'selectedMenuPopover',\n textColor: 'preserve'\n },\n selectedMenuPopoverText: {\n depends: ['selectedMenuText'],\n layer: 'selectedMenuPopover',\n variant: 'selectedMenuPopover',\n textColor: true\n },\n selectedMenuPopoverLink: {\n depends: ['selectedMenuLink'],\n layer: 'selectedMenuPopover',\n variant: 'selectedMenuPopover',\n textColor: 'preserve'\n },\n selectedMenuPopoverIcon: {\n depends: ['selectedMenuPopover', 'selectedMenuText'],\n color: (mod, bg, text) => mixrgb(bg, text)\n },\n\n lightText: {\n depends: ['text'],\n layer: 'bg',\n textColor: 'preserve',\n color: (mod, text) => brightness(20 * mod, text).rgb\n },\n\n postLink: {\n depends: ['link'],\n layer: 'bg',\n textColor: 'preserve'\n },\n\n postGreentext: {\n depends: ['cGreen'],\n layer: 'bg',\n textColor: 'preserve'\n },\n\n border: {\n depends: ['fg'],\n opacity: 'border',\n color: (mod, fg) => brightness(2 * mod, fg).rgb\n },\n\n poll: {\n depends: ['accent', 'bg'],\n copacity: 'poll',\n color: (mod, accent, bg) => alphaBlend(accent, 0.4, bg)\n },\n pollText: {\n depends: ['text'],\n layer: 'poll',\n textColor: true\n },\n\n icon: {\n depends: ['bg', 'text'],\n inheritsOpacity: false,\n color: (mod, bg, text) => mixrgb(bg, text)\n },\n\n // Foreground\n fgText: {\n depends: ['text'],\n layer: 'fg',\n textColor: true\n },\n fgLink: {\n depends: ['link'],\n layer: 'fg',\n textColor: 'preserve'\n },\n\n // Panel header\n panel: {\n depends: ['fg'],\n opacity: 'panel'\n },\n panelText: {\n depends: ['text'],\n layer: 'panel',\n textColor: true\n },\n panelFaint: {\n depends: ['fgText'],\n layer: 'panel',\n opacity: 'faint',\n textColor: true\n },\n panelLink: {\n depends: ['fgLink'],\n layer: 'panel',\n textColor: 'preserve'\n },\n\n // Top bar\n topBar: '--fg',\n topBarText: {\n depends: ['fgText'],\n layer: 'topBar',\n textColor: true\n },\n topBarLink: {\n depends: ['fgLink'],\n layer: 'topBar',\n textColor: 'preserve'\n },\n\n // Tabs\n tab: {\n depends: ['btn']\n },\n tabText: {\n depends: ['btnText'],\n layer: 'btn',\n textColor: true\n },\n tabActiveText: {\n depends: ['text'],\n layer: 'bg',\n textColor: true\n },\n\n // Buttons\n btn: {\n depends: ['fg'],\n variant: 'btn',\n opacity: 'btn'\n },\n btnText: {\n depends: ['fgText'],\n layer: 'btn',\n textColor: true\n },\n btnPanelText: {\n depends: ['btnText'],\n layer: 'btnPanel',\n variant: 'btn',\n textColor: true\n },\n btnTopBarText: {\n depends: ['btnText'],\n layer: 'btnTopBar',\n variant: 'btn',\n textColor: true\n },\n\n // Buttons: pressed\n btnPressed: {\n depends: ['btn'],\n layer: 'btn'\n },\n btnPressedText: {\n depends: ['btnText'],\n layer: 'btn',\n variant: 'btnPressed',\n textColor: true\n },\n btnPressedPanel: {\n depends: ['btnPressed'],\n layer: 'btn'\n },\n btnPressedPanelText: {\n depends: ['btnPanelText'],\n layer: 'btnPanel',\n variant: 'btnPressed',\n textColor: true\n },\n btnPressedTopBar: {\n depends: ['btnPressed'],\n layer: 'btn'\n },\n btnPressedTopBarText: {\n depends: ['btnTopBarText'],\n layer: 'btnTopBar',\n variant: 'btnPressed',\n textColor: true\n },\n\n // Buttons: toggled\n btnToggled: {\n depends: ['btn'],\n layer: 'btn',\n color: (mod, btn) => brightness(mod * 20, btn).rgb\n },\n btnToggledText: {\n depends: ['btnText'],\n layer: 'btn',\n variant: 'btnToggled',\n textColor: true\n },\n btnToggledPanelText: {\n depends: ['btnPanelText'],\n layer: 'btnPanel',\n variant: 'btnToggled',\n textColor: true\n },\n btnToggledTopBarText: {\n depends: ['btnTopBarText'],\n layer: 'btnTopBar',\n variant: 'btnToggled',\n textColor: true\n },\n\n // Buttons: disabled\n btnDisabled: {\n depends: ['btn', 'bg'],\n color: (mod, btn, bg) => alphaBlend(btn, 0.25, bg)\n },\n btnDisabledText: {\n depends: ['btnText', 'btnDisabled'],\n layer: 'btn',\n variant: 'btnDisabled',\n color: (mod, text, btn) => alphaBlend(text, 0.25, btn)\n },\n btnDisabledPanelText: {\n depends: ['btnPanelText', 'btnDisabled'],\n layer: 'btnPanel',\n variant: 'btnDisabled',\n color: (mod, text, btn) => alphaBlend(text, 0.25, btn)\n },\n btnDisabledTopBarText: {\n depends: ['btnTopBarText', 'btnDisabled'],\n layer: 'btnTopBar',\n variant: 'btnDisabled',\n color: (mod, text, btn) => alphaBlend(text, 0.25, btn)\n },\n\n // Input fields\n input: {\n depends: ['fg'],\n opacity: 'input'\n },\n inputText: {\n depends: ['text'],\n layer: 'input',\n textColor: true\n },\n inputPanelText: {\n depends: ['panelText'],\n layer: 'inputPanel',\n variant: 'input',\n textColor: true\n },\n inputTopbarText: {\n depends: ['topBarText'],\n layer: 'inputTopBar',\n variant: 'input',\n textColor: true\n },\n\n alertError: {\n depends: ['cRed'],\n opacity: 'alert'\n },\n alertErrorText: {\n depends: ['text'],\n layer: 'alert',\n variant: 'alertError',\n textColor: true\n },\n alertErrorPanelText: {\n depends: ['panelText'],\n layer: 'alertPanel',\n variant: 'alertError',\n textColor: true\n },\n\n alertWarning: {\n depends: ['cOrange'],\n opacity: 'alert'\n },\n alertWarningText: {\n depends: ['text'],\n layer: 'alert',\n variant: 'alertWarning',\n textColor: true\n },\n alertWarningPanelText: {\n depends: ['panelText'],\n layer: 'alertPanel',\n variant: 'alertWarning',\n textColor: true\n },\n\n alertNeutral: {\n depends: ['text'],\n opacity: 'alert'\n },\n alertNeutralText: {\n depends: ['text'],\n layer: 'alert',\n variant: 'alertNeutral',\n color: (mod, text) => invertLightness(text).rgb,\n textColor: true\n },\n alertNeutralPanelText: {\n depends: ['panelText'],\n layer: 'alertPanel',\n variant: 'alertNeutral',\n textColor: true\n },\n\n alertPopupError: {\n depends: ['alertError'],\n opacity: 'alertPopup'\n },\n alertPopupErrorText: {\n depends: ['alertErrorText'],\n layer: 'popover',\n variant: 'alertPopupError',\n textColor: true\n },\n\n alertPopupWarning: {\n depends: ['alertWarning'],\n opacity: 'alertPopup'\n },\n alertPopupWarningText: {\n depends: ['alertWarningText'],\n layer: 'popover',\n variant: 'alertPopupWarning',\n textColor: true\n },\n\n alertPopupNeutral: {\n depends: ['alertNeutral'],\n opacity: 'alertPopup'\n },\n alertPopupNeutralText: {\n depends: ['alertNeutralText'],\n layer: 'popover',\n variant: 'alertPopupNeutral',\n textColor: true\n },\n\n badgeNotification: '--cRed',\n badgeNotificationText: {\n depends: ['text', 'badgeNotification'],\n layer: 'badge',\n variant: 'badgeNotification',\n textColor: 'bw'\n },\n\n chatBg: {\n depends: ['bg']\n },\n\n chatMessageIncomingBg: {\n depends: ['chatBg']\n },\n\n chatMessageIncomingText: {\n depends: ['text'],\n layer: 'chatMessage',\n variant: 'chatMessageIncomingBg',\n textColor: true\n },\n\n chatMessageIncomingLink: {\n depends: ['link'],\n layer: 'chatMessage',\n variant: 'chatMessageIncomingBg',\n textColor: 'preserve'\n },\n\n chatMessageIncomingBorder: {\n depends: ['border'],\n opacity: 'border',\n color: (mod, border) => brightness(2 * mod, border).rgb\n },\n\n chatMessageOutgoingBg: {\n depends: ['chatMessageIncomingBg'],\n color: (mod, chatMessage) => brightness(5 * mod, chatMessage).rgb\n },\n\n chatMessageOutgoingText: {\n depends: ['text'],\n layer: 'chatMessage',\n variant: 'chatMessageOutgoingBg',\n textColor: true\n },\n\n chatMessageOutgoingLink: {\n depends: ['link'],\n layer: 'chatMessage',\n variant: 'chatMessageOutgoingBg',\n textColor: 'preserve'\n },\n\n chatMessageOutgoingBorder: {\n depends: ['chatMessageOutgoingBg'],\n opacity: 'border',\n color: (mod, border) => brightness(2 * mod, border).rgb\n }\n}\n","import { convert } from 'chromatism'\nimport { rgb2hex, hex2rgb, rgba2css, getCssColor, relativeLuminance } from '../color_convert/color_convert.js'\nimport { getColors, computeDynamicColor, getOpacitySlot } from '../theme_data/theme_data.service.js'\n\nexport const applyTheme = (input) => {\n const { rules } = generatePreset(input)\n const head = document.head\n const body = document.body\n body.classList.add('hidden')\n\n const styleEl = document.createElement('style')\n head.appendChild(styleEl)\n const styleSheet = styleEl.sheet\n\n styleSheet.toString()\n styleSheet.insertRule(`body { ${rules.radii} }`, 'index-max')\n styleSheet.insertRule(`body { ${rules.colors} }`, 'index-max')\n styleSheet.insertRule(`body { ${rules.shadows} }`, 'index-max')\n styleSheet.insertRule(`body { ${rules.fonts} }`, 'index-max')\n body.classList.remove('hidden')\n}\n\nexport const getCssShadow = (input, usesDropShadow) => {\n if (input.length === 0) {\n return 'none'\n }\n\n return input\n .filter(_ => usesDropShadow ? _.inset : _)\n .map((shad) => [\n shad.x,\n shad.y,\n shad.blur,\n shad.spread\n ].map(_ => _ + 'px').concat([\n getCssColor(shad.color, shad.alpha),\n shad.inset ? 'inset' : ''\n ]).join(' ')).join(', ')\n}\n\nconst getCssShadowFilter = (input) => {\n if (input.length === 0) {\n return 'none'\n }\n\n return input\n // drop-shadow doesn't support inset or spread\n .filter((shad) => !shad.inset && Number(shad.spread) === 0)\n .map((shad) => [\n shad.x,\n shad.y,\n // drop-shadow's blur is twice as strong compared to box-shadow\n shad.blur / 2\n ].map(_ => _ + 'px').concat([\n getCssColor(shad.color, shad.alpha)\n ]).join(' '))\n .map(_ => `drop-shadow(${_})`)\n .join(' ')\n}\n\nexport const generateColors = (themeData) => {\n const sourceColors = !themeData.themeEngineVersion\n ? colors2to3(themeData.colors || themeData)\n : themeData.colors || themeData\n\n const { colors, opacity } = getColors(sourceColors, themeData.opacity || {})\n\n const htmlColors = Object.entries(colors)\n .reduce((acc, [k, v]) => {\n if (!v) return acc\n acc.solid[k] = rgb2hex(v)\n acc.complete[k] = typeof v.a === 'undefined' ? rgb2hex(v) : rgba2css(v)\n return acc\n }, { complete: {}, solid: {} })\n return {\n rules: {\n colors: Object.entries(htmlColors.complete)\n .filter(([k, v]) => v)\n .map(([k, v]) => `--${k}: ${v}`)\n .join(';')\n },\n theme: {\n colors: htmlColors.solid,\n opacity\n }\n }\n}\n\nexport const generateRadii = (input) => {\n let inputRadii = input.radii || {}\n // v1 -> v2\n if (typeof input.btnRadius !== 'undefined') {\n inputRadii = Object\n .entries(input)\n .filter(([k, v]) => k.endsWith('Radius'))\n .reduce((acc, e) => { acc[e[0].split('Radius')[0]] = e[1]; return acc }, {})\n }\n const radii = Object.entries(inputRadii).filter(([k, v]) => v).reduce((acc, [k, v]) => {\n acc[k] = v\n return acc\n }, {\n btn: 4,\n input: 4,\n checkbox: 2,\n panel: 10,\n avatar: 5,\n avatarAlt: 50,\n tooltip: 2,\n attachment: 5,\n chatMessage: inputRadii.panel\n })\n\n return {\n rules: {\n radii: Object.entries(radii).filter(([k, v]) => v).map(([k, v]) => `--${k}Radius: ${v}px`).join(';')\n },\n theme: {\n radii\n }\n }\n}\n\nexport const generateFonts = (input) => {\n const fonts = Object.entries(input.fonts || {}).filter(([k, v]) => v).reduce((acc, [k, v]) => {\n acc[k] = Object.entries(v).filter(([k, v]) => v).reduce((acc, [k, v]) => {\n acc[k] = v\n return acc\n }, acc[k])\n return acc\n }, {\n interface: {\n family: 'sans-serif'\n },\n input: {\n family: 'inherit'\n },\n post: {\n family: 'inherit'\n },\n postCode: {\n family: 'monospace'\n }\n })\n\n return {\n rules: {\n fonts: Object\n .entries(fonts)\n .filter(([k, v]) => v)\n .map(([k, v]) => `--${k}Font: ${v.family}`).join(';')\n },\n theme: {\n fonts\n }\n }\n}\n\nconst border = (top, shadow) => ({\n x: 0,\n y: top ? 1 : -1,\n blur: 0,\n spread: 0,\n color: shadow ? '#000000' : '#FFFFFF',\n alpha: 0.2,\n inset: true\n})\nconst buttonInsetFakeBorders = [border(true, false), border(false, true)]\nconst inputInsetFakeBorders = [border(true, true), border(false, false)]\nconst hoverGlow = {\n x: 0,\n y: 0,\n blur: 4,\n spread: 0,\n color: '--faint',\n alpha: 1\n}\n\nexport const DEFAULT_SHADOWS = {\n panel: [{\n x: 1,\n y: 1,\n blur: 4,\n spread: 0,\n color: '#000000',\n alpha: 0.6\n }],\n topBar: [{\n x: 0,\n y: 0,\n blur: 4,\n spread: 0,\n color: '#000000',\n alpha: 0.6\n }],\n popup: [{\n x: 2,\n y: 2,\n blur: 3,\n spread: 0,\n color: '#000000',\n alpha: 0.5\n }],\n avatar: [{\n x: 0,\n y: 1,\n blur: 8,\n spread: 0,\n color: '#000000',\n alpha: 0.7\n }],\n avatarStatus: [],\n panelHeader: [],\n button: [{\n x: 0,\n y: 0,\n blur: 2,\n spread: 0,\n color: '#000000',\n alpha: 1\n }, ...buttonInsetFakeBorders],\n buttonHover: [hoverGlow, ...buttonInsetFakeBorders],\n buttonPressed: [hoverGlow, ...inputInsetFakeBorders],\n input: [...inputInsetFakeBorders, {\n x: 0,\n y: 0,\n blur: 2,\n inset: true,\n spread: 0,\n color: '#000000',\n alpha: 1\n }]\n}\nexport const generateShadows = (input, colors) => {\n // TODO this is a small hack for `mod` to work with shadows\n // this is used to get the \"context\" of shadow, i.e. for `mod` properly depend on background color of element\n const hackContextDict = {\n button: 'btn',\n panel: 'bg',\n top: 'topBar',\n popup: 'popover',\n avatar: 'bg',\n panelHeader: 'panel',\n input: 'input'\n }\n const inputShadows = input.shadows && !input.themeEngineVersion\n ? shadows2to3(input.shadows, input.opacity)\n : input.shadows || {}\n const shadows = Object.entries({\n ...DEFAULT_SHADOWS,\n ...inputShadows\n }).reduce((shadowsAcc, [slotName, shadowDefs]) => {\n const slotFirstWord = slotName.replace(/[A-Z].*$/, '')\n const colorSlotName = hackContextDict[slotFirstWord]\n const isLightOnDark = relativeLuminance(convert(colors[colorSlotName]).rgb) < 0.5\n const mod = isLightOnDark ? 1 : -1\n const newShadow = shadowDefs.reduce((shadowAcc, def) => [\n ...shadowAcc,\n {\n ...def,\n color: rgb2hex(computeDynamicColor(\n def.color,\n (variableSlot) => convert(colors[variableSlot]).rgb,\n mod\n ))\n }\n ], [])\n return { ...shadowsAcc, [slotName]: newShadow }\n }, {})\n\n return {\n rules: {\n shadows: Object\n .entries(shadows)\n // TODO for v2.2: if shadow doesn't have non-inset shadows with spread > 0 - optionally\n // convert all non-inset shadows into filter: drop-shadow() to boost performance\n .map(([k, v]) => [\n `--${k}Shadow: ${getCssShadow(v)}`,\n `--${k}ShadowFilter: ${getCssShadowFilter(v)}`,\n `--${k}ShadowInset: ${getCssShadow(v, true)}`\n ].join(';'))\n .join(';')\n },\n theme: {\n shadows\n }\n }\n}\n\nexport const composePreset = (colors, radii, shadows, fonts) => {\n return {\n rules: {\n ...shadows.rules,\n ...colors.rules,\n ...radii.rules,\n ...fonts.rules\n },\n theme: {\n ...shadows.theme,\n ...colors.theme,\n ...radii.theme,\n ...fonts.theme\n }\n }\n}\n\nexport const generatePreset = (input) => {\n const colors = generateColors(input)\n return composePreset(\n colors,\n generateRadii(input),\n generateShadows(input, colors.theme.colors, colors.mod),\n generateFonts(input)\n )\n}\n\nexport const getThemes = () => {\n const cache = 'no-store'\n\n return window.fetch('/static/styles.json', { cache })\n .then((data) => data.json())\n .then((themes) => {\n return Object.entries(themes).map(([k, v]) => {\n let promise = null\n if (typeof v === 'object') {\n promise = Promise.resolve(v)\n } else if (typeof v === 'string') {\n promise = window.fetch(v, { cache })\n .then((data) => data.json())\n .catch((e) => {\n console.error(e)\n return null\n })\n }\n return [k, promise]\n })\n })\n .then((promises) => {\n return promises\n .reduce((acc, [k, v]) => {\n acc[k] = v\n return acc\n }, {})\n })\n}\nexport const colors2to3 = (colors) => {\n return Object.entries(colors).reduce((acc, [slotName, color]) => {\n const btnPositions = ['', 'Panel', 'TopBar']\n switch (slotName) {\n case 'lightBg':\n return { ...acc, highlight: color }\n case 'btnText':\n return {\n ...acc,\n ...btnPositions\n .reduce(\n (statePositionAcc, position) =>\n ({ ...statePositionAcc, ['btn' + position + 'Text']: color })\n , {}\n )\n }\n default:\n return { ...acc, [slotName]: color }\n }\n }, {})\n}\n\n/**\n * This handles compatibility issues when importing v2 theme's shadows to current format\n *\n * Back in v2 shadows allowed you to use dynamic colors however those used pure CSS3 variables\n */\nexport const shadows2to3 = (shadows, opacity) => {\n return Object.entries(shadows).reduce((shadowsAcc, [slotName, shadowDefs]) => {\n const isDynamic = ({ color }) => color.startsWith('--')\n const getOpacity = ({ color }) => opacity[getOpacitySlot(color.substring(2).split(',')[0])]\n const newShadow = shadowDefs.reduce((shadowAcc, def) => [\n ...shadowAcc,\n {\n ...def,\n alpha: isDynamic(def) ? getOpacity(def) || 1 : def.alpha\n }\n ], [])\n return { ...shadowsAcc, [slotName]: newShadow }\n }, {})\n}\n\nexport const getPreset = (val) => {\n return getThemes()\n .then((themes) => themes[val] ? themes[val] : themes['pleroma-dark'])\n .then((theme) => {\n const isV1 = Array.isArray(theme)\n const data = isV1 ? {} : theme.theme\n\n if (isV1) {\n const bg = hex2rgb(theme[1])\n const fg = hex2rgb(theme[2])\n const text = hex2rgb(theme[3])\n const link = hex2rgb(theme[4])\n\n const cRed = hex2rgb(theme[5] || '#FF0000')\n const cGreen = hex2rgb(theme[6] || '#00FF00')\n const cBlue = hex2rgb(theme[7] || '#0000FF')\n const cOrange = hex2rgb(theme[8] || '#E3FF00')\n\n data.colors = { bg, fg, text, link, cRed, cBlue, cGreen, cOrange }\n }\n\n return { theme: data, source: theme.source }\n })\n}\n\nexport const setPreset = (val) => getPreset(val).then(data => applyTheme(data.theme))\n","import { mapGetters } from 'vuex'\n\nconst FavoriteButton = {\n props: ['status', 'loggedIn'],\n data () {\n return {\n animated: false\n }\n },\n methods: {\n favorite () {\n if (!this.status.favorited) {\n this.$store.dispatch('favorite', { id: this.status.id })\n } else {\n this.$store.dispatch('unfavorite', { id: this.status.id })\n }\n this.animated = true\n setTimeout(() => {\n this.animated = false\n }, 500)\n }\n },\n computed: {\n classes () {\n return {\n 'icon-star-empty': !this.status.favorited,\n 'icon-star': this.status.favorited,\n 'animate-spin': this.animated\n }\n },\n ...mapGetters(['mergedConfig'])\n }\n}\n\nexport default FavoriteButton\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./favorite_button.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./favorite_button.js\"\nimport __vue_script__ from \"!!babel-loader!./favorite_button.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2ced002f\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./favorite_button.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.loggedIn)?_c('div',[_c('i',{staticClass:\"button-icon favorite-button fav-active\",class:_vm.classes,attrs:{\"title\":_vm.$t('tool_tip.favorite')},on:{\"click\":function($event){$event.preventDefault();return _vm.favorite()}}}),_vm._v(\" \"),(!_vm.mergedConfig.hidePostStats && _vm.status.fave_num > 0)?_c('span',[_vm._v(_vm._s(_vm.status.fave_num))]):_vm._e()]):_c('div',[_c('i',{staticClass:\"button-icon favorite-button\",class:_vm.classes,attrs:{\"title\":_vm.$t('tool_tip.favorite')}}),_vm._v(\" \"),(!_vm.mergedConfig.hidePostStats && _vm.status.fave_num > 0)?_c('span',[_vm._v(_vm._s(_vm.status.fave_num))]):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Popover from '../popover/popover.vue'\nimport { mapGetters } from 'vuex'\n\nconst ReactButton = {\n props: ['status'],\n data () {\n return {\n filterWord: ''\n }\n },\n components: {\n Popover\n },\n methods: {\n addReaction (event, emoji, close) {\n const existingReaction = this.status.emoji_reactions.find(r => r.name === emoji)\n if (existingReaction && existingReaction.me) {\n this.$store.dispatch('unreactWithEmoji', { id: this.status.id, emoji })\n } else {\n this.$store.dispatch('reactWithEmoji', { id: this.status.id, emoji })\n }\n close()\n }\n },\n computed: {\n commonEmojis () {\n return ['👍', '😠', '👀', '😂', '🔥']\n },\n emojis () {\n if (this.filterWord !== '') {\n const filterWordLowercase = this.filterWord.toLowerCase()\n return this.$store.state.instance.emoji.filter(emoji =>\n emoji.displayText.toLowerCase().includes(filterWordLowercase)\n )\n }\n return this.$store.state.instance.emoji || []\n },\n ...mapGetters(['mergedConfig'])\n }\n}\n\nexport default ReactButton\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./react_button.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./react_button.js\"\nimport __vue_script__ from \"!!babel-loader!./react_button.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-185f65eb\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./react_button.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Popover',{staticClass:\"react-button-popover\",attrs:{\"trigger\":\"click\",\"placement\":\"top\",\"offset\":{ y: 5 }},scopedSlots:_vm._u([{key:\"content\",fn:function(ref){\nvar close = ref.close;\nreturn _c('div',{},[_c('div',{staticClass:\"reaction-picker-filter\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.filterWord),expression:\"filterWord\"}],attrs:{\"placeholder\":_vm.$t('emoji.search_emoji')},domProps:{\"value\":(_vm.filterWord)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.filterWord=$event.target.value}}})]),_vm._v(\" \"),_c('div',{staticClass:\"reaction-picker\"},[_vm._l((_vm.commonEmojis),function(emoji){return _c('span',{key:emoji,staticClass:\"emoji-button\",on:{\"click\":function($event){return _vm.addReaction($event, emoji, close)}}},[_vm._v(\"\\n \"+_vm._s(emoji)+\"\\n \")])}),_vm._v(\" \"),_c('div',{staticClass:\"reaction-picker-divider\"}),_vm._v(\" \"),_vm._l((_vm.emojis),function(emoji,key){return _c('span',{key:key,staticClass:\"emoji-button\",on:{\"click\":function($event){return _vm.addReaction($event, emoji.replacement, close)}}},[_vm._v(\"\\n \"+_vm._s(emoji.replacement)+\"\\n \")])}),_vm._v(\" \"),_c('div',{staticClass:\"reaction-bottom-fader\"})],2)])}}])},[_vm._v(\" \"),_c('i',{staticClass:\"icon-smile button-icon add-reaction-button\",attrs:{\"slot\":\"trigger\",\"title\":_vm.$t('tool_tip.add_reaction')},slot:\"trigger\"})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapGetters } from 'vuex'\n\nconst RetweetButton = {\n props: ['status', 'loggedIn', 'visibility'],\n data () {\n return {\n animated: false\n }\n },\n methods: {\n retweet () {\n if (!this.status.repeated) {\n this.$store.dispatch('retweet', { id: this.status.id })\n } else {\n this.$store.dispatch('unretweet', { id: this.status.id })\n }\n this.animated = true\n setTimeout(() => {\n this.animated = false\n }, 500)\n }\n },\n computed: {\n classes () {\n return {\n 'retweeted': this.status.repeated,\n 'retweeted-empty': !this.status.repeated,\n 'animate-spin': this.animated\n }\n },\n ...mapGetters(['mergedConfig'])\n }\n}\n\nexport default RetweetButton\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./retweet_button.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./retweet_button.js\"\nimport __vue_script__ from \"!!babel-loader!./retweet_button.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-538410cc\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./retweet_button.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.loggedIn)?_c('div',[(_vm.visibility !== 'private' && _vm.visibility !== 'direct')?[_c('i',{staticClass:\"button-icon retweet-button icon-retweet rt-active\",class:_vm.classes,attrs:{\"title\":_vm.$t('tool_tip.repeat')},on:{\"click\":function($event){$event.preventDefault();return _vm.retweet()}}}),_vm._v(\" \"),(!_vm.mergedConfig.hidePostStats && _vm.status.repeat_num > 0)?_c('span',[_vm._v(_vm._s(_vm.status.repeat_num))]):_vm._e()]:[_c('i',{staticClass:\"button-icon icon-lock\",class:_vm.classes,attrs:{\"title\":_vm.$t('timeline.no_retweet_hint')}})]],2):(!_vm.loggedIn)?_c('div',[_c('i',{staticClass:\"button-icon icon-retweet\",class:_vm.classes,attrs:{\"title\":_vm.$t('tool_tip.repeat')}}),_vm._v(\" \"),(!_vm.mergedConfig.hidePostStats && _vm.status.repeat_num > 0)?_c('span',[_vm._v(_vm._s(_vm.status.repeat_num))]):_vm._e()]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Popover from '../popover/popover.vue'\n\nconst ExtraButtons = {\n props: [ 'status' ],\n components: { Popover },\n methods: {\n deleteStatus () {\n const confirmed = window.confirm(this.$t('status.delete_confirm'))\n if (confirmed) {\n this.$store.dispatch('deleteStatus', { id: this.status.id })\n }\n },\n pinStatus () {\n this.$store.dispatch('pinStatus', this.status.id)\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n },\n unpinStatus () {\n this.$store.dispatch('unpinStatus', this.status.id)\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n },\n muteConversation () {\n this.$store.dispatch('muteConversation', this.status.id)\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n },\n unmuteConversation () {\n this.$store.dispatch('unmuteConversation', this.status.id)\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n },\n copyLink () {\n navigator.clipboard.writeText(this.statusLink)\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n },\n bookmarkStatus () {\n this.$store.dispatch('bookmark', { id: this.status.id })\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n },\n unbookmarkStatus () {\n this.$store.dispatch('unbookmark', { id: this.status.id })\n .then(() => this.$emit('onSuccess'))\n .catch(err => this.$emit('onError', err.error.error))\n }\n },\n computed: {\n currentUser () { return this.$store.state.users.currentUser },\n canDelete () {\n if (!this.currentUser) { return }\n const superuser = this.currentUser.rights.moderator || this.currentUser.rights.admin\n return superuser || this.status.user.id === this.currentUser.id\n },\n ownStatus () {\n return this.status.user.id === this.currentUser.id\n },\n canPin () {\n return this.ownStatus && (this.status.visibility === 'public' || this.status.visibility === 'unlisted')\n },\n canMute () {\n return !!this.currentUser\n },\n statusLink () {\n return `${this.$store.state.instance.server}${this.$router.resolve({ name: 'conversation', params: { id: this.status.id } }).href}`\n }\n }\n}\n\nexport default ExtraButtons\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./extra_buttons.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./extra_buttons.js\"\nimport __vue_script__ from \"!!babel-loader!./extra_buttons.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2d820a60\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./extra_buttons.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Popover',{staticClass:\"extra-button-popover\",attrs:{\"trigger\":\"click\",\"placement\":\"top\",\"bound-to\":{ x: 'container' }},scopedSlots:_vm._u([{key:\"content\",fn:function(ref){\nvar close = ref.close;\nreturn _c('div',{},[_c('div',{staticClass:\"dropdown-menu\"},[(_vm.canMute && !_vm.status.thread_muted)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":function($event){$event.preventDefault();return _vm.muteConversation($event)}}},[_c('i',{staticClass:\"icon-eye-off\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.mute_conversation\")))])]):_vm._e(),_vm._v(\" \"),(_vm.canMute && _vm.status.thread_muted)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":function($event){$event.preventDefault();return _vm.unmuteConversation($event)}}},[_c('i',{staticClass:\"icon-eye-off\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.unmute_conversation\")))])]):_vm._e(),_vm._v(\" \"),(!_vm.status.pinned && _vm.canPin)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":[function($event){$event.preventDefault();return _vm.pinStatus($event)},close]}},[_c('i',{staticClass:\"icon-pin\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.pin\")))])]):_vm._e(),_vm._v(\" \"),(_vm.status.pinned && _vm.canPin)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":[function($event){$event.preventDefault();return _vm.unpinStatus($event)},close]}},[_c('i',{staticClass:\"icon-pin\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.unpin\")))])]):_vm._e(),_vm._v(\" \"),(!_vm.status.bookmarked)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":[function($event){$event.preventDefault();return _vm.bookmarkStatus($event)},close]}},[_c('i',{staticClass:\"icon-bookmark-empty\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.bookmark\")))])]):_vm._e(),_vm._v(\" \"),(_vm.status.bookmarked)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":[function($event){$event.preventDefault();return _vm.unbookmarkStatus($event)},close]}},[_c('i',{staticClass:\"icon-bookmark\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.unbookmark\")))])]):_vm._e(),_vm._v(\" \"),(_vm.canDelete)?_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":[function($event){$event.preventDefault();return _vm.deleteStatus($event)},close]}},[_c('i',{staticClass:\"icon-cancel\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.delete\")))])]):_vm._e(),_vm._v(\" \"),_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":[function($event){$event.preventDefault();return _vm.copyLink($event)},close]}},[_c('i',{staticClass:\"icon-share\"}),_c('span',[_vm._v(_vm._s(_vm.$t(\"status.copy_link\")))])])])])}}])},[_vm._v(\" \"),_c('i',{staticClass:\"icon-ellipsis button-icon\",attrs:{\"slot\":\"trigger\"},slot:\"trigger\"})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { find } from 'lodash'\n\nconst StatusPopover = {\n name: 'StatusPopover',\n props: [\n 'statusId'\n ],\n data () {\n return {\n error: false\n }\n },\n computed: {\n status () {\n return find(this.$store.state.statuses.allStatuses, { id: this.statusId })\n }\n },\n components: {\n Status: () => import('../status/status.vue'),\n Popover: () => import('../popover/popover.vue')\n },\n methods: {\n enter () {\n if (!this.status) {\n if (!this.statusId) {\n this.error = true\n return\n }\n this.$store.dispatch('fetchStatus', this.statusId)\n .then(data => (this.error = false))\n .catch(e => (this.error = true))\n }\n }\n }\n}\n\nexport default StatusPopover\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./status_popover.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./status_popover.js\"\nimport __vue_script__ from \"!!babel-loader!./status_popover.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1ce08f47\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./status_popover.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Popover',{attrs:{\"trigger\":\"hover\",\"popover-class\":\"popover-default status-popover\",\"bound-to\":{ x: 'container' }},on:{\"show\":_vm.enter}},[_c('template',{slot:\"trigger\"},[_vm._t(\"default\")],2),_vm._v(\" \"),_c('div',{attrs:{\"slot\":\"content\"},slot:\"content\"},[(_vm.status)?_c('Status',{attrs:{\"is-preview\":true,\"statusoid\":_vm.status,\"compact\":true}}):(_vm.error)?_c('div',{staticClass:\"status-preview-no-content faint\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('status.status_unavailable'))+\"\\n \")]):_c('div',{staticClass:\"status-preview-no-content\"},[_c('i',{staticClass:\"icon-spin4 animate-spin\"})])],1)],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","\nconst UserListPopover = {\n name: 'UserListPopover',\n props: [\n 'users'\n ],\n components: {\n Popover: () => import('../popover/popover.vue'),\n UserAvatar: () => import('../user_avatar/user_avatar.vue')\n },\n computed: {\n usersCapped () {\n return this.users.slice(0, 16)\n }\n }\n}\n\nexport default UserListPopover\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_list_popover.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./user_list_popover.js\"\nimport __vue_script__ from \"!!babel-loader!./user_list_popover.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3dc4669d\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_list_popover.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Popover',{attrs:{\"trigger\":\"hover\",\"placement\":\"top\",\"offset\":{ y: 5 }}},[_c('template',{slot:\"trigger\"},[_vm._t(\"default\")],2),_vm._v(\" \"),_c('div',{staticClass:\"user-list-popover\",attrs:{\"slot\":\"content\"},slot:\"content\"},[(_vm.users.length)?_c('div',_vm._l((_vm.usersCapped),function(user){return _c('div',{key:user.id,staticClass:\"user-list-row\"},[_c('UserAvatar',{staticClass:\"avatar-small\",attrs:{\"user\":user,\"compact\":true}}),_vm._v(\" \"),_c('div',{staticClass:\"user-list-names\"},[_c('span',{domProps:{\"innerHTML\":_vm._s(user.name_html)}}),_vm._v(\" \"),_c('span',{staticClass:\"user-list-screen-name\"},[_vm._v(_vm._s(user.screen_name))])])],1)}),0):_c('div',[_c('i',{staticClass:\"icon-spin4 animate-spin\"})])])],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import UserAvatar from '../user_avatar/user_avatar.vue'\nimport UserListPopover from '../user_list_popover/user_list_popover.vue'\n\nconst EMOJI_REACTION_COUNT_CUTOFF = 12\n\nconst EmojiReactions = {\n name: 'EmojiReactions',\n components: {\n UserAvatar,\n UserListPopover\n },\n props: ['status'],\n data: () => ({\n showAll: false\n }),\n computed: {\n tooManyReactions () {\n return this.status.emoji_reactions.length > EMOJI_REACTION_COUNT_CUTOFF\n },\n emojiReactions () {\n return this.showAll\n ? this.status.emoji_reactions\n : this.status.emoji_reactions.slice(0, EMOJI_REACTION_COUNT_CUTOFF)\n },\n showMoreString () {\n return `+${this.status.emoji_reactions.length - EMOJI_REACTION_COUNT_CUTOFF}`\n },\n accountsForEmoji () {\n return this.status.emoji_reactions.reduce((acc, reaction) => {\n acc[reaction.name] = reaction.accounts || []\n return acc\n }, {})\n },\n loggedIn () {\n return !!this.$store.state.users.currentUser\n }\n },\n methods: {\n toggleShowAll () {\n this.showAll = !this.showAll\n },\n reactedWith (emoji) {\n return this.status.emoji_reactions.find(r => r.name === emoji).me\n },\n fetchEmojiReactionsByIfMissing () {\n const hasNoAccounts = this.status.emoji_reactions.find(r => !r.accounts)\n if (hasNoAccounts) {\n this.$store.dispatch('fetchEmojiReactionsBy', this.status.id)\n }\n },\n reactWith (emoji) {\n this.$store.dispatch('reactWithEmoji', { id: this.status.id, emoji })\n },\n unreact (emoji) {\n this.$store.dispatch('unreactWithEmoji', { id: this.status.id, emoji })\n },\n emojiOnClick (emoji, event) {\n if (!this.loggedIn) return\n\n if (this.reactedWith(emoji)) {\n this.unreact(emoji)\n } else {\n this.reactWith(emoji)\n }\n }\n }\n}\n\nexport default EmojiReactions\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./emoji_reactions.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./emoji_reactions.js\"\nimport __vue_script__ from \"!!babel-loader!./emoji_reactions.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-342ef24c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./emoji_reactions.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"emoji-reactions\"},[_vm._l((_vm.emojiReactions),function(reaction){return _c('UserListPopover',{key:reaction.name,attrs:{\"users\":_vm.accountsForEmoji[reaction.name]}},[_c('button',{staticClass:\"emoji-reaction btn btn-default\",class:{ 'picked-reaction': _vm.reactedWith(reaction.name), 'not-clickable': !_vm.loggedIn },on:{\"click\":function($event){return _vm.emojiOnClick(reaction.name, $event)},\"mouseenter\":function($event){return _vm.fetchEmojiReactionsByIfMissing()}}},[_c('span',{staticClass:\"reaction-emoji\"},[_vm._v(_vm._s(reaction.name))]),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(reaction.count))])])])}),_vm._v(\" \"),(_vm.tooManyReactions)?_c('a',{staticClass:\"emoji-reaction-expand faint\",attrs:{\"href\":\"javascript:void(0)\"},on:{\"click\":_vm.toggleShowAll}},[_vm._v(\"\\n \"+_vm._s(_vm.showAll ? _vm.$t('general.show_less') : _vm.showMoreString)+\"\\n \")]):_vm._e()],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import FavoriteButton from '../favorite_button/favorite_button.vue'\nimport ReactButton from '../react_button/react_button.vue'\nimport RetweetButton from '../retweet_button/retweet_button.vue'\nimport ExtraButtons from '../extra_buttons/extra_buttons.vue'\nimport PostStatusForm from '../post_status_form/post_status_form.vue'\nimport UserCard from '../user_card/user_card.vue'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\nimport AvatarList from '../avatar_list/avatar_list.vue'\nimport Timeago from '../timeago/timeago.vue'\nimport StatusContent from '../status_content/status_content.vue'\nimport StatusPopover from '../status_popover/status_popover.vue'\nimport UserListPopover from '../user_list_popover/user_list_popover.vue'\nimport EmojiReactions from '../emoji_reactions/emoji_reactions.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\nimport { highlightClass, highlightStyle } from '../../services/user_highlighter/user_highlighter.js'\nimport { muteWordHits } from '../../services/status_parser/status_parser.js'\nimport { unescape, uniqBy } from 'lodash'\nimport { mapGetters, mapState } from 'vuex'\n\nconst Status = {\n name: 'Status',\n components: {\n FavoriteButton,\n ReactButton,\n RetweetButton,\n ExtraButtons,\n PostStatusForm,\n UserCard,\n UserAvatar,\n AvatarList,\n Timeago,\n StatusPopover,\n UserListPopover,\n EmojiReactions,\n StatusContent\n },\n props: [\n 'statusoid',\n 'expandable',\n 'inConversation',\n 'focused',\n 'highlight',\n 'compact',\n 'replies',\n 'isPreview',\n 'noHeading',\n 'inlineExpanded',\n 'showPinned',\n 'inProfile',\n 'profileUserId'\n ],\n data () {\n return {\n replying: false,\n unmuted: false,\n userExpanded: false,\n error: null\n }\n },\n computed: {\n muteWords () {\n return this.mergedConfig.muteWords\n },\n showReasonMutedThread () {\n return (\n this.status.thread_muted ||\n (this.status.reblog && this.status.reblog.thread_muted)\n ) && !this.inConversation\n },\n repeaterClass () {\n const user = this.statusoid.user\n return highlightClass(user)\n },\n userClass () {\n const user = this.retweet ? (this.statusoid.retweeted_status.user) : this.statusoid.user\n return highlightClass(user)\n },\n deleted () {\n return this.statusoid.deleted\n },\n repeaterStyle () {\n const user = this.statusoid.user\n const highlight = this.mergedConfig.highlight\n return highlightStyle(highlight[user.screen_name])\n },\n userStyle () {\n if (this.noHeading) return\n const user = this.retweet ? (this.statusoid.retweeted_status.user) : this.statusoid.user\n const highlight = this.mergedConfig.highlight\n return highlightStyle(highlight[user.screen_name])\n },\n userProfileLink () {\n return this.generateUserProfileLink(this.status.user.id, this.status.user.screen_name)\n },\n replyProfileLink () {\n if (this.isReply) {\n return this.generateUserProfileLink(this.status.in_reply_to_user_id, this.replyToName)\n }\n },\n retweet () { return !!this.statusoid.retweeted_status },\n retweeter () { return this.statusoid.user.name || this.statusoid.user.screen_name },\n retweeterHtml () { return this.statusoid.user.name_html },\n retweeterProfileLink () { return this.generateUserProfileLink(this.statusoid.user.id, this.statusoid.user.screen_name) },\n status () {\n if (this.retweet) {\n return this.statusoid.retweeted_status\n } else {\n return this.statusoid\n }\n },\n statusFromGlobalRepository () {\n // NOTE: Consider to replace status with statusFromGlobalRepository\n return this.$store.state.statuses.allStatusesObject[this.status.id]\n },\n loggedIn () {\n return !!this.currentUser\n },\n muteWordHits () {\n return muteWordHits(this.status, this.muteWords)\n },\n muted () {\n const { status } = this\n const { reblog } = status\n const relationship = this.$store.getters.relationship(status.user.id)\n const relationshipReblog = reblog && this.$store.getters.relationship(reblog.user.id)\n const reasonsToMute = (\n // Post is muted according to BE\n status.muted ||\n // Reprööt of a muted post according to BE\n (reblog && reblog.muted) ||\n // Muted user\n relationship.muting ||\n // Muted user of a reprööt\n (relationshipReblog && relationshipReblog.muting) ||\n // Thread is muted\n status.thread_muted ||\n // Wordfiltered\n this.muteWordHits.length > 0\n )\n const excusesNotToMute = (\n (\n this.inProfile && (\n // Don't mute user's posts on user timeline (except reblogs)\n (!reblog && status.user.id === this.profileUserId) ||\n // Same as above but also allow self-reblogs\n (reblog && reblog.user.id === this.profileUserId)\n )\n ) ||\n // Don't mute statuses in muted conversation when said conversation is opened\n (this.inConversation && status.thread_muted)\n // No excuses if post has muted words\n ) && !this.muteWordHits.length > 0\n\n return !this.unmuted && !excusesNotToMute && reasonsToMute\n },\n hideFilteredStatuses () {\n return this.mergedConfig.hideFilteredStatuses\n },\n hideStatus () {\n return this.deleted || (this.muted && this.hideFilteredStatuses)\n },\n isFocused () {\n // retweet or root of an expanded conversation\n if (this.focused) {\n return true\n } else if (!this.inConversation) {\n return false\n }\n // use conversation highlight only when in conversation\n return this.status.id === this.highlight\n },\n isReply () {\n return !!(this.status.in_reply_to_status_id && this.status.in_reply_to_user_id)\n },\n replyToName () {\n if (this.status.in_reply_to_screen_name) {\n return this.status.in_reply_to_screen_name\n } else {\n const user = this.$store.getters.findUser(this.status.in_reply_to_user_id)\n return user && user.screen_name\n }\n },\n replySubject () {\n if (!this.status.summary) return ''\n const decodedSummary = unescape(this.status.summary)\n const behavior = this.mergedConfig.subjectLineBehavior\n const startsWithRe = decodedSummary.match(/^re[: ]/i)\n if ((behavior !== 'noop' && startsWithRe) || behavior === 'masto') {\n return decodedSummary\n } else if (behavior === 'email') {\n return 're: '.concat(decodedSummary)\n } else if (behavior === 'noop') {\n return ''\n }\n },\n combinedFavsAndRepeatsUsers () {\n // Use the status from the global status repository since favs and repeats are saved in it\n const combinedUsers = [].concat(\n this.statusFromGlobalRepository.favoritedBy,\n this.statusFromGlobalRepository.rebloggedBy\n )\n return uniqBy(combinedUsers, 'id')\n },\n tags () {\n return this.status.tags.filter(tagObj => tagObj.hasOwnProperty('name')).map(tagObj => tagObj.name).join(' ')\n },\n hidePostStats () {\n return this.mergedConfig.hidePostStats\n },\n ...mapGetters(['mergedConfig']),\n ...mapState({\n betterShadow: state => state.interface.browserSupport.cssFilter,\n currentUser: state => state.users.currentUser\n })\n },\n methods: {\n visibilityIcon (visibility) {\n switch (visibility) {\n case 'private':\n return 'icon-lock'\n case 'unlisted':\n return 'icon-lock-open-alt'\n case 'direct':\n return 'icon-mail-alt'\n default:\n return 'icon-globe'\n }\n },\n showError (error) {\n this.error = error\n },\n clearError () {\n this.error = undefined\n },\n toggleReplying () {\n this.replying = !this.replying\n },\n gotoOriginal (id) {\n if (this.inConversation) {\n this.$emit('goto', id)\n }\n },\n toggleExpanded () {\n this.$emit('toggleExpanded')\n },\n toggleMute () {\n this.unmuted = !this.unmuted\n },\n toggleUserExpanded () {\n this.userExpanded = !this.userExpanded\n },\n generateUserProfileLink (id, name) {\n return generateProfileLink(id, name, this.$store.state.instance.restrictedNicknames)\n }\n },\n watch: {\n 'highlight': function (id) {\n if (this.status.id === id) {\n let rect = this.$el.getBoundingClientRect()\n if (rect.top < 100) {\n // Post is above screen, match its top to screen top\n window.scrollBy(0, rect.top - 100)\n } else if (rect.height >= (window.innerHeight - 50)) {\n // Post we want to see is taller than screen so match its top to screen top\n window.scrollBy(0, rect.top - 100)\n } else if (rect.bottom > window.innerHeight - 50) {\n // Post is below screen, match its bottom to screen bottom\n window.scrollBy(0, rect.bottom - window.innerHeight + 50)\n }\n }\n },\n 'status.repeat_num': function (num) {\n // refetch repeats when repeat_num is changed in any way\n if (this.isFocused && this.statusFromGlobalRepository.rebloggedBy && this.statusFromGlobalRepository.rebloggedBy.length !== num) {\n this.$store.dispatch('fetchRepeats', this.status.id)\n }\n },\n 'status.fave_num': function (num) {\n // refetch favs when fave_num is changed in any way\n if (this.isFocused && this.statusFromGlobalRepository.favoritedBy && this.statusFromGlobalRepository.favoritedBy.length !== num) {\n this.$store.dispatch('fetchFavs', this.status.id)\n }\n }\n },\n filters: {\n capitalize: function (str) {\n return str.charAt(0).toUpperCase() + str.slice(1)\n }\n }\n}\n\nexport default Status\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./status.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./status.js\"\nimport __vue_script__ from \"!!babel-loader!./status.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1b1157fc\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./status.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (!_vm.hideStatus)?_c('div',{staticClass:\"Status\",class:[{ '-focused': _vm.isFocused }, { '-conversation': _vm.inlineExpanded }]},[(_vm.error)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.error)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":_vm.clearError}})]):_vm._e(),_vm._v(\" \"),(_vm.muted && !_vm.isPreview)?[_c('div',{staticClass:\"status-csontainer muted\"},[_c('small',{staticClass:\"status-username\"},[(_vm.muted && _vm.retweet)?_c('i',{staticClass:\"button-icon icon-retweet\"}):_vm._e(),_vm._v(\" \"),_c('router-link',{attrs:{\"to\":_vm.userProfileLink}},[_vm._v(\"\\n \"+_vm._s(_vm.status.user.screen_name)+\"\\n \")])],1),_vm._v(\" \"),(_vm.showReasonMutedThread)?_c('small',{staticClass:\"mute-thread\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('status.thread_muted'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.showReasonMutedThread && _vm.muteWordHits.length > 0)?_c('small',{staticClass:\"mute-thread\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('status.thread_muted_and_words'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('small',{staticClass:\"mute-words\",attrs:{\"title\":_vm.muteWordHits.join(', ')}},[_vm._v(\"\\n \"+_vm._s(_vm.muteWordHits.join(', '))+\"\\n \")]),_vm._v(\" \"),_c('a',{staticClass:\"unmute\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleMute($event)}}},[_c('i',{staticClass:\"button-icon icon-eye-off\"})])])]:[(_vm.showPinned)?_c('div',{staticClass:\"pin\"},[_c('i',{staticClass:\"fa icon-pin faint\"}),_vm._v(\" \"),_c('span',{staticClass:\"faint\"},[_vm._v(_vm._s(_vm.$t('status.pinned')))])]):_vm._e(),_vm._v(\" \"),(_vm.retweet && !_vm.noHeading && !_vm.inConversation)?_c('div',{staticClass:\"status-container repeat-info\",class:[_vm.repeaterClass, { highlighted: _vm.repeaterStyle }],style:([_vm.repeaterStyle])},[(_vm.retweet)?_c('UserAvatar',{staticClass:\"left-side repeater-avatar\",attrs:{\"better-shadow\":_vm.betterShadow,\"user\":_vm.statusoid.user}}):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"right-side faint\"},[_c('span',{staticClass:\"status-username repeater-name\",attrs:{\"title\":_vm.retweeter}},[(_vm.retweeterHtml)?_c('router-link',{attrs:{\"to\":_vm.retweeterProfileLink},domProps:{\"innerHTML\":_vm._s(_vm.retweeterHtml)}}):_c('router-link',{attrs:{\"to\":_vm.retweeterProfileLink}},[_vm._v(_vm._s(_vm.retweeter))])],1),_vm._v(\" \"),_c('i',{staticClass:\"fa icon-retweet retweeted\",attrs:{\"title\":_vm.$t('tool_tip.repeat')}}),_vm._v(\"\\n \"+_vm._s(_vm.$t('timeline.repeated'))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"status-container\",class:[_vm.userClass, { highlighted: _vm.userStyle, '-repeat': _vm.retweet && !_vm.inConversation }],style:([ _vm.userStyle ]),attrs:{\"data-tags\":_vm.tags}},[(!_vm.noHeading)?_c('div',{staticClass:\"left-side\"},[_c('router-link',{attrs:{\"to\":_vm.userProfileLink},nativeOn:{\"!click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.toggleUserExpanded($event)}}},[_c('UserAvatar',{attrs:{\"compact\":_vm.compact,\"better-shadow\":_vm.betterShadow,\"user\":_vm.status.user}})],1)],1):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"right-side\"},[(_vm.userExpanded)?_c('UserCard',{staticClass:\"usercard\",attrs:{\"user-id\":_vm.status.user.id,\"rounded\":true,\"bordered\":true}}):_vm._e(),_vm._v(\" \"),(!_vm.noHeading)?_c('div',{staticClass:\"status-heading\"},[_c('div',{staticClass:\"heading-name-row\"},[_c('div',{staticClass:\"heading-left\"},[(_vm.status.user.name_html)?_c('h4',{staticClass:\"status-username\",attrs:{\"title\":_vm.status.user.name},domProps:{\"innerHTML\":_vm._s(_vm.status.user.name_html)}}):_c('h4',{staticClass:\"status-username\",attrs:{\"title\":_vm.status.user.name}},[_vm._v(\"\\n \"+_vm._s(_vm.status.user.name)+\"\\n \")]),_vm._v(\" \"),_c('router-link',{staticClass:\"account-name\",attrs:{\"title\":_vm.status.user.screen_name,\"to\":_vm.userProfileLink}},[_vm._v(\"\\n \"+_vm._s(_vm.status.user.screen_name)+\"\\n \")]),_vm._v(\" \"),(!!(_vm.status.user && _vm.status.user.favicon))?_c('img',{staticClass:\"status-favicon\",attrs:{\"src\":_vm.status.user.favicon}}):_vm._e()],1),_vm._v(\" \"),_c('span',{staticClass:\"heading-right\"},[_c('router-link',{staticClass:\"timeago faint-link\",attrs:{\"to\":{ name: 'conversation', params: { id: _vm.status.id } }}},[_c('Timeago',{attrs:{\"time\":_vm.status.created_at,\"auto-update\":60}})],1),_vm._v(\" \"),(_vm.status.visibility)?_c('div',{staticClass:\"button-icon visibility-icon\"},[_c('i',{class:_vm.visibilityIcon(_vm.status.visibility),attrs:{\"title\":_vm._f(\"capitalize\")(_vm.status.visibility)}})]):_vm._e(),_vm._v(\" \"),(!_vm.status.is_local && !_vm.isPreview)?_c('a',{staticClass:\"source_url\",attrs:{\"href\":_vm.status.external_url,\"target\":\"_blank\",\"title\":\"Source\"}},[_c('i',{staticClass:\"button-icon icon-link-ext-alt\"})]):_vm._e(),_vm._v(\" \"),(_vm.expandable && !_vm.isPreview)?[_c('a',{attrs:{\"href\":\"#\",\"title\":\"Expand\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleExpanded($event)}}},[_c('i',{staticClass:\"button-icon icon-plus-squared\"})])]:_vm._e(),_vm._v(\" \"),(_vm.unmuted)?_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleMute($event)}}},[_c('i',{staticClass:\"button-icon icon-eye-off\"})]):_vm._e()],2)]),_vm._v(\" \"),_c('div',{staticClass:\"heading-reply-row\"},[(_vm.isReply)?_c('div',{staticClass:\"reply-to-and-accountname\"},[(!_vm.isPreview)?_c('StatusPopover',{staticClass:\"reply-to-popover\",class:{ '-strikethrough': !_vm.status.parent_visible },staticStyle:{\"min-width\":\"0\"},attrs:{\"status-id\":_vm.status.parent_visible && _vm.status.in_reply_to_status_id}},[_c('a',{staticClass:\"reply-to\",attrs:{\"href\":\"#\",\"aria-label\":_vm.$t('tool_tip.reply')},on:{\"click\":function($event){$event.preventDefault();return _vm.gotoOriginal(_vm.status.in_reply_to_status_id)}}},[_c('i',{staticClass:\"button-icon reply-button icon-reply\"}),_vm._v(\" \"),_c('span',{staticClass:\"faint-link reply-to-text\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('status.reply_to'))+\"\\n \")])])]):_c('span',{staticClass:\"reply-to-no-popover\"},[_c('span',{staticClass:\"reply-to-text\"},[_vm._v(_vm._s(_vm.$t('status.reply_to')))])]),_vm._v(\" \"),_c('router-link',{staticClass:\"reply-to-link\",attrs:{\"title\":_vm.replyToName,\"to\":_vm.replyProfileLink}},[_vm._v(\"\\n \"+_vm._s(_vm.replyToName)+\"\\n \")]),_vm._v(\" \"),(_vm.replies && _vm.replies.length)?_c('span',{staticClass:\"faint replies-separator\"},[_vm._v(\"\\n -\\n \")]):_vm._e()],1):_vm._e(),_vm._v(\" \"),(_vm.inConversation && !_vm.isPreview && _vm.replies && _vm.replies.length)?_c('div',{staticClass:\"replies\"},[_c('span',{staticClass:\"faint\"},[_vm._v(_vm._s(_vm.$t('status.replies_list')))]),_vm._v(\" \"),_vm._l((_vm.replies),function(reply){return _c('StatusPopover',{key:reply.id,attrs:{\"status-id\":reply.id}},[_c('a',{staticClass:\"reply-link\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.gotoOriginal(reply.id)}}},[_vm._v(_vm._s(reply.name))])])})],2):_vm._e()])]):_vm._e(),_vm._v(\" \"),_c('StatusContent',{attrs:{\"status\":_vm.status,\"no-heading\":_vm.noHeading,\"highlight\":_vm.highlight,\"focused\":_vm.isFocused}}),_vm._v(\" \"),_c('transition',{attrs:{\"name\":\"fade\"}},[(!_vm.hidePostStats && _vm.isFocused && _vm.combinedFavsAndRepeatsUsers.length > 0)?_c('div',{staticClass:\"favs-repeated-users\"},[_c('div',{staticClass:\"stats\"},[(_vm.statusFromGlobalRepository.rebloggedBy && _vm.statusFromGlobalRepository.rebloggedBy.length > 0)?_c('UserListPopover',{attrs:{\"users\":_vm.statusFromGlobalRepository.rebloggedBy}},[_c('div',{staticClass:\"stat-count\"},[_c('a',{staticClass:\"stat-title\"},[_vm._v(_vm._s(_vm.$t('status.repeats')))]),_vm._v(\" \"),_c('div',{staticClass:\"stat-number\"},[_vm._v(\"\\n \"+_vm._s(_vm.statusFromGlobalRepository.rebloggedBy.length)+\"\\n \")])])]):_vm._e(),_vm._v(\" \"),(_vm.statusFromGlobalRepository.favoritedBy && _vm.statusFromGlobalRepository.favoritedBy.length > 0)?_c('UserListPopover',{attrs:{\"users\":_vm.statusFromGlobalRepository.favoritedBy}},[_c('div',{staticClass:\"stat-count\"},[_c('a',{staticClass:\"stat-title\"},[_vm._v(_vm._s(_vm.$t('status.favorites')))]),_vm._v(\" \"),_c('div',{staticClass:\"stat-number\"},[_vm._v(\"\\n \"+_vm._s(_vm.statusFromGlobalRepository.favoritedBy.length)+\"\\n \")])])]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"avatar-row\"},[_c('AvatarList',{attrs:{\"users\":_vm.combinedFavsAndRepeatsUsers}})],1)],1)]):_vm._e()]),_vm._v(\" \"),((_vm.mergedConfig.emojiReactionsOnTimeline || _vm.isFocused) && (!_vm.noHeading && !_vm.isPreview))?_c('EmojiReactions',{attrs:{\"status\":_vm.status}}):_vm._e(),_vm._v(\" \"),(!_vm.noHeading && !_vm.isPreview)?_c('div',{staticClass:\"status-actions\"},[_c('div',[(_vm.loggedIn)?_c('i',{staticClass:\"button-icon button-reply icon-reply\",class:{'-active': _vm.replying},attrs:{\"title\":_vm.$t('tool_tip.reply')},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleReplying($event)}}}):_c('i',{staticClass:\"button-icon button-reply -disabled icon-reply\",attrs:{\"title\":_vm.$t('tool_tip.reply')}}),_vm._v(\" \"),(_vm.status.replies_count > 0)?_c('span',[_vm._v(_vm._s(_vm.status.replies_count))]):_vm._e()]),_vm._v(\" \"),_c('retweet-button',{attrs:{\"visibility\":_vm.status.visibility,\"logged-in\":_vm.loggedIn,\"status\":_vm.status}}),_vm._v(\" \"),_c('favorite-button',{attrs:{\"logged-in\":_vm.loggedIn,\"status\":_vm.status}}),_vm._v(\" \"),(_vm.loggedIn)?_c('ReactButton',{attrs:{\"status\":_vm.status}}):_vm._e(),_vm._v(\" \"),_c('extra-buttons',{attrs:{\"status\":_vm.status},on:{\"onError\":_vm.showError,\"onSuccess\":_vm.clearError}})],1):_vm._e()],1)]),_vm._v(\" \"),(_vm.replying)?_c('div',{staticClass:\"status-container reply-form\"},[_c('PostStatusForm',{staticClass:\"reply-body\",attrs:{\"reply-to\":_vm.status.id,\"attentions\":_vm.status.attentions,\"replied-user\":_vm.status.user,\"copy-message-scope\":_vm.status.visibility,\"subject\":_vm.replySubject},on:{\"posted\":_vm.toggleReplying}})],1):_vm._e()]],2):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeago from '../timeago/timeago.vue'\nimport { forEach, map } from 'lodash'\n\nexport default {\n name: 'Poll',\n props: ['basePoll'],\n components: { Timeago },\n data () {\n return {\n loading: false,\n choices: []\n }\n },\n created () {\n if (!this.$store.state.polls.pollsObject[this.pollId]) {\n this.$store.dispatch('mergeOrAddPoll', this.basePoll)\n }\n this.$store.dispatch('trackPoll', this.pollId)\n },\n destroyed () {\n this.$store.dispatch('untrackPoll', this.pollId)\n },\n computed: {\n pollId () {\n return this.basePoll.id\n },\n poll () {\n const storePoll = this.$store.state.polls.pollsObject[this.pollId]\n return storePoll || {}\n },\n options () {\n return (this.poll && this.poll.options) || []\n },\n expiresAt () {\n return (this.poll && this.poll.expires_at) || 0\n },\n expired () {\n return (this.poll && this.poll.expired) || false\n },\n loggedIn () {\n return this.$store.state.users.currentUser\n },\n showResults () {\n return this.poll.voted || this.expired || !this.loggedIn\n },\n totalVotesCount () {\n return this.poll.votes_count\n },\n containerClass () {\n return {\n loading: this.loading\n }\n },\n choiceIndices () {\n // Convert array of booleans into an array of indices of the\n // items that were 'true', so [true, false, false, true] becomes\n // [0, 3].\n return this.choices\n .map((entry, index) => entry && index)\n .filter(value => typeof value === 'number')\n },\n isDisabled () {\n const noChoice = this.choiceIndices.length === 0\n return this.loading || noChoice\n }\n },\n methods: {\n percentageForOption (count) {\n return this.totalVotesCount === 0 ? 0 : Math.round(count / this.totalVotesCount * 100)\n },\n resultTitle (option) {\n return `${option.votes_count}/${this.totalVotesCount} ${this.$t('polls.votes')}`\n },\n fetchPoll () {\n this.$store.dispatch('refreshPoll', { id: this.statusId, pollId: this.poll.id })\n },\n activateOption (index) {\n // forgive me father: doing checking the radio/checkboxes\n // in code because of customized input elements need either\n // a) an extra element for the actual graphic, or b) use a\n // pseudo element for the label. We use b) which mandates\n // using \"for\" and \"id\" matching which isn't nice when the\n // same poll appears multiple times on the site (notifs and\n // timeline for example). With code we can make sure it just\n // works without altering the pseudo element implementation.\n const allElements = this.$el.querySelectorAll('input')\n const clickedElement = this.$el.querySelector(`input[value=\"${index}\"]`)\n if (this.poll.multiple) {\n // Checkboxes, toggle only the clicked one\n clickedElement.checked = !clickedElement.checked\n } else {\n // Radio button, uncheck everything and check the clicked one\n forEach(allElements, element => { element.checked = false })\n clickedElement.checked = true\n }\n this.choices = map(allElements, e => e.checked)\n },\n optionId (index) {\n return `poll${this.poll.id}-${index}`\n },\n vote () {\n if (this.choiceIndices.length === 0) return\n this.loading = true\n this.$store.dispatch(\n 'votePoll',\n { id: this.statusId, pollId: this.poll.id, choices: this.choiceIndices }\n ).then(poll => {\n this.loading = false\n })\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./poll.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./poll.js\"\nimport __vue_script__ from \"!!babel-loader!./poll.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1570fa3a\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./poll.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"poll\",class:_vm.containerClass},[_vm._l((_vm.options),function(option,index){return _c('div',{key:index,staticClass:\"poll-option\"},[(_vm.showResults)?_c('div',{staticClass:\"option-result\",attrs:{\"title\":_vm.resultTitle(option)}},[_c('div',{staticClass:\"option-result-label\"},[_c('span',{staticClass:\"result-percentage\"},[_vm._v(\"\\n \"+_vm._s(_vm.percentageForOption(option.votes_count))+\"%\\n \")]),_vm._v(\" \"),_c('span',{domProps:{\"innerHTML\":_vm._s(option.title_html)}})]),_vm._v(\" \"),_c('div',{staticClass:\"result-fill\",style:({ 'width': ((_vm.percentageForOption(option.votes_count)) + \"%\") })})]):_c('div',{on:{\"click\":function($event){return _vm.activateOption(index)}}},[(_vm.poll.multiple)?_c('input',{attrs:{\"type\":\"checkbox\",\"disabled\":_vm.loading},domProps:{\"value\":index}}):_c('input',{attrs:{\"type\":\"radio\",\"disabled\":_vm.loading},domProps:{\"value\":index}}),_vm._v(\" \"),_c('label',{staticClass:\"option-vote\"},[_c('div',[_vm._v(_vm._s(option.title))])])])])}),_vm._v(\" \"),_c('div',{staticClass:\"footer faint\"},[(!_vm.showResults)?_c('button',{staticClass:\"btn btn-default poll-vote-button\",attrs:{\"type\":\"button\",\"disabled\":_vm.isDisabled},on:{\"click\":_vm.vote}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('polls.vote'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"total\"},[_vm._v(\"\\n \"+_vm._s(_vm.totalVotesCount)+\" \"+_vm._s(_vm.$t(\"polls.votes\"))+\" · \\n \")]),_vm._v(\" \"),_c('i18n',{attrs:{\"path\":_vm.expired ? 'polls.expired' : 'polls.expires_in'}},[_c('Timeago',{attrs:{\"time\":_vm.expiresAt,\"auto-update\":60,\"now-threshold\":0}})],1)],1)],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Attachment from '../attachment/attachment.vue'\nimport Poll from '../poll/poll.vue'\nimport Gallery from '../gallery/gallery.vue'\nimport LinkPreview from '../link-preview/link-preview.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\nimport fileType from 'src/services/file_type/file_type.service'\nimport { processHtml } from 'src/services/tiny_post_html_processor/tiny_post_html_processor.service.js'\nimport { mentionMatchesUrl, extractTagFromUrl } from 'src/services/matcher/matcher.service.js'\nimport { mapGetters, mapState } from 'vuex'\n\nconst StatusContent = {\n name: 'StatusContent',\n props: [\n 'status',\n 'focused',\n 'noHeading',\n 'fullContent',\n 'singleLine'\n ],\n data () {\n return {\n showingTall: this.fullContent || (this.inConversation && this.focused),\n showingLongSubject: false,\n // not as computed because it sets the initial state which will be changed later\n expandingSubject: !this.$store.getters.mergedConfig.collapseMessageWithSubject\n }\n },\n computed: {\n localCollapseSubjectDefault () {\n return this.mergedConfig.collapseMessageWithSubject\n },\n hideAttachments () {\n return (this.mergedConfig.hideAttachments && !this.inConversation) ||\n (this.mergedConfig.hideAttachmentsInConv && this.inConversation)\n },\n // This is a bit hacky, but we want to approximate post height before rendering\n // so we count newlines (masto uses <p> for paragraphs, GS uses <br> between them)\n // as well as approximate line count by counting characters and approximating ~80\n // per line.\n //\n // Using max-height + overflow: auto for status components resulted in false positives\n // very often with japanese characters, and it was very annoying.\n tallStatus () {\n const lengthScore = this.status.statusnet_html.split(/<p|<br/).length + this.status.text.length / 80\n return lengthScore > 20\n },\n longSubject () {\n return this.status.summary.length > 240\n },\n // When a status has a subject and is also tall, we should only have one show more/less button. If the default is to collapse statuses with subjects, we just treat it like a status with a subject; otherwise, we just treat it like a tall status.\n mightHideBecauseSubject () {\n return !!this.status.summary && this.localCollapseSubjectDefault\n },\n mightHideBecauseTall () {\n return this.tallStatus && !(this.status.summary && this.localCollapseSubjectDefault)\n },\n hideSubjectStatus () {\n return this.mightHideBecauseSubject && !this.expandingSubject\n },\n hideTallStatus () {\n return this.mightHideBecauseTall && !this.showingTall\n },\n showingMore () {\n return (this.mightHideBecauseTall && this.showingTall) || (this.mightHideBecauseSubject && this.expandingSubject)\n },\n nsfwClickthrough () {\n if (!this.status.nsfw) {\n return false\n }\n if (this.status.summary && this.localCollapseSubjectDefault) {\n return false\n }\n return true\n },\n attachmentSize () {\n if ((this.mergedConfig.hideAttachments && !this.inConversation) ||\n (this.mergedConfig.hideAttachmentsInConv && this.inConversation) ||\n (this.status.attachments.length > this.maxThumbnails)) {\n return 'hide'\n } else if (this.compact) {\n return 'small'\n }\n return 'normal'\n },\n galleryTypes () {\n if (this.attachmentSize === 'hide') {\n return []\n }\n return this.mergedConfig.playVideosInModal\n ? ['image', 'video']\n : ['image']\n },\n galleryAttachments () {\n return this.status.attachments.filter(\n file => fileType.fileMatchesSomeType(this.galleryTypes, file)\n )\n },\n nonGalleryAttachments () {\n return this.status.attachments.filter(\n file => !fileType.fileMatchesSomeType(this.galleryTypes, file)\n )\n },\n attachmentTypes () {\n return this.status.attachments.map(file => fileType.fileType(file.mimetype))\n },\n maxThumbnails () {\n return this.mergedConfig.maxThumbnails\n },\n postBodyHtml () {\n const html = this.status.statusnet_html\n\n if (this.mergedConfig.greentext) {\n try {\n if (html.includes('&gt;')) {\n // This checks if post has '>' at the beginning, excluding mentions so that @mention >impying works\n return processHtml(html, (string) => {\n if (string.includes('&gt;') &&\n string\n .replace(/<[^>]+?>/gi, '') // remove all tags\n .replace(/@\\w+/gi, '') // remove mentions (even failed ones)\n .trim()\n .startsWith('&gt;')) {\n return `<span class='greentext'>${string}</span>`\n } else {\n return string\n }\n })\n } else {\n return html\n }\n } catch (e) {\n console.err('Failed to process status html', e)\n return html\n }\n } else {\n return html\n }\n },\n ...mapGetters(['mergedConfig']),\n ...mapState({\n betterShadow: state => state.interface.browserSupport.cssFilter,\n currentUser: state => state.users.currentUser\n })\n },\n components: {\n Attachment,\n Poll,\n Gallery,\n LinkPreview\n },\n methods: {\n linkClicked (event) {\n const target = event.target.closest('.status-content a')\n if (target) {\n if (target.className.match(/mention/)) {\n const href = target.href\n const attn = this.status.attentions.find(attn => mentionMatchesUrl(attn, href))\n if (attn) {\n event.stopPropagation()\n event.preventDefault()\n const link = this.generateUserProfileLink(attn.id, attn.screen_name)\n this.$router.push(link)\n return\n }\n }\n if (target.rel.match(/(?:^|\\s)tag(?:$|\\s)/) || target.className.match(/hashtag/)) {\n // Extract tag name from dataset or link url\n const tag = target.dataset.tag || extractTagFromUrl(target.href)\n if (tag) {\n const link = this.generateTagLink(tag)\n this.$router.push(link)\n return\n }\n }\n window.open(target.href, '_blank')\n }\n },\n toggleShowMore () {\n if (this.mightHideBecauseTall) {\n this.showingTall = !this.showingTall\n } else if (this.mightHideBecauseSubject) {\n this.expandingSubject = !this.expandingSubject\n }\n },\n generateUserProfileLink (id, name) {\n return generateProfileLink(id, name, this.$store.state.instance.restrictedNicknames)\n },\n generateTagLink (tag) {\n return `/tag/${tag}`\n },\n setMedia () {\n const attachments = this.attachmentSize === 'hide' ? this.status.attachments : this.galleryAttachments\n return () => this.$store.dispatch('setMedia', attachments)\n }\n }\n}\n\nexport default StatusContent\n","/**\n * This is a tiny purpose-built HTML parser/processor. This basically detects any type of visual newline and\n * allows it to be processed, useful for greentexting, mostly\n *\n * known issue: doesn't handle CDATA so nested CDATA might not work well\n *\n * @param {Object} input - input data\n * @param {(string) => string} processor - function that will be called on every line\n * @return {string} processed html\n */\nexport const processHtml = (html, processor) => {\n const handledTags = new Set(['p', 'br', 'div'])\n const openCloseTags = new Set(['p', 'div'])\n\n let buffer = '' // Current output buffer\n const level = [] // How deep we are in tags and which tags were there\n let textBuffer = '' // Current line content\n let tagBuffer = null // Current tag buffer, if null = we are not currently reading a tag\n\n // Extracts tag name from tag, i.e. <span a=\"b\"> => span\n const getTagName = (tag) => {\n const result = /(?:<\\/(\\w+)>|<(\\w+)\\s?[^/]*?\\/?>)/gi.exec(tag)\n return result && (result[1] || result[2])\n }\n\n const flush = () => { // Processes current line buffer, adds it to output buffer and clears line buffer\n if (textBuffer.trim().length > 0) {\n buffer += processor(textBuffer)\n } else {\n buffer += textBuffer\n }\n textBuffer = ''\n }\n\n const handleBr = (tag) => { // handles single newlines/linebreaks/selfclosing\n flush()\n buffer += tag\n }\n\n const handleOpen = (tag) => { // handles opening tags\n flush()\n buffer += tag\n level.push(tag)\n }\n\n const handleClose = (tag) => { // handles closing tags\n flush()\n buffer += tag\n if (level[level.length - 1] === tag) {\n level.pop()\n }\n }\n\n for (let i = 0; i < html.length; i++) {\n const char = html[i]\n if (char === '<' && tagBuffer === null) {\n tagBuffer = char\n } else if (char !== '>' && tagBuffer !== null) {\n tagBuffer += char\n } else if (char === '>' && tagBuffer !== null) {\n tagBuffer += char\n const tagFull = tagBuffer\n tagBuffer = null\n const tagName = getTagName(tagFull)\n if (handledTags.has(tagName)) {\n if (tagName === 'br') {\n handleBr(tagFull)\n } else if (openCloseTags.has(tagName)) {\n if (tagFull[1] === '/') {\n handleClose(tagFull)\n } else if (tagFull[tagFull.length - 2] === '/') {\n // self-closing\n handleBr(tagFull)\n } else {\n handleOpen(tagFull)\n }\n }\n } else {\n textBuffer += tagFull\n }\n } else if (char === '\\n') {\n handleBr(char)\n } else {\n textBuffer += char\n }\n }\n if (tagBuffer) {\n textBuffer += tagBuffer\n }\n\n flush()\n\n return buffer\n}\n","export const mentionMatchesUrl = (attention, url) => {\n if (url === attention.statusnet_profile_url) {\n return true\n }\n const [namepart, instancepart] = attention.screen_name.split('@')\n const matchstring = new RegExp('://' + instancepart + '/.*' + namepart + '$', 'g')\n\n return !!url.match(matchstring)\n}\n\n/**\n * Extract tag name from pleroma or mastodon url.\n * i.e https://bikeshed.party/tag/photo or https://quey.org/tags/sky\n * @param {string} url\n */\nexport const extractTagFromUrl = (url) => {\n const regex = /tag[s]*\\/(\\w+)$/g\n const result = regex.exec(url)\n if (!result) {\n return false\n }\n return result[1]\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./status_content.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./status_content.js\"\nimport __vue_script__ from \"!!babel-loader!./status_content.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2a51d4c2\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./status_content.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"StatusContent\"},[_vm._t(\"header\"),_vm._v(\" \"),(_vm.status.summary_html)?_c('div',{staticClass:\"summary-wrapper\",class:{ 'tall-subject': (_vm.longSubject && !_vm.showingLongSubject) }},[_c('div',{staticClass:\"media-body summary\",domProps:{\"innerHTML\":_vm._s(_vm.status.summary_html)},on:{\"click\":function($event){$event.preventDefault();return _vm.linkClicked($event)}}}),_vm._v(\" \"),(_vm.longSubject && _vm.showingLongSubject)?_c('a',{staticClass:\"tall-subject-hider\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();_vm.showingLongSubject=false}}},[_vm._v(_vm._s(_vm.$t(\"status.hide_full_subject\")))]):(_vm.longSubject)?_c('a',{staticClass:\"tall-subject-hider\",class:{ 'tall-subject-hider_focused': _vm.focused },attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();_vm.showingLongSubject=true}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"status.show_full_subject\"))+\"\\n \")]):_vm._e()]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"status-content-wrapper\",class:{'tall-status': _vm.hideTallStatus}},[(_vm.hideTallStatus)?_c('a',{staticClass:\"tall-status-hider\",class:{ 'tall-status-hider_focused': _vm.focused },attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleShowMore($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"general.show_more\"))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(!_vm.hideSubjectStatus)?_c('div',{staticClass:\"status-content media-body\",class:{ 'single-line': _vm.singleLine },domProps:{\"innerHTML\":_vm._s(_vm.postBodyHtml)},on:{\"click\":function($event){$event.preventDefault();return _vm.linkClicked($event)}}}):_vm._e(),_vm._v(\" \"),(_vm.hideSubjectStatus)?_c('a',{staticClass:\"cw-status-hider\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleShowMore($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"status.show_content\"))+\"\\n \"),(_vm.attachmentTypes.includes('image'))?_c('span',{staticClass:\"icon-picture\"}):_vm._e(),_vm._v(\" \"),(_vm.attachmentTypes.includes('video'))?_c('span',{staticClass:\"icon-video\"}):_vm._e(),_vm._v(\" \"),(_vm.attachmentTypes.includes('audio'))?_c('span',{staticClass:\"icon-music\"}):_vm._e(),_vm._v(\" \"),(_vm.attachmentTypes.includes('unknown'))?_c('span',{staticClass:\"icon-doc\"}):_vm._e(),_vm._v(\" \"),(_vm.status.poll && _vm.status.poll.options)?_c('span',{staticClass:\"icon-chart-bar\"}):_vm._e(),_vm._v(\" \"),(_vm.status.card)?_c('span',{staticClass:\"icon-link\"}):_vm._e()]):_vm._e(),_vm._v(\" \"),(_vm.showingMore && !_vm.fullContent)?_c('a',{staticClass:\"status-unhider\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleShowMore($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.tallStatus ? _vm.$t(\"general.show_less\") : _vm.$t(\"status.hide_content\"))+\"\\n \")]):_vm._e()]),_vm._v(\" \"),(_vm.status.poll && _vm.status.poll.options && !_vm.hideSubjectStatus)?_c('div',[_c('poll',{attrs:{\"base-poll\":_vm.status.poll}})],1):_vm._e(),_vm._v(\" \"),(_vm.status.attachments.length !== 0 && (!_vm.hideSubjectStatus || _vm.showingLongSubject))?_c('div',{staticClass:\"attachments media-body\"},[_vm._l((_vm.nonGalleryAttachments),function(attachment){return _c('attachment',{key:attachment.id,staticClass:\"non-gallery\",attrs:{\"size\":_vm.attachmentSize,\"nsfw\":_vm.nsfwClickthrough,\"attachment\":attachment,\"allow-play\":true,\"set-media\":_vm.setMedia()}})}),_vm._v(\" \"),(_vm.galleryAttachments.length > 0)?_c('gallery',{attrs:{\"nsfw\":_vm.nsfwClickthrough,\"attachments\":_vm.galleryAttachments,\"set-media\":_vm.setMedia()}}):_vm._e()],2):_vm._e(),_vm._v(\" \"),(_vm.status.card && !_vm.hideSubjectStatus && !_vm.noHeading)?_c('div',{staticClass:\"link-preview media-body\"},[_c('link-preview',{attrs:{\"card\":_vm.status.card,\"size\":_vm.attachmentSize,\"nsfw\":_vm.nsfwClickthrough}})],1):_vm._e(),_vm._v(\" \"),_vm._t(\"footer\")],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","export const SECOND = 1000\nexport const MINUTE = 60 * SECOND\nexport const HOUR = 60 * MINUTE\nexport const DAY = 24 * HOUR\nexport const WEEK = 7 * DAY\nexport const MONTH = 30 * DAY\nexport const YEAR = 365.25 * DAY\n\nexport const relativeTime = (date, nowThreshold = 1) => {\n if (typeof date === 'string') date = Date.parse(date)\n const round = Date.now() > date ? Math.floor : Math.ceil\n const d = Math.abs(Date.now() - date)\n let r = { num: round(d / YEAR), key: 'time.years' }\n if (d < nowThreshold * SECOND) {\n r.num = 0\n r.key = 'time.now'\n } else if (d < MINUTE) {\n r.num = round(d / SECOND)\n r.key = 'time.seconds'\n } else if (d < HOUR) {\n r.num = round(d / MINUTE)\n r.key = 'time.minutes'\n } else if (d < DAY) {\n r.num = round(d / HOUR)\n r.key = 'time.hours'\n } else if (d < WEEK) {\n r.num = round(d / DAY)\n r.key = 'time.days'\n } else if (d < MONTH) {\n r.num = round(d / WEEK)\n r.key = 'time.weeks'\n } else if (d < YEAR) {\n r.num = round(d / MONTH)\n r.key = 'time.months'\n }\n // Remove plural form when singular\n if (r.num === 1) r.key = r.key.slice(0, -1)\n return r\n}\n\nexport const relativeTimeShort = (date, nowThreshold = 1) => {\n const r = relativeTime(date, nowThreshold)\n r.key += '_short'\n return r\n}\n","import UserCard from '../user_card/user_card.vue'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\n\nconst BasicUserCard = {\n props: [\n 'user'\n ],\n data () {\n return {\n userExpanded: false\n }\n },\n components: {\n UserCard,\n UserAvatar\n },\n methods: {\n toggleUserExpanded () {\n this.userExpanded = !this.userExpanded\n },\n userProfileLink (user) {\n return generateProfileLink(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames)\n }\n }\n}\n\nexport default BasicUserCard\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./basic_user_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./basic_user_card.js\"\nimport __vue_script__ from \"!!babel-loader!./basic_user_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4d2bc0bb\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./basic_user_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"basic-user-card\"},[_c('router-link',{attrs:{\"to\":_vm.userProfileLink(_vm.user)}},[_c('UserAvatar',{staticClass:\"avatar\",attrs:{\"user\":_vm.user},nativeOn:{\"click\":function($event){$event.preventDefault();return _vm.toggleUserExpanded($event)}}})],1),_vm._v(\" \"),(_vm.userExpanded)?_c('div',{staticClass:\"basic-user-card-expanded-content\"},[_c('UserCard',{attrs:{\"user-id\":_vm.user.id,\"rounded\":true,\"bordered\":true}})],1):_c('div',{staticClass:\"basic-user-card-collapsed-content\"},[_c('div',{staticClass:\"basic-user-card-user-name\",attrs:{\"title\":_vm.user.name}},[(_vm.user.name_html)?_c('span',{staticClass:\"basic-user-card-user-name-value\",domProps:{\"innerHTML\":_vm._s(_vm.user.name_html)}}):_c('span',{staticClass:\"basic-user-card-user-name-value\"},[_vm._v(_vm._s(_vm.user.name))])]),_vm._v(\" \"),_c('div',[_c('router-link',{staticClass:\"basic-user-card-screen-name\",attrs:{\"to\":_vm.userProfileLink(_vm.user)}},[_vm._v(\"\\n @\"+_vm._s(_vm.user.screen_name)+\"\\n \")])],1),_vm._v(\" \"),_vm._t(\"default\")],2)],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { convert, brightness, contrastRatio } from 'chromatism'\nimport { alphaBlendLayers, getTextColor, relativeLuminance } from '../color_convert/color_convert.js'\nimport { LAYERS, DEFAULT_OPACITY, SLOT_INHERITANCE } from './pleromafe.js'\n\n/*\n * # What's all this?\n * Here be theme engine for pleromafe. All of this supposed to ease look\n * and feel customization, making widget styles and make developer's life\n * easier when it comes to supporting themes. Like many other theme systems\n * it operates on color definitions, or \"slots\" - for example you define\n * \"button\" color slot and then in UI component Button's CSS you refer to\n * it as a CSS3 Variable.\n *\n * Some applications allow you to customize colors for certain things.\n * Some UI toolkits allow you to define colors for each type of widget.\n * Most of them are pretty barebones and have no assistance for common\n * problems and cases, and in general themes themselves are very hard to\n * maintain in all aspects. This theme engine tries to solve all of the\n * common problems with themes.\n *\n * You don't have redefine several similar colors if you just want to\n * change one color - all color slots are derived from other ones, so you\n * can have at least one or two \"basic\" colors defined and have all other\n * components inherit and modify basic ones.\n *\n * You don't have to test contrast ratio for colors or pick text color for\n * each element even if you have light-on-dark elements in dark-on-light\n * theme.\n *\n * You don't have to maintain order of code for inheriting slots from othet\n * slots - dependency graph resolving does it for you.\n */\n\n/* This indicates that this version of code outputs similar theme data and\n * should be incremented if output changes - for instance if getTextColor\n * function changes and older themes no longer render text colors as\n * author intended previously.\n */\nexport const CURRENT_VERSION = 3\n\nexport const getLayersArray = (layer, data = LAYERS) => {\n let array = [layer]\n let parent = data[layer]\n while (parent) {\n array.unshift(parent)\n parent = data[parent]\n }\n return array\n}\n\nexport const getLayers = (layer, variant = layer, opacitySlot, colors, opacity) => {\n return getLayersArray(layer).map((currentLayer) => ([\n currentLayer === layer\n ? colors[variant]\n : colors[currentLayer],\n currentLayer === layer\n ? opacity[opacitySlot] || 1\n : opacity[currentLayer]\n ]))\n}\n\nconst getDependencies = (key, inheritance) => {\n const data = inheritance[key]\n if (typeof data === 'string' && data.startsWith('--')) {\n return [data.substring(2)]\n } else {\n if (data === null) return []\n const { depends, layer, variant } = data\n const layerDeps = layer\n ? getLayersArray(layer).map(currentLayer => {\n return currentLayer === layer\n ? variant || layer\n : currentLayer\n })\n : []\n if (Array.isArray(depends)) {\n return [...depends, ...layerDeps]\n } else {\n return [...layerDeps]\n }\n }\n}\n\n/**\n * Sorts inheritance object topologically - dependant slots come after\n * dependencies\n *\n * @property {Object} inheritance - object defining the nodes\n * @property {Function} getDeps - function that returns dependencies for\n * given value and inheritance object.\n * @returns {String[]} keys of inheritance object, sorted in topological\n * order. Additionally, dependency-less nodes will always be first in line\n */\nexport const topoSort = (\n inheritance = SLOT_INHERITANCE,\n getDeps = getDependencies\n) => {\n // This is an implementation of https://en.wikipedia.org/wiki/Tarjan%27s_strongly_connected_components_algorithm\n\n const allKeys = Object.keys(inheritance)\n const whites = new Set(allKeys)\n const grays = new Set()\n const blacks = new Set()\n const unprocessed = [...allKeys]\n const output = []\n\n const step = (node) => {\n if (whites.has(node)) {\n // Make node \"gray\"\n whites.delete(node)\n grays.add(node)\n // Do step for each node connected to it (one way)\n getDeps(node, inheritance).forEach(step)\n // Make node \"black\"\n grays.delete(node)\n blacks.add(node)\n // Put it into the output list\n output.push(node)\n } else if (grays.has(node)) {\n console.debug('Cyclic depenency in topoSort, ignoring')\n output.push(node)\n } else if (blacks.has(node)) {\n // do nothing\n } else {\n throw new Error('Unintended condition in topoSort!')\n }\n }\n while (unprocessed.length > 0) {\n step(unprocessed.pop())\n }\n\n // The index thing is to make sorting stable on browsers\n // where Array.sort() isn't stable\n return output.map((data, index) => ({ data, index })).sort(({ data: a, index: ai }, { data: b, index: bi }) => {\n const depsA = getDeps(a, inheritance).length\n const depsB = getDeps(b, inheritance).length\n\n if (depsA === depsB || (depsB !== 0 && depsA !== 0)) return ai - bi\n if (depsA === 0 && depsB !== 0) return -1\n if (depsB === 0 && depsA !== 0) return 1\n }).map(({ data }) => data)\n}\n\nconst expandSlotValue = (value) => {\n if (typeof value === 'object') return value\n return {\n depends: value.startsWith('--') ? [value.substring(2)] : [],\n default: value.startsWith('#') ? value : undefined\n }\n}\n/**\n * retrieves opacity slot for given slot. This goes up the depenency graph\n * to find which parent has opacity slot defined for it.\n * TODO refactor this\n */\nexport const getOpacitySlot = (\n k,\n inheritance = SLOT_INHERITANCE,\n getDeps = getDependencies\n) => {\n const value = expandSlotValue(inheritance[k])\n if (value.opacity === null) return\n if (value.opacity) return value.opacity\n const findInheritedOpacity = (key, visited = [k]) => {\n const depSlot = getDeps(key, inheritance)[0]\n if (depSlot === undefined) return\n const dependency = inheritance[depSlot]\n if (dependency === undefined) return\n if (dependency.opacity || dependency === null) {\n return dependency.opacity\n } else if (dependency.depends && visited.includes(depSlot)) {\n return findInheritedOpacity(depSlot, [...visited, depSlot])\n } else {\n return null\n }\n }\n if (value.depends) {\n return findInheritedOpacity(k)\n }\n}\n\n/**\n * retrieves layer slot for given slot. This goes up the depenency graph\n * to find which parent has opacity slot defined for it.\n * this is basically copypaste of getOpacitySlot except it checks if key is\n * in LAYERS\n * TODO refactor this\n */\nexport const getLayerSlot = (\n k,\n inheritance = SLOT_INHERITANCE,\n getDeps = getDependencies\n) => {\n const value = expandSlotValue(inheritance[k])\n if (LAYERS[k]) return k\n if (value.layer === null) return\n if (value.layer) return value.layer\n const findInheritedLayer = (key, visited = [k]) => {\n const depSlot = getDeps(key, inheritance)[0]\n if (depSlot === undefined) return\n const dependency = inheritance[depSlot]\n if (dependency === undefined) return\n if (dependency.layer || dependency === null) {\n return dependency.layer\n } else if (dependency.depends) {\n return findInheritedLayer(dependency, [...visited, depSlot])\n } else {\n return null\n }\n }\n if (value.depends) {\n return findInheritedLayer(k)\n }\n}\n\n/**\n * topologically sorted SLOT_INHERITANCE\n */\nexport const SLOT_ORDERED = topoSort(\n Object.entries(SLOT_INHERITANCE)\n .sort(([aK, aV], [bK, bV]) => ((aV && aV.priority) || 0) - ((bV && bV.priority) || 0))\n .reduce((acc, [k, v]) => ({ ...acc, [k]: v }), {})\n)\n\n/**\n * All opacity slots used in color slots, their default values and affected\n * color slots.\n */\nexport const OPACITIES = Object.entries(SLOT_INHERITANCE).reduce((acc, [k, v]) => {\n const opacity = getOpacitySlot(k, SLOT_INHERITANCE, getDependencies)\n if (opacity) {\n return {\n ...acc,\n [opacity]: {\n defaultValue: DEFAULT_OPACITY[opacity] || 1,\n affectedSlots: [...((acc[opacity] && acc[opacity].affectedSlots) || []), k]\n }\n }\n } else {\n return acc\n }\n}, {})\n\n/**\n * Handle dynamic color\n */\nexport const computeDynamicColor = (sourceColor, getColor, mod) => {\n if (typeof sourceColor !== 'string' || !sourceColor.startsWith('--')) return sourceColor\n let targetColor = null\n // Color references other color\n const [variable, modifier] = sourceColor.split(/,/g).map(str => str.trim())\n const variableSlot = variable.substring(2)\n targetColor = getColor(variableSlot)\n if (modifier) {\n targetColor = brightness(Number.parseFloat(modifier) * mod, targetColor).rgb\n }\n return targetColor\n}\n\n/**\n * THE function you want to use. Takes provided colors and opacities\n * value and uses inheritance data to figure out color needed for the slot.\n */\nexport const getColors = (sourceColors, sourceOpacity) => SLOT_ORDERED.reduce(({ colors, opacity }, key) => {\n const sourceColor = sourceColors[key]\n const value = expandSlotValue(SLOT_INHERITANCE[key])\n const deps = getDependencies(key, SLOT_INHERITANCE)\n const isTextColor = !!value.textColor\n const variant = value.variant || value.layer\n\n let backgroundColor = null\n\n if (isTextColor) {\n backgroundColor = alphaBlendLayers(\n { ...(colors[deps[0]] || convert(sourceColors[key] || '#FF00FF').rgb) },\n getLayers(\n getLayerSlot(key) || 'bg',\n variant || 'bg',\n getOpacitySlot(variant),\n colors,\n opacity\n )\n )\n } else if (variant && variant !== key) {\n backgroundColor = colors[variant] || convert(sourceColors[variant]).rgb\n } else {\n backgroundColor = colors.bg || convert(sourceColors.bg)\n }\n\n const isLightOnDark = relativeLuminance(backgroundColor) < 0.5\n const mod = isLightOnDark ? 1 : -1\n\n let outputColor = null\n if (sourceColor) {\n // Color is defined in source color\n let targetColor = sourceColor\n if (targetColor === 'transparent') {\n // We take only layers below current one\n const layers = getLayers(\n getLayerSlot(key),\n key,\n getOpacitySlot(key) || key,\n colors,\n opacity\n ).slice(0, -1)\n targetColor = {\n ...alphaBlendLayers(\n convert('#FF00FF').rgb,\n layers\n ),\n a: 0\n }\n } else if (typeof sourceColor === 'string' && sourceColor.startsWith('--')) {\n targetColor = computeDynamicColor(\n sourceColor,\n variableSlot => colors[variableSlot] || sourceColors[variableSlot],\n mod\n )\n } else if (typeof sourceColor === 'string' && sourceColor.startsWith('#')) {\n targetColor = convert(targetColor).rgb\n }\n outputColor = { ...targetColor }\n } else if (value.default) {\n // same as above except in object form\n outputColor = convert(value.default).rgb\n } else {\n // calculate color\n const defaultColorFunc = (mod, dep) => ({ ...dep })\n const colorFunc = value.color || defaultColorFunc\n\n if (value.textColor) {\n if (value.textColor === 'bw') {\n outputColor = contrastRatio(backgroundColor).rgb\n } else {\n let color = { ...colors[deps[0]] }\n if (value.color) {\n color = colorFunc(mod, ...deps.map((dep) => ({ ...colors[dep] })))\n }\n outputColor = getTextColor(\n backgroundColor,\n { ...color },\n value.textColor === 'preserve'\n )\n }\n } else {\n // background color case\n outputColor = colorFunc(\n mod,\n ...deps.map((dep) => ({ ...colors[dep] }))\n )\n }\n }\n if (!outputColor) {\n throw new Error('Couldn\\'t generate color for ' + key)\n }\n\n const opacitySlot = value.opacity || getOpacitySlot(key)\n const ownOpacitySlot = value.opacity\n\n if (ownOpacitySlot === null) {\n outputColor.a = 1\n } else if (sourceColor === 'transparent') {\n outputColor.a = 0\n } else {\n const opacityOverriden = ownOpacitySlot && sourceOpacity[opacitySlot] !== undefined\n\n const dependencySlot = deps[0]\n const dependencyColor = dependencySlot && colors[dependencySlot]\n\n if (!ownOpacitySlot && dependencyColor && !value.textColor && ownOpacitySlot !== null) {\n // Inheriting color from dependency (weird, i know)\n // except if it's a text color or opacity slot is set to 'null'\n outputColor.a = dependencyColor.a\n } else if (!dependencyColor && !opacitySlot) {\n // Remove any alpha channel if no dependency and no opacitySlot found\n delete outputColor.a\n } else {\n // Otherwise try to assign opacity\n if (dependencyColor && dependencyColor.a === 0) {\n // transparent dependency shall make dependents transparent too\n outputColor.a = 0\n } else {\n // Otherwise check if opacity is overriden and use that or default value instead\n outputColor.a = Number(\n opacityOverriden\n ? sourceOpacity[opacitySlot]\n : (OPACITIES[opacitySlot] || {}).defaultValue\n )\n }\n }\n }\n\n if (Number.isNaN(outputColor.a) || outputColor.a === undefined) {\n outputColor.a = 1\n }\n\n if (opacitySlot) {\n return {\n colors: { ...colors, [key]: outputColor },\n opacity: { ...opacity, [opacitySlot]: outputColor.a }\n }\n } else {\n return {\n colors: { ...colors, [key]: outputColor },\n opacity\n }\n }\n}, { colors: {}, opacity: {} })\n","/* eslint-env browser */\nimport statusPosterService from '../../services/status_poster/status_poster.service.js'\nimport fileSizeFormatService from '../../services/file_size_format/file_size_format.js'\n\nconst mediaUpload = {\n data () {\n return {\n uploadCount: 0,\n uploadReady: true\n }\n },\n computed: {\n uploading () {\n return this.uploadCount > 0\n }\n },\n methods: {\n uploadFile (file) {\n const self = this\n const store = this.$store\n if (file.size > store.state.instance.uploadlimit) {\n const filesize = fileSizeFormatService.fileSizeFormat(file.size)\n const allowedsize = fileSizeFormatService.fileSizeFormat(store.state.instance.uploadlimit)\n self.$emit('upload-failed', 'file_too_big', { filesize: filesize.num, filesizeunit: filesize.unit, allowedsize: allowedsize.num, allowedsizeunit: allowedsize.unit })\n return\n }\n const formData = new FormData()\n formData.append('file', file)\n\n self.$emit('uploading')\n self.uploadCount++\n\n statusPosterService.uploadMedia({ store, formData })\n .then((fileData) => {\n self.$emit('uploaded', fileData)\n self.decreaseUploadCount()\n }, (error) => { // eslint-disable-line handle-callback-err\n self.$emit('upload-failed', 'default')\n self.decreaseUploadCount()\n })\n },\n decreaseUploadCount () {\n this.uploadCount--\n if (this.uploadCount === 0) {\n this.$emit('all-uploaded')\n }\n },\n clearFile () {\n this.uploadReady = false\n this.$nextTick(() => {\n this.uploadReady = true\n })\n },\n multiUpload (files) {\n for (const file of files) {\n this.uploadFile(file)\n }\n },\n change ({ target }) {\n this.multiUpload(target.files)\n }\n },\n props: [\n 'dropFiles',\n 'disabled'\n ],\n watch: {\n 'dropFiles': function (fileInfos) {\n if (!this.uploading) {\n this.multiUpload(fileInfos)\n }\n }\n }\n}\n\nexport default mediaUpload\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./media_upload.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./media_upload.js\"\nimport __vue_script__ from \"!!babel-loader!./media_upload.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6bb295a4\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./media_upload.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"media-upload\",class:{ disabled: _vm.disabled }},[_c('label',{staticClass:\"label\",attrs:{\"title\":_vm.$t('tool_tip.media_upload')}},[(_vm.uploading)?_c('i',{staticClass:\"progress-icon icon-spin4 animate-spin\"}):_vm._e(),_vm._v(\" \"),(!_vm.uploading)?_c('i',{staticClass:\"new-icon icon-upload\"}):_vm._e(),_vm._v(\" \"),(_vm.uploadReady)?_c('input',{staticStyle:{\"position\":\"fixed\",\"top\":\"-100em\"},attrs:{\"disabled\":_vm.disabled,\"type\":\"file\",\"multiple\":\"true\"},on:{\"change\":_vm.change}}):_vm._e()])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import * as DateUtils from 'src/services/date_utils/date_utils.js'\nimport { uniq } from 'lodash'\n\nexport default {\n name: 'PollForm',\n props: ['visible'],\n data: () => ({\n pollType: 'single',\n options: ['', ''],\n expiryAmount: 10,\n expiryUnit: 'minutes'\n }),\n computed: {\n pollLimits () {\n return this.$store.state.instance.pollLimits\n },\n maxOptions () {\n return this.pollLimits.max_options\n },\n maxLength () {\n return this.pollLimits.max_option_chars\n },\n expiryUnits () {\n const allUnits = ['minutes', 'hours', 'days']\n const expiry = this.convertExpiryFromUnit\n return allUnits.filter(\n unit => this.pollLimits.max_expiration >= expiry(unit, 1)\n )\n },\n minExpirationInCurrentUnit () {\n return Math.ceil(\n this.convertExpiryToUnit(\n this.expiryUnit,\n this.pollLimits.min_expiration\n )\n )\n },\n maxExpirationInCurrentUnit () {\n return Math.floor(\n this.convertExpiryToUnit(\n this.expiryUnit,\n this.pollLimits.max_expiration\n )\n )\n }\n },\n methods: {\n clear () {\n this.pollType = 'single'\n this.options = ['', '']\n this.expiryAmount = 10\n this.expiryUnit = 'minutes'\n },\n nextOption (index) {\n const element = this.$el.querySelector(`#poll-${index + 1}`)\n if (element) {\n element.focus()\n } else {\n // Try adding an option and try focusing on it\n const addedOption = this.addOption()\n if (addedOption) {\n this.$nextTick(function () {\n this.nextOption(index)\n })\n }\n }\n },\n addOption () {\n if (this.options.length < this.maxOptions) {\n this.options.push('')\n return true\n }\n return false\n },\n deleteOption (index, event) {\n if (this.options.length > 2) {\n this.options.splice(index, 1)\n this.updatePollToParent()\n }\n },\n convertExpiryToUnit (unit, amount) {\n // Note: we want seconds and not milliseconds\n switch (unit) {\n case 'minutes': return (1000 * amount) / DateUtils.MINUTE\n case 'hours': return (1000 * amount) / DateUtils.HOUR\n case 'days': return (1000 * amount) / DateUtils.DAY\n }\n },\n convertExpiryFromUnit (unit, amount) {\n // Note: we want seconds and not milliseconds\n switch (unit) {\n case 'minutes': return 0.001 * amount * DateUtils.MINUTE\n case 'hours': return 0.001 * amount * DateUtils.HOUR\n case 'days': return 0.001 * amount * DateUtils.DAY\n }\n },\n expiryAmountChange () {\n this.expiryAmount =\n Math.max(this.minExpirationInCurrentUnit, this.expiryAmount)\n this.expiryAmount =\n Math.min(this.maxExpirationInCurrentUnit, this.expiryAmount)\n this.updatePollToParent()\n },\n updatePollToParent () {\n const expiresIn = this.convertExpiryFromUnit(\n this.expiryUnit,\n this.expiryAmount\n )\n\n const options = uniq(this.options.filter(option => option !== ''))\n if (options.length < 2) {\n this.$emit('update-poll', { error: this.$t('polls.not_enough_options') })\n return\n }\n this.$emit('update-poll', {\n options,\n multiple: this.pollType === 'multiple',\n expiresIn\n })\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./poll_form.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./poll_form.js\"\nimport __vue_script__ from \"!!babel-loader!./poll_form.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1f896331\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./poll_form.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.visible)?_c('div',{staticClass:\"poll-form\"},[_vm._l((_vm.options),function(option,index){return _c('div',{key:index,staticClass:\"poll-option\"},[_c('div',{staticClass:\"input-container\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.options[index]),expression:\"options[index]\"}],staticClass:\"poll-option-input\",attrs:{\"id\":(\"poll-\" + index),\"type\":\"text\",\"placeholder\":_vm.$t('polls.option'),\"maxlength\":_vm.maxLength},domProps:{\"value\":(_vm.options[index])},on:{\"change\":_vm.updatePollToParent,\"keydown\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }$event.stopPropagation();$event.preventDefault();return _vm.nextOption(index)},\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.options, index, $event.target.value)}}})]),_vm._v(\" \"),(_vm.options.length > 2)?_c('div',{staticClass:\"icon-container\"},[_c('i',{staticClass:\"icon-cancel\",on:{\"click\":function($event){return _vm.deleteOption(index)}}})]):_vm._e()])}),_vm._v(\" \"),(_vm.options.length < _vm.maxOptions)?_c('a',{staticClass:\"add-option faint\",on:{\"click\":_vm.addOption}},[_c('i',{staticClass:\"icon-plus\"}),_vm._v(\"\\n \"+_vm._s(_vm.$t(\"polls.add_option\"))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"poll-type-expiry\"},[_c('div',{staticClass:\"poll-type\",attrs:{\"title\":_vm.$t('polls.type')}},[_c('label',{staticClass:\"select\",attrs:{\"for\":\"poll-type-selector\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.pollType),expression:\"pollType\"}],staticClass:\"select\",on:{\"change\":[function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.pollType=$event.target.multiple ? $$selectedVal : $$selectedVal[0]},_vm.updatePollToParent]}},[_c('option',{attrs:{\"value\":\"single\"}},[_vm._v(_vm._s(_vm.$t('polls.single_choice')))]),_vm._v(\" \"),_c('option',{attrs:{\"value\":\"multiple\"}},[_vm._v(_vm._s(_vm.$t('polls.multiple_choices')))])]),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])]),_vm._v(\" \"),_c('div',{staticClass:\"poll-expiry\",attrs:{\"title\":_vm.$t('polls.expiry')}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.expiryAmount),expression:\"expiryAmount\"}],staticClass:\"expiry-amount hide-number-spinner\",attrs:{\"type\":\"number\",\"min\":_vm.minExpirationInCurrentUnit,\"max\":_vm.maxExpirationInCurrentUnit},domProps:{\"value\":(_vm.expiryAmount)},on:{\"change\":_vm.expiryAmountChange,\"input\":function($event){if($event.target.composing){ return; }_vm.expiryAmount=$event.target.value}}}),_vm._v(\" \"),_c('label',{staticClass:\"expiry-unit select\"},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.expiryUnit),expression:\"expiryUnit\"}],on:{\"change\":[function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.expiryUnit=$event.target.multiple ? $$selectedVal : $$selectedVal[0]},_vm.expiryAmountChange]}},_vm._l((_vm.expiryUnits),function(unit){return _c('option',{key:unit,domProps:{\"value\":unit}},[_vm._v(\"\\n \"+_vm._s(_vm.$t((\"time.\" + unit + \"_short\"), ['']))+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])])])],2):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import statusPoster from '../../services/status_poster/status_poster.service.js'\nimport MediaUpload from '../media_upload/media_upload.vue'\nimport ScopeSelector from '../scope_selector/scope_selector.vue'\nimport EmojiInput from '../emoji_input/emoji_input.vue'\nimport PollForm from '../poll/poll_form.vue'\nimport Attachment from '../attachment/attachment.vue'\nimport StatusContent from '../status_content/status_content.vue'\nimport fileTypeService from '../../services/file_type/file_type.service.js'\nimport { findOffset } from '../../services/offset_finder/offset_finder.service.js'\nimport { reject, map, uniqBy, debounce } from 'lodash'\nimport suggestor from '../emoji_input/suggestor.js'\nimport { mapGetters, mapState } from 'vuex'\nimport Checkbox from '../checkbox/checkbox.vue'\n\nconst buildMentionsString = ({ user, attentions = [] }, currentUser) => {\n let allAttentions = [...attentions]\n\n allAttentions.unshift(user)\n\n allAttentions = uniqBy(allAttentions, 'id')\n allAttentions = reject(allAttentions, { id: currentUser.id })\n\n let mentions = map(allAttentions, (attention) => {\n return `@${attention.screen_name}`\n })\n\n return mentions.length > 0 ? mentions.join(' ') + ' ' : ''\n}\n\n// Converts a string with px to a number like '2px' -> 2\nconst pxStringToNumber = (str) => {\n return Number(str.substring(0, str.length - 2))\n}\n\nconst PostStatusForm = {\n props: [\n 'replyTo',\n 'repliedUser',\n 'attentions',\n 'copyMessageScope',\n 'subject',\n 'disableSubject',\n 'disableScopeSelector',\n 'disableNotice',\n 'disableLockWarning',\n 'disablePolls',\n 'disableSensitivityCheckbox',\n 'disableSubmit',\n 'disablePreview',\n 'placeholder',\n 'maxHeight',\n 'postHandler',\n 'preserveFocus',\n 'autoFocus',\n 'fileLimit',\n 'submitOnEnter',\n 'emojiPickerPlacement'\n ],\n components: {\n MediaUpload,\n EmojiInput,\n PollForm,\n ScopeSelector,\n Checkbox,\n Attachment,\n StatusContent\n },\n mounted () {\n this.updateIdempotencyKey()\n this.resize(this.$refs.textarea)\n\n if (this.replyTo) {\n const textLength = this.$refs.textarea.value.length\n this.$refs.textarea.setSelectionRange(textLength, textLength)\n }\n\n if (this.replyTo || this.autoFocus) {\n this.$refs.textarea.focus()\n }\n },\n data () {\n const preset = this.$route.query.message\n let statusText = preset || ''\n\n const { scopeCopy } = this.$store.getters.mergedConfig\n\n if (this.replyTo) {\n const currentUser = this.$store.state.users.currentUser\n statusText = buildMentionsString({ user: this.repliedUser, attentions: this.attentions }, currentUser)\n }\n\n const scope = ((this.copyMessageScope && scopeCopy) || this.copyMessageScope === 'direct')\n ? this.copyMessageScope\n : this.$store.state.users.currentUser.default_scope\n\n const { postContentType: contentType } = this.$store.getters.mergedConfig\n\n return {\n dropFiles: [],\n uploadingFiles: false,\n error: null,\n posting: false,\n highlighted: 0,\n newStatus: {\n spoilerText: this.subject || '',\n status: statusText,\n nsfw: false,\n files: [],\n poll: {},\n mediaDescriptions: {},\n visibility: scope,\n contentType\n },\n caret: 0,\n pollFormVisible: false,\n showDropIcon: 'hide',\n dropStopTimeout: null,\n preview: null,\n previewLoading: false,\n emojiInputShown: false,\n idempotencyKey: ''\n }\n },\n computed: {\n users () {\n return this.$store.state.users.users\n },\n userDefaultScope () {\n return this.$store.state.users.currentUser.default_scope\n },\n showAllScopes () {\n return !this.mergedConfig.minimalScopesMode\n },\n emojiUserSuggestor () {\n return suggestor({\n emoji: [\n ...this.$store.state.instance.emoji,\n ...this.$store.state.instance.customEmoji\n ],\n users: this.$store.state.users.users,\n updateUsersList: (query) => this.$store.dispatch('searchUsers', { query })\n })\n },\n emojiSuggestor () {\n return suggestor({\n emoji: [\n ...this.$store.state.instance.emoji,\n ...this.$store.state.instance.customEmoji\n ]\n })\n },\n emoji () {\n return this.$store.state.instance.emoji || []\n },\n customEmoji () {\n return this.$store.state.instance.customEmoji || []\n },\n statusLength () {\n return this.newStatus.status.length\n },\n spoilerTextLength () {\n return this.newStatus.spoilerText.length\n },\n statusLengthLimit () {\n return this.$store.state.instance.textlimit\n },\n hasStatusLengthLimit () {\n return this.statusLengthLimit > 0\n },\n charactersLeft () {\n return this.statusLengthLimit - (this.statusLength + this.spoilerTextLength)\n },\n isOverLengthLimit () {\n return this.hasStatusLengthLimit && (this.charactersLeft < 0)\n },\n minimalScopesMode () {\n return this.$store.state.instance.minimalScopesMode\n },\n alwaysShowSubject () {\n return this.mergedConfig.alwaysShowSubjectInput\n },\n postFormats () {\n return this.$store.state.instance.postFormats || []\n },\n safeDMEnabled () {\n return this.$store.state.instance.safeDM\n },\n pollsAvailable () {\n return this.$store.state.instance.pollsAvailable &&\n this.$store.state.instance.pollLimits.max_options >= 2 &&\n this.disablePolls !== true\n },\n hideScopeNotice () {\n return this.disableNotice || this.$store.getters.mergedConfig.hideScopeNotice\n },\n pollContentError () {\n return this.pollFormVisible &&\n this.newStatus.poll &&\n this.newStatus.poll.error\n },\n showPreview () {\n return !this.disablePreview && (!!this.preview || this.previewLoading)\n },\n emptyStatus () {\n return this.newStatus.status.trim() === '' && this.newStatus.files.length === 0\n },\n uploadFileLimitReached () {\n return this.newStatus.files.length >= this.fileLimit\n },\n ...mapGetters(['mergedConfig']),\n ...mapState({\n mobileLayout: state => state.interface.mobileLayout\n })\n },\n watch: {\n 'newStatus': {\n deep: true,\n handler () {\n this.statusChanged()\n }\n }\n },\n methods: {\n statusChanged () {\n this.autoPreview()\n this.updateIdempotencyKey()\n },\n clearStatus () {\n const newStatus = this.newStatus\n this.newStatus = {\n status: '',\n spoilerText: '',\n files: [],\n visibility: newStatus.visibility,\n contentType: newStatus.contentType,\n poll: {},\n mediaDescriptions: {}\n }\n this.pollFormVisible = false\n this.$refs.mediaUpload && this.$refs.mediaUpload.clearFile()\n this.clearPollForm()\n if (this.preserveFocus) {\n this.$nextTick(() => {\n this.$refs.textarea.focus()\n })\n }\n let el = this.$el.querySelector('textarea')\n el.style.height = 'auto'\n el.style.height = undefined\n this.error = null\n if (this.preview) this.previewStatus()\n },\n async postStatus (event, newStatus, opts = {}) {\n if (this.posting) { return }\n if (this.disableSubmit) { return }\n if (this.emojiInputShown) { return }\n if (this.submitOnEnter) {\n event.stopPropagation()\n event.preventDefault()\n }\n\n if (this.emptyStatus) {\n this.error = this.$t('post_status.empty_status_error')\n return\n }\n\n const poll = this.pollFormVisible ? this.newStatus.poll : {}\n if (this.pollContentError) {\n this.error = this.pollContentError\n return\n }\n\n this.posting = true\n\n try {\n await this.setAllMediaDescriptions()\n } catch (e) {\n this.error = this.$t('post_status.media_description_error')\n this.posting = false\n return\n }\n\n const postingOptions = {\n status: newStatus.status,\n spoilerText: newStatus.spoilerText || null,\n visibility: newStatus.visibility,\n sensitive: newStatus.nsfw,\n media: newStatus.files,\n store: this.$store,\n inReplyToStatusId: this.replyTo,\n contentType: newStatus.contentType,\n poll,\n idempotencyKey: this.idempotencyKey\n }\n\n const postHandler = this.postHandler ? this.postHandler : statusPoster.postStatus\n\n postHandler(postingOptions).then((data) => {\n if (!data.error) {\n this.clearStatus()\n this.$emit('posted', data)\n } else {\n this.error = data.error\n }\n this.posting = false\n })\n },\n previewStatus () {\n if (this.emptyStatus && this.newStatus.spoilerText.trim() === '') {\n this.preview = { error: this.$t('post_status.preview_empty') }\n this.previewLoading = false\n return\n }\n const newStatus = this.newStatus\n this.previewLoading = true\n statusPoster.postStatus({\n status: newStatus.status,\n spoilerText: newStatus.spoilerText || null,\n visibility: newStatus.visibility,\n sensitive: newStatus.nsfw,\n media: [],\n store: this.$store,\n inReplyToStatusId: this.replyTo,\n contentType: newStatus.contentType,\n poll: {},\n preview: true\n }).then((data) => {\n // Don't apply preview if not loading, because it means\n // user has closed the preview manually.\n if (!this.previewLoading) return\n if (!data.error) {\n this.preview = data\n } else {\n this.preview = { error: data.error }\n }\n }).catch((error) => {\n this.preview = { error }\n }).finally(() => {\n this.previewLoading = false\n })\n },\n debouncePreviewStatus: debounce(function () { this.previewStatus() }, 500),\n autoPreview () {\n if (!this.preview) return\n this.previewLoading = true\n this.debouncePreviewStatus()\n },\n closePreview () {\n this.preview = null\n this.previewLoading = false\n },\n togglePreview () {\n if (this.showPreview) {\n this.closePreview()\n } else {\n this.previewStatus()\n }\n },\n addMediaFile (fileInfo) {\n this.newStatus.files.push(fileInfo)\n this.$emit('resize', { delayed: true })\n },\n removeMediaFile (fileInfo) {\n let index = this.newStatus.files.indexOf(fileInfo)\n this.newStatus.files.splice(index, 1)\n this.$emit('resize')\n },\n uploadFailed (errString, templateArgs) {\n templateArgs = templateArgs || {}\n this.error = this.$t('upload.error.base') + ' ' + this.$t('upload.error.' + errString, templateArgs)\n },\n startedUploadingFiles () {\n this.uploadingFiles = true\n },\n finishedUploadingFiles () {\n this.$emit('resize')\n this.uploadingFiles = false\n },\n type (fileInfo) {\n return fileTypeService.fileType(fileInfo.mimetype)\n },\n paste (e) {\n this.autoPreview()\n this.resize(e)\n if (e.clipboardData.files.length > 0) {\n // prevent pasting of file as text\n e.preventDefault()\n // Strangely, files property gets emptied after event propagation\n // Trying to wrap it in array doesn't work. Plus I doubt it's possible\n // to hold more than one file in clipboard.\n this.dropFiles = [e.clipboardData.files[0]]\n }\n },\n fileDrop (e) {\n if (e.dataTransfer && e.dataTransfer.types.includes('Files')) {\n e.preventDefault() // allow dropping text like before\n this.dropFiles = e.dataTransfer.files\n clearTimeout(this.dropStopTimeout)\n this.showDropIcon = 'hide'\n }\n },\n fileDragStop (e) {\n // The false-setting is done with delay because just using leave-events\n // directly caused unwanted flickering, this is not perfect either but\n // much less noticable.\n clearTimeout(this.dropStopTimeout)\n this.showDropIcon = 'fade'\n this.dropStopTimeout = setTimeout(() => (this.showDropIcon = 'hide'), 500)\n },\n fileDrag (e) {\n e.dataTransfer.dropEffect = this.uploadFileLimitReached ? 'none' : 'copy'\n if (e.dataTransfer && e.dataTransfer.types.includes('Files')) {\n clearTimeout(this.dropStopTimeout)\n this.showDropIcon = 'show'\n }\n },\n onEmojiInputInput (e) {\n this.$nextTick(() => {\n this.resize(this.$refs['textarea'])\n })\n },\n resize (e) {\n const target = e.target || e\n if (!(target instanceof window.Element)) { return }\n\n // Reset to default height for empty form, nothing else to do here.\n if (target.value === '') {\n target.style.height = null\n this.$emit('resize')\n this.$refs['emoji-input'].resize()\n return\n }\n\n const formRef = this.$refs['form']\n const bottomRef = this.$refs['bottom']\n /* Scroller is either `window` (replies in TL), sidebar (main post form,\n * replies in notifs) or mobile post form. Note that getting and setting\n * scroll is different for `Window` and `Element`s\n */\n const bottomBottomPaddingStr = window.getComputedStyle(bottomRef)['padding-bottom']\n const bottomBottomPadding = pxStringToNumber(bottomBottomPaddingStr)\n\n const scrollerRef = this.$el.closest('.sidebar-scroller') ||\n this.$el.closest('.post-form-modal-view') ||\n window\n\n // Getting info about padding we have to account for, removing 'px' part\n const topPaddingStr = window.getComputedStyle(target)['padding-top']\n const bottomPaddingStr = window.getComputedStyle(target)['padding-bottom']\n const topPadding = pxStringToNumber(topPaddingStr)\n const bottomPadding = pxStringToNumber(bottomPaddingStr)\n const vertPadding = topPadding + bottomPadding\n\n const oldHeight = pxStringToNumber(target.style.height)\n\n /* Explanation:\n *\n * https://developer.mozilla.org/en-US/docs/Web/API/Element/scrollHeight\n * scrollHeight returns element's scrollable content height, i.e. visible\n * element + overscrolled parts of it. We use it to determine when text\n * inside the textarea exceeded its height, so we can set height to prevent\n * overscroll, i.e. make textarea grow with the text. HOWEVER, since we\n * explicitly set new height, scrollHeight won't go below that, so we can't\n * SHRINK the textarea when there's extra space. To workaround that we set\n * height to 'auto' which makes textarea tiny again, so that scrollHeight\n * will match text height again. HOWEVER, shrinking textarea can screw with\n * the scroll since there might be not enough padding around form-bottom to even\n * warrant a scroll, so it will jump to 0 and refuse to move anywhere,\n * so we check current scroll position before shrinking and then restore it\n * with needed delta.\n */\n\n // this part has to be BEFORE the content size update\n const currentScroll = scrollerRef === window\n ? scrollerRef.scrollY\n : scrollerRef.scrollTop\n const scrollerHeight = scrollerRef === window\n ? scrollerRef.innerHeight\n : scrollerRef.offsetHeight\n const scrollerBottomBorder = currentScroll + scrollerHeight\n\n // BEGIN content size update\n target.style.height = 'auto'\n const heightWithoutPadding = Math.floor(target.scrollHeight - vertPadding)\n let newHeight = this.maxHeight ? Math.min(heightWithoutPadding, this.maxHeight) : heightWithoutPadding\n // This is a bit of a hack to combat target.scrollHeight being different on every other input\n // on some browsers for whatever reason. Don't change the height if difference is 1px or less.\n if (Math.abs(newHeight - oldHeight) <= 1) {\n newHeight = oldHeight\n }\n target.style.height = `${newHeight}px`\n this.$emit('resize', newHeight)\n // END content size update\n\n // We check where the bottom border of form-bottom element is, this uses findOffset\n // to find offset relative to scrollable container (scroller)\n const bottomBottomBorder = bottomRef.offsetHeight + findOffset(bottomRef, scrollerRef).top + bottomBottomPadding\n\n const isBottomObstructed = scrollerBottomBorder < bottomBottomBorder\n const isFormBiggerThanScroller = scrollerHeight < formRef.offsetHeight\n const bottomChangeDelta = bottomBottomBorder - scrollerBottomBorder\n // The intention is basically this;\n // Keep form-bottom always visible so that submit button is in view EXCEPT\n // if form element bigger than scroller and caret isn't at the end, so that\n // if you scroll up and edit middle of text you won't get scrolled back to bottom\n const shouldScrollToBottom = isBottomObstructed &&\n !(isFormBiggerThanScroller &&\n this.$refs.textarea.selectionStart !== this.$refs.textarea.value.length)\n const totalDelta = shouldScrollToBottom ? bottomChangeDelta : 0\n const targetScroll = currentScroll + totalDelta\n\n if (scrollerRef === window) {\n scrollerRef.scroll(0, targetScroll)\n } else {\n scrollerRef.scrollTop = targetScroll\n }\n\n this.$refs['emoji-input'].resize()\n },\n showEmojiPicker () {\n this.$refs['textarea'].focus()\n this.$refs['emoji-input'].triggerShowPicker()\n },\n clearError () {\n this.error = null\n },\n changeVis (visibility) {\n this.newStatus.visibility = visibility\n },\n togglePollForm () {\n this.pollFormVisible = !this.pollFormVisible\n },\n setPoll (poll) {\n this.newStatus.poll = poll\n },\n clearPollForm () {\n if (this.$refs.pollForm) {\n this.$refs.pollForm.clear()\n }\n },\n dismissScopeNotice () {\n this.$store.dispatch('setOption', { name: 'hideScopeNotice', value: true })\n },\n setMediaDescription (id) {\n const description = this.newStatus.mediaDescriptions[id]\n if (!description || description.trim() === '') return\n return statusPoster.setMediaDescription({ store: this.$store, id, description })\n },\n setAllMediaDescriptions () {\n const ids = this.newStatus.files.map(file => file.id)\n return Promise.all(ids.map(id => this.setMediaDescription(id)))\n },\n handleEmojiInputShow (value) {\n this.emojiInputShown = value\n },\n updateIdempotencyKey () {\n this.idempotencyKey = Date.now().toString()\n },\n openProfileTab () {\n this.$store.dispatch('openSettingsModalTab', 'profile')\n }\n }\n}\n\nexport default PostStatusForm\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./post_status_form.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./post_status_form.js\"\nimport __vue_script__ from \"!!babel-loader!./post_status_form.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-c3d07a7c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./post_status_form.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{ref:\"form\",staticClass:\"post-status-form\"},[_c('form',{attrs:{\"autocomplete\":\"off\"},on:{\"submit\":function($event){$event.preventDefault();},\"dragover\":function($event){$event.preventDefault();return _vm.fileDrag($event)}}},[_c('div',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.showDropIcon !== 'hide'),expression:\"showDropIcon !== 'hide'\"}],staticClass:\"drop-indicator\",class:[_vm.uploadFileLimitReached ? 'icon-block' : 'icon-upload'],style:({ animation: _vm.showDropIcon === 'show' ? 'fade-in 0.25s' : 'fade-out 0.5s' }),on:{\"dragleave\":_vm.fileDragStop,\"drop\":function($event){$event.stopPropagation();return _vm.fileDrop($event)}}}),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[(!_vm.$store.state.users.currentUser.locked && _vm.newStatus.visibility == 'private' && !_vm.disableLockWarning)?_c('i18n',{staticClass:\"visibility-notice\",attrs:{\"path\":\"post_status.account_not_locked_warning\",\"tag\":\"p\"}},[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":_vm.openProfileTab}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('post_status.account_not_locked_warning_link'))+\"\\n \")])]):_vm._e(),_vm._v(\" \"),(!_vm.hideScopeNotice && _vm.newStatus.visibility === 'public')?_c('p',{staticClass:\"visibility-notice notice-dismissible\"},[_c('span',[_vm._v(_vm._s(_vm.$t('post_status.scope_notice.public')))]),_vm._v(\" \"),_c('a',{staticClass:\"button-icon dismiss\",on:{\"click\":function($event){$event.preventDefault();return _vm.dismissScopeNotice()}}},[_c('i',{staticClass:\"icon-cancel\"})])]):(!_vm.hideScopeNotice && _vm.newStatus.visibility === 'unlisted')?_c('p',{staticClass:\"visibility-notice notice-dismissible\"},[_c('span',[_vm._v(_vm._s(_vm.$t('post_status.scope_notice.unlisted')))]),_vm._v(\" \"),_c('a',{staticClass:\"button-icon dismiss\",on:{\"click\":function($event){$event.preventDefault();return _vm.dismissScopeNotice()}}},[_c('i',{staticClass:\"icon-cancel\"})])]):(!_vm.hideScopeNotice && _vm.newStatus.visibility === 'private' && _vm.$store.state.users.currentUser.locked)?_c('p',{staticClass:\"visibility-notice notice-dismissible\"},[_c('span',[_vm._v(_vm._s(_vm.$t('post_status.scope_notice.private')))]),_vm._v(\" \"),_c('a',{staticClass:\"button-icon dismiss\",on:{\"click\":function($event){$event.preventDefault();return _vm.dismissScopeNotice()}}},[_c('i',{staticClass:\"icon-cancel\"})])]):(_vm.newStatus.visibility === 'direct')?_c('p',{staticClass:\"visibility-notice\"},[(_vm.safeDMEnabled)?_c('span',[_vm._v(_vm._s(_vm.$t('post_status.direct_warning_to_first_only')))]):_c('span',[_vm._v(_vm._s(_vm.$t('post_status.direct_warning_to_all')))])]):_vm._e(),_vm._v(\" \"),(!_vm.disablePreview)?_c('div',{staticClass:\"preview-heading faint\"},[_c('a',{staticClass:\"preview-toggle faint\",on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.togglePreview($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('post_status.preview'))+\"\\n \"),_c('i',{class:_vm.showPreview ? 'icon-left-open' : 'icon-right-open'})]),_vm._v(\" \"),_c('i',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.previewLoading),expression:\"previewLoading\"}],staticClass:\"icon-spin3 animate-spin\"})]):_vm._e(),_vm._v(\" \"),(_vm.showPreview)?_c('div',{staticClass:\"preview-container\"},[(!_vm.preview)?_c('div',{staticClass:\"preview-status\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.loading'))+\"\\n \")]):(_vm.preview.error)?_c('div',{staticClass:\"preview-status preview-error\"},[_vm._v(\"\\n \"+_vm._s(_vm.preview.error)+\"\\n \")]):_c('StatusContent',{staticClass:\"preview-status\",attrs:{\"status\":_vm.preview}})],1):_vm._e(),_vm._v(\" \"),(!_vm.disableSubject && (_vm.newStatus.spoilerText || _vm.alwaysShowSubject))?_c('EmojiInput',{staticClass:\"form-control\",attrs:{\"enable-emoji-picker\":\"\",\"suggest\":_vm.emojiSuggestor},model:{value:(_vm.newStatus.spoilerText),callback:function ($$v) {_vm.$set(_vm.newStatus, \"spoilerText\", $$v)},expression:\"newStatus.spoilerText\"}},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newStatus.spoilerText),expression:\"newStatus.spoilerText\"}],staticClass:\"form-post-subject\",attrs:{\"type\":\"text\",\"placeholder\":_vm.$t('post_status.content_warning'),\"disabled\":_vm.posting},domProps:{\"value\":(_vm.newStatus.spoilerText)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.newStatus, \"spoilerText\", $event.target.value)}}})]):_vm._e(),_vm._v(\" \"),_c('EmojiInput',{ref:\"emoji-input\",staticClass:\"form-control main-input\",attrs:{\"suggest\":_vm.emojiUserSuggestor,\"placement\":_vm.emojiPickerPlacement,\"enable-emoji-picker\":\"\",\"hide-emoji-button\":\"\",\"newline-on-ctrl-enter\":_vm.submitOnEnter,\"enable-sticker-picker\":\"\"},on:{\"input\":_vm.onEmojiInputInput,\"sticker-uploaded\":_vm.addMediaFile,\"sticker-upload-failed\":_vm.uploadFailed,\"shown\":_vm.handleEmojiInputShow},model:{value:(_vm.newStatus.status),callback:function ($$v) {_vm.$set(_vm.newStatus, \"status\", $$v)},expression:\"newStatus.status\"}},[_c('textarea',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newStatus.status),expression:\"newStatus.status\"}],ref:\"textarea\",staticClass:\"form-post-body\",class:{ 'scrollable-form': !!_vm.maxHeight },attrs:{\"placeholder\":_vm.placeholder || _vm.$t('post_status.default'),\"rows\":\"1\",\"cols\":\"1\",\"disabled\":_vm.posting},domProps:{\"value\":(_vm.newStatus.status)},on:{\"keydown\":[function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }if($event.ctrlKey||$event.shiftKey||$event.altKey||$event.metaKey){ return null; }_vm.submitOnEnter && _vm.postStatus($event, _vm.newStatus)},function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }if(!$event.metaKey){ return null; }return _vm.postStatus($event, _vm.newStatus)},function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }if(!$event.ctrlKey){ return null; }!_vm.submitOnEnter && _vm.postStatus($event, _vm.newStatus)}],\"input\":[function($event){if($event.target.composing){ return; }_vm.$set(_vm.newStatus, \"status\", $event.target.value)},_vm.resize],\"compositionupdate\":_vm.resize,\"paste\":_vm.paste}}),_vm._v(\" \"),(_vm.hasStatusLengthLimit)?_c('p',{staticClass:\"character-counter faint\",class:{ error: _vm.isOverLengthLimit }},[_vm._v(\"\\n \"+_vm._s(_vm.charactersLeft)+\"\\n \")]):_vm._e()]),_vm._v(\" \"),(!_vm.disableScopeSelector)?_c('div',{staticClass:\"visibility-tray\"},[_c('scope-selector',{attrs:{\"show-all\":_vm.showAllScopes,\"user-default\":_vm.userDefaultScope,\"original-scope\":_vm.copyMessageScope,\"initial-scope\":_vm.newStatus.visibility,\"on-scope-change\":_vm.changeVis}}),_vm._v(\" \"),(_vm.postFormats.length > 1)?_c('div',{staticClass:\"text-format\"},[_c('label',{staticClass:\"select\",attrs:{\"for\":\"post-content-type\"}},[_c('select',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newStatus.contentType),expression:\"newStatus.contentType\"}],staticClass:\"form-control\",attrs:{\"id\":\"post-content-type\"},on:{\"change\":function($event){var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = \"_value\" in o ? o._value : o.value;return val}); _vm.$set(_vm.newStatus, \"contentType\", $event.target.multiple ? $$selectedVal : $$selectedVal[0])}}},_vm._l((_vm.postFormats),function(postFormat){return _c('option',{key:postFormat,domProps:{\"value\":postFormat}},[_vm._v(\"\\n \"+_vm._s(_vm.$t((\"post_status.content_type[\\\"\" + postFormat + \"\\\"]\")))+\"\\n \")])}),0),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])]):_vm._e(),_vm._v(\" \"),(_vm.postFormats.length === 1 && _vm.postFormats[0] !== 'text/plain')?_c('div',{staticClass:\"text-format\"},[_c('span',{staticClass:\"only-format\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t((\"post_status.content_type[\\\"\" + (_vm.postFormats[0]) + \"\\\"]\")))+\"\\n \")])]):_vm._e()],1):_vm._e()],1),_vm._v(\" \"),(_vm.pollsAvailable)?_c('poll-form',{ref:\"pollForm\",attrs:{\"visible\":_vm.pollFormVisible},on:{\"update-poll\":_vm.setPoll}}):_vm._e(),_vm._v(\" \"),_c('div',{ref:\"bottom\",staticClass:\"form-bottom\"},[_c('div',{staticClass:\"form-bottom-left\"},[_c('media-upload',{ref:\"mediaUpload\",staticClass:\"media-upload-icon\",attrs:{\"drop-files\":_vm.dropFiles,\"disabled\":_vm.uploadFileLimitReached},on:{\"uploading\":_vm.startedUploadingFiles,\"uploaded\":_vm.addMediaFile,\"upload-failed\":_vm.uploadFailed,\"all-uploaded\":_vm.finishedUploadingFiles}}),_vm._v(\" \"),_c('div',{staticClass:\"emoji-icon\"},[_c('i',{staticClass:\"icon-smile btn btn-default\",attrs:{\"title\":_vm.$t('emoji.add_emoji')},on:{\"click\":_vm.showEmojiPicker}})]),_vm._v(\" \"),(_vm.pollsAvailable)?_c('div',{staticClass:\"poll-icon\",class:{ selected: _vm.pollFormVisible }},[_c('i',{staticClass:\"icon-chart-bar btn btn-default\",attrs:{\"title\":_vm.$t('polls.add_poll')},on:{\"click\":_vm.togglePollForm}})]):_vm._e()],1),_vm._v(\" \"),(_vm.posting)?_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":\"\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('post_status.posting'))+\"\\n \")]):(_vm.isOverLengthLimit)?_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":\"\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")]):_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.uploadingFiles || _vm.disableSubmit},on:{\"touchstart\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.postStatus($event, _vm.newStatus)},\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.postStatus($event, _vm.newStatus)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")])]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n Error: \"+_vm._s(_vm.error)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":_vm.clearError}})]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"attachments\"},_vm._l((_vm.newStatus.files),function(file){return _c('div',{key:file.url,staticClass:\"media-upload-wrapper\"},[_c('i',{staticClass:\"fa button-icon icon-cancel\",on:{\"click\":function($event){return _vm.removeMediaFile(file)}}}),_vm._v(\" \"),_c('attachment',{attrs:{\"attachment\":file,\"set-media\":function () { return _vm.$store.dispatch('setMedia', _vm.newStatus.files); },\"size\":\"small\",\"allow-play\":\"false\"}}),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.newStatus.mediaDescriptions[file.id]),expression:\"newStatus.mediaDescriptions[file.id]\"}],attrs:{\"type\":\"text\",\"placeholder\":_vm.$t('post_status.media_description')},domProps:{\"value\":(_vm.newStatus.mediaDescriptions[file.id])},on:{\"keydown\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }$event.preventDefault();},\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.newStatus.mediaDescriptions, file.id, $event.target.value)}}})],1)}),0),_vm._v(\" \"),(_vm.newStatus.files.length > 0 && !_vm.disableSensitivityCheckbox)?_c('div',{staticClass:\"upload_settings\"},[_c('Checkbox',{model:{value:(_vm.newStatus.nsfw),callback:function ($$v) {_vm.$set(_vm.newStatus, \"nsfw\", $$v)},expression:\"newStatus.nsfw\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('post_status.attachments_sensitive'))+\"\\n \")])],1):_vm._e()],1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import StillImage from '../still-image/still-image.vue'\nimport VideoAttachment from '../video_attachment/video_attachment.vue'\nimport nsfwImage from '../../assets/nsfw.png'\nimport fileTypeService from '../../services/file_type/file_type.service.js'\nimport { mapGetters } from 'vuex'\n\nconst Attachment = {\n props: [\n 'attachment',\n 'nsfw',\n 'size',\n 'allowPlay',\n 'setMedia',\n 'naturalSizeLoad'\n ],\n data () {\n return {\n nsfwImage: this.$store.state.instance.nsfwCensorImage || nsfwImage,\n hideNsfwLocal: this.$store.getters.mergedConfig.hideNsfw,\n preloadImage: this.$store.getters.mergedConfig.preloadImage,\n loading: false,\n img: fileTypeService.fileType(this.attachment.mimetype) === 'image' && document.createElement('img'),\n modalOpen: false,\n showHidden: false\n }\n },\n components: {\n StillImage,\n VideoAttachment\n },\n computed: {\n usePlaceholder () {\n return this.size === 'hide' || this.type === 'unknown'\n },\n placeholderName () {\n if (this.attachment.description === '' || !this.attachment.description) {\n return this.type.toUpperCase()\n }\n return this.attachment.description\n },\n placeholderIconClass () {\n if (this.type === 'image') return 'icon-picture'\n if (this.type === 'video') return 'icon-video'\n if (this.type === 'audio') return 'icon-music'\n return 'icon-doc'\n },\n referrerpolicy () {\n return this.$store.state.instance.mediaProxyAvailable ? '' : 'no-referrer'\n },\n type () {\n return fileTypeService.fileType(this.attachment.mimetype)\n },\n hidden () {\n return this.nsfw && this.hideNsfwLocal && !this.showHidden\n },\n isEmpty () {\n return (this.type === 'html' && !this.attachment.oembed) || this.type === 'unknown'\n },\n isSmall () {\n return this.size === 'small'\n },\n fullwidth () {\n if (this.size === 'hide') return false\n return this.type === 'html' || this.type === 'audio' || this.type === 'unknown'\n },\n useModal () {\n const modalTypes = this.size === 'hide' ? ['image', 'video', 'audio']\n : this.mergedConfig.playVideosInModal\n ? ['image', 'video']\n : ['image']\n return modalTypes.includes(this.type)\n },\n ...mapGetters(['mergedConfig'])\n },\n methods: {\n linkClicked ({ target }) {\n if (target.tagName === 'A') {\n window.open(target.href, '_blank')\n }\n },\n openModal (event) {\n if (this.useModal) {\n event.stopPropagation()\n event.preventDefault()\n this.setMedia()\n this.$store.dispatch('setCurrent', this.attachment)\n }\n },\n toggleHidden (event) {\n if (\n (this.mergedConfig.useOneClickNsfw && !this.showHidden) &&\n (this.type !== 'video' || this.mergedConfig.playVideosInModal)\n ) {\n this.openModal(event)\n return\n }\n if (this.img && !this.preloadImage) {\n if (this.img.onload) {\n this.img.onload()\n } else {\n this.loading = true\n this.img.src = this.attachment.url\n this.img.onload = () => {\n this.loading = false\n this.showHidden = !this.showHidden\n }\n }\n } else {\n this.showHidden = !this.showHidden\n }\n },\n onImageLoad (image) {\n const width = image.naturalWidth\n const height = image.naturalHeight\n this.naturalSizeLoad && this.naturalSizeLoad({ width, height })\n }\n }\n}\n\nexport default Attachment\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./attachment.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./attachment.js\"\nimport __vue_script__ from \"!!babel-loader!./attachment.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6c00fc80\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./attachment.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {\nvar _obj;\nvar _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.usePlaceholder)?_c('div',{class:{ 'fullwidth': _vm.fullwidth },on:{\"click\":_vm.openModal}},[(_vm.type !== 'html')?_c('a',{staticClass:\"placeholder\",attrs:{\"target\":\"_blank\",\"href\":_vm.attachment.url,\"alt\":_vm.attachment.description,\"title\":_vm.attachment.description}},[_c('span',{class:_vm.placeholderIconClass}),_vm._v(\" \"),_c('b',[_vm._v(_vm._s(_vm.nsfw ? \"NSFW / \" : \"\"))]),_vm._v(_vm._s(_vm.placeholderName)+\"\\n \")]):_vm._e()]):_c('div',{directives:[{name:\"show\",rawName:\"v-show\",value:(!_vm.isEmpty),expression:\"!isEmpty\"}],staticClass:\"attachment\",class:( _obj = {}, _obj[_vm.type] = true, _obj.loading = _vm.loading, _obj['fullwidth'] = _vm.fullwidth, _obj['nsfw-placeholder'] = _vm.hidden, _obj )},[(_vm.hidden)?_c('a',{staticClass:\"image-attachment\",attrs:{\"href\":_vm.attachment.url,\"alt\":_vm.attachment.description,\"title\":_vm.attachment.description},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleHidden($event)}}},[_c('img',{key:_vm.nsfwImage,staticClass:\"nsfw\",class:{'small': _vm.isSmall},attrs:{\"src\":_vm.nsfwImage}}),_vm._v(\" \"),(_vm.type === 'video')?_c('i',{staticClass:\"play-icon icon-play-circled\"}):_vm._e()]):_vm._e(),_vm._v(\" \"),(_vm.nsfw && _vm.hideNsfwLocal && !_vm.hidden)?_c('div',{staticClass:\"hider\"},[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleHidden($event)}}},[_vm._v(\"Hide\")])]):_vm._e(),_vm._v(\" \"),(_vm.type === 'image' && (!_vm.hidden || _vm.preloadImage))?_c('a',{staticClass:\"image-attachment\",class:{'hidden': _vm.hidden && _vm.preloadImage },attrs:{\"href\":_vm.attachment.url,\"target\":\"_blank\"},on:{\"click\":_vm.openModal}},[_c('StillImage',{staticClass:\"image\",attrs:{\"referrerpolicy\":_vm.referrerpolicy,\"mimetype\":_vm.attachment.mimetype,\"src\":_vm.attachment.large_thumb_url || _vm.attachment.url,\"image-load-handler\":_vm.onImageLoad,\"alt\":_vm.attachment.description}})],1):_vm._e(),_vm._v(\" \"),(_vm.type === 'video' && !_vm.hidden)?_c('a',{staticClass:\"video-container\",class:{'small': _vm.isSmall},attrs:{\"href\":_vm.allowPlay ? undefined : _vm.attachment.url},on:{\"click\":_vm.openModal}},[_c('VideoAttachment',{staticClass:\"video\",attrs:{\"attachment\":_vm.attachment,\"controls\":_vm.allowPlay}}),_vm._v(\" \"),(!_vm.allowPlay)?_c('i',{staticClass:\"play-icon icon-play-circled\"}):_vm._e()],1):_vm._e(),_vm._v(\" \"),(_vm.type === 'audio')?_c('audio',{attrs:{\"src\":_vm.attachment.url,\"alt\":_vm.attachment.description,\"title\":_vm.attachment.description,\"controls\":\"\"}}):_vm._e(),_vm._v(\" \"),(_vm.type === 'html' && _vm.attachment.oembed)?_c('div',{staticClass:\"oembed\",on:{\"click\":function($event){$event.preventDefault();return _vm.linkClicked($event)}}},[(_vm.attachment.thumb_url)?_c('div',{staticClass:\"image\"},[_c('img',{attrs:{\"src\":_vm.attachment.thumb_url}})]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"text\"},[_c('h1',[_c('a',{attrs:{\"href\":_vm.attachment.url}},[_vm._v(_vm._s(_vm.attachment.oembed.title))])]),_vm._v(\" \"),_c('div',{domProps:{\"innerHTML\":_vm._s(_vm.attachment.oembed.oembedHTML)}})])]):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <time\n :datetime=\"time\"\n :title=\"localeDateString\"\n >\n {{ $t(relativeTime.key, [relativeTime.num]) }}\n </time>\n</template>\n\n<script>\nimport * as DateUtils from 'src/services/date_utils/date_utils.js'\n\nexport default {\n name: 'Timeago',\n props: ['time', 'autoUpdate', 'longFormat', 'nowThreshold'],\n data () {\n return {\n relativeTime: { key: 'time.now', num: 0 },\n interval: null\n }\n },\n computed: {\n localeDateString () {\n return typeof this.time === 'string'\n ? new Date(Date.parse(this.time)).toLocaleString()\n : this.time.toLocaleString()\n }\n },\n created () {\n this.refreshRelativeTimeObject()\n },\n destroyed () {\n clearTimeout(this.interval)\n },\n methods: {\n refreshRelativeTimeObject () {\n const nowThreshold = typeof this.nowThreshold === 'number' ? this.nowThreshold : 1\n this.relativeTime = this.longFormat\n ? DateUtils.relativeTime(this.time, nowThreshold)\n : DateUtils.relativeTimeShort(this.time, nowThreshold)\n\n if (this.autoUpdate) {\n this.interval = setTimeout(\n this.refreshRelativeTimeObject,\n 1000 * this.autoUpdate\n )\n }\n }\n }\n}\n</script>\n","/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./timeago.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./timeago.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-ac499830\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./timeago.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('time',{attrs:{\"datetime\":_vm.time,\"title\":_vm.localeDateString}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(_vm.relativeTime.key, [_vm.relativeTime.num]))+\"\\n\")])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { hex2rgb } from '../color_convert/color_convert.js'\nconst highlightStyle = (prefs) => {\n if (prefs === undefined) return\n const { color, type } = prefs\n if (typeof color !== 'string') return\n const rgb = hex2rgb(color)\n if (rgb == null) return\n const solidColor = `rgb(${Math.floor(rgb.r)}, ${Math.floor(rgb.g)}, ${Math.floor(rgb.b)})`\n const tintColor = `rgba(${Math.floor(rgb.r)}, ${Math.floor(rgb.g)}, ${Math.floor(rgb.b)}, .1)`\n const tintColor2 = `rgba(${Math.floor(rgb.r)}, ${Math.floor(rgb.g)}, ${Math.floor(rgb.b)}, .2)`\n if (type === 'striped') {\n return {\n backgroundImage: [\n 'repeating-linear-gradient(135deg,',\n `${tintColor} ,`,\n `${tintColor} 20px,`,\n `${tintColor2} 20px,`,\n `${tintColor2} 40px`\n ].join(' '),\n backgroundPosition: '0 0'\n }\n } else if (type === 'solid') {\n return {\n backgroundColor: tintColor2\n }\n } else if (type === 'side') {\n return {\n backgroundImage: [\n 'linear-gradient(to right,',\n `${solidColor} ,`,\n `${solidColor} 2px,`,\n `transparent 6px`\n ].join(' '),\n backgroundPosition: '0 0'\n }\n }\n}\n\nconst highlightClass = (user) => {\n return 'USER____' + user.screen_name\n .replace(/\\./g, '_')\n .replace(/@/g, '_AT_')\n}\n\nexport {\n highlightClass,\n highlightStyle\n}\n","<template>\n <div class=\"list\">\n <div\n v-for=\"item in items\"\n :key=\"getKey(item)\"\n class=\"list-item\"\n >\n <slot\n name=\"item\"\n :item=\"item\"\n />\n </div>\n <div\n v-if=\"items.length === 0 && !!$slots.empty\"\n class=\"list-empty-content faint\"\n >\n <slot name=\"empty\" />\n </div>\n </div>\n</template>\n\n<script>\nexport default {\n props: {\n items: {\n type: Array,\n default: () => []\n },\n getKey: {\n type: Function,\n default: item => item.id\n }\n }\n}\n</script>\n\n<style lang=\"scss\">\n@import '../../_variables.scss';\n\n.list {\n &-item:not(:last-child) {\n border-bottom: 1px solid;\n border-bottom-color: $fallback--border;\n border-bottom-color: var(--border, $fallback--border);\n }\n\n &-empty-content {\n text-align: center;\n padding: 10px;\n }\n}\n</style>\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./list.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./list.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./list.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-c1790f52\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./list.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"list\"},[_vm._l((_vm.items),function(item){return _c('div',{key:_vm.getKey(item),staticClass:\"list-item\"},[_vm._t(\"item\",null,{\"item\":item})],2)}),_vm._v(\" \"),(_vm.items.length === 0 && !!_vm.$slots.empty)?_c('div',{staticClass:\"list-empty-content faint\"},[_vm._t(\"empty\")],2):_vm._e()],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <label\n class=\"checkbox\"\n :class=\"{ disabled, indeterminate }\"\n >\n <input\n type=\"checkbox\"\n :disabled=\"disabled\"\n :checked=\"checked\"\n :indeterminate.prop=\"indeterminate\"\n @change=\"$emit('change', $event.target.checked)\"\n >\n <i class=\"checkbox-indicator\" />\n <span\n v-if=\"!!$slots.default\"\n class=\"label\"\n >\n <slot />\n </span>\n </label>\n</template>\n\n<script>\nexport default {\n model: {\n prop: 'checked',\n event: 'change'\n },\n props: [\n 'checked',\n 'indeterminate',\n 'disabled'\n ]\n}\n</script>\n\n<style lang=\"scss\">\n@import '../../_variables.scss';\n\n.checkbox {\n position: relative;\n display: inline-block;\n min-height: 1.2em;\n\n &-indicator {\n position: relative;\n padding-left: 1.2em;\n }\n\n &-indicator::before {\n position: absolute;\n right: 0;\n top: 0;\n display: block;\n content: '✓';\n transition: color 200ms;\n width: 1.1em;\n height: 1.1em;\n border-radius: $fallback--checkboxRadius;\n border-radius: var(--checkboxRadius, $fallback--checkboxRadius);\n box-shadow: 0px 0px 2px black inset;\n box-shadow: var(--inputShadow);\n background-color: $fallback--fg;\n background-color: var(--input, $fallback--fg);\n vertical-align: top;\n text-align: center;\n line-height: 1.1em;\n font-size: 1.1em;\n color: transparent;\n overflow: hidden;\n box-sizing: border-box;\n }\n\n &.disabled {\n .checkbox-indicator::before,\n .label {\n opacity: .5;\n }\n .label {\n color: $fallback--faint;\n color: var(--faint, $fallback--faint);\n }\n }\n\n input[type=checkbox] {\n display: none;\n\n &:checked + .checkbox-indicator::before {\n color: $fallback--text;\n color: var(--inputText, $fallback--text);\n }\n\n &:indeterminate + .checkbox-indicator::before {\n content: '–';\n color: $fallback--text;\n color: var(--inputText, $fallback--text);\n }\n\n }\n\n & > span {\n margin-left: .5em;\n }\n}\n</style>\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./checkbox.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./checkbox.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./checkbox.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-0631206a\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./checkbox.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('label',{staticClass:\"checkbox\",class:{ disabled: _vm.disabled, indeterminate: _vm.indeterminate }},[_c('input',{attrs:{\"type\":\"checkbox\",\"disabled\":_vm.disabled},domProps:{\"checked\":_vm.checked,\"indeterminate\":_vm.indeterminate},on:{\"change\":function($event){return _vm.$emit('change', $event.target.checked)}}}),_vm._v(\" \"),_c('i',{staticClass:\"checkbox-indicator\"}),_vm._v(\" \"),(!!_vm.$slots.default)?_c('span',{staticClass:\"label\"},[_vm._t(\"default\")],2):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { map } from 'lodash'\nimport apiService from '../api/api.service.js'\n\nconst postStatus = ({\n store,\n status,\n spoilerText,\n visibility,\n sensitive,\n poll,\n media = [],\n inReplyToStatusId = undefined,\n contentType = 'text/plain',\n preview = false,\n idempotencyKey = ''\n}) => {\n const mediaIds = map(media, 'id')\n\n return apiService.postStatus({\n credentials: store.state.users.currentUser.credentials,\n status,\n spoilerText,\n visibility,\n sensitive,\n mediaIds,\n inReplyToStatusId,\n contentType,\n poll,\n preview,\n idempotencyKey\n })\n .then((data) => {\n if (!data.error && !preview) {\n store.dispatch('addNewStatuses', {\n statuses: [data],\n timeline: 'friends',\n showImmediately: true,\n noIdUpdate: true // To prevent missing notices on next pull.\n })\n }\n return data\n })\n .catch((err) => {\n return {\n error: err.message\n }\n })\n}\n\nconst uploadMedia = ({ store, formData }) => {\n const credentials = store.state.users.currentUser.credentials\n return apiService.uploadMedia({ credentials, formData })\n}\n\nconst setMediaDescription = ({ store, id, description }) => {\n const credentials = store.state.users.currentUser.credentials\n return apiService.setMediaDescription({ credentials, id, description })\n}\n\nconst statusPosterService = {\n postStatus,\n uploadMedia,\n setMediaDescription\n}\n\nexport default statusPosterService\n","const StillImage = {\n props: [\n 'src',\n 'referrerpolicy',\n 'mimetype',\n 'imageLoadError',\n 'imageLoadHandler',\n 'alt'\n ],\n data () {\n return {\n stopGifs: this.$store.getters.mergedConfig.stopGifs\n }\n },\n computed: {\n animated () {\n return this.stopGifs && (this.mimetype === 'image/gif' || this.src.endsWith('.gif'))\n }\n },\n methods: {\n onLoad () {\n this.imageLoadHandler && this.imageLoadHandler(this.$refs.src)\n const canvas = this.$refs.canvas\n if (!canvas) return\n const width = this.$refs.src.naturalWidth\n const height = this.$refs.src.naturalHeight\n canvas.width = width\n canvas.height = height\n canvas.getContext('2d').drawImage(this.$refs.src, 0, 0, width, height)\n },\n onError () {\n this.imageLoadError && this.imageLoadError()\n }\n }\n}\n\nexport default StillImage\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./still-image.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./still-image.js\"\nimport __vue_script__ from \"!!babel-loader!./still-image.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3a23c4ff\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./still-image.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"still-image\",class:{ animated: _vm.animated }},[(_vm.animated)?_c('canvas',{ref:\"canvas\"}):_vm._e(),_vm._v(\" \"),_c('img',{key:_vm.src,ref:\"src\",attrs:{\"alt\":_vm.alt,\"title\":_vm.alt,\"src\":_vm.src,\"referrerpolicy\":_vm.referrerpolicy},on:{\"load\":_vm.onLoad,\"error\":_vm.onError}})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","// When contributing, please sort JSON before committing so it would be easier to see what's missing and what's being added compared to English and other languages. It's not obligatory, but just an advice.\n// To sort json use jq https://stedolan.github.io/jq and invoke it like `jq -S . xx.json > xx.sorted.json`, AFAIK, there's no inplace edit option like in sed\n// Also, when adding a new language to \"messages\" variable, please do it alphabetically by language code so that users can search or check their custom language easily.\n\n// For anyone contributing to old huge messages.js and in need to quickly convert it to JSON\n// sed command for converting currently formatted JS to JSON:\n// sed -i -e \"s/'//gm\" -e 's/\"/\\\\\"/gm' -re 's/^( +)(.+?): ((.+?))?(,?)(\\{?)$/\\1\"\\2\": \"\\4\"/gm' -e 's/\\\"\\{\\\"/{/g' -e 's/,\"$/\",/g' file.json\n// There's only problem that apostrophe character ' gets replaced by \\\\ so you have to fix it manually, sorry.\n\nconst loaders = {\n ar: () => import('./ar.json'),\n ca: () => import('./ca.json'),\n cs: () => import('./cs.json'),\n de: () => import('./de.json'),\n eo: () => import('./eo.json'),\n es: () => import('./es.json'),\n et: () => import('./et.json'),\n eu: () => import('./eu.json'),\n fi: () => import('./fi.json'),\n fr: () => import('./fr.json'),\n ga: () => import('./ga.json'),\n he: () => import('./he.json'),\n hu: () => import('./hu.json'),\n it: () => import('./it.json'),\n ja: () => import('./ja_pedantic.json'),\n ja_easy: () => import('./ja_easy.json'),\n ko: () => import('./ko.json'),\n nb: () => import('./nb.json'),\n nl: () => import('./nl.json'),\n oc: () => import('./oc.json'),\n pl: () => import('./pl.json'),\n pt: () => import('./pt.json'),\n ro: () => import('./ro.json'),\n ru: () => import('./ru.json'),\n te: () => import('./te.json'),\n zh: () => import('./zh.json')\n}\n\nconst messages = {\n languages: ['en', ...Object.keys(loaders)],\n default: {\n en: require('./en.json')\n },\n setLanguage: async (i18n, language) => {\n if (loaders[language]) {\n let messages = await loaders[language]()\n i18n.setLocaleMessage(language, messages)\n }\n i18n.locale = language\n }\n}\n\nexport default messages\n","<template>\n <button\n :disabled=\"progress || disabled\"\n @click=\"onClick\"\n >\n <template v-if=\"progress && $slots.progress\">\n <slot name=\"progress\" />\n </template>\n <template v-else>\n <slot />\n </template>\n </button>\n</template>\n\n<script>\nexport default {\n props: {\n disabled: {\n type: Boolean\n },\n click: { // click event handler. Must return a promise\n type: Function,\n default: () => Promise.resolve()\n }\n },\n data () {\n return {\n progress: false\n }\n },\n methods: {\n onClick () {\n this.progress = true\n this.click().then(() => { this.progress = false })\n }\n }\n}\n</script>\n","/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./progress_button.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./progress_button.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-9f751ae6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./progress_button.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('button',{attrs:{\"disabled\":_vm.progress || _vm.disabled},on:{\"click\":_vm.onClick}},[(_vm.progress && _vm.$slots.progress)?[_vm._t(\"progress\")]:[_vm._t(\"default\")]],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { set, delete as del } from 'vue'\nimport { setPreset, applyTheme } from '../services/style_setter/style_setter.js'\nimport messages from '../i18n/messages'\n\nconst browserLocale = (window.navigator.language || 'en').split('-')[0]\n\n/* TODO this is a bit messy.\n * We need to declare settings with their types and also deal with\n * instance-default settings in some way, hopefully try to avoid copy-pasta\n * in general.\n */\nexport const multiChoiceProperties = [\n 'postContentType',\n 'subjectLineBehavior'\n]\n\nexport const defaultState = {\n colors: {},\n theme: undefined,\n customTheme: undefined,\n customThemeSource: undefined,\n hideISP: false,\n // bad name: actually hides posts of muted USERS\n hideMutedPosts: undefined, // instance default\n collapseMessageWithSubject: undefined, // instance default\n padEmoji: true,\n hideAttachments: false,\n hideAttachmentsInConv: false,\n maxThumbnails: 16,\n hideNsfw: true,\n preloadImage: true,\n loopVideo: true,\n loopVideoSilentOnly: true,\n streaming: false,\n emojiReactionsOnTimeline: true,\n autohideFloatingPostButton: false,\n pauseOnUnfocused: true,\n stopGifs: false,\n replyVisibility: 'all',\n notificationVisibility: {\n follows: true,\n mentions: true,\n likes: true,\n repeats: true,\n moves: true,\n emojiReactions: false,\n followRequest: true,\n chatMention: true\n },\n webPushNotifications: false,\n muteWords: [],\n highlight: {},\n interfaceLanguage: browserLocale,\n hideScopeNotice: false,\n useStreamingApi: false,\n scopeCopy: undefined, // instance default\n subjectLineBehavior: undefined, // instance default\n alwaysShowSubjectInput: undefined, // instance default\n postContentType: undefined, // instance default\n minimalScopesMode: undefined, // instance default\n // This hides statuses filtered via a word filter\n hideFilteredStatuses: undefined, // instance default\n playVideosInModal: false,\n useOneClickNsfw: false,\n useContainFit: false,\n greentext: undefined, // instance default\n hidePostStats: undefined, // instance default\n hideUserStats: undefined // instance default\n}\n\n// caching the instance default properties\nexport const instanceDefaultProperties = Object.entries(defaultState)\n .filter(([key, value]) => value === undefined)\n .map(([key, value]) => key)\n\nconst config = {\n state: defaultState,\n getters: {\n mergedConfig (state, getters, rootState, rootGetters) {\n const { instance } = rootState\n return {\n ...state,\n ...instanceDefaultProperties\n .map(key => [key, state[key] === undefined\n ? instance[key]\n : state[key]\n ])\n .reduce((acc, [key, value]) => ({ ...acc, [key]: value }), {})\n }\n }\n },\n mutations: {\n setOption (state, { name, value }) {\n set(state, name, value)\n },\n setHighlight (state, { user, color, type }) {\n const data = this.state.config.highlight[user]\n if (color || type) {\n set(state.highlight, user, { color: color || data.color, type: type || data.type })\n } else {\n del(state.highlight, user)\n }\n }\n },\n actions: {\n setHighlight ({ commit, dispatch }, { user, color, type }) {\n commit('setHighlight', { user, color, type })\n },\n setOption ({ commit, dispatch }, { name, value }) {\n commit('setOption', { name, value })\n switch (name) {\n case 'theme':\n setPreset(value)\n break\n case 'customTheme':\n case 'customThemeSource':\n applyTheme(value)\n break\n case 'interfaceLanguage':\n messages.setLanguage(this.getters.i18n, value)\n break\n }\n }\n }\n}\n\nexport default config\n","import { filter } from 'lodash'\n\nexport const muteWordHits = (status, muteWords) => {\n const statusText = status.text.toLowerCase()\n const statusSummary = status.summary.toLowerCase()\n const hits = filter(muteWords, (muteWord) => {\n return statusText.includes(muteWord.toLowerCase()) || statusSummary.includes(muteWord.toLowerCase())\n })\n\n return hits\n}\n","export const showDesktopNotification = (rootState, desktopNotificationOpts) => {\n if (!('Notification' in window && window.Notification.permission === 'granted')) return\n if (rootState.statuses.notifications.desktopNotificationSilence) { return }\n\n const desktopNotification = new window.Notification(desktopNotificationOpts.title, desktopNotificationOpts)\n // Chrome is known for not closing notifications automatically\n // according to MDN, anyway.\n setTimeout(desktopNotification.close.bind(desktopNotification), 5000)\n}\n","export const findOffset = (child, parent, { top = 0, left = 0 } = {}, ignorePadding = true) => {\n const result = {\n top: top + child.offsetTop,\n left: left + child.offsetLeft\n }\n if (!ignorePadding && child !== window) {\n const { topPadding, leftPadding } = findPadding(child)\n result.top += ignorePadding ? 0 : topPadding\n result.left += ignorePadding ? 0 : leftPadding\n }\n\n if (child.offsetParent && (parent === window || parent.contains(child.offsetParent) || parent === child.offsetParent)) {\n return findOffset(child.offsetParent, parent, result, false)\n } else {\n if (parent !== window) {\n const { topPadding, leftPadding } = findPadding(parent)\n result.top += topPadding\n result.left += leftPadding\n }\n return result\n }\n}\n\nconst findPadding = (el) => {\n const topPaddingStr = window.getComputedStyle(el)['padding-top']\n const topPadding = Number(topPaddingStr.substring(0, topPaddingStr.length - 2))\n const leftPaddingStr = window.getComputedStyle(el)['padding-left']\n const leftPadding = Number(leftPaddingStr.substring(0, leftPaddingStr.length - 2))\n\n return { topPadding, leftPadding }\n}\n","const fetchRelationship = (attempt, userId, store) => new Promise((resolve, reject) => {\n setTimeout(() => {\n store.state.api.backendInteractor.fetchUserRelationship({ id: userId })\n .then((relationship) => {\n store.commit('updateUserRelationship', [relationship])\n return relationship\n })\n .then((relationship) => resolve([relationship.following, relationship.requested, relationship.locked, attempt]))\n .catch((e) => reject(e))\n }, 500)\n}).then(([following, sent, locked, attempt]) => {\n if (!following && !(locked && sent) && attempt <= 3) {\n // If we BE reports that we still not following that user - retry,\n // increment attempts by one\n fetchRelationship(++attempt, userId, store)\n }\n})\n\nexport const requestFollow = (userId, store) => new Promise((resolve, reject) => {\n store.state.api.backendInteractor.followUser({ id: userId })\n .then((updated) => {\n store.commit('updateUserRelationship', [updated])\n\n if (updated.following || (updated.locked && updated.requested)) {\n // If we get result immediately or the account is locked, just stop.\n resolve()\n return\n }\n\n // But usually we don't get result immediately, so we ask server\n // for updated user profile to confirm if we are following them\n // Sometimes it takes several tries. Sometimes we end up not following\n // user anyway, probably because they locked themselves and we\n // don't know that yet.\n // Recursive Promise, it will call itself up to 3 times.\n\n return fetchRelationship(1, updated, store)\n .then(() => {\n resolve()\n })\n })\n})\n\nexport const requestUnfollow = (userId, store) => new Promise((resolve, reject) => {\n store.state.api.backendInteractor.unfollowUser({ id: userId })\n .then((updated) => {\n store.commit('updateUserRelationship', [updated])\n resolve({\n updated\n })\n })\n})\n","import { requestFollow, requestUnfollow } from '../../services/follow_manipulate/follow_manipulate'\nexport default {\n props: ['relationship', 'labelFollowing', 'buttonClass'],\n data () {\n return {\n inProgress: false\n }\n },\n computed: {\n isPressed () {\n return this.inProgress || this.relationship.following\n },\n title () {\n if (this.inProgress || this.relationship.following) {\n return this.$t('user_card.follow_unfollow')\n } else if (this.relationship.requested) {\n return this.$t('user_card.follow_again')\n } else {\n return this.$t('user_card.follow')\n }\n },\n label () {\n if (this.inProgress) {\n return this.$t('user_card.follow_progress')\n } else if (this.relationship.following) {\n return this.labelFollowing || this.$t('user_card.following')\n } else if (this.relationship.requested) {\n return this.$t('user_card.follow_sent')\n } else {\n return this.$t('user_card.follow')\n }\n }\n },\n methods: {\n onClick () {\n this.relationship.following ? this.unfollow() : this.follow()\n },\n follow () {\n this.inProgress = true\n requestFollow(this.relationship.id, this.$store).then(() => {\n this.inProgress = false\n })\n },\n unfollow () {\n const store = this.$store\n this.inProgress = true\n requestUnfollow(this.relationship.id, store).then(() => {\n this.inProgress = false\n store.commit('removeStatus', { timeline: 'friends', userId: this.relationship.id })\n })\n }\n }\n}\n","/* script */\nexport * from \"!!babel-loader!./follow_button.js\"\nimport __vue_script__ from \"!!babel-loader!./follow_button.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-fae84d0a\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./follow_button.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('button',{staticClass:\"btn btn-default follow-button\",class:{ toggled: _vm.isPressed },attrs:{\"disabled\":_vm.inProgress,\"title\":_vm.title},on:{\"click\":_vm.onClick}},[_vm._v(\"\\n \"+_vm._s(_vm.label)+\"\\n\")])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","\nconst VideoAttachment = {\n props: ['attachment', 'controls'],\n data () {\n return {\n loopVideo: this.$store.getters.mergedConfig.loopVideo\n }\n },\n methods: {\n onVideoDataLoad (e) {\n const target = e.srcElement || e.target\n if (typeof target.webkitAudioDecodedByteCount !== 'undefined') {\n // non-zero if video has audio track\n if (target.webkitAudioDecodedByteCount > 0) {\n this.loopVideo = this.loopVideo && !this.$store.getters.mergedConfig.loopVideoSilentOnly\n }\n } else if (typeof target.mozHasAudio !== 'undefined') {\n // true if video has audio track\n if (target.mozHasAudio) {\n this.loopVideo = this.loopVideo && !this.$store.getters.mergedConfig.loopVideoSilentOnly\n }\n } else if (typeof target.audioTracks !== 'undefined') {\n if (target.audioTracks.length > 0) {\n this.loopVideo = this.loopVideo && !this.$store.getters.mergedConfig.loopVideoSilentOnly\n }\n }\n }\n }\n}\n\nexport default VideoAttachment\n","/* script */\nexport * from \"!!babel-loader!./video_attachment.js\"\nimport __vue_script__ from \"!!babel-loader!./video_attachment.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-45029e08\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./video_attachment.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('video',{staticClass:\"video\",attrs:{\"src\":_vm.attachment.url,\"loop\":_vm.loopVideo,\"controls\":_vm.controls,\"alt\":_vm.attachment.description,\"title\":_vm.attachment.description,\"playsinline\":\"\"},on:{\"loadeddata\":_vm.onVideoDataLoad}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Attachment from '../attachment/attachment.vue'\nimport { chunk, last, dropRight, sumBy } from 'lodash'\n\nconst Gallery = {\n props: [\n 'attachments',\n 'nsfw',\n 'setMedia'\n ],\n data () {\n return {\n sizes: {}\n }\n },\n components: { Attachment },\n computed: {\n rows () {\n if (!this.attachments) {\n return []\n }\n const rows = chunk(this.attachments, 3)\n if (last(rows).length === 1 && rows.length > 1) {\n // if 1 attachment on last row -> add it to the previous row instead\n const lastAttachment = last(rows)[0]\n const allButLastRow = dropRight(rows)\n last(allButLastRow).push(lastAttachment)\n return allButLastRow\n }\n return rows\n },\n useContainFit () {\n return this.$store.getters.mergedConfig.useContainFit\n }\n },\n methods: {\n onNaturalSizeLoad (id, size) {\n this.$set(this.sizes, id, size)\n },\n rowStyle (itemsPerRow) {\n return { 'padding-bottom': `${(100 / (itemsPerRow + 0.6))}%` }\n },\n itemStyle (id, row) {\n const total = sumBy(row, item => this.getAspectRatio(item.id))\n return { flex: `${this.getAspectRatio(id) / total} 1 0%` }\n },\n getAspectRatio (id) {\n const size = this.sizes[id]\n return size ? size.width / size.height : 1\n }\n }\n}\n\nexport default Gallery\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./gallery.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./gallery.js\"\nimport __vue_script__ from \"!!babel-loader!./gallery.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3db94942\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./gallery.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{ref:\"galleryContainer\",staticStyle:{\"width\":\"100%\"}},_vm._l((_vm.rows),function(row,index){return _c('div',{key:index,staticClass:\"gallery-row\",class:{ 'contain-fit': _vm.useContainFit, 'cover-fit': !_vm.useContainFit },style:(_vm.rowStyle(row.length))},[_c('div',{staticClass:\"gallery-row-inner\"},_vm._l((row),function(attachment){return _c('attachment',{key:attachment.id,style:(_vm.itemStyle(attachment.id, row)),attrs:{\"set-media\":_vm.setMedia,\"nsfw\":_vm.nsfw,\"attachment\":attachment,\"allow-play\":false,\"natural-size-load\":_vm.onNaturalSizeLoad.bind(null, attachment.id)}})}),1)])}),0)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const LinkPreview = {\n name: 'LinkPreview',\n props: [\n 'card',\n 'size',\n 'nsfw'\n ],\n data () {\n return {\n imageLoaded: false\n }\n },\n computed: {\n useImage () {\n // Currently BE shoudn't give cards if tagged NSFW, this is a bit paranoid\n // as it makes sure to hide the image if somehow NSFW tagged preview can\n // exist.\n return this.card.image && !this.nsfw && this.size !== 'hide'\n },\n useDescription () {\n return this.card.description && /\\S/.test(this.card.description)\n }\n },\n created () {\n if (this.useImage) {\n const newImg = new Image()\n newImg.onload = () => {\n this.imageLoaded = true\n }\n newImg.src = this.card.image\n }\n }\n}\n\nexport default LinkPreview\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./link-preview.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./link-preview.js\"\nimport __vue_script__ from \"!!babel-loader!./link-preview.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-7c8d99ac\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./link-preview.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('a',{staticClass:\"link-preview-card\",attrs:{\"href\":_vm.card.url,\"target\":\"_blank\",\"rel\":\"noopener\"}},[(_vm.useImage && _vm.imageLoaded)?_c('div',{staticClass:\"card-image\",class:{ 'small-image': _vm.size === 'small' }},[_c('img',{attrs:{\"src\":_vm.card.image}})]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"card-content\"},[_c('span',{staticClass:\"card-host faint\"},[_vm._v(_vm._s(_vm.card.provider_name))]),_vm._v(\" \"),_c('h4',{staticClass:\"card-title\"},[_vm._v(_vm._s(_vm.card.title))]),_vm._v(\" \"),(_vm.useDescription)?_c('p',{staticClass:\"card-description\"},[_vm._v(_vm._s(_vm.card.description))]):_vm._e()])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","export default {\n props: [ 'user' ],\n computed: {\n subscribeUrl () {\n // eslint-disable-next-line no-undef\n const serverUrl = new URL(this.user.statusnet_profile_url)\n return `${serverUrl.protocol}//${serverUrl.host}/main/ostatus`\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./remote_follow.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./remote_follow.js\"\nimport __vue_script__ from \"!!babel-loader!./remote_follow.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-e95e446e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./remote_follow.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"remote-follow\"},[_c('form',{attrs:{\"method\":\"POST\",\"action\":_vm.subscribeUrl}},[_c('input',{attrs:{\"type\":\"hidden\",\"name\":\"nickname\"},domProps:{\"value\":_vm.user.screen_name}}),_vm._v(\" \"),_c('input',{attrs:{\"type\":\"hidden\",\"name\":\"profile\",\"value\":\"\"}}),_vm._v(\" \"),_c('button',{staticClass:\"remote-button\",attrs:{\"click\":\"submit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.remote_follow'))+\"\\n \")])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import UserAvatar from '../user_avatar/user_avatar.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\n\nconst AvatarList = {\n props: ['users'],\n computed: {\n slicedUsers () {\n return this.users ? this.users.slice(0, 15) : []\n }\n },\n components: {\n UserAvatar\n },\n methods: {\n userProfileLink (user) {\n return generateProfileLink(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames)\n }\n }\n}\n\nexport default AvatarList\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./avatar_list.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./avatar_list.js\"\nimport __vue_script__ from \"!!babel-loader!./avatar_list.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4cea5bcf\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./avatar_list.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"avatars\"},_vm._l((_vm.slicedUsers),function(user){return _c('router-link',{key:user.id,staticClass:\"avatars-item\",attrs:{\"to\":_vm.userProfileLink(user)}},[_c('UserAvatar',{staticClass:\"avatar-small\",attrs:{\"user\":user}})],1)}),1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const fileSizeFormat = (num) => {\n var exponent\n var unit\n var units = ['B', 'KiB', 'MiB', 'GiB', 'TiB']\n if (num < 1) {\n return num + ' ' + units[0]\n }\n\n exponent = Math.min(Math.floor(Math.log(num) / Math.log(1024)), units.length - 1)\n num = (num / Math.pow(1024, exponent)).toFixed(2) * 1\n unit = units[exponent]\n return { num: num, unit: unit }\n}\nconst fileSizeFormatService = {\n fileSizeFormat\n}\nexport default fileSizeFormatService\n","import { debounce } from 'lodash'\n/**\n * suggest - generates a suggestor function to be used by emoji-input\n * data: object providing source information for specific types of suggestions:\n * data.emoji - optional, an array of all emoji available i.e.\n * (state.instance.emoji + state.instance.customEmoji)\n * data.users - optional, an array of all known users\n * updateUsersList - optional, a function to search and append to users\n *\n * Depending on data present one or both (or none) can be present, so if field\n * doesn't support user linking you can just provide only emoji.\n */\n\nconst debounceUserSearch = debounce((data, input) => {\n data.updateUsersList(input)\n}, 500)\n\nexport default data => input => {\n const firstChar = input[0]\n if (firstChar === ':' && data.emoji) {\n return suggestEmoji(data.emoji)(input)\n }\n if (firstChar === '@' && data.users) {\n return suggestUsers(data)(input)\n }\n return []\n}\n\nexport const suggestEmoji = emojis => input => {\n const noPrefix = input.toLowerCase().substr(1)\n return emojis\n .filter(({ displayText }) => displayText.toLowerCase().match(noPrefix))\n .sort((a, b) => {\n let aScore = 0\n let bScore = 0\n\n // An exact match always wins\n aScore += a.displayText.toLowerCase() === noPrefix ? 200 : 0\n bScore += b.displayText.toLowerCase() === noPrefix ? 200 : 0\n\n // Prioritize custom emoji a lot\n aScore += a.imageUrl ? 100 : 0\n bScore += b.imageUrl ? 100 : 0\n\n // Prioritize prefix matches somewhat\n aScore += a.displayText.toLowerCase().startsWith(noPrefix) ? 10 : 0\n bScore += b.displayText.toLowerCase().startsWith(noPrefix) ? 10 : 0\n\n // Sort by length\n aScore -= a.displayText.length\n bScore -= b.displayText.length\n\n // Break ties alphabetically\n const alphabetically = a.displayText > b.displayText ? 0.5 : -0.5\n\n return bScore - aScore + alphabetically\n })\n}\n\nexport const suggestUsers = data => input => {\n const noPrefix = input.toLowerCase().substr(1)\n const users = data.users\n\n const newUsers = users.filter(\n user =>\n user.screen_name.toLowerCase().startsWith(noPrefix) ||\n user.name.toLowerCase().startsWith(noPrefix)\n\n /* taking only 20 results so that sorting is a bit cheaper, we display\n * only 5 anyway. could be inaccurate, but we ideally we should query\n * backend anyway\n */\n ).slice(0, 20).sort((a, b) => {\n let aScore = 0\n let bScore = 0\n\n // Matches on screen name (i.e. user@instance) makes a priority\n aScore += a.screen_name.toLowerCase().startsWith(noPrefix) ? 2 : 0\n bScore += b.screen_name.toLowerCase().startsWith(noPrefix) ? 2 : 0\n\n // Matches on name takes second priority\n aScore += a.name.toLowerCase().startsWith(noPrefix) ? 1 : 0\n bScore += b.name.toLowerCase().startsWith(noPrefix) ? 1 : 0\n\n const diff = (bScore - aScore) * 10\n\n // Then sort alphabetically\n const nameAlphabetically = a.name > b.name ? 1 : -1\n const screenNameAlphabetically = a.screen_name > b.screen_name ? 1 : -1\n\n return diff + nameAlphabetically + screenNameAlphabetically\n /* eslint-disable camelcase */\n }).map(({ screen_name, name, profile_image_url_original }) => ({\n displayText: screen_name,\n detailText: name,\n imageUrl: profile_image_url_original,\n replacement: '@' + screen_name + ' '\n }))\n\n // BE search users to get more comprehensive results\n if (data.updateUsersList) {\n debounceUserSearch(data, noPrefix)\n }\n return newUsers\n /* eslint-enable camelcase */\n}\n","import Vue from 'vue'\nimport { mapState } from 'vuex'\n\nimport './tab_switcher.scss'\n\nexport default Vue.component('tab-switcher', {\n name: 'TabSwitcher',\n props: {\n renderOnlyFocused: {\n required: false,\n type: Boolean,\n default: false\n },\n onSwitch: {\n required: false,\n type: Function,\n default: undefined\n },\n activeTab: {\n required: false,\n type: String,\n default: undefined\n },\n scrollableTabs: {\n required: false,\n type: Boolean,\n default: false\n },\n sideTabBar: {\n required: false,\n type: Boolean,\n default: false\n }\n },\n data () {\n return {\n active: this.$slots.default.findIndex(_ => _.tag)\n }\n },\n computed: {\n activeIndex () {\n // In case of controlled component\n if (this.activeTab) {\n return this.$slots.default.findIndex(slot => this.activeTab === slot.key)\n } else {\n return this.active\n }\n },\n settingsModalVisible () {\n return this.settingsModalState === 'visible'\n },\n ...mapState({\n settingsModalState: state => state.interface.settingsModalState\n })\n },\n beforeUpdate () {\n const currentSlot = this.$slots.default[this.active]\n if (!currentSlot.tag) {\n this.active = this.$slots.default.findIndex(_ => _.tag)\n }\n },\n methods: {\n clickTab (index) {\n return (e) => {\n e.preventDefault()\n this.setTab(index)\n }\n },\n setTab (index) {\n if (typeof this.onSwitch === 'function') {\n this.onSwitch.call(null, this.$slots.default[index].key)\n }\n this.active = index\n if (this.scrollableTabs) {\n this.$refs.contents.scrollTop = 0\n }\n }\n },\n render (h) {\n const tabs = this.$slots.default\n .map((slot, index) => {\n if (!slot.tag) return\n const classesTab = ['tab']\n const classesWrapper = ['tab-wrapper']\n if (this.activeIndex === index) {\n classesTab.push('active')\n classesWrapper.push('active')\n }\n if (slot.data.attrs.image) {\n return (\n <div class={classesWrapper.join(' ')}>\n <button\n disabled={slot.data.attrs.disabled}\n onClick={this.clickTab(index)}\n class={classesTab.join(' ')}>\n <img src={slot.data.attrs.image} title={slot.data.attrs['image-tooltip']}/>\n {slot.data.attrs.label ? '' : slot.data.attrs.label}\n </button>\n </div>\n )\n }\n return (\n <div class={classesWrapper.join(' ')}>\n <button\n disabled={slot.data.attrs.disabled}\n onClick={this.clickTab(index)}\n class={classesTab.join(' ')}\n type=\"button\"\n >\n {!slot.data.attrs.icon ? '' : (<i class={'tab-icon icon-' + slot.data.attrs.icon}/>)}\n <span class=\"text\">\n {slot.data.attrs.label}\n </span>\n </button>\n </div>\n )\n })\n\n const contents = this.$slots.default.map((slot, index) => {\n if (!slot.tag) return\n const active = this.activeIndex === index\n const classes = [ active ? 'active' : 'hidden' ]\n if (slot.data.attrs.fullHeight) {\n classes.push('full-height')\n }\n const renderSlot = (!this.renderOnlyFocused || active)\n ? slot\n : ''\n\n return (\n <div class={classes}>\n {\n this.sideTabBar\n ? <h1 class=\"mobile-label\">{slot.data.attrs.label}</h1>\n : ''\n }\n {renderSlot}\n </div>\n )\n })\n\n return (\n <div class={'tab-switcher ' + (this.sideTabBar ? 'side-tabs' : 'top-tabs')}>\n <div class=\"tabs\">\n {tabs}\n </div>\n <div ref=\"contents\" class={'contents' + (this.scrollableTabs ? ' scrollable-tabs' : '')} v-body-scroll-lock={this.settingsModalVisible}>\n {contents}\n </div>\n </div>\n )\n }\n})\n","import isFunction from 'lodash/isFunction'\n\nconst getComponentOptions = (Component) => (isFunction(Component)) ? Component.options : Component\n\nconst getComponentProps = (Component) => getComponentOptions(Component).props\n\nexport {\n getComponentOptions,\n getComponentProps\n}\n","import { reduce, find } from 'lodash'\n\nexport const replaceWord = (str, toReplace, replacement) => {\n return str.slice(0, toReplace.start) + replacement + str.slice(toReplace.end)\n}\n\nexport const wordAtPosition = (str, pos) => {\n const words = splitByWhitespaceBoundary(str)\n const wordsWithPosition = addPositionToWords(words)\n\n return find(wordsWithPosition, ({ start, end }) => start <= pos && end > pos)\n}\n\nexport const addPositionToWords = (words) => {\n return reduce(words, (result, word) => {\n const data = {\n word,\n start: 0,\n end: word.length\n }\n\n if (result.length > 0) {\n const previous = result.pop()\n\n data.start += previous.end\n data.end += previous.end\n\n result.push(previous)\n }\n\n result.push(data)\n\n return result\n }, [])\n}\n\nexport const splitByWhitespaceBoundary = (str) => {\n let result = []\n let currentWord = ''\n for (let i = 0; i < str.length; i++) {\n const currentChar = str[i]\n // Starting a new word\n if (!currentWord) {\n currentWord = currentChar\n continue\n }\n // current character is whitespace while word isn't, or vice versa:\n // add our current word to results, start over the current word.\n if (!!currentChar.trim() !== !!currentWord.trim()) {\n result.push(currentWord)\n currentWord = currentChar\n continue\n }\n currentWord += currentChar\n }\n // Add the last word we were working on\n if (currentWord) {\n result.push(currentWord)\n }\n return result\n}\n\nconst completion = {\n wordAtPosition,\n addPositionToWords,\n splitByWhitespaceBoundary,\n replaceWord\n}\n\nexport default completion\n","import Checkbox from '../checkbox/checkbox.vue'\n\n// At widest, approximately 20 emoji are visible in a row,\n// loading 3 rows, could be overkill for narrow picker\nconst LOAD_EMOJI_BY = 60\n\n// When to start loading new batch emoji, in pixels\nconst LOAD_EMOJI_MARGIN = 64\n\nconst filterByKeyword = (list, keyword = '') => {\n return list.filter(x => x.displayText.includes(keyword))\n}\n\nconst EmojiPicker = {\n props: {\n enableStickerPicker: {\n required: false,\n type: Boolean,\n default: false\n }\n },\n data () {\n return {\n keyword: '',\n activeGroup: 'custom',\n showingStickers: false,\n groupsScrolledClass: 'scrolled-top',\n keepOpen: false,\n customEmojiBufferSlice: LOAD_EMOJI_BY,\n customEmojiTimeout: null,\n customEmojiLoadAllConfirmed: false\n }\n },\n components: {\n StickerPicker: () => import('../sticker_picker/sticker_picker.vue'),\n Checkbox\n },\n methods: {\n onStickerUploaded (e) {\n this.$emit('sticker-uploaded', e)\n },\n onStickerUploadFailed (e) {\n this.$emit('sticker-upload-failed', e)\n },\n onEmoji (emoji) {\n const value = emoji.imageUrl ? `:${emoji.displayText}:` : emoji.replacement\n this.$emit('emoji', { insertion: value, keepOpen: this.keepOpen })\n },\n onScroll (e) {\n const target = (e && e.target) || this.$refs['emoji-groups']\n this.updateScrolledClass(target)\n this.scrolledGroup(target)\n this.triggerLoadMore(target)\n },\n highlight (key) {\n const ref = this.$refs['group-' + key]\n const top = ref[0].offsetTop\n this.setShowStickers(false)\n this.activeGroup = key\n this.$nextTick(() => {\n this.$refs['emoji-groups'].scrollTop = top + 1\n })\n },\n updateScrolledClass (target) {\n if (target.scrollTop <= 5) {\n this.groupsScrolledClass = 'scrolled-top'\n } else if (target.scrollTop >= target.scrollTopMax - 5) {\n this.groupsScrolledClass = 'scrolled-bottom'\n } else {\n this.groupsScrolledClass = 'scrolled-middle'\n }\n },\n triggerLoadMore (target) {\n const ref = this.$refs['group-end-custom'][0]\n if (!ref) return\n const bottom = ref.offsetTop + ref.offsetHeight\n\n const scrollerBottom = target.scrollTop + target.clientHeight\n const scrollerTop = target.scrollTop\n const scrollerMax = target.scrollHeight\n\n // Loads more emoji when they come into view\n const approachingBottom = bottom - scrollerBottom < LOAD_EMOJI_MARGIN\n // Always load when at the very top in case there's no scroll space yet\n const atTop = scrollerTop < 5\n // Don't load when looking at unicode category or at the very bottom\n const bottomAboveViewport = bottom < scrollerTop || scrollerBottom === scrollerMax\n if (!bottomAboveViewport && (approachingBottom || atTop)) {\n this.loadEmoji()\n }\n },\n scrolledGroup (target) {\n const top = target.scrollTop + 5\n this.$nextTick(() => {\n this.emojisView.forEach(group => {\n const ref = this.$refs['group-' + group.id]\n if (ref[0].offsetTop <= top) {\n this.activeGroup = group.id\n }\n })\n })\n },\n loadEmoji () {\n const allLoaded = this.customEmojiBuffer.length === this.filteredEmoji.length\n\n if (allLoaded) {\n return\n }\n\n this.customEmojiBufferSlice += LOAD_EMOJI_BY\n },\n startEmojiLoad (forceUpdate = false) {\n if (!forceUpdate) {\n this.keyword = ''\n }\n this.$nextTick(() => {\n this.$refs['emoji-groups'].scrollTop = 0\n })\n const bufferSize = this.customEmojiBuffer.length\n const bufferPrefilledAll = bufferSize === this.filteredEmoji.length\n if (bufferPrefilledAll && !forceUpdate) {\n return\n }\n this.customEmojiBufferSlice = LOAD_EMOJI_BY\n },\n toggleStickers () {\n this.showingStickers = !this.showingStickers\n },\n setShowStickers (value) {\n this.showingStickers = value\n }\n },\n watch: {\n keyword () {\n this.customEmojiLoadAllConfirmed = false\n this.onScroll()\n this.startEmojiLoad(true)\n }\n },\n computed: {\n activeGroupView () {\n return this.showingStickers ? '' : this.activeGroup\n },\n stickersAvailable () {\n if (this.$store.state.instance.stickers) {\n return this.$store.state.instance.stickers.length > 0\n }\n return 0\n },\n filteredEmoji () {\n return filterByKeyword(\n this.$store.state.instance.customEmoji || [],\n this.keyword\n )\n },\n customEmojiBuffer () {\n return this.filteredEmoji.slice(0, this.customEmojiBufferSlice)\n },\n emojis () {\n const standardEmojis = this.$store.state.instance.emoji || []\n const customEmojis = this.customEmojiBuffer\n\n return [\n {\n id: 'custom',\n text: this.$t('emoji.custom'),\n icon: 'icon-smile',\n emojis: customEmojis\n },\n {\n id: 'standard',\n text: this.$t('emoji.unicode'),\n icon: 'icon-picture',\n emojis: filterByKeyword(standardEmojis, this.keyword)\n }\n ]\n },\n emojisView () {\n return this.emojis.filter(value => value.emojis.length > 0)\n },\n stickerPickerEnabled () {\n return (this.$store.state.instance.stickers || []).length !== 0\n }\n }\n}\n\nexport default EmojiPicker\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./emoji_picker.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./emoji_picker.js\"\nimport __vue_script__ from \"!!babel-loader!./emoji_picker.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-47d21b3b\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./emoji_picker.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"emoji-picker panel panel-default panel-body\"},[_c('div',{staticClass:\"heading\"},[_c('span',{staticClass:\"emoji-tabs\"},_vm._l((_vm.emojis),function(group){return _c('span',{key:group.id,staticClass:\"emoji-tabs-item\",class:{\n active: _vm.activeGroupView === group.id,\n disabled: group.emojis.length === 0\n },attrs:{\"title\":group.text},on:{\"click\":function($event){$event.preventDefault();return _vm.highlight(group.id)}}},[_c('i',{class:group.icon})])}),0),_vm._v(\" \"),(_vm.stickerPickerEnabled)?_c('span',{staticClass:\"additional-tabs\"},[_c('span',{staticClass:\"stickers-tab-icon additional-tabs-item\",class:{active: _vm.showingStickers},attrs:{\"title\":_vm.$t('emoji.stickers')},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleStickers($event)}}},[_c('i',{staticClass:\"icon-star\"})])]):_vm._e()]),_vm._v(\" \"),_c('div',{staticClass:\"content\"},[_c('div',{staticClass:\"emoji-content\",class:{hidden: _vm.showingStickers}},[_c('div',{staticClass:\"emoji-search\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.keyword),expression:\"keyword\"}],staticClass:\"form-control\",attrs:{\"type\":\"text\",\"placeholder\":_vm.$t('emoji.search_emoji')},domProps:{\"value\":(_vm.keyword)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.keyword=$event.target.value}}})]),_vm._v(\" \"),_c('div',{ref:\"emoji-groups\",staticClass:\"emoji-groups\",class:_vm.groupsScrolledClass,on:{\"scroll\":_vm.onScroll}},_vm._l((_vm.emojisView),function(group){return _c('div',{key:group.id,staticClass:\"emoji-group\"},[_c('h6',{ref:'group-' + group.id,refInFor:true,staticClass:\"emoji-group-title\"},[_vm._v(\"\\n \"+_vm._s(group.text)+\"\\n \")]),_vm._v(\" \"),_vm._l((group.emojis),function(emoji){return _c('span',{key:group.id + emoji.displayText,staticClass:\"emoji-item\",attrs:{\"title\":emoji.displayText},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.onEmoji(emoji)}}},[(!emoji.imageUrl)?_c('span',[_vm._v(_vm._s(emoji.replacement))]):_c('img',{attrs:{\"src\":emoji.imageUrl}})])}),_vm._v(\" \"),_c('span',{ref:'group-end-' + group.id,refInFor:true})],2)}),0),_vm._v(\" \"),_c('div',{staticClass:\"keep-open\"},[_c('Checkbox',{model:{value:(_vm.keepOpen),callback:function ($$v) {_vm.keepOpen=$$v},expression:\"keepOpen\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('emoji.keep_open'))+\"\\n \")])],1)]),_vm._v(\" \"),(_vm.showingStickers)?_c('div',{staticClass:\"stickers-content\"},[_c('sticker-picker',{on:{\"uploaded\":_vm.onStickerUploaded,\"upload-failed\":_vm.onStickerUploadFailed}})],1):_vm._e()])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Completion from '../../services/completion/completion.js'\nimport EmojiPicker from '../emoji_picker/emoji_picker.vue'\nimport { take } from 'lodash'\nimport { findOffset } from '../../services/offset_finder/offset_finder.service.js'\n\n/**\n * EmojiInput - augmented inputs for emoji and autocomplete support in inputs\n * without having to give up the comfort of <input/> and <textarea/> elements\n *\n * Intended usage is:\n * <EmojiInput v-model=\"something\">\n * <input v-model=\"something\"/>\n * </EmojiInput>\n *\n * Works only with <input> and <textarea>. Intended to use with only one nested\n * input. It will find first input or textarea and work with that, multiple\n * nested children not tested. You HAVE TO duplicate v-model for both\n * <emoji-input> and <input>/<textarea> otherwise it will not work.\n *\n * Be prepared for CSS troubles though because it still wraps component in a div\n * while TRYING to make it look like nothing happened, but it could break stuff.\n */\n\nconst EmojiInput = {\n props: {\n suggest: {\n /**\n * suggest: function (input: String) => Suggestion[]\n *\n * Function that takes input string which takes string (textAtCaret)\n * and returns an array of Suggestions\n *\n * Suggestion is an object containing following properties:\n * displayText: string. Main display text, what actual suggestion\n * represents (user's screen name/emoji shortcode)\n * replacement: string. Text that should replace the textAtCaret\n * detailText: string, optional. Subtitle text, providing additional info\n * if present (user's nickname)\n * imageUrl: string, optional. Image to display alongside with suggestion,\n * currently if no image is provided, replacement will be used (for\n * unicode emojis)\n *\n * TODO: make it asynchronous when adding proper server-provided user\n * suggestions\n *\n * For commonly used suggestors (emoji, users, both) use suggestor.js\n */\n required: true,\n type: Function\n },\n value: {\n /**\n * Used for v-model\n */\n required: true,\n type: String\n },\n enableEmojiPicker: {\n /**\n * Enables emoji picker support, this implies that custom emoji are supported\n */\n required: false,\n type: Boolean,\n default: false\n },\n hideEmojiButton: {\n /**\n * intended to use with external picker trigger, i.e. you have a button outside\n * input that will open up the picker, see triggerShowPicker()\n */\n required: false,\n type: Boolean,\n default: false\n },\n enableStickerPicker: {\n /**\n * Enables sticker picker support, only makes sense when enableEmojiPicker=true\n */\n required: false,\n type: Boolean,\n default: false\n },\n placement: {\n /**\n * Forces the panel to take a specific position relative to the input element.\n * The 'auto' placement chooses either bottom or top depending on which has the available space (when both have available space, bottom is preferred).\n */\n required: false,\n type: String, // 'auto', 'top', 'bottom'\n default: 'auto'\n },\n newlineOnCtrlEnter: {\n required: false,\n type: Boolean,\n default: false\n }\n },\n data () {\n return {\n input: undefined,\n highlighted: 0,\n caret: 0,\n focused: false,\n blurTimeout: null,\n showPicker: false,\n temporarilyHideSuggestions: false,\n keepOpen: false,\n disableClickOutside: false\n }\n },\n components: {\n EmojiPicker\n },\n computed: {\n padEmoji () {\n return this.$store.getters.mergedConfig.padEmoji\n },\n suggestions () {\n const firstchar = this.textAtCaret.charAt(0)\n if (this.textAtCaret === firstchar) { return [] }\n const matchedSuggestions = this.suggest(this.textAtCaret)\n if (matchedSuggestions.length <= 0) {\n return []\n }\n return take(matchedSuggestions, 5)\n .map(({ imageUrl, ...rest }, index) => ({\n ...rest,\n // eslint-disable-next-line camelcase\n img: imageUrl || '',\n highlighted: index === this.highlighted\n }))\n },\n showSuggestions () {\n return this.focused &&\n this.suggestions &&\n this.suggestions.length > 0 &&\n !this.showPicker &&\n !this.temporarilyHideSuggestions\n },\n textAtCaret () {\n return (this.wordAtCaret || {}).word || ''\n },\n wordAtCaret () {\n if (this.value && this.caret) {\n const word = Completion.wordAtPosition(this.value, this.caret - 1) || {}\n return word\n }\n }\n },\n mounted () {\n const slots = this.$slots.default\n if (!slots || slots.length === 0) return\n const input = slots.find(slot => ['input', 'textarea'].includes(slot.tag))\n if (!input) return\n this.input = input\n this.resize()\n input.elm.addEventListener('blur', this.onBlur)\n input.elm.addEventListener('focus', this.onFocus)\n input.elm.addEventListener('paste', this.onPaste)\n input.elm.addEventListener('keyup', this.onKeyUp)\n input.elm.addEventListener('keydown', this.onKeyDown)\n input.elm.addEventListener('click', this.onClickInput)\n input.elm.addEventListener('transitionend', this.onTransition)\n input.elm.addEventListener('input', this.onInput)\n },\n unmounted () {\n const { input } = this\n if (input) {\n input.elm.removeEventListener('blur', this.onBlur)\n input.elm.removeEventListener('focus', this.onFocus)\n input.elm.removeEventListener('paste', this.onPaste)\n input.elm.removeEventListener('keyup', this.onKeyUp)\n input.elm.removeEventListener('keydown', this.onKeyDown)\n input.elm.removeEventListener('click', this.onClickInput)\n input.elm.removeEventListener('transitionend', this.onTransition)\n input.elm.removeEventListener('input', this.onInput)\n }\n },\n watch: {\n showSuggestions: function (newValue) {\n this.$emit('shown', newValue)\n }\n },\n methods: {\n triggerShowPicker () {\n this.showPicker = true\n this.$refs.picker.startEmojiLoad()\n this.$nextTick(() => {\n this.scrollIntoView()\n })\n // This temporarily disables \"click outside\" handler\n // since external trigger also means click originates\n // from outside, thus preventing picker from opening\n this.disableClickOutside = true\n setTimeout(() => {\n this.disableClickOutside = false\n }, 0)\n },\n togglePicker () {\n this.input.elm.focus()\n this.showPicker = !this.showPicker\n if (this.showPicker) {\n this.scrollIntoView()\n this.$refs.picker.startEmojiLoad()\n }\n },\n replace (replacement) {\n const newValue = Completion.replaceWord(this.value, this.wordAtCaret, replacement)\n this.$emit('input', newValue)\n this.caret = 0\n },\n insert ({ insertion, keepOpen, surroundingSpace = true }) {\n const before = this.value.substring(0, this.caret) || ''\n const after = this.value.substring(this.caret) || ''\n\n /* Using a bit more smart approach to padding emojis with spaces:\n * - put a space before cursor if there isn't one already, unless we\n * are at the beginning of post or in spam mode\n * - put a space after emoji if there isn't one already unless we are\n * in spam mode\n *\n * The idea is that when you put a cursor somewhere in between sentence\n * inserting just ' :emoji: ' will add more spaces to post which might\n * break the flow/spacing, as well as the case where user ends sentence\n * with a space before adding emoji.\n *\n * Spam mode is intended for creating multi-part emojis and overall spamming\n * them, masto seem to be rendering :emoji::emoji: correctly now so why not\n */\n const isSpaceRegex = /\\s/\n const spaceBefore = (surroundingSpace && !isSpaceRegex.exec(before.slice(-1)) && before.length && this.padEmoji > 0) ? ' ' : ''\n const spaceAfter = (surroundingSpace && !isSpaceRegex.exec(after[0]) && this.padEmoji) ? ' ' : ''\n\n const newValue = [\n before,\n spaceBefore,\n insertion,\n spaceAfter,\n after\n ].join('')\n this.keepOpen = keepOpen\n this.$emit('input', newValue)\n const position = this.caret + (insertion + spaceAfter + spaceBefore).length\n if (!keepOpen) {\n this.input.elm.focus()\n }\n\n this.$nextTick(function () {\n // Re-focus inputbox after clicking suggestion\n // Set selection right after the replacement instead of the very end\n this.input.elm.setSelectionRange(position, position)\n this.caret = position\n })\n },\n replaceText (e, suggestion) {\n const len = this.suggestions.length || 0\n if (this.textAtCaret.length === 1) { return }\n if (len > 0 || suggestion) {\n const chosenSuggestion = suggestion || this.suggestions[this.highlighted]\n const replacement = chosenSuggestion.replacement\n const newValue = Completion.replaceWord(this.value, this.wordAtCaret, replacement)\n this.$emit('input', newValue)\n this.highlighted = 0\n const position = this.wordAtCaret.start + replacement.length\n\n this.$nextTick(function () {\n // Re-focus inputbox after clicking suggestion\n this.input.elm.focus()\n // Set selection right after the replacement instead of the very end\n this.input.elm.setSelectionRange(position, position)\n this.caret = position\n })\n e.preventDefault()\n }\n },\n cycleBackward (e) {\n const len = this.suggestions.length || 0\n if (len > 1) {\n this.highlighted -= 1\n if (this.highlighted < 0) {\n this.highlighted = this.suggestions.length - 1\n }\n e.preventDefault()\n } else {\n this.highlighted = 0\n }\n },\n cycleForward (e) {\n const len = this.suggestions.length || 0\n if (len > 1) {\n this.highlighted += 1\n if (this.highlighted >= len) {\n this.highlighted = 0\n }\n e.preventDefault()\n } else {\n this.highlighted = 0\n }\n },\n scrollIntoView () {\n const rootRef = this.$refs['picker'].$el\n /* Scroller is either `window` (replies in TL), sidebar (main post form,\n * replies in notifs) or mobile post form. Note that getting and setting\n * scroll is different for `Window` and `Element`s\n */\n const scrollerRef = this.$el.closest('.sidebar-scroller') ||\n this.$el.closest('.post-form-modal-view') ||\n window\n const currentScroll = scrollerRef === window\n ? scrollerRef.scrollY\n : scrollerRef.scrollTop\n const scrollerHeight = scrollerRef === window\n ? scrollerRef.innerHeight\n : scrollerRef.offsetHeight\n\n const scrollerBottomBorder = currentScroll + scrollerHeight\n // We check where the bottom border of root element is, this uses findOffset\n // to find offset relative to scrollable container (scroller)\n const rootBottomBorder = rootRef.offsetHeight + findOffset(rootRef, scrollerRef).top\n\n const bottomDelta = Math.max(0, rootBottomBorder - scrollerBottomBorder)\n // could also check top delta but there's no case for it\n const targetScroll = currentScroll + bottomDelta\n\n if (scrollerRef === window) {\n scrollerRef.scroll(0, targetScroll)\n } else {\n scrollerRef.scrollTop = targetScroll\n }\n\n this.$nextTick(() => {\n const { offsetHeight } = this.input.elm\n const { picker } = this.$refs\n const pickerBottom = picker.$el.getBoundingClientRect().bottom\n if (pickerBottom > window.innerHeight) {\n picker.$el.style.top = 'auto'\n picker.$el.style.bottom = offsetHeight + 'px'\n }\n })\n },\n onTransition (e) {\n this.resize()\n },\n onBlur (e) {\n // Clicking on any suggestion removes focus from autocomplete,\n // preventing click handler ever executing.\n this.blurTimeout = setTimeout(() => {\n this.focused = false\n this.setCaret(e)\n this.resize()\n }, 200)\n },\n onClick (e, suggestion) {\n this.replaceText(e, suggestion)\n },\n onFocus (e) {\n if (this.blurTimeout) {\n clearTimeout(this.blurTimeout)\n this.blurTimeout = null\n }\n\n if (!this.keepOpen) {\n this.showPicker = false\n }\n this.focused = true\n this.setCaret(e)\n this.resize()\n this.temporarilyHideSuggestions = false\n },\n onKeyUp (e) {\n const { key } = e\n this.setCaret(e)\n this.resize()\n\n // Setting hider in keyUp to prevent suggestions from blinking\n // when moving away from suggested spot\n if (key === 'Escape') {\n this.temporarilyHideSuggestions = true\n } else {\n this.temporarilyHideSuggestions = false\n }\n },\n onPaste (e) {\n this.setCaret(e)\n this.resize()\n },\n onKeyDown (e) {\n const { ctrlKey, shiftKey, key } = e\n if (this.newlineOnCtrlEnter && ctrlKey && key === 'Enter') {\n this.insert({ insertion: '\\n', surroundingSpace: false })\n // Ensure only one new line is added on macos\n e.stopPropagation()\n e.preventDefault()\n\n // Scroll the input element to the position of the cursor\n this.$nextTick(() => {\n this.input.elm.blur()\n this.input.elm.focus()\n })\n }\n // Disable suggestions hotkeys if suggestions are hidden\n if (!this.temporarilyHideSuggestions) {\n if (key === 'Tab') {\n if (shiftKey) {\n this.cycleBackward(e)\n } else {\n this.cycleForward(e)\n }\n }\n if (key === 'ArrowUp') {\n this.cycleBackward(e)\n } else if (key === 'ArrowDown') {\n this.cycleForward(e)\n }\n if (key === 'Enter') {\n if (!ctrlKey) {\n this.replaceText(e)\n }\n }\n }\n // Probably add optional keyboard controls for emoji picker?\n\n // Escape hides suggestions, if suggestions are hidden it\n // de-focuses the element (i.e. default browser behavior)\n if (key === 'Escape') {\n if (!this.temporarilyHideSuggestions) {\n this.input.elm.focus()\n }\n }\n\n this.showPicker = false\n this.resize()\n },\n onInput (e) {\n this.showPicker = false\n this.setCaret(e)\n this.resize()\n this.$emit('input', e.target.value)\n },\n onClickInput (e) {\n this.showPicker = false\n },\n onClickOutside (e) {\n if (this.disableClickOutside) return\n this.showPicker = false\n },\n onStickerUploaded (e) {\n this.showPicker = false\n this.$emit('sticker-uploaded', e)\n },\n onStickerUploadFailed (e) {\n this.showPicker = false\n this.$emit('sticker-upload-Failed', e)\n },\n setCaret ({ target: { selectionStart } }) {\n this.caret = selectionStart\n },\n resize () {\n const panel = this.$refs.panel\n if (!panel) return\n const picker = this.$refs.picker.$el\n const panelBody = this.$refs['panel-body']\n const { offsetHeight, offsetTop } = this.input.elm\n const offsetBottom = offsetTop + offsetHeight\n\n this.setPlacement(panelBody, panel, offsetBottom)\n this.setPlacement(picker, picker, offsetBottom)\n },\n setPlacement (container, target, offsetBottom) {\n if (!container || !target) return\n\n target.style.top = offsetBottom + 'px'\n target.style.bottom = 'auto'\n\n if (this.placement === 'top' || (this.placement === 'auto' && this.overflowsBottom(container))) {\n target.style.top = 'auto'\n target.style.bottom = this.input.elm.offsetHeight + 'px'\n }\n },\n overflowsBottom (el) {\n return el.getBoundingClientRect().bottom > window.innerHeight\n }\n }\n}\n\nexport default EmojiInput\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./emoji_input.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./emoji_input.js\"\nimport __vue_script__ from \"!!babel-loader!./emoji_input.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-567c41a2\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./emoji_input.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{directives:[{name:\"click-outside\",rawName:\"v-click-outside\",value:(_vm.onClickOutside),expression:\"onClickOutside\"}],staticClass:\"emoji-input\",class:{ 'with-picker': !_vm.hideEmojiButton }},[_vm._t(\"default\"),_vm._v(\" \"),(_vm.enableEmojiPicker)?[(!_vm.hideEmojiButton)?_c('div',{staticClass:\"emoji-picker-icon\",on:{\"click\":function($event){$event.preventDefault();return _vm.togglePicker($event)}}},[_c('i',{staticClass:\"icon-smile\"})]):_vm._e(),_vm._v(\" \"),(_vm.enableEmojiPicker)?_c('EmojiPicker',{ref:\"picker\",staticClass:\"emoji-picker-panel\",class:{ hide: !_vm.showPicker },attrs:{\"enable-sticker-picker\":_vm.enableStickerPicker},on:{\"emoji\":_vm.insert,\"sticker-uploaded\":_vm.onStickerUploaded,\"sticker-upload-failed\":_vm.onStickerUploadFailed}}):_vm._e()]:_vm._e(),_vm._v(\" \"),_c('div',{ref:\"panel\",staticClass:\"autocomplete-panel\",class:{ hide: !_vm.showSuggestions }},[_c('div',{ref:\"panel-body\",staticClass:\"autocomplete-panel-body\"},_vm._l((_vm.suggestions),function(suggestion,index){return _c('div',{key:index,staticClass:\"autocomplete-item\",class:{ highlighted: suggestion.highlighted },on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.onClick($event, suggestion)}}},[_c('span',{staticClass:\"image\"},[(suggestion.img)?_c('img',{attrs:{\"src\":suggestion.img}}):_c('span',[_vm._v(_vm._s(suggestion.replacement))])]),_vm._v(\" \"),_c('div',{staticClass:\"label\"},[_c('span',{staticClass:\"displayText\"},[_vm._v(_vm._s(suggestion.displayText))]),_vm._v(\" \"),_c('span',{staticClass:\"detailText\"},[_vm._v(_vm._s(suggestion.detailText))])])])}),0)])],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const ScopeSelector = {\n props: [\n 'showAll',\n 'userDefault',\n 'originalScope',\n 'initialScope',\n 'onScopeChange'\n ],\n data () {\n return {\n currentScope: this.initialScope\n }\n },\n computed: {\n showNothing () {\n return !this.showPublic && !this.showUnlisted && !this.showPrivate && !this.showDirect\n },\n showPublic () {\n return this.originalScope !== 'direct' && this.shouldShow('public')\n },\n showUnlisted () {\n return this.originalScope !== 'direct' && this.shouldShow('unlisted')\n },\n showPrivate () {\n return this.originalScope !== 'direct' && this.shouldShow('private')\n },\n showDirect () {\n return this.shouldShow('direct')\n },\n css () {\n return {\n public: { selected: this.currentScope === 'public' },\n unlisted: { selected: this.currentScope === 'unlisted' },\n private: { selected: this.currentScope === 'private' },\n direct: { selected: this.currentScope === 'direct' }\n }\n }\n },\n methods: {\n shouldShow (scope) {\n return this.showAll ||\n this.currentScope === scope ||\n this.originalScope === scope ||\n this.userDefault === scope ||\n scope === 'direct'\n },\n changeVis (scope) {\n this.currentScope = scope\n this.onScopeChange && this.onScopeChange(scope)\n }\n }\n}\n\nexport default ScopeSelector\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./scope_selector.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./scope_selector.js\"\nimport __vue_script__ from \"!!babel-loader!./scope_selector.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-28e8cbf1\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./scope_selector.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (!_vm.showNothing)?_c('div',{staticClass:\"scope-selector\"},[(_vm.showDirect)?_c('i',{staticClass:\"icon-mail-alt\",class:_vm.css.direct,attrs:{\"title\":_vm.$t('post_status.scope.direct')},on:{\"click\":function($event){return _vm.changeVis('direct')}}}):_vm._e(),_vm._v(\" \"),(_vm.showPrivate)?_c('i',{staticClass:\"icon-lock\",class:_vm.css.private,attrs:{\"title\":_vm.$t('post_status.scope.private')},on:{\"click\":function($event){return _vm.changeVis('private')}}}):_vm._e(),_vm._v(\" \"),(_vm.showUnlisted)?_c('i',{staticClass:\"icon-lock-open-alt\",class:_vm.css.unlisted,attrs:{\"title\":_vm.$t('post_status.scope.unlisted')},on:{\"click\":function($event){return _vm.changeVis('unlisted')}}}):_vm._e(),_vm._v(\" \"),(_vm.showPublic)?_c('i',{staticClass:\"icon-globe\",class:_vm.css.public,attrs:{\"title\":_vm.$t('post_status.scope.public')},on:{\"click\":function($event){return _vm.changeVis('public')}}}):_vm._e()]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","module.exports = __webpack_public_path__ + \"static/img/nsfw.74818f9.png\";","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./timeline.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"0084eb3d\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".timeline .loadmore-text{opacity:1}.timeline-heading{max-width:100%;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.timeline-heading .loadmore-button,.timeline-heading .loadmore-text{-ms-flex-negative:0;flex-shrink:0}.timeline-heading .loadmore-text{line-height:1em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./status.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"80571546\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".Status{min-width:0}.Status:hover{--still-image-img:visible;--still-image-canvas:hidden}.Status.-focused{background-color:#151e2a;background-color:var(--selectedPost,#151e2a);color:#b9b9ba;color:var(--selectedPostText,#b9b9ba);--lightText:var(--selectedPostLightText,$fallback--light);--faint:var(--selectedPostFaintText,$fallback--faint);--faintLink:var(--selectedPostFaintLink,$fallback--faint);--postLink:var(--selectedPostPostLink,$fallback--faint);--postFaintLink:var(--selectedPostFaintPostLink,$fallback--faint);--icon:var(--selectedPostIcon,$fallback--icon)}.Status .status-container{display:-ms-flexbox;display:flex;padding:.75em}.Status .status-container.-repeat{padding-top:0}.Status .pin{padding:.75em .75em 0;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:end;justify-content:flex-end}.Status .left-side{margin-right:.75em}.Status .right-side{-ms-flex:1;flex:1;min-width:0}.Status .usercard{margin-bottom:.75em}.Status .status-username{white-space:nowrap;font-size:14px;overflow:hidden;max-width:85%;font-weight:700;-ms-flex-negative:1;flex-shrink:1;margin-right:.4em;text-overflow:ellipsis}.Status .status-username .emoji{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.Status .status-favicon{height:18px;width:18px;margin-right:.4em}.Status .status-heading{margin-bottom:.5em}.Status .heading-name-row{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;line-height:18px}.Status .heading-name-row a{display:inline-block;word-break:break-all}.Status .account-name{min-width:1.6em;margin-right:.4em;white-space:nowrap;overflow:hidden;text-overflow:ellipsis;-ms-flex:1 1 0px;flex:1 1 0}.Status .heading-left{display:-ms-flexbox;display:flex;min-width:0}.Status .heading-right{display:-ms-flexbox;display:flex;-ms-flex-negative:0;flex-shrink:0}.Status .timeago{margin-right:.2em}.Status .heading-reply-row{position:relative;-ms-flex-line-pack:baseline;align-content:baseline;font-size:12px;line-height:18px;max-width:100%;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-align:stretch;align-items:stretch}.Status .reply-to-and-accountname{display:-ms-flexbox;display:flex;height:18px;margin-right:.5em;max-width:100%}.Status .reply-to-and-accountname .reply-to-link{white-space:nowrap;word-break:break-word;text-overflow:ellipsis;overflow-x:hidden}.Status .reply-to-and-accountname .icon-reply{transform:scaleX(-1)}.Status .reply-to-no-popover,.Status .reply-to-popover{min-width:0;margin-right:.4em;-ms-flex-negative:0;flex-shrink:0}.Status .reply-to-popover .reply-to:hover:before{content:\\\"\\\";display:block;position:absolute;bottom:0;width:100%;border-bottom:1px solid var(--faint);pointer-events:none}.Status .reply-to-popover .faint-link:hover{text-decoration:none}.Status .reply-to-popover.-strikethrough .reply-to:after{content:\\\"\\\";display:block;position:absolute;top:50%;width:100%;border-bottom:1px solid var(--faint);pointer-events:none}.Status .reply-to{display:-ms-flexbox;display:flex;position:relative}.Status .reply-to-text{overflow:hidden;text-overflow:ellipsis;white-space:nowrap;margin-left:.2em}.Status .replies-separator{margin-left:.4em}.Status .replies{line-height:18px;font-size:12px;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.Status .replies>*{margin-right:.4em}.Status .reply-link{height:17px}.Status .repeat-info{padding:.4em .75em;line-height:22px}.Status .repeat-info .right-side{display:-ms-flexbox;display:flex;-ms-flex-line-pack:center;align-content:center;-ms-flex-wrap:wrap;flex-wrap:wrap}.Status .repeat-info i{padding:0 .2em}.Status .repeater-avatar{border-radius:var(--avatarAltRadius,10px);margin-left:28px;width:20px;height:20px}.Status .repeater-name{text-overflow:ellipsis;margin-right:0}.Status .repeater-name .emoji{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.Status .status-fadein{animation-duration:.4s;animation-name:fadein}@keyframes fadein{0%{opacity:0}to{opacity:1}}.Status .status-actions{position:relative;width:100%;display:-ms-flexbox;display:flex;margin-top:.75em}.Status .status-actions>*{max-width:4em;-ms-flex:1;flex:1}.Status .button-reply:not(.-disabled){cursor:pointer}.Status .button-reply.-active,.Status .button-reply:not(.-disabled):hover{color:#0095ff;color:var(--cBlue,#0095ff)}.Status .muted{padding:.25em .6em;height:1.2em;line-height:1.2em;text-overflow:ellipsis;overflow:hidden;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.Status .muted .mute-thread,.Status .muted .mute-words,.Status .muted .status-username{word-wrap:normal;word-break:normal;white-space:nowrap}.Status .muted .mute-words,.Status .muted .status-username{text-overflow:ellipsis;overflow:hidden}.Status .muted .status-username{font-weight:400;-ms-flex:0 1 auto;flex:0 1 auto;margin-right:.2em;font-size:smaller}.Status .muted .mute-thread{-ms-flex:0 0 auto;flex:0 0 auto}.Status .muted .mute-words{-ms-flex:1 0 5em;flex:1 0 5em;margin-left:.2em}.Status .muted .mute-words:before{content:\\\" \\\"}.Status .muted .unmute{-ms-flex:0 0 auto;flex:0 0 auto;margin-left:auto;display:block}.Status .reply-form{padding-top:0;padding-bottom:0}.Status .reply-body{-ms-flex:1;flex:1}.Status .favs-repeated-users{margin-top:.75em}.Status .stats{width:100%;display:-ms-flexbox;display:flex;line-height:1em}.Status .avatar-row{-ms-flex:1;flex:1;overflow:hidden;position:relative;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.Status .avatar-row:before{content:\\\"\\\";position:absolute;height:100%;width:1px;left:0;background-color:var(--faint,hsla(240,1%,73%,.5))}.Status .stat-count{margin-right:.75em;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.Status .stat-count .stat-title{color:var(--faint,hsla(240,1%,73%,.5));font-size:12px;text-transform:uppercase;position:relative}.Status .stat-count .stat-number{font-weight:bolder;font-size:16px;line-height:1em}.Status .stat-count:hover .stat-title{text-decoration:underline}@media (max-width:800px){.Status .repeater-avatar{margin-left:20px}.Status .avatar:not(.repeater-avatar){width:40px;height:40px}.Status .avatar:not(.repeater-avatar).avatar-compact{width:32px;height:32px}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./favorite_button.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7d4fb47f\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".fav-active{cursor:pointer;animation-duration:.6s}.fav-active:hover,.favorite-button.icon-star{color:orange;color:var(--cOrange,orange)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./react_button.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"b98558e8\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".reaction-picker-filter{padding:.5em;display:-ms-flexbox;display:flex}.reaction-picker-filter input{-ms-flex:1;flex:1}.reaction-picker-divider{height:1px;width:100%;margin:.5em;background-color:var(--border,#222)}.reaction-picker{width:10em;height:9em;font-size:1.5em;overflow-y:scroll;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;padding:.5em;text-align:center;-ms-flex-line-pack:start;align-content:flex-start;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;-webkit-mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);transition:-webkit-mask-size .15s;transition:mask-size .15s;transition:mask-size .15s,-webkit-mask-size .15s;-webkit-mask-size:100% 20px,100% 20px,auto;mask-size:100% 20px,100% 20px,auto;-webkit-mask-composite:xor;mask-composite:exclude}.reaction-picker .emoji-button{cursor:pointer;-ms-flex-preferred-size:20%;flex-basis:20%;line-height:1.5em;-ms-flex-line-pack:center;align-content:center}.reaction-picker .emoji-button:hover{transform:scale(1.25)}.add-reaction-button{cursor:pointer}.add-reaction-button:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./popover.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"92bf6e22\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".popover{z-index:8;position:absolute;min-width:0}.popover-default{transition:opacity .3s;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);border-radius:4px;border-radius:var(--btnRadius,4px);background-color:#121a24;background-color:var(--popover,#121a24);color:#b9b9ba;color:var(--popoverText,#b9b9ba);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--postLink:var(--popoverPostLink,$fallback--link);--postFaintLink:var(--popoverPostFaintLink,$fallback--link);--icon:var(--popoverIcon,$fallback--icon)}.dropdown-menu{display:block;padding:.5rem 0;font-size:1rem;text-align:left;list-style:none;max-width:100vw;z-index:10;white-space:nowrap}.dropdown-menu .dropdown-divider{height:0;margin:.5rem 0;overflow:hidden;border-top:1px solid #222;border-top:1px solid var(--border,#222)}.dropdown-menu .dropdown-item{line-height:21px;margin-right:5px;overflow:auto;display:block;padding:.25rem 1rem .25rem 1.5rem;clear:both;font-weight:400;text-align:inherit;white-space:nowrap;border:none;border-radius:0;background-color:transparent;box-shadow:none;width:100%;height:100%;--btnText:var(--popoverText,$fallback--text)}.dropdown-menu .dropdown-item-icon{padding-left:.5rem}.dropdown-menu .dropdown-item-icon i{margin-right:.25rem;color:var(--menuPopoverIcon,#666)}.dropdown-menu .dropdown-item:active,.dropdown-menu .dropdown-item:hover{background-color:#151e2a;background-color:var(--selectedMenuPopover,#151e2a);color:#d8a070;color:var(--selectedMenuPopoverText,#d8a070);--faint:var(--selectedMenuPopoverFaintText,$fallback--faint);--faintLink:var(--selectedMenuPopoverFaintLink,$fallback--faint);--lightText:var(--selectedMenuPopoverLightText,$fallback--lightText);--icon:var(--selectedMenuPopoverIcon,$fallback--icon)}.dropdown-menu .dropdown-item:active i,.dropdown-menu .dropdown-item:hover i{color:var(--selectedMenuPopoverIcon,#666)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./retweet_button.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"2c52cbcb\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".rt-active{cursor:pointer;animation-duration:.6s}.icon-retweet.retweeted,.rt-active:hover{color:#0fa00f;color:var(--cGreen,#0fa00f)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./extra_buttons.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"0d2c533c\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".icon-ellipsis{cursor:pointer}.extra-button-popover.open .icon-ellipsis,.icon-ellipsis:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./post_status_form.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"ce7966a8\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".tribute-container ul{padding:0}.tribute-container ul li{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.tribute-container img{padding:3px;width:16px;height:16px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.post-status-form{position:relative}.post-status-form .form-bottom{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;padding:.5em;height:32px}.post-status-form .form-bottom button{width:10em}.post-status-form .form-bottom p{margin:.35em;padding:.35em;display:-ms-flexbox;display:flex}.post-status-form .form-bottom-left{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1;padding-right:7px;margin-right:7px;max-width:10em}.post-status-form .preview-heading{padding-left:.5em;display:-ms-flexbox;display:flex;width:100%}.post-status-form .preview-heading .icon-spin3{margin-left:auto}.post-status-form .preview-toggle{display:-ms-flexbox;display:flex;cursor:pointer;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.post-status-form .preview-toggle:hover{text-decoration:underline}.post-status-form .preview-toggle i{margin-left:.2em;font-size:.8em;transform:rotate(90deg)}.post-status-form .preview-container{margin-bottom:1em}.post-status-form .preview-error{font-style:italic;color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.post-status-form .preview-status{border:1px solid #222;border:1px solid var(--border,#222);border-radius:5px;border-radius:var(--tooltipRadius,5px);padding:.5em;margin:0;line-height:1.4em}.post-status-form .text-format .only-format{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.post-status-form .visibility-tray{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between;padding-top:5px}.post-status-form .emoji-icon,.post-status-form .media-upload-icon,.post-status-form .poll-icon{font-size:26px;-ms-flex:1;flex:1}.post-status-form .emoji-icon.selected i,.post-status-form .emoji-icon.selected label,.post-status-form .emoji-icon:hover i,.post-status-form .emoji-icon:hover label,.post-status-form .media-upload-icon.selected i,.post-status-form .media-upload-icon.selected label,.post-status-form .media-upload-icon:hover i,.post-status-form .media-upload-icon:hover label,.post-status-form .poll-icon.selected i,.post-status-form .poll-icon.selected label,.post-status-form .poll-icon:hover i,.post-status-form .poll-icon:hover label{color:#b9b9ba;color:var(--lightText,#b9b9ba)}.post-status-form .emoji-icon.disabled i,.post-status-form .media-upload-icon.disabled i,.post-status-form .poll-icon.disabled i{cursor:not-allowed;color:#666;color:var(--btnDisabledText,#666)}.post-status-form .emoji-icon.disabled i:hover,.post-status-form .media-upload-icon.disabled i:hover,.post-status-form .poll-icon.disabled i:hover{color:#666;color:var(--btnDisabledText,#666)}.post-status-form .media-upload-icon{-ms-flex-order:1;order:1;text-align:left}.post-status-form .emoji-icon{-ms-flex-order:2;order:2;text-align:center}.post-status-form .poll-icon{-ms-flex-order:3;order:3;text-align:right}.post-status-form .icon-chart-bar{cursor:pointer}.post-status-form .error{text-align:center}.post-status-form .media-upload-wrapper{margin-right:.2em;margin-bottom:.5em;width:18em}.post-status-form .media-upload-wrapper .icon-cancel{display:inline-block;position:static;margin:0;padding-bottom:0;margin-left:10px;margin-left:var(--attachmentRadius,10px);background-color:#182230;background-color:var(--btn,#182230);border-bottom-left-radius:0;border-bottom-right-radius:0}.post-status-form .media-upload-wrapper img,.post-status-form .media-upload-wrapper video{-o-object-fit:contain;object-fit:contain;max-height:10em}.post-status-form .media-upload-wrapper .video{max-height:10em}.post-status-form .media-upload-wrapper input{-ms-flex:1;flex:1;width:100%}.post-status-form .status-input-wrapper{display:-ms-flexbox;display:flex;position:relative;width:100%;-ms-flex-direction:column;flex-direction:column}.post-status-form .media-upload-wrapper .attachments{padding:0 .5em}.post-status-form .media-upload-wrapper .attachments .attachment{margin:0;padding:0;position:relative}.post-status-form .media-upload-wrapper .attachments i{position:absolute;margin:10px;padding:5px;background:hsla(0,0%,90%,.6);border-radius:10px;border-radius:var(--attachmentRadius,10px);font-weight:700}.post-status-form form{margin:.6em;position:relative}.post-status-form .form-group,.post-status-form form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.post-status-form .form-group{padding:.25em .5em .5em;line-height:24px}.post-status-form .form-post-body,.post-status-form form textarea.form-cw{line-height:16px;resize:none;overflow:hidden;transition:min-height .2s .1s;min-height:1px}.post-status-form .form-post-body{height:16px;padding-bottom:1.75em;box-sizing:content-box}.post-status-form .form-post-body.scrollable-form{overflow-y:auto}.post-status-form .main-input{position:relative}.post-status-form .character-counter{position:absolute;bottom:0;right:0;padding:0;margin:0 .5em}.post-status-form .character-counter.error{color:red;color:var(--cRed,red)}.post-status-form .btn{cursor:pointer}.post-status-form .btn[disabled]{cursor:not-allowed}.post-status-form .icon-cancel{cursor:pointer;z-index:4}@keyframes fade-in{0%{opacity:0}to{opacity:.6}}@keyframes fade-out{0%{opacity:.6}to{opacity:0}}.post-status-form .drop-indicator{position:absolute;z-index:1;width:100%;height:100%;font-size:5em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;opacity:.6;color:#b9b9ba;color:var(--text,#b9b9ba);background-color:#121a24;background-color:var(--bg,#121a24);border-radius:5px;border-radius:var(--tooltipRadius,5px);border:2px dashed #b9b9ba;border:2px dashed var(--text,#b9b9ba)}.media-upload-container>video,img.media-upload{line-height:0;max-height:200px;max-width:100%}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./media_upload.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"8585287c\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".media-upload .label{display:inline-block}.media-upload .new-icon{cursor:pointer}.media-upload .progress-icon{display:inline-block;line-height:0}.media-upload .progress-icon:before{margin:0;line-height:0}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./scope_selector.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"770eecd8\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".scope-selector i{font-size:1.2em;cursor:pointer}.scope-selector i.selected{color:#b9b9ba;color:var(--lightText,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./emoji_input.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"d6bd964a\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".emoji-input{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;position:relative}.emoji-input.with-picker input{padding-right:30px}.emoji-input .emoji-picker-icon{position:absolute;top:0;right:0;margin:.2em .25em;font-size:16px;cursor:pointer;line-height:24px}.emoji-input .emoji-picker-icon:hover i{color:#b9b9ba;color:var(--text,#b9b9ba)}.emoji-input .emoji-picker-panel{position:absolute;z-index:20;margin-top:2px}.emoji-input .emoji-picker-panel.hide{display:none}.emoji-input .autocomplete-panel{position:absolute;z-index:20;margin-top:2px}.emoji-input .autocomplete-panel.hide{display:none}.emoji-input .autocomplete-panel-body{margin:0 .5em;border-radius:5px;border-radius:var(--tooltipRadius,5px);box-shadow:1px 2px 4px rgba(0,0,0,.5);box-shadow:var(--popupShadow);min-width:75%;background-color:#121a24;background-color:var(--popover,#121a24);color:#d8a070;color:var(--popoverText,#d8a070);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--postLink:var(--popoverPostLink,$fallback--link);--postFaintLink:var(--popoverPostFaintLink,$fallback--link);--icon:var(--popoverIcon,$fallback--icon)}.emoji-input .autocomplete-item{display:-ms-flexbox;display:flex;cursor:pointer;padding:.2em .4em;border-bottom:1px solid rgba(0,0,0,.4);height:32px}.emoji-input .autocomplete-item .image{width:32px;height:32px;line-height:32px;text-align:center;font-size:32px;margin-right:4px}.emoji-input .autocomplete-item .image img{width:32px;height:32px;-o-object-fit:contain;object-fit:contain}.emoji-input .autocomplete-item .label{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-pack:center;justify-content:center;margin:0 .1em 0 .2em}.emoji-input .autocomplete-item .label .displayText{line-height:1.5}.emoji-input .autocomplete-item .label .detailText{font-size:9px;line-height:9px}.emoji-input .autocomplete-item.highlighted{background-color:#182230;background-color:var(--selectedMenuPopover,#182230);color:var(--selectedMenuPopoverText,#b9b9ba);--faint:var(--selectedMenuPopoverFaintText,$fallback--faint);--faintLink:var(--selectedMenuPopoverFaintLink,$fallback--faint);--lightText:var(--selectedMenuPopoverLightText,$fallback--lightText);--icon:var(--selectedMenuPopoverIcon,$fallback--icon)}.emoji-input input,.emoji-input textarea{-ms-flex:1 0 auto;flex:1 0 auto}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./emoji_picker.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7bb72e68\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".emoji-picker{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;position:absolute;right:0;left:0;margin:0!important;z-index:1;background-color:#121a24;background-color:var(--popover,#121a24);color:#d8a070;color:var(--popoverText,#d8a070);--lightText:var(--popoverLightText,$fallback--faint);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--icon:var(--popoverIcon,$fallback--icon)}.emoji-picker .keep-open,.emoji-picker .too-many-emoji{padding:7px;line-height:normal}.emoji-picker .too-many-emoji{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.emoji-picker .keep-open-label{padding:0 7px;display:-ms-flexbox;display:flex}.emoji-picker .heading{display:-ms-flexbox;display:flex;height:32px;padding:10px 7px 5px}.emoji-picker .content{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex:1 1 auto;flex:1 1 auto;min-height:0}.emoji-picker .emoji-tabs{-ms-flex-positive:1;flex-grow:1}.emoji-picker .emoji-groups{min-height:200px}.emoji-picker .additional-tabs{border-left:1px solid;border-left-color:#666;border-left-color:var(--icon,#666);padding-left:7px;-ms-flex:0 0 auto;flex:0 0 auto}.emoji-picker .additional-tabs,.emoji-picker .emoji-tabs{display:block;min-width:0;-ms-flex-preferred-size:auto;flex-basis:auto;-ms-flex-negative:1;flex-shrink:1}.emoji-picker .additional-tabs-item,.emoji-picker .emoji-tabs-item{padding:0 7px;cursor:pointer;font-size:24px}.emoji-picker .additional-tabs-item.disabled,.emoji-picker .emoji-tabs-item.disabled{opacity:.5;pointer-events:none}.emoji-picker .additional-tabs-item.active,.emoji-picker .emoji-tabs-item.active{border-bottom:4px solid}.emoji-picker .additional-tabs-item.active i,.emoji-picker .emoji-tabs-item.active i{color:#b9b9ba;color:var(--lightText,#b9b9ba)}.emoji-picker .sticker-picker{-ms-flex:1 1 auto;flex:1 1 auto}.emoji-picker .emoji-content,.emoji-picker .stickers-content{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex:1 1 auto;flex:1 1 auto;min-height:0}.emoji-picker .emoji-content.hidden,.emoji-picker .stickers-content.hidden{opacity:0;pointer-events:none;position:absolute}.emoji-picker .emoji-search{padding:5px;-ms-flex:0 0 auto;flex:0 0 auto}.emoji-picker .emoji-search input{width:100%}.emoji-picker .emoji-groups{-ms-flex:1 1 1px;flex:1 1 1px;position:relative;overflow:auto;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;-webkit-mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff 0,transparent) bottom no-repeat,linear-gradient(180deg,#fff 0,transparent) top no-repeat,linear-gradient(0deg,#fff,#fff);transition:-webkit-mask-size .15s;transition:mask-size .15s;transition:mask-size .15s,-webkit-mask-size .15s;-webkit-mask-size:100% 20px,100% 20px,auto;mask-size:100% 20px,100% 20px,auto;-webkit-mask-composite:xor;mask-composite:exclude}.emoji-picker .emoji-groups.scrolled-top{-webkit-mask-size:100% 20px,100% 0,auto;mask-size:100% 20px,100% 0,auto}.emoji-picker .emoji-groups.scrolled-bottom{-webkit-mask-size:100% 0,100% 20px,auto;mask-size:100% 0,100% 20px,auto}.emoji-picker .emoji-group{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-wrap:wrap;flex-wrap:wrap;padding-left:5px;-ms-flex-pack:left;justify-content:left}.emoji-picker .emoji-group-title{font-size:12px;width:100%;margin:0}.emoji-picker .emoji-group-title.disabled{display:none}.emoji-picker .emoji-item{width:32px;height:32px;box-sizing:border-box;display:-ms-flexbox;display:flex;font-size:32px;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;margin:4px;cursor:pointer}.emoji-picker .emoji-item img{-o-object-fit:contain;object-fit:contain;max-width:100%;max-height:100%}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./checkbox.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"002629bb\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".checkbox{position:relative;display:inline-block;min-height:1.2em}.checkbox-indicator{position:relative;padding-left:1.2em}.checkbox-indicator:before{position:absolute;right:0;top:0;display:block;content:\\\"\\\\2713\\\";transition:color .2s;width:1.1em;height:1.1em;border-radius:2px;border-radius:var(--checkboxRadius,2px);box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow);background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}.checkbox.disabled .checkbox-indicator:before,.checkbox.disabled .label{opacity:.5}.checkbox.disabled .label{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.checkbox input[type=checkbox]{display:none}.checkbox input[type=checkbox]:checked+.checkbox-indicator:before{color:#b9b9ba;color:var(--inputText,#b9b9ba)}.checkbox input[type=checkbox]:indeterminate+.checkbox-indicator:before{content:\\\"\\\\2013\\\";color:#b9b9ba;color:var(--inputText,#b9b9ba)}.checkbox>span{margin-left:.5em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./poll_form.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"60db0262\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".poll-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:0 .5em .5em}.poll-form .add-option{-ms-flex-item-align:start;align-self:flex-start;padding-top:.25em;cursor:pointer}.poll-form .poll-option{display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;-ms-flex-pack:justify;justify-content:space-between;margin-bottom:.25em}.poll-form .input-container{width:100%}.poll-form .input-container input{padding-right:2.5em;width:100%}.poll-form .icon-container{width:2em;margin-left:-2em;z-index:1}.poll-form .poll-type-expiry{margin-top:.5em;display:-ms-flexbox;display:flex;width:100%}.poll-form .poll-type{margin-right:.75em;-ms-flex:1 1 60%;flex:1 1 60%}.poll-form .poll-type .select{border:none;box-shadow:none;background-color:transparent}.poll-form .poll-expiry{display:-ms-flexbox;display:flex}.poll-form .poll-expiry .expiry-amount{width:3em;text-align:right}.poll-form .poll-expiry .expiry-unit{border:none;box-shadow:none;background-color:transparent}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./attachment.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"60b296ca\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".attachments{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.attachments .non-gallery{max-width:100%}.attachments .placeholder{display:inline-block;padding:.3em 1em .3em 0;color:#d8a070;color:var(--postLink,#d8a070);overflow:hidden;white-space:nowrap;text-overflow:ellipsis;max-width:100%}.attachments .nsfw-placeholder{cursor:pointer}.attachments .nsfw-placeholder.loading{cursor:progress}.attachments .attachment{position:relative;margin-top:.5em;-ms-flex-item-align:start;align-self:flex-start;line-height:0;border-radius:10px;border-radius:var(--attachmentRadius,10px);border-color:#222;border:1px solid var(--border,#222);overflow:hidden}.attachments .non-gallery.attachment.video{-ms-flex:1 0 40%;flex:1 0 40%}.attachments .non-gallery.attachment .nsfw{height:260px}.attachments .non-gallery.attachment .small{height:120px;-ms-flex-positive:0;flex-grow:0}.attachments .non-gallery.attachment .video{height:260px;display:-ms-flexbox;display:flex}.attachments .non-gallery.attachment video{max-height:100%;-o-object-fit:contain;object-fit:contain}.attachments .fullwidth{-ms-flex-preferred-size:100%;flex-basis:100%}.attachments.video{line-height:0}.attachments .video-container{display:-ms-flexbox;display:flex;max-height:100%}.attachments .video{width:100%;height:100%}.attachments .play-icon{position:absolute;font-size:64px;top:calc(50% - 32px);left:calc(50% - 32px);color:hsla(0,0%,100%,.75);text-shadow:0 0 2px rgba(0,0,0,.4)}.attachments .play-icon:before{margin:0}.attachments.html{-ms-flex-preferred-size:90%;flex-basis:90%;width:100%;display:-ms-flexbox;display:flex}.attachments .hider{position:absolute;right:0;white-space:nowrap;margin:10px;padding:5px;background:hsla(0,0%,90%,.6);font-weight:700;z-index:4;line-height:1;border-radius:5px;border-radius:var(--tooltipRadius,5px)}.attachments video{z-index:0}.attachments audio{width:100%}.attachments img.media-upload{line-height:0;max-height:200px;max-width:100%}.attachments .oembed{line-height:1.2em;-ms-flex:1 0 100%;flex:1 0 100%;width:100%;margin-right:15px;display:-ms-flexbox;display:flex}.attachments .oembed img{width:100%}.attachments .oembed .image{-ms-flex:1;flex:1}.attachments .oembed .image img{border:0;border-radius:5px;height:100%;-o-object-fit:cover;object-fit:cover}.attachments .oembed .text{-ms-flex:2;flex:2;margin:8px;word-break:break-all}.attachments .oembed .text h1{font-size:14px;margin:0}.attachments .image-attachment,.attachments .image-attachment .image{width:100%;height:100%}.attachments .image-attachment.hidden{display:none}.attachments .image-attachment .nsfw{-o-object-fit:cover;object-fit:cover;width:100%;height:100%}.attachments .image-attachment img{image-orientation:from-image}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./still-image.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"24ab97e0\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".still-image{position:relative;line-height:0;overflow:hidden;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.still-image canvas{position:absolute;top:0;bottom:0;left:0;right:0;height:100%;visibility:var(--still-image-canvas,visible)}.still-image canvas,.still-image img{width:100%;-o-object-fit:contain;object-fit:contain}.still-image img{min-height:100%}.still-image.animated:before{content:\\\"gif\\\";position:absolute;line-height:10px;font-size:10px;top:5px;left:5px;background:hsla(0,0%,50%,.5);color:#fff;display:block;padding:2px 4px;border-radius:5px;border-radius:var(--tooltipRadius,5px);z-index:2;visibility:var(--still-image-label-visibility,visible)}.still-image.animated:hover canvas{display:none}.still-image.animated:hover:before,.still-image.animated img{visibility:var(--still-image-img,hidden)}.still-image.animated:hover img{visibility:visible}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./status_content.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"af4a4f5c\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".StatusContent{-ms-flex:1;flex:1;min-width:0}.StatusContent .status-content-wrapper{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.StatusContent .tall-status{position:relative;height:220px;overflow-x:hidden;overflow-y:hidden;z-index:1}.StatusContent .tall-status .status-content{min-height:0;-webkit-mask:linear-gradient(0deg,#fff,transparent) bottom/100% 70px no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff,transparent) bottom/100% 70px no-repeat,linear-gradient(0deg,#fff,#fff);-webkit-mask-composite:xor;mask-composite:exclude}.StatusContent .tall-status-hider{position:absolute;height:70px;margin-top:150px;line-height:110px;z-index:2}.StatusContent .cw-status-hider,.StatusContent .status-unhider,.StatusContent .tall-status-hider{display:inline-block;word-break:break-all;width:100%;text-align:center}.StatusContent img,.StatusContent video{max-width:100%;max-height:400px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.StatusContent img.emoji,.StatusContent video.emoji{width:32px;height:32px}.StatusContent .summary-wrapper{margin-bottom:.5em;border-style:solid;border-width:0 0 1px;border-color:var(--border,#222);-ms-flex-positive:0;flex-grow:0}.StatusContent .summary{font-style:italic;padding-bottom:.5em}.StatusContent .tall-subject{position:relative}.StatusContent .tall-subject .summary{max-height:2em;overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.StatusContent .tall-subject-hider{display:inline-block;word-break:break-all;width:100%;text-align:center;padding-bottom:.5em}.StatusContent .status-content{font-family:var(--postFont,sans-serif);line-height:1.4em;white-space:pre-wrap;overflow-wrap:break-word;word-wrap:break-word;word-break:break-word}.StatusContent .status-content blockquote{margin:.2em 0 .2em 2em;font-style:italic}.StatusContent .status-content pre{overflow:auto}.StatusContent .status-content code,.StatusContent .status-content kbd,.StatusContent .status-content pre,.StatusContent .status-content samp,.StatusContent .status-content var{font-family:var(--postCodeFont,monospace)}.StatusContent .status-content p{margin:0 0 1em}.StatusContent .status-content p:last-child{margin:0}.StatusContent .status-content h1{font-size:1.1em;line-height:1.2em;margin:1.4em 0}.StatusContent .status-content h2{font-size:1.1em;margin:1em 0}.StatusContent .status-content h3{font-size:1em;margin:1.2em 0}.StatusContent .status-content h4{margin:1.1em 0}.StatusContent .status-content.single-line{white-space:nowrap;text-overflow:ellipsis;overflow:hidden;height:1.4em}.greentext{color:#0fa00f;color:var(--postGreentext,#0fa00f)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./poll.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"1a8b173f\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".poll .votes{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:0 0 .5em}.poll .poll-option{margin:.75em .5em}.poll .option-result{height:100%;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;position:relative;color:#b9b9ba;color:var(--lightText,#b9b9ba)}.poll .option-result-label{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;padding:.1em .25em;z-index:1;word-break:break-word}.poll .result-percentage{width:3.5em;-ms-flex-negative:0;flex-shrink:0}.poll .result-fill{height:100%;position:absolute;color:#b9b9ba;color:var(--pollText,#b9b9ba);background-color:#151e2a;background-color:var(--poll,#151e2a);border-radius:10px;border-radius:var(--panelRadius,10px);top:0;left:0;transition:width .5s}.poll .option-vote{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.poll input{width:3.5em}.poll .footer{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.poll.loading *{cursor:progress}.poll .poll-vote-button{padding:0 .5em;margin-right:.5em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./gallery.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"6c9d5cbc\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".gallery-row{position:relative;height:0;width:100%;-ms-flex-positive:1;flex-grow:1;margin-top:.5em}.gallery-row .gallery-row-inner{position:absolute;top:0;left:0;right:0;bottom:0;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-wrap:nowrap;flex-wrap:nowrap;-ms-flex-line-pack:stretch;align-content:stretch}.gallery-row .gallery-row-inner .attachment{margin:0 .5em 0 0;-ms-flex-positive:1;flex-grow:1;height:100%;box-sizing:border-box;min-width:2em}.gallery-row .gallery-row-inner .attachment:last-child{margin:0}.gallery-row .image-attachment{width:100%;height:100%}.gallery-row .video-container{height:100%}.gallery-row.contain-fit canvas,.gallery-row.contain-fit img,.gallery-row.contain-fit video{-o-object-fit:contain;object-fit:contain;height:100%}.gallery-row.cover-fit canvas,.gallery-row.cover-fit img,.gallery-row.cover-fit video{-o-object-fit:cover;object-fit:cover}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./link-preview.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"c13d6bee\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".link-preview-card{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;cursor:pointer;overflow:hidden;margin-top:.5em;color:#b9b9ba;color:var(--text,#b9b9ba);border-radius:10px;border-radius:var(--attachmentRadius,10px);border-color:#222;border:1px solid var(--border,#222)}.link-preview-card .card-image{-ms-flex-negative:0;flex-shrink:0;width:120px;max-width:25%}.link-preview-card .card-image img{width:100%;height:100%;-o-object-fit:cover;object-fit:cover;border-radius:10px;border-radius:var(--attachmentRadius,10px)}.link-preview-card .small-image{width:80px}.link-preview-card .card-content{max-height:100%;margin:.5em;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.link-preview-card .card-host{font-size:12px}.link-preview-card .card-description{margin:.5em 0 0;overflow:hidden;text-overflow:ellipsis;word-break:break-word;line-height:1.2em;max-height:calc(1.2em * 3 - 1px)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./user_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"0060b6a4\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".user-card{position:relative}.user-card .panel-heading{padding:.5em 0;text-align:center;box-shadow:none;background:transparent;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:stretch;align-items:stretch;position:relative}.user-card .panel-body{word-wrap:break-word;border-bottom-right-radius:inherit;border-bottom-left-radius:inherit;position:relative}.user-card .background-image{position:absolute;top:0;left:0;right:0;bottom:0;-webkit-mask:linear-gradient(0deg,#fff,transparent) bottom no-repeat,linear-gradient(0deg,#fff,#fff);mask:linear-gradient(0deg,#fff,transparent) bottom no-repeat,linear-gradient(0deg,#fff,#fff);-webkit-mask-composite:xor;mask-composite:exclude;background-size:cover;-webkit-mask-size:100% 60%;mask-size:100% 60%;border-top-left-radius:calc(var(--panelRadius) - 1px);border-top-right-radius:calc(var(--panelRadius) - 1px);background-color:var(--profileBg)}.user-card .background-image.hide-bio{-webkit-mask-size:100% 40px;mask-size:100% 40px}.user-card p{margin-bottom:0}.user-card-bio{text-align:center}.user-card-bio a{color:#d8a070;color:var(--postLink,#d8a070)}.user-card-bio img{-o-object-fit:contain;object-fit:contain;vertical-align:middle;max-width:100%;max-height:400px}.user-card-bio img.emoji{width:32px;height:32px}.user-card-rounded-t{border-top-left-radius:10px;border-top-left-radius:var(--panelRadius,10px);border-top-right-radius:10px;border-top-right-radius:var(--panelRadius,10px)}.user-card-rounded{border-radius:10px;border-radius:var(--panelRadius,10px)}.user-card-bordered{border-color:#222;border:1px solid var(--border,#222)}.user-info{color:#b9b9ba;color:var(--lightText,#b9b9ba);padding:0 26px}.user-info .container{padding:16px 0 6px;display:-ms-flexbox;display:flex;-ms-flex-align:start;align-items:flex-start;max-height:56px}.user-info .container .Avatar{-ms-flex:1 0 100%;flex:1 0 100%;width:56px;height:56px;box-shadow:0 1px 8px rgba(0,0,0,.75);box-shadow:var(--avatarShadow);-o-object-fit:cover;object-fit:cover}.user-info:hover .Avatar{--still-image-img:visible;--still-image-canvas:hidden}.user-info-avatar-link{position:relative;cursor:pointer}.user-info-avatar-link-overlay{position:absolute;left:0;top:0;right:0;bottom:0;background-color:rgba(0,0,0,.3);display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:center;align-items:center;border-radius:4px;border-radius:var(--avatarRadius,4px);opacity:0;transition:opacity .2s ease}.user-info-avatar-link-overlay i{color:#fff}.user-info-avatar-link:hover .user-info-avatar-link-overlay{opacity:1}.user-info .usersettings{color:#b9b9ba;color:var(--lightText,#b9b9ba);opacity:.8}.user-info .user-summary{display:block;margin-left:.6em;text-align:left;text-overflow:ellipsis;white-space:nowrap;-ms-flex:1 1 0px;flex:1 1 0;z-index:1}.user-info .user-summary img{width:26px;height:26px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.user-info .user-summary .top-line{display:-ms-flexbox;display:flex}.user-info .user-name{text-overflow:ellipsis;overflow:hidden;-ms-flex:1 1 auto;flex:1 1 auto;margin-right:1em;font-size:15px}.user-info .user-name img{-o-object-fit:contain;object-fit:contain;height:16px;width:16px;vertical-align:middle}.user-info .bottom-line{display:-ms-flexbox;display:flex;font-weight:light;font-size:15px}.user-info .bottom-line .user-screen-name{min-width:1px;-ms-flex:0 1 auto;flex:0 1 auto;text-overflow:ellipsis;overflow:hidden;color:#b9b9ba;color:var(--lightText,#b9b9ba)}.user-info .bottom-line .dailyAvg{min-width:1px;-ms-flex:0 0 auto;flex:0 0 auto;margin-left:1em;font-size:.7em;color:#b9b9ba;color:var(--text,#b9b9ba)}.user-info .bottom-line .user-role{-ms-flex:none;flex:none;text-transform:capitalize;color:#b9b9ba;color:var(--alertNeutralText,#b9b9ba);background-color:#182230;background-color:var(--alertNeutral,#182230)}.user-info .user-meta{margin-bottom:.15em;display:-ms-flexbox;display:flex;-ms-flex-align:baseline;align-items:baseline;font-size:14px;line-height:22px;-ms-flex-wrap:wrap;flex-wrap:wrap}.user-info .user-meta .following{-ms-flex:1 0 auto;flex:1 0 auto;margin:0;margin-bottom:.25em;text-align:left}.user-info .user-meta .highlighter{-ms-flex:0 1 auto;flex:0 1 auto;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin-right:-.5em;-ms-flex-item-align:start;align-self:start}.user-info .user-meta .highlighter .userHighlightCl{padding:2px 10px;-ms-flex:1 0 auto;flex:1 0 auto}.user-info .user-meta .highlighter .userHighlightSel,.user-info .user-meta .highlighter .userHighlightSel.select{padding-top:0;padding-bottom:0;-ms-flex:1 0 auto;flex:1 0 auto}.user-info .user-meta .highlighter .userHighlightSel.select i{line-height:22px}.user-info .user-meta .highlighter .userHighlightText{width:70px;-ms-flex:1 0 auto;flex:1 0 auto}.user-info .user-meta .highlighter .userHighlightCl,.user-info .user-meta .highlighter .userHighlightSel,.user-info .user-meta .highlighter .userHighlightSel.select,.user-info .user-meta .highlighter .userHighlightText{height:22px;vertical-align:top;margin-right:.5em;margin-bottom:.25em}.user-info .user-interactions{position:relative;display:-ms-flexbox;display:flex;-ms-flex-flow:row wrap;flex-flow:row wrap;margin-right:-.75em}.user-info .user-interactions>*{margin:0 .75em .6em 0;white-space:nowrap;min-width:95px}.user-info .user-interactions button{margin:0}.user-counts{display:-ms-flexbox;display:flex;line-height:16px;padding:.5em 1.5em 0;text-align:center;-ms-flex-pack:justify;justify-content:space-between;color:#b9b9ba;color:var(--lightText,#b9b9ba);-ms-flex-wrap:wrap;flex-wrap:wrap}.user-count{-ms-flex:1 0 auto;flex:1 0 auto;padding:.5em 0;margin:0 .5em}.user-count h5{font-size:1em;font-weight:bolder;margin:0 0 .25em}.user-count a{text-decoration:none}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./user_avatar.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"6b6f3617\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".Avatar{--still-image-label-visibility:hidden;width:48px;height:48px;box-shadow:var(--avatarStatusShadow);border-radius:4px;border-radius:var(--avatarRadius,4px)}.Avatar img{width:100%;height:100%}.Avatar.better-shadow{box-shadow:var(--avatarStatusShadowInset);filter:var(--avatarStatusShadowFilter)}.Avatar.animated:before{display:none}.Avatar.avatar-compact{width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./remote_follow.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"4852bbb4\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".remote-follow{max-width:220px}.remote-follow .remote-button{width:100%;min-height:28px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./moderation_tools.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"2c0672fc\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".menu-checkbox{float:right;min-width:22px;max-width:22px;min-height:22px;max-height:22px;line-height:22px;text-align:center;border-radius:0;background-color:#182230;background-color:var(--input,#182230);box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow)}.menu-checkbox.menu-checkbox-checked:after{content:\\\"\\\\2714\\\"}.moderation-tools-popover{height:100%}.moderation-tools-popover .trigger{display:-ms-flexbox!important;display:flex!important;height:100%}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./dialog_modal.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"56d82e88\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".dark-overlay:before{bottom:0;content:\\\" \\\";left:0;right:0;background:rgba(27,31,35,.5);z-index:99}.dark-overlay:before,.dialog-modal.panel{display:block;cursor:default;position:fixed;top:0}.dialog-modal.panel{left:50%;max-height:80vh;max-width:90vw;margin:15vh auto;transform:translateX(-50%);z-index:999;background-color:#121a24;background-color:var(--bg,#121a24)}.dialog-modal.panel .dialog-modal-heading{padding:.5em;margin-right:auto;margin-bottom:0;white-space:nowrap;color:var(--panelText);background-color:#182230;background-color:var(--panel,#182230)}.dialog-modal.panel .dialog-modal-heading .title{margin-bottom:0;text-align:center}.dialog-modal.panel .dialog-modal-content{margin:0;padding:1rem;background-color:#121a24;background-color:var(--bg,#121a24);white-space:normal}.dialog-modal.panel .dialog-modal-footer{margin:0;padding:.5em;background-color:#121a24;background-color:var(--bg,#121a24);border-top:1px solid #222;border-top:1px solid var(--border,#222);display:-ms-flexbox;display:flex;-ms-flex-pack:end;justify-content:flex-end}.dialog-modal.panel .dialog-modal-footer button{width:auto;margin-left:.5rem}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./account_actions.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"8c9d5016\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".account-actions{margin:0 .8em}.account-actions button.dropdown-item{margin-left:0}.account-actions .trigger-button{color:#b9b9ba;color:var(--lightText,#b9b9ba);opacity:.8;cursor:pointer}.account-actions .trigger-button:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./avatar_list.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7096a06e\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".avatars{display:-ms-flexbox;display:flex;margin:0;padding:0;-ms-flex-wrap:wrap;flex-wrap:wrap;height:24px}.avatars .avatars-item{margin:0 0 5px 5px}.avatars .avatars-item:first-child{padding-left:5px}.avatars .avatars-item .avatar-small{border-radius:10px;border-radius:var(--avatarAltRadius,10px);height:24px;width:24px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./status_popover.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"14cff5b4\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".status-popover.popover{font-size:1rem;min-width:15em;max-width:95%;border-color:#222;border:1px solid var(--border,#222);border-radius:5px;border-radius:var(--tooltipRadius,5px);box-shadow:2px 2px 3px rgba(0,0,0,.5);box-shadow:var(--popupShadow)}.status-popover.popover .Status.Status{border:none}.status-popover.popover .status-preview-no-content{padding:1em;text-align:center}.status-popover.popover .status-preview-no-content i{font-size:2em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./user_list_popover.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"50540f22\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".user-list-popover{padding:.5em}.user-list-popover .user-list-row{padding:.25em;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row}.user-list-popover .user-list-row .user-list-names{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin-left:.5em;min-width:5em}.user-list-popover .user-list-row .user-list-names img{width:1em;height:1em}.user-list-popover .user-list-row .user-list-screen-name{font-size:9px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./emoji_reactions.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"cf35b50a\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".emoji-reactions{display:-ms-flexbox;display:flex;margin-top:.25em;-ms-flex-wrap:wrap;flex-wrap:wrap}.emoji-reaction{padding:0 .5em;margin-right:.5em;margin-top:.5em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;box-sizing:border-box}.emoji-reaction .reaction-emoji{width:1.25em;margin-right:.25em}.emoji-reaction:focus{outline:none}.emoji-reaction.not-clickable{cursor:default}.emoji-reaction.not-clickable:hover{box-shadow:0 0 2px 0 #000,inset 0 1px 0 0 hsla(0,0%,100%,.2),inset 0 -1px 0 0 rgba(0,0,0,.2);box-shadow:var(--buttonShadow)}.emoji-reaction-expand{padding:0 .5em;margin-right:.5em;margin-top:.5em;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center}.emoji-reaction-expand:hover{text-decoration:underline}.picked-reaction{border:1px solid var(--accent,#d8a070);margin-left:-1px;margin-right:calc(.5em - 1px)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./conversation.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"93498d0a\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".Conversation .conversation-status{border-left:none;border-bottom-width:1px;border-bottom-style:solid;border-bottom-color:var(--border,#222);border-radius:0}.Conversation.-expanded .conversation-status{border-color:#222;border-color:var(--border,#222);border-left:4px solid red;border-left:4px solid var(--cRed,red)}.Conversation.-expanded .conversation-status:last-child{border-bottom:none;border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./timeline_menu.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"b449a0b2\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".timeline-menu{-ms-flex-negative:1;flex-shrink:1;margin-right:auto;min-width:0;width:24rem}.timeline-menu .timeline-menu-popover-wrap{overflow:hidden;margin-top:.6rem;padding:0 15px 15px}.timeline-menu .timeline-menu-popover{width:24rem;max-width:100vw;margin:0;font-size:1rem;transform:translateY(-100%);transition:transform .1s}.timeline-menu .panel:after,.timeline-menu .timeline-menu-popover{border-top-right-radius:0;border-top-left-radius:0}.timeline-menu.open .timeline-menu-popover{transform:translateY(0)}.timeline-menu .timeline-menu-title{margin:0;cursor:pointer;display:-ms-flexbox;display:flex;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;width:100%}.timeline-menu .timeline-menu-title span{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.timeline-menu .timeline-menu-title i{margin-left:.6em;-ms-flex-negative:0;flex-shrink:0;font-size:1rem;transition:transform .1s}.timeline-menu.open .timeline-menu-title i{color:#b9b9ba;color:var(--panelText,#b9b9ba);transform:rotate(180deg)}.timeline-menu .panel{box-shadow:var(--popoverShadow)}.timeline-menu ul{list-style:none;margin:0;padding:0}.timeline-menu li{border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);padding:0}.timeline-menu li:last-child a{border-bottom-right-radius:10px;border-bottom-right-radius:var(--panelRadius,10px);border-bottom-left-radius:10px;border-bottom-left-radius:var(--panelRadius,10px)}.timeline-menu li:last-child{border:none}.timeline-menu li i{margin:0 .5em}.timeline-menu a{display:block;padding:.6em 0}.timeline-menu a:hover{color:#d8a070;color:var(--selectedMenuText,#d8a070)}.timeline-menu a.router-link-active,.timeline-menu a:hover{background-color:#151e2a;background-color:var(--selectedMenu,#151e2a);--faint:var(--selectedMenuFaintText,$fallback--faint);--faintLink:var(--selectedMenuFaintLink,$fallback--faint);--lightText:var(--selectedMenuLightText,$fallback--lightText);--icon:var(--selectedMenuIcon,$fallback--icon)}.timeline-menu a.router-link-active{font-weight:bolder;color:#b9b9ba;color:var(--selectedMenuText,#b9b9ba)}.timeline-menu a.router-link-active:hover{text-decoration:underline}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./notifications.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"87e1cf2e\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".notifications:not(.minimal){padding-bottom:15em}.notifications .loadmore-error{color:#b9b9ba;color:var(--text,#b9b9ba)}.notifications .notification{position:relative}.notifications .notification .notification-overlay{position:absolute;top:0;right:0;left:0;bottom:0;pointer-events:none}.notifications .notification.unseen .notification-overlay{background-image:linear-gradient(135deg,var(--badgeNotification,red) 4px,transparent 10px)}.notification{box-sizing:border-box;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);word-wrap:break-word;word-break:break-word}.notification:hover .animated.Avatar canvas{display:none}.notification:hover .animated.Avatar img{visibility:visible}.notification .non-mention{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1;-ms-flex-wrap:nowrap;flex-wrap:nowrap;padding:.6em;min-width:0;--link:var(--faintLink);--text:var(--faint)}.notification .non-mention .avatar-container{width:32px;height:32px}.notification .follow-request-accept{cursor:pointer}.notification .follow-request-accept:hover{color:#b9b9ba;color:var(--text,#b9b9ba)}.notification .follow-request-reject{cursor:pointer}.notification .follow-request-reject:hover{color:red;color:var(--cRed,red)}.notification .follow-text,.notification .move-text{padding:.5em 0;overflow-wrap:break-word;display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between}.notification .follow-text .follow-name,.notification .move-text .follow-name{display:block;max-width:100%;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.notification .Status{-ms-flex:1;flex:1}.notification time{white-space:nowrap}.notification .notification-right{-ms-flex:1;flex:1;padding-left:.8em;min-width:0}.notification .notification-right .timeago{min-width:3em;text-align:right}.notification .emoji-reaction-emoji{font-size:16px}.notification .notification-details{min-width:0;word-wrap:break-word;line-height:18px;position:relative;overflow:hidden;width:100%;-ms-flex:1 1 0px;flex:1 1 0;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap;-ms-flex-pack:justify;justify-content:space-between}.notification .notification-details .name-and-action{-ms-flex:1;flex:1;overflow:hidden;text-overflow:ellipsis}.notification .notification-details .username{font-weight:bolder;max-width:100%;text-overflow:ellipsis;white-space:nowrap}.notification .notification-details .username img{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.notification .notification-details .timeago{margin-right:.2em}.notification .notification-details .icon-retweet.lit{color:#0fa00f;color:var(--cGreen,#0fa00f)}.notification .notification-details .icon-reply.lit,.notification .notification-details .icon-user-plus.lit,.notification .notification-details .icon-user.lit{color:#0095ff;color:var(--cBlue,#0095ff)}.notification .notification-details .icon-star.lit{color:orange;color:var(--cOrange,orange)}.notification .notification-details .icon-arrow-curved.lit{color:#0095ff;color:var(--cBlue,#0095ff)}.notification .notification-details .status-content{margin:0;max-height:300px}.notification .notification-details h1{word-break:break-all;margin:0 0 .3em;padding:0;font-size:1em;line-height:20px}.notification .notification-details h1 small{font-weight:lighter}.notification .notification-details p{margin:0;margin-top:0;margin-bottom:.3em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./notification.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"41041624\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".Notification.-muted{padding:.25em .6em;height:1.2em;line-height:1.2em;text-overflow:ellipsis;overflow:hidden;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.Notification.-muted .mute-thread,.Notification.-muted .mute-words,.Notification.-muted .status-username{word-wrap:normal;word-break:normal;white-space:nowrap}.Notification.-muted .mute-words,.Notification.-muted .status-username{text-overflow:ellipsis;overflow:hidden}.Notification.-muted .status-username{font-weight:400;-ms-flex:0 1 auto;flex:0 1 auto;margin-right:.2em;font-size:smaller}.Notification.-muted .mute-thread{-ms-flex:0 0 auto;flex:0 0 auto}.Notification.-muted .mute-words{-ms-flex:1 0 5em;flex:1 0 5em;margin-left:.2em}.Notification.-muted .mute-words:before{content:\\\" \\\"}.Notification.-muted .unmute{-ms-flex:0 0 auto;flex:0 0 auto;margin-left:auto;display:block}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat_list.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"3a6f72a2\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".chat-list{min-height:25em;margin-bottom:0}.emtpy-chat-list-alert{padding:3em;font-size:1.2em;display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;color:#b9b9ba;color:var(--faint,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat_list_item.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"33c6b65e\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".chat-list-item{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;padding:.75em;height:5em;overflow:hidden;box-sizing:border-box;cursor:pointer}.chat-list-item :focus{outline:none}.chat-list-item:hover{background-color:var(--selectedPost,#151e2a);box-shadow:0 0 3px 1px rgba(0,0,0,.1)}.chat-list-item .chat-list-item-left{margin-right:1em}.chat-list-item .chat-list-item-center{width:100%;box-sizing:border-box;overflow:hidden;word-wrap:break-word}.chat-list-item .heading{width:100%;display:-ms-inline-flexbox;display:inline-flex;-ms-flex-pack:justify;justify-content:space-between;line-height:1em}.chat-list-item .heading-right{white-space:nowrap}.chat-list-item .name-and-account-name{text-overflow:ellipsis;white-space:nowrap;overflow:hidden;-ms-flex-negative:1;flex-shrink:1;line-height:1.4em}.chat-list-item .chat-preview{display:-ms-inline-flexbox;display:inline-flex;overflow:hidden;white-space:nowrap;text-overflow:ellipsis;margin:.35em 0;color:#b9b9ba;color:var(--faint,#b9b9ba);width:100%}.chat-list-item a{color:var(--faintLink,#d8a070);text-decoration:none;pointer-events:none}.chat-list-item:hover .animated.avatar canvas{display:none}.chat-list-item:hover .animated.avatar img{visibility:visible}.chat-list-item .Avatar{border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.chat-list-item .StatusContent img.emoji{width:1.4em;height:1.4em}.chat-list-item .time-wrapper{line-height:1.4em}.chat-list-item .single-line{padding-right:1em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat_title.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"3dcd538d\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".chat-title{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.chat-title,.chat-title .username{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.chat-title .username{max-width:100%;display:inline;word-wrap:break-word}.chat-title .username .emoji{width:14px;height:14px;vertical-align:middle;-o-object-fit:contain;object-fit:contain}.chat-title .Avatar{width:23px;height:23px;margin-right:.5em;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.chat-title .Avatar.animated:before{display:none}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat_new.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"ca48b176\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".chat-new .input-wrap{display:-ms-flexbox;display:flex;margin:.7em .5em}.chat-new .input-wrap input{width:100%}.chat-new .icon-search{font-size:1.5em;float:right;margin-right:.3em}.chat-new .member-list{padding-bottom:.7rem}.chat-new .basic-user-card:hover{cursor:pointer;background-color:var(--selectedPost,#151e2a)}.chat-new .go-back-button{cursor:pointer}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./basic_user_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"119ab786\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".basic-user-card{display:-ms-flexbox;display:flex;-ms-flex:1 0;flex:1 0;margin:0;padding:.6em 1em}.basic-user-card-collapsed-content{margin-left:.7em;text-align:left;-ms-flex:1;flex:1;min-width:0}.basic-user-card-user-name img{-o-object-fit:contain;object-fit:contain;height:16px;width:16px;vertical-align:middle}.basic-user-card-screen-name,.basic-user-card-user-name-value{display:inline-block;max-width:100%;overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.basic-user-card-expanded-content{-ms-flex:1;flex:1;margin-left:.7em;min-width:0}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./list.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"33745640\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".list-item:not(:last-child){border-bottom:1px solid;border-bottom-color:#222;border-bottom-color:var(--border,#222)}.list-empty-content{text-align:center;padding:10px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"0f673926\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".chat-view{display:-ms-flexbox;display:flex;height:calc(100vh - 60px);width:100%}.chat-view .chat-title{height:28px}.chat-view .chat-view-inner{height:auto;margin:.5em .5em 0}.chat-view .chat-view-body,.chat-view .chat-view-inner{width:100%;overflow:visible;display:-ms-flexbox;display:flex}.chat-view .chat-view-body{background-color:var(--chatBg,#121a24);-ms-flex-direction:column;flex-direction:column;min-height:100%;margin:0;border-radius:10px 10px 0 0;border-radius:var(--panelRadius,10px) var(--panelRadius,10px) 0 0}.chat-view .chat-view-body:after{border-radius:0}.chat-view .scrollable-message-list{padding:0 .8em;height:100%;overflow-y:scroll;overflow-x:hidden;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.chat-view .footer{position:-webkit-sticky;position:sticky;bottom:0}.chat-view .chat-view-heading{-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between;top:50px;display:-ms-flexbox;display:flex;z-index:2;position:-webkit-sticky;position:sticky;overflow:hidden}.chat-view .go-back-button{cursor:pointer;margin-right:1.4em}.chat-view .go-back-button i,.chat-view .jump-to-bottom-button{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.chat-view .jump-to-bottom-button{width:2.5em;height:2.5em;border-radius:100%;position:absolute;right:1.3em;top:-3.2em;background-color:#182230;background-color:var(--btn,#182230);-ms-flex-pack:center;justify-content:center;box-shadow:0 1px 1px rgba(0,0,0,.3),0 2px 4px rgba(0,0,0,.3);z-index:10;transition:all .35s;transition-timing-function:cubic-bezier(0,1,.5,1);opacity:0;visibility:hidden;cursor:pointer}.chat-view .jump-to-bottom-button.visible{opacity:1;visibility:visible}.chat-view .jump-to-bottom-button i{font-size:1em;color:#b9b9ba;color:var(--text,#b9b9ba)}.chat-view .jump-to-bottom-button .unread-message-count{font-size:.8em;left:50%;transform:translate(-50%);border-radius:100%;margin-top:-1rem;padding:0}.chat-view .jump-to-bottom-button .chat-loading-error{width:100%;display:-ms-flexbox;display:flex;-ms-flex-align:end;align-items:flex-end;height:100%}.chat-view .jump-to-bottom-button .chat-loading-error .error{width:100%}@media (max-width:800px){.chat-view{height:100%;overflow:hidden}.chat-view .chat-view-inner{overflow:hidden;height:100%;margin-top:0;margin-left:0;margin-right:0}.chat-view .chat-view-body{display:-ms-flexbox;display:flex;min-height:auto;overflow:hidden;height:100%;margin:0;border-radius:0}.chat-view .chat-view-heading{position:static;z-index:9999;top:0;margin-top:0;border-radius:0}.chat-view .scrollable-message-list{display:unset;overflow-y:scroll;overflow-x:hidden;-webkit-overflow-scrolling:touch}.chat-view .footer{position:-webkit-sticky;position:sticky;bottom:auto}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat_message.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"20b81e5e\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".chat-message-wrapper.hovered-message-chain .animated.Avatar canvas{display:none}.chat-message-wrapper.hovered-message-chain .animated.Avatar img{visibility:visible}.chat-message-wrapper .chat-message-menu{transition:opacity .1s;opacity:0;position:absolute;top:-.8em}.chat-message-wrapper .chat-message-menu button{padding-top:.2em;padding-bottom:.2em}.chat-message-wrapper .icon-ellipsis{cursor:pointer;border-radius:10px;border-radius:var(--chatMessageRadius,10px)}.chat-message-wrapper .icon-ellipsis:hover,.extra-button-popover.open .chat-message-wrapper .icon-ellipsis{color:#b9b9ba;color:var(--text,#b9b9ba)}.chat-message-wrapper .popover{width:12em}.chat-message-wrapper .chat-message{display:-ms-flexbox;display:flex;padding-bottom:.5em}.chat-message-wrapper .avatar-wrapper{margin-right:.72em;width:32px}.chat-message-wrapper .attachments,.chat-message-wrapper .link-preview{margin-bottom:1em}.chat-message-wrapper .chat-message-inner{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:start;align-items:flex-start;max-width:80%;min-width:10em;width:100%}.chat-message-wrapper .chat-message-inner.with-media{width:100%}.chat-message-wrapper .chat-message-inner.with-media .gallery-row{overflow:hidden}.chat-message-wrapper .chat-message-inner.with-media .status{width:100%}.chat-message-wrapper .status{border-radius:10px;border-radius:var(--chatMessageRadius,10px);display:-ms-flexbox;display:flex;padding:.75em}.chat-message-wrapper .created-at{position:relative;float:right;font-size:.8em;margin:-1em 0 -.5em;font-style:italic;opacity:.8}.chat-message-wrapper .without-attachment .status-content:after{margin-right:5.4em;content:\\\" \\\";display:inline-block}.chat-message-wrapper .incoming a{color:var(--chatMessageIncomingLink,#d8a070)}.chat-message-wrapper .incoming .status{background-color:var(--chatMessageIncomingBg,#121a24);border:1px solid var(--chatMessageIncomingBorder,--border)}.chat-message-wrapper .incoming .created-at a,.chat-message-wrapper .incoming .status{color:var(--chatMessageIncomingText,#b9b9ba)}.chat-message-wrapper .incoming .chat-message-menu{left:.4rem}.chat-message-wrapper .outgoing{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-line-pack:end;align-content:end;-ms-flex-pack:end;justify-content:flex-end}.chat-message-wrapper .outgoing a{color:var(--chatMessageOutgoingLink,#d8a070)}.chat-message-wrapper .outgoing .status{color:var(--chatMessageOutgoingText,#b9b9ba);background-color:var(--chatMessageOutgoingBg,#151e2a);border:1px solid var(--chatMessageOutgoingBorder,--lightBg)}.chat-message-wrapper .outgoing .chat-message-inner{-ms-flex-align:end;align-items:flex-end}.chat-message-wrapper .outgoing .chat-message-menu{right:.4rem}.chat-message-wrapper .visible{opacity:1}.chat-message-date-separator{text-align:center;margin:1.4em 0;font-size:.9em;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;color:#b9b9ba;color:var(--faintedText,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./user_profile.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7563b46e\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".user-profile{-ms-flex:2;flex:2;-ms-flex-preferred-size:500px;flex-basis:500px}.user-profile .user-profile-fields{margin:0 .5em}.user-profile .user-profile-fields img{-o-object-fit:contain;object-fit:contain;vertical-align:middle;max-width:100%;max-height:400px}.user-profile .user-profile-fields img.emoji{width:18px;height:18px}.user-profile .user-profile-fields .user-profile-field{display:-ms-flexbox;display:flex;margin:.25em auto;max-width:32em;border:1px solid var(--border,#222);border-radius:4px;border-radius:var(--inputRadius,4px)}.user-profile .user-profile-fields .user-profile-field .user-profile-field-name{-ms-flex:0 1 30%;flex:0 1 30%;font-weight:500;text-align:right;color:var(--lightText);min-width:120px;border-right:1px solid var(--border,#222)}.user-profile .user-profile-fields .user-profile-field .user-profile-field-value{-ms-flex:1 1 70%;flex:1 1 70%;color:var(--text);margin:0 0 0 .25em}.user-profile .user-profile-fields .user-profile-field .user-profile-field-name,.user-profile .user-profile-fields .user-profile-field .user-profile-field-value{line-height:18px;text-overflow:ellipsis;white-space:nowrap;overflow:hidden;padding:.5em 1.5em;box-sizing:border-box}.user-profile .userlist-placeholder{-ms-flex-align:middle;align-items:middle;padding:2em}.user-profile .timeline-heading,.user-profile .userlist-placeholder{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center}.user-profile .timeline-heading .alert,.user-profile .timeline-heading .loadmore-button{-ms-flex:1;flex:1}.user-profile .timeline-heading .loadmore-button{height:28px;margin:10px .6em}.user-profile .timeline-heading .loadmore-text,.user-profile .timeline-heading .title{display:none}.user-profile-placeholder .panel-body{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:middle;align-items:middle;padding:7em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./follow_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"ae955a70\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".follow-card-content-container{-ms-flex-negative:0;flex-shrink:0;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-pack:justify;justify-content:space-between;-ms-flex-wrap:wrap;flex-wrap:wrap;line-height:1.5em}.follow-card-follow-button{margin-top:.5em;margin-left:auto;width:10em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./search.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"354d66d6\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".search-result-heading{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));padding:.75rem;text-align:center}@media (max-width:800px){.search-nav-heading .tab-switcher .tabs .tab-wrapper{display:block;-ms-flex-pack:center;justify-content:center;-ms-flex:1 1 auto;flex:1 1 auto;text-align:center}}.search-result{box-sizing:border-box;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222)}.search-result-footer{border-width:1px 0 0;border-style:solid;border-color:var(--border,#222);padding:10px;background-color:#182230;background-color:var(--panel,#182230)}.search-input-container{padding:.8rem;display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center}.search-input-container .search-input{width:100%;line-height:1.125rem;font-size:1rem;padding:.5rem;box-sizing:border-box}.search-input-container .search-button{margin-left:.5em}.loading-icon{padding:1em}.trend{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.trend .hashtag{-ms-flex:1 1 auto;flex:1 1 auto;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.trend .count,.trend .hashtag{color:#b9b9ba;color:var(--text,#b9b9ba)}.trend .count{-ms-flex:0 0 auto;flex:0 0 auto;width:2rem;font-size:1.5rem;line-height:2.25rem;font-weight:500;text-align:center}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./registration.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"16815f76\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".registration-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:.6em}.registration-form .container{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row}.registration-form .terms-of-service{-ms-flex:0 1 50%;flex:0 1 50%;margin:.8em}.registration-form .text-fields{margin-top:.6em;-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.registration-form textarea{min-height:100px;resize:vertical}.registration-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.3em 0;line-height:24px;margin-bottom:1em}.registration-form .form-group--error{animation-name:shakeError;animation-duration:.6s;animation-timing-function:ease-in-out}.registration-form .form-group--error .form--label{color:#f04124;color:var(--cRed,#f04124)}.registration-form .form-error{margin-top:-.7em;text-align:left}.registration-form .form-error span{font-size:12px}.registration-form .form-error ul{list-style:none;padding:0 0 0 5px;margin-top:0}.registration-form .form-error ul li:before{content:\\\"\\\\2022 \\\"}.registration-form form textarea{line-height:16px;resize:vertical}.registration-form .captcha{max-width:350px;margin-bottom:.4em}.registration-form .btn{margin-top:.6em;height:28px}.registration-form .error{text-align:center}@media (max-width:800px){.registration-form .container{-ms-flex-direction:column-reverse;flex-direction:column-reverse}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./password_reset.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"1ef4fd93\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".password-reset-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:center;align-items:center;margin:.6em}.password-reset-form .container{display:-ms-flexbox;display:flex;-ms-flex:1 0;flex:1 0;-ms-flex-direction:column;flex-direction:column;margin-top:.6em;max-width:18rem}.password-reset-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin-bottom:1em;padding:.3em 0;line-height:24px}.password-reset-form .error{text-align:center;animation-name:shakeError;animation-duration:.4s;animation-timing-function:ease-in-out}.password-reset-form .alert{padding:.5em;margin:.3em 0 1em}.password-reset-form .password-reset-required{background-color:var(--alertError,rgba(211,16,20,.5));padding:10px 0}.password-reset-form .notice-dismissible{padding-right:2rem}.password-reset-form .icon-cancel{cursor:pointer}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./follow_request_card.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"ad510f10\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".follow-request-card-content-container{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-wrap:wrap;flex-wrap:wrap}.follow-request-card-content-container button{margin-top:.5em;margin-right:.5em;-ms-flex:1 1;flex:1 1;max-width:12em;min-width:8em}.follow-request-card-content-container button:last-child{margin-right:0}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./login_form.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"42704024\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".login-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.6em}.login-form .btn{min-height:28px;width:10em}.login-form .register{-ms-flex:1 1;flex:1 1}.login-form .login-bottom{margin-top:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between}.login-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.3em .5em .6em;line-height:24px}.login-form .form-bottom{display:-ms-flexbox;display:flex;padding:.5em;height:32px}.login-form .form-bottom button{width:10em}.login-form .form-bottom p{margin:.35em;padding:.35em;display:-ms-flexbox;display:flex}.login-form .error{text-align:center;animation-name:shakeError;animation-duration:.4s;animation-timing-function:ease-in-out}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./chat_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"2c0040e1\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".floating-chat{position:fixed;right:0;bottom:0;z-index:1000;max-width:25em}.chat-panel .chat-heading{cursor:pointer}.chat-panel .chat-heading .icon-comment-empty{color:#b9b9ba;color:var(--text,#b9b9ba)}.chat-panel .chat-window{overflow-y:auto;overflow-x:hidden;max-height:20em}.chat-panel .chat-window-container{height:100%}.chat-panel .chat-message{display:-ms-flexbox;display:flex;padding:.2em .5em}.chat-panel .chat-avatar img{height:24px;width:24px;border-radius:4px;border-radius:var(--avatarRadius,4px);margin-right:.5em;margin-top:.25em}.chat-panel .chat-input{display:-ms-flexbox;display:flex}.chat-panel .chat-input textarea{-ms-flex:1;flex:1;margin:.6em;min-height:3.5em;resize:none}.chat-panel .chat-panel .title{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./who_to_follow.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"c74f4f44\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \"\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./about.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7dfaed97\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \"\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./features_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"55ca8508\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".features-panel li{line-height:24px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./terms_of_service_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"42aabc98\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".tos-content{margin:1em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./staff_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"5aa588af\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \"\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./mrf_transparency_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"72647543\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".mrf-section{margin:1em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./remote_user_resolver.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"67a8aa3d\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \"\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../node_modules/css-loader/index.js?minimize!../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../node_modules/sass-loader/lib/loader.js!./App.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"5c806d03\", content, true, {});","exports = module.exports = require(\"../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \"#app{min-height:100vh;max-width:100%;overflow:hidden}.app-bg-wrapper{position:fixed;z-index:-1;height:100%;left:0;right:-20px;background-size:cover;background-repeat:no-repeat;background-position:0 50%}i[class^=icon-]{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}h4{margin:0}#content{box-sizing:border-box;padding-top:60px;margin:auto;min-height:100vh;max-width:980px;-ms-flex-line-pack:start;align-content:flex-start}.underlay{background-color:rgba(0,0,0,.15);background-color:var(--underlay,rgba(0,0,0,.15))}.text-center{text-align:center}html{font-size:14px}body{overscroll-behavior-y:none;font-family:sans-serif;font-family:var(--interfaceFont,sans-serif);margin:0;color:#b9b9ba;color:var(--text,#b9b9ba);max-width:100vw;overflow-x:hidden;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}body.hidden{display:none}a{text-decoration:none;color:#d8a070;color:var(--link,#d8a070)}button{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;background-color:#182230;background-color:var(--btn,#182230);border:none;border-radius:4px;border-radius:var(--btnRadius,4px);cursor:pointer;box-shadow:0 0 2px 0 #000,inset 0 1px 0 0 hsla(0,0%,100%,.2),inset 0 -1px 0 0 rgba(0,0,0,.2);box-shadow:var(--buttonShadow);font-size:14px;font-family:sans-serif;font-family:var(--interfaceFont,sans-serif)}button,button i[class*=icon-]{color:#b9b9ba;color:var(--btnText,#b9b9ba)}button::-moz-focus-inner{border:none}button:hover{box-shadow:0 0 4px hsla(0,0%,100%,.3);box-shadow:var(--buttonHoverShadow)}button:active{box-shadow:0 0 4px 0 hsla(0,0%,100%,.3),inset 0 1px 0 0 rgba(0,0,0,.2),inset 0 -1px 0 0 hsla(0,0%,100%,.2);box-shadow:var(--buttonPressedShadow);background-color:#182230;background-color:var(--btnPressed,#182230)}button:active,button:active i{color:#b9b9ba;color:var(--btnPressedText,#b9b9ba)}button:disabled{cursor:not-allowed;background-color:#182230;background-color:var(--btnDisabled,#182230)}button:disabled,button:disabled i{color:#b9b9ba;color:var(--btnDisabledText,#b9b9ba)}button.toggled{background-color:#182230;background-color:var(--btnToggled,#182230);box-shadow:0 0 4px 0 hsla(0,0%,100%,.3),inset 0 1px 0 0 rgba(0,0,0,.2),inset 0 -1px 0 0 hsla(0,0%,100%,.2);box-shadow:var(--buttonPressedShadow)}button.toggled,button.toggled i{color:#b9b9ba;color:var(--btnToggledText,#b9b9ba)}button.danger{color:#b9b9ba;color:var(--alertErrorPanelText,#b9b9ba);background-color:rgba(211,16,20,.5);background-color:var(--alertError,rgba(211,16,20,.5))}.input,.select,input,textarea{border:none;border-radius:4px;border-radius:var(--inputRadius,4px);box-shadow:inset 0 1px 0 0 rgba(0,0,0,.2),inset 0 -1px 0 0 hsla(0,0%,100%,.2),inset 0 0 2px 0 #000;box-shadow:var(--inputShadow);background-color:#182230;background-color:var(--input,#182230);color:#b9b9ba;color:var(--inputText,#b9b9ba);font-family:sans-serif;font-family:var(--inputFont,sans-serif);font-size:14px;margin:0;box-sizing:border-box;display:inline-block;position:relative;height:28px;line-height:16px;-webkit-hyphens:none;-ms-hyphens:none;hyphens:none;padding:8px .5em}.input.unstyled,.select.unstyled,input.unstyled,textarea.unstyled{border-radius:0;background:none;box-shadow:none;height:unset}.input.select,.select.select,input.select,textarea.select{padding:0}.input:disabled,.input[disabled=disabled],.select:disabled,.select[disabled=disabled],input:disabled,input[disabled=disabled],textarea:disabled,textarea[disabled=disabled]{cursor:not-allowed;opacity:.5}.input .icon-down-open,.select .icon-down-open,input .icon-down-open,textarea .icon-down-open{position:absolute;top:0;bottom:0;right:5px;height:100%;color:#b9b9ba;color:var(--inputText,#b9b9ba);line-height:28px;z-index:0;pointer-events:none}.input select,.select select,input select,textarea select{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:transparent;border:none;color:#b9b9ba;color:var(--inputText,--text,#b9b9ba);margin:0;padding:0 2em 0 .2em;font-family:sans-serif;font-family:var(--inputFont,sans-serif);font-size:14px;width:100%;z-index:1;height:28px;line-height:16px}.input[type=range],.select[type=range],input[type=range],textarea[type=range]{background:none;border:none;margin:0;box-shadow:none;-ms-flex:1;flex:1}.input[type=radio],.select[type=radio],input[type=radio],textarea[type=radio]{display:none}.input[type=radio]:checked+label:before,.select[type=radio]:checked+label:before,input[type=radio]:checked+label:before,textarea[type=radio]:checked+label:before{box-shadow:inset 0 0 2px #000,inset 0 0 0 4px #182230;box-shadow:var(--inputShadow),0 0 0 4px var(--fg,#182230) inset;background-color:var(--accent,#d8a070)}.input[type=radio]:disabled,.input[type=radio]:disabled+label,.input[type=radio]:disabled+label:before,.select[type=radio]:disabled,.select[type=radio]:disabled+label,.select[type=radio]:disabled+label:before,input[type=radio]:disabled,input[type=radio]:disabled+label,input[type=radio]:disabled+label:before,textarea[type=radio]:disabled,textarea[type=radio]:disabled+label,textarea[type=radio]:disabled+label:before{opacity:.5}.input[type=radio]+label:before,.select[type=radio]+label:before,input[type=radio]+label:before,textarea[type=radio]+label:before{-ms-flex-negative:0;flex-shrink:0;display:inline-block;content:\\\"\\\";transition:box-shadow .2s;width:1.1em;height:1.1em;border-radius:100%;box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow);margin-right:.5em;background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}.input[type=checkbox],.select[type=checkbox],input[type=checkbox],textarea[type=checkbox]{display:none}.input[type=checkbox]:checked+label:before,.select[type=checkbox]:checked+label:before,input[type=checkbox]:checked+label:before,textarea[type=checkbox]:checked+label:before{color:#b9b9ba;color:var(--inputText,#b9b9ba)}.input[type=checkbox]:disabled,.input[type=checkbox]:disabled+label,.input[type=checkbox]:disabled+label:before,.select[type=checkbox]:disabled,.select[type=checkbox]:disabled+label,.select[type=checkbox]:disabled+label:before,input[type=checkbox]:disabled,input[type=checkbox]:disabled+label,input[type=checkbox]:disabled+label:before,textarea[type=checkbox]:disabled,textarea[type=checkbox]:disabled+label,textarea[type=checkbox]:disabled+label:before{opacity:.5}.input[type=checkbox]+label:before,.select[type=checkbox]+label:before,input[type=checkbox]+label:before,textarea[type=checkbox]+label:before{-ms-flex-negative:0;flex-shrink:0;display:inline-block;content:\\\"\\\\2714\\\";transition:color .2s;width:1.1em;height:1.1em;border-radius:2px;border-radius:var(--checkboxRadius,2px);box-shadow:inset 0 0 2px #000;box-shadow:var(--inputShadow);margin-right:.5em;background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}option{color:#b9b9ba;color:var(--text,#b9b9ba);background-color:#121a24;background-color:var(--bg,#121a24)}.hide-number-spinner{-moz-appearance:textfield}.hide-number-spinner[type=number]::-webkit-inner-spin-button,.hide-number-spinner[type=number]::-webkit-outer-spin-button{opacity:0;display:none}i[class*=icon-]{color:#666;color:var(--icon,#666)}.btn-block{display:block;width:100%}.btn-group{position:relative;display:-ms-inline-flexbox;display:inline-flex;vertical-align:middle}.btn-group button{position:relative;-ms-flex:1 1 auto;flex:1 1 auto}.btn-group button:not(:last-child){border-top-right-radius:0;border-bottom-right-radius:0}.btn-group button:not(:first-child){border-top-left-radius:0;border-bottom-left-radius:0}.container{-ms-flex-wrap:wrap;flex-wrap:wrap;margin:0;padding:0 10px}.container,.item{display:-ms-flexbox;display:flex}.item{-ms-flex:1;flex:1;line-height:50px;height:50px;overflow:hidden;-ms-flex-wrap:wrap;flex-wrap:wrap}.item .nav-icon{margin-left:.4em}.item.right{-ms-flex-pack:end;justify-content:flex-end}.auto-size{-ms-flex:1;flex:1}.nav-bar{padding:0;width:100%;-ms-flex-align:center;align-items:center;position:fixed;height:50px;box-sizing:border-box}.nav-bar button,.nav-bar button i[class*=icon-]{color:#b9b9ba;color:var(--btnTopBarText,#b9b9ba)}.nav-bar button:active{background-color:#182230;background-color:var(--btnPressedTopBar,#182230);color:#b9b9ba;color:var(--btnPressedTopBarText,#b9b9ba)}.nav-bar button:disabled{color:#b9b9ba;color:var(--btnDisabledTopBarText,#b9b9ba)}.nav-bar button.toggled{color:#b9b9ba;color:var(--btnToggledTopBarText,#b9b9ba);background-color:#182230;background-color:var(--btnToggledTopBar,#182230)}.nav-bar .logo{display:-ms-flexbox;display:flex;-ms-flex-align:stretch;align-items:stretch;-ms-flex-pack:center;justify-content:center;-ms-flex:0 0 auto;flex:0 0 auto;z-index:-1;transition:opacity;transition-timing-function:ease-out;transition-duration:.1s}.nav-bar .logo,.nav-bar .logo .mask{position:absolute;top:0;bottom:0;left:0;right:0}.nav-bar .logo .mask{-webkit-mask-repeat:no-repeat;mask-repeat:no-repeat;-webkit-mask-position:center;mask-position:center;-webkit-mask-size:contain;mask-size:contain;background-color:#182230;background-color:var(--topBarText,#182230)}.nav-bar .logo img{height:100%;-o-object-fit:contain;object-fit:contain;display:block;-ms-flex:0;flex:0}.nav-bar .inner-nav{position:relative;margin:auto;box-sizing:border-box;padding-left:10px;padding-right:10px;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-preferred-size:970px;flex-basis:970px;height:50px}.nav-bar .inner-nav a,.nav-bar .inner-nav a i{color:#d8a070;color:var(--topBarLink,#d8a070)}main-router{-ms-flex:1;flex:1}.status.compact{color:rgba(0,0,0,.42);font-weight:300}.status.compact p{margin:0;font-size:.8em}.panel{display:-ms-flexbox;display:flex;position:relative;-ms-flex-direction:column;flex-direction:column;margin:.5em;background-color:#121a24;background-color:var(--bg,#121a24)}.panel,.panel:after{border-radius:10px;border-radius:var(--panelRadius,10px)}.panel:after{content:\\\"\\\";position:absolute;top:0;bottom:0;left:0;right:0;pointer-events:none;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow)}.panel-body:empty:before{content:\\\"\\\\AF\\\\\\\\_(\\\\30C4)_/\\\\AF\\\";display:block;margin:1em;text-align:center}.panel-heading{display:-ms-flexbox;display:flex;-ms-flex:none;flex:none;border-radius:10px 10px 0 0;border-radius:var(--panelRadius,10px) var(--panelRadius,10px) 0 0;background-size:cover;padding:.6em;text-align:left;line-height:28px;color:var(--panelText);background-color:#182230;background-color:var(--panel,#182230);-ms-flex-align:baseline;align-items:baseline;box-shadow:var(--panelHeaderShadow)}.panel-heading .title{-ms-flex:1 0 auto;flex:1 0 auto;font-size:1.3em}.panel-heading .faint{background-color:transparent;color:hsla(240,1%,73%,.5);color:var(--panelFaint,hsla(240,1%,73%,.5))}.panel-heading .faint-link{color:hsla(240,1%,73%,.5);color:var(--faintLink,hsla(240,1%,73%,.5))}.panel-heading .alert{white-space:nowrap;text-overflow:ellipsis;overflow-x:hidden}.panel-heading button{-ms-flex-negative:0;flex-shrink:0}.panel-heading .alert,.panel-heading button{line-height:21px;min-height:0;box-sizing:border-box;margin:0;margin-left:.5em;min-width:1px;-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.panel-heading button,.panel-heading button i[class*=icon-]{color:#b9b9ba;color:var(--btnPanelText,#b9b9ba)}.panel-heading button:active{background-color:#182230;background-color:var(--btnPressedPanel,#182230);color:#b9b9ba;color:var(--btnPressedPanelText,#b9b9ba)}.panel-heading button:disabled{color:#b9b9ba;color:var(--btnDisabledPanelText,#b9b9ba)}.panel-heading button.toggled{color:#b9b9ba;color:var(--btnToggledPanelText,#b9b9ba)}.panel-heading a{color:#d8a070;color:var(--panelLink,#d8a070)}.panel-heading.stub{border-radius:10px;border-radius:var(--panelRadius,10px)}.panel-footer{border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}.panel-footer .faint{color:hsla(240,1%,73%,.5);color:var(--panelFaint,hsla(240,1%,73%,.5))}.panel-footer a{color:#d8a070;color:var(--panelLink,#d8a070)}.panel-body>p{line-height:18px;padding:1em;margin:0}.container>*{min-width:0}.fa{color:grey}nav{z-index:1000;color:var(--topBarText);background-color:#182230;background-color:var(--topBar,#182230);color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));box-shadow:0 0 4px rgba(0,0,0,.6);box-shadow:var(--topBarShadow)}.fade-enter-active,.fade-leave-active{transition:opacity .2s}.fade-enter,.fade-leave-active{opacity:0}.main{-ms-flex-preferred-size:50%;flex-basis:50%;-ms-flex-positive:1;flex-grow:1;-ms-flex-negative:1;flex-shrink:1}.sidebar-bounds{-ms-flex:0;flex:0;-ms-flex-preferred-size:35%;flex-basis:35%}.sidebar-flexer{-ms-flex:1;flex:1;-ms-flex-preferred-size:345px;flex-basis:345px;width:365px}.mobile-shown{display:none}@media (min-width:800px){body{overflow-y:scroll}.sidebar-bounds{overflow:hidden;max-height:100vh;width:345px;position:fixed;margin-top:-10px}.sidebar-bounds .sidebar-scroller{height:96vh;width:365px;padding-top:10px;padding-right:50px;overflow-x:hidden;overflow-y:scroll}.sidebar-bounds .sidebar{width:345px}.sidebar-flexer{max-height:96vh;-ms-flex-negative:0;flex-shrink:0;-ms-flex-positive:0;flex-grow:0}}.badge{display:inline-block;border-radius:99px;min-width:22px;max-width:22px;min-height:22px;max-height:22px;font-size:15px;line-height:22px;text-align:center;vertical-align:middle;white-space:nowrap;padding:0}.badge.badge-notification{background-color:red;background-color:var(--badgeNotification,red);color:#fff;color:var(--badgeNotificationText,#fff)}.alert{margin:.35em;padding:.25em;border-radius:5px;border-radius:var(--tooltipRadius,5px);min-height:28px;line-height:28px}.alert.error{background-color:rgba(211,16,20,.5);background-color:var(--alertError,rgba(211,16,20,.5));color:#b9b9ba;color:var(--alertErrorText,#b9b9ba)}.panel-heading .alert.error{color:#b9b9ba;color:var(--alertErrorPanelText,#b9b9ba)}.alert.warning{background-color:rgba(111,111,20,.5);background-color:var(--alertWarning,rgba(111,111,20,.5));color:#b9b9ba;color:var(--alertWarningText,#b9b9ba)}.panel-heading .alert.warning{color:#b9b9ba;color:var(--alertWarningPanelText,#b9b9ba)}.faint,.faint-link{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.faint-link:hover{text-decoration:underline}@media (min-width:800px){.logo{opacity:1!important}}.item.right{text-align:right}.visibility-notice{padding:.5em;border:1px solid hsla(240,1%,73%,.5);border:1px solid var(--faint,hsla(240,1%,73%,.5));border-radius:4px;border-radius:var(--inputRadius,4px)}.notice-dismissible{padding-right:4rem;position:relative}.notice-dismissible .dismiss{position:absolute;top:0;right:0;padding:.5em;color:inherit}.button-icon{font-size:1.2em}@keyframes shakeError{0%{transform:translateX(0)}15%{transform:translateX(.375rem)}30%{transform:translateX(-.375rem)}45%{transform:translateX(.375rem)}60%{transform:translateX(-.375rem)}75%{transform:translateX(.375rem)}90%{transform:translateX(-.375rem)}to{transform:translateX(0)}}@media (max-width:800px){.mobile-hidden{display:none}.panel-switcher{display:-ms-flexbox;display:flex}.container{padding:0}.panel{margin:.5em 0}.menu-button{display:block;margin-right:.8em}.main{margin-bottom:7em}}.select-multiple{display:-ms-flexbox;display:flex}.select-multiple .option-list{margin:0;padding-left:.5em}.option-list,.setting-list{list-style-type:none;padding-left:2em}.option-list li,.setting-list li{margin-bottom:.5em}.option-list .suboptions,.setting-list .suboptions{margin-top:.3em}.login-hint{text-align:center}@media (min-width:801px){.login-hint{display:none}}.login-hint a{display:inline-block;padding:1em 0;width:100%}.btn.btn-default{min-height:28px}.animate-spin{animation:spin 2s infinite linear;display:inline-block}@keyframes spin{0%{transform:rotate(0deg)}to{transform:rotate(359deg)}}.new-status-notification{position:relative;margin-top:-1px;font-size:1.1em;border-width:1px 0 0;border-style:solid;border-color:var(--border,#222);padding:10px;z-index:1;background-color:#182230;background-color:var(--panel,#182230)}.unread-chat-count{font-size:.9em;font-weight:bolder;font-style:normal;position:absolute;right:.6rem;padding:0 .3em;min-width:1.3rem;min-height:1.3rem;max-height:1.3rem;line-height:1.3rem}.chat-layout{overflow:hidden;height:100%}@media (max-width:800px){.chat-layout body{height:100%}.chat-layout #app{height:100%;overflow:hidden;min-height:auto}.chat-layout #app_bg_wrapper{overflow:hidden}.chat-layout .main{overflow:hidden;height:100%}.chat-layout #content{padding-top:0;height:100%;overflow:visible}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./user_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"04d46dee\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".user-panel .signed-in{overflow:visible}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./nav_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"b030addc\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".nav-panel .panel{overflow:hidden;box-shadow:var(--panelShadow)}.nav-panel ul{list-style:none;margin:0;padding:0}.follow-request-count{margin:-6px 10px;background-color:#121a24;background-color:var(--input,hsla(240,1%,73%,.5))}.nav-panel li{border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);padding:0}.nav-panel li:first-child a{border-top-right-radius:10px;border-top-right-radius:var(--panelRadius,10px);border-top-left-radius:10px;border-top-left-radius:var(--panelRadius,10px)}.nav-panel li:last-child a{border-bottom-right-radius:10px;border-bottom-right-radius:var(--panelRadius,10px);border-bottom-left-radius:10px;border-bottom-left-radius:var(--panelRadius,10px)}.nav-panel li:last-child{border:none}.nav-panel a{display:block;padding:.8em .85em}.nav-panel a:hover{color:#d8a070;color:var(--selectedMenuText,#d8a070)}.nav-panel a.router-link-active,.nav-panel a:hover{background-color:#151e2a;background-color:var(--selectedMenu,#151e2a);--faint:var(--selectedMenuFaintText,$fallback--faint);--faintLink:var(--selectedMenuFaintLink,$fallback--faint);--lightText:var(--selectedMenuLightText,$fallback--lightText);--icon:var(--selectedMenuIcon,$fallback--icon)}.nav-panel a.router-link-active{font-weight:bolder;color:#b9b9ba;color:var(--selectedMenuText,#b9b9ba)}.nav-panel a.router-link-active:hover{text-decoration:underline}.nav-panel .button-icon:before{width:1.1em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./search_bar.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"0ea9aafc\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".search-bar-container{max-width:100%;display:-ms-inline-flexbox;display:inline-flex;-ms-flex-align:baseline;align-items:baseline;vertical-align:baseline;-ms-flex-pack:end;justify-content:flex-end}.search-bar-container .search-bar-input,.search-bar-container .search-button{height:29px}.search-bar-container .search-bar-input{max-width:calc(100% - 30px - 30px - 20px)}.search-bar-container .search-button{margin-left:.5em;margin-right:.5em}.search-bar-container .icon-cancel{cursor:pointer}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./who_to_follow_panel.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"2f18dd03\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".who-to-follow *{vertical-align:middle}.who-to-follow img{width:32px;height:32px}.who-to-follow{padding:0 1em;margin:0}.who-to-follow-items{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;padding:0;margin:1em 0}.who-to-follow-more{padding:0;margin:1em 0;text-align:center}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!./settings_modal.scss\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7272e6fe\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".settings-modal{overflow:hidden}.settings-modal.peek .settings-modal-panel{transform:translateY(calc(((100vh - 100%) / 2 + 100%) - 50px))}@media (max-width:800px){.settings-modal.peek .settings-modal-panel{transform:translateY(calc(100% - 50px))}}.settings-modal .settings-modal-panel{overflow:hidden;transition:transform;transition-timing-function:ease-in-out;transition-duration:.3s;width:1000px;max-width:90vw;height:90vh}@media (max-width:800px){.settings-modal .settings-modal-panel{max-width:100vw;height:100%}}.settings-modal .settings-modal-panel>.panel-body{height:100%;overflow-y:hidden}.settings-modal .settings-modal-panel>.panel-body .btn{min-height:28px;min-width:10em;padding:0 2em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./modal.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"f7395e92\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".modal-view{z-index:1000;position:fixed;top:0;left:0;right:0;bottom:0;display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:center;align-items:center;overflow:auto;pointer-events:none;animation-duration:.2s;animation-name:modal-background-fadein;opacity:0}.modal-view>*{pointer-events:auto}.modal-view.modal-background{pointer-events:auto;background-color:rgba(0,0,0,.5)}.modal-view.open{opacity:1}@keyframes modal-background-fadein{0%{background-color:transparent}to{background-color:rgba(0,0,0,.5)}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./panel_loading.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"1c82888b\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".panel-loading{display:-ms-flexbox;display:flex;height:100%;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center;font-size:2em;color:#b9b9ba;color:var(--text,#b9b9ba)}.panel-loading .loading-text i{font-size:3em;line-height:0;vertical-align:middle;color:#b9b9ba;color:var(--text,#b9b9ba)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./async_component_error.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"2970b266\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".async-component-error{display:-ms-flexbox;display:flex;height:100%;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center}.async-component-error .btn{margin:.5em;padding:.5em 2em}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./media_modal.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"23b00cfc\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".modal-view.media-modal-view{z-index:1001}.modal-view.media-modal-view .modal-view-button-arrow{opacity:.75}.modal-view.media-modal-view .modal-view-button-arrow:focus,.modal-view.media-modal-view .modal-view-button-arrow:hover{outline:none;box-shadow:none}.modal-view.media-modal-view .modal-view-button-arrow:hover{opacity:1}.modal-image{max-width:90%;max-height:90%;box-shadow:0 5px 15px 0 rgba(0,0,0,.5);image-orientation:from-image}.modal-view-button-arrow{position:absolute;display:block;top:50%;margin-top:-50px;width:70px;height:100px;border:0;padding:0;opacity:0;box-shadow:none;background:none;-webkit-appearance:none;-moz-appearance:none;appearance:none;overflow:visible;cursor:pointer;transition:opacity 333ms cubic-bezier(.4,0,.22,1)}.modal-view-button-arrow .arrow-icon{position:absolute;top:35px;height:30px;width:32px;font-size:14px;line-height:30px;color:#fff;text-align:center;background-color:rgba(0,0,0,.3)}.modal-view-button-arrow--prev{left:0}.modal-view-button-arrow--prev .arrow-icon{left:6px}.modal-view-button-arrow--next{right:0}.modal-view-button-arrow--next .arrow-icon{right:6px}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./side_drawer.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"34992fba\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".side-drawer-container{position:fixed;z-index:1000;top:0;left:0;width:100%;height:100%;display:-ms-flexbox;display:flex;-ms-flex-align:stretch;align-items:stretch;transition-duration:0s;transition-property:transform}.side-drawer-container-open{transform:translate(0)}.side-drawer-container-closed{transition-delay:.35s;transform:translate(-100%)}.side-drawer-darken{top:0;left:0;width:100vw;height:100vh;position:fixed;z-index:-1;transition:.35s;transition-property:background-color;background-color:rgba(0,0,0,.5)}.side-drawer-darken-closed{background-color:transparent}.side-drawer-click-outside{-ms-flex:1 1 100%;flex:1 1 100%}.side-drawer{overflow-x:hidden;transition-timing-function:cubic-bezier(0,1,.5,1);transition:.35s;transition-property:transform;margin:0 0 0 -100px;padding:0 0 1em 100px;width:80%;max-width:20em;-ms-flex:0 0 80%;flex:0 0 80%;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);background-color:#121a24;background-color:var(--popover,#121a24);color:#d8a070;color:var(--popoverText,#d8a070);--faint:var(--popoverFaintText,$fallback--faint);--faintLink:var(--popoverFaintLink,$fallback--faint);--lightText:var(--popoverLightText,$fallback--lightText);--icon:var(--popoverIcon,$fallback--icon)}.side-drawer .button-icon:before{width:1.1em}.side-drawer-logo-wrapper{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;padding:.85em}.side-drawer-logo-wrapper img{-ms-flex:none;flex:none;height:50px;margin-right:.85em}.side-drawer-logo-wrapper span{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.side-drawer-click-outside-closed{-ms-flex:0 0 0px;flex:0 0 0}.side-drawer-closed{transform:translate(-100%)}.side-drawer-heading{background:transparent;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:stretch;align-items:stretch;display:-ms-flexbox;display:flex;padding:0;margin:0}.side-drawer ul{list-style:none;margin:0;padding:0;border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);margin:.2em 0}.side-drawer ul:last-child{border:0}.side-drawer li{padding:0}.side-drawer li a{display:block;padding:.5em .85em}.side-drawer li a:hover{background-color:#151e2a;background-color:var(--selectedMenuPopover,#151e2a);color:#b9b9ba;color:var(--selectedMenuPopoverText,#b9b9ba);--faint:var(--selectedMenuPopoverFaintText,$fallback--faint);--faintLink:var(--selectedMenuPopoverFaintLink,$fallback--faint);--lightText:var(--selectedMenuPopoverLightText,$fallback--lightText);--icon:var(--selectedMenuPopoverIcon,$fallback--icon)}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./mobile_post_status_button.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7f8eca07\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".new-status-button{width:5em;height:5em;border-radius:100%;position:fixed;bottom:1.5em;right:1.5em;background-color:#182230;background-color:var(--btn,#182230);display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;-ms-flex-align:center;align-items:center;box-shadow:0 2px 2px rgba(0,0,0,.3),0 4px 6px rgba(0,0,0,.3);z-index:10;transition:transform .35s;transition-timing-function:cubic-bezier(0,1,.5,1)}.new-status-button.hidden{transform:translateY(150%)}.new-status-button i{font-size:1.5em;color:#b9b9ba;color:var(--text,#b9b9ba)}@media (min-width:801px){.new-status-button{display:none}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./mobile_nav.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"1e0fbcf8\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".mobile-inner-nav{width:100%;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.mobile-nav-button{display:-ms-flexbox;display:flex;-ms-flex-pack:center;justify-content:center;width:50px;position:relative;cursor:pointer}.alert-dot{border-radius:100%;height:8px;width:8px;position:absolute;left:calc(50% - 4px);top:calc(50% - 4px);margin-left:6px;margin-top:-6px;background-color:red;background-color:var(--badgeNotification,red)}.mobile-notifications-drawer{width:100%;height:100vh;overflow-x:hidden;position:fixed;top:0;left:0;box-shadow:1px 1px 4px rgba(0,0,0,.6);box-shadow:var(--panelShadow);transition-property:transform;transition-duration:.25s;transform:translateX(0);z-index:1001;-webkit-overflow-scrolling:touch}.mobile-notifications-drawer.closed{transform:translateX(100%)}.mobile-notifications-header{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between;z-index:1;width:100%;height:50px;line-height:50px;position:absolute;color:var(--topBarText);background-color:#182230;background-color:var(--topBar,#182230);box-shadow:0 0 4px rgba(0,0,0,.6);box-shadow:var(--topBarShadow)}.mobile-notifications-header .title{font-size:1.3em;margin-left:.6em}.mobile-notifications{margin-top:50px;width:100vw;height:calc(100vh - 50px);overflow-x:hidden;overflow-y:scroll;color:#b9b9ba;color:var(--text,#b9b9ba);background-color:#121a24;background-color:var(--bg,#121a24)}.mobile-notifications .notifications{padding:0;border-radius:0;box-shadow:none}.mobile-notifications .notifications .panel{border-radius:0;margin:0;box-shadow:none}.mobile-notifications .notifications .panel:after{border-radius:0}.mobile-notifications .notifications .panel .panel-heading{border-radius:0;box-shadow:none}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./user_reporting_modal.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"10c04f96\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".user-reporting-panel{width:90vw;max-width:700px;min-height:20vh;max-height:80vh}.user-reporting-panel .panel-heading .title{text-align:center;-ms-flex:1;flex:1;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.user-reporting-panel .panel-body{display:-ms-flexbox;display:flex;-ms-flex-direction:column-reverse;flex-direction:column-reverse;border-top:1px solid;border-color:#222;border-color:var(--border,#222);overflow:hidden}.user-reporting-panel-left{padding:1.1em .7em .7em;line-height:1.4em;box-sizing:border-box}.user-reporting-panel-left>div{margin-bottom:1em}.user-reporting-panel-left>div:last-child{margin-bottom:0}.user-reporting-panel-left p{margin-top:0}.user-reporting-panel-left textarea.form-control{line-height:16px;resize:none;overflow:hidden;transition:min-height .2s .1s;min-height:44px;width:100%}.user-reporting-panel-left .btn{min-width:10em;padding:0 2em}.user-reporting-panel-left .alert{margin:1em 0 0;line-height:1.3em}.user-reporting-panel-right{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;overflow-y:auto}.user-reporting-panel-sitem{display:-ms-flexbox;display:flex;-ms-flex-pack:justify;justify-content:space-between}.user-reporting-panel-sitem>.Status{-ms-flex:1;flex:1}.user-reporting-panel-sitem>.checkbox{margin:.75em}@media (min-width:801px){.user-reporting-panel .panel-body{-ms-flex-direction:row;flex-direction:row}.user-reporting-panel-left{width:50%;max-width:320px;border-right:1px solid;border-color:#222;border-color:var(--border,#222);padding:1.1em}.user-reporting-panel-left>div{margin-bottom:2em}.user-reporting-panel-right{width:50%;-ms-flex:1 1 auto;flex:1 1 auto;margin-bottom:12px}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./post_status_modal.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"7628c2ae\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".modal-view.post-form-modal-view{-ms-flex-align:start;align-items:flex-start}.post-form-modal-panel{-ms-flex-negative:0;flex-shrink:0;margin-top:25%;margin-bottom:2em;width:100%;max-width:700px}@media (orientation:landscape){.post-form-modal-panel{margin-top:8%}}\", \"\"]);\n\n// exports\n","// style-loader: Adds some css to the DOM by adding a <style> tag\n\n// load the styles\nvar content = require(\"!!../../../node_modules/css-loader/index.js?minimize!../../../node_modules/vue-loader/lib/style-compiler/index.js?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!../../../node_modules/sass-loader/lib/loader.js!../../../node_modules/vue-loader/lib/selector.js?type=styles&index=0!./global_notice_list.vue\");\nif(typeof content === 'string') content = [[module.id, content, '']];\nif(content.locals) module.exports = content.locals;\n// add the styles to the DOM\nvar add = require(\"!../../../node_modules/vue-style-loader/lib/addStylesClient.js\").default\nvar update = add(\"cdffaf96\", content, true, {});","exports = module.exports = require(\"../../../node_modules/css-loader/lib/css-base.js\")(false);\n// imports\n\n\n// module\nexports.push([module.id, \".global-notice-list{position:fixed;top:50px;width:100%;pointer-events:none;z-index:1001;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;-ms-flex-align:center;align-items:center}.global-notice-list .global-notice{pointer-events:auto;text-align:center;width:40em;max-width:calc(100% - 3em);display:-ms-flexbox;display:flex;padding-left:1.5em;line-height:2em}.global-notice-list .global-notice .notice-message{-ms-flex:1 1 100%;flex:1 1 100%}.global-notice-list .global-notice i{-ms-flex:0 0;flex:0 0;width:1.5em;cursor:pointer}.global-notice-list .global-error{background-color:var(--alertPopupError,red)}.global-notice-list .global-error,.global-notice-list .global-error i{color:var(--alertPopupErrorText,#b9b9ba)}.global-notice-list .global-warning{background-color:var(--alertPopupWarning,orange)}.global-notice-list .global-warning,.global-notice-list .global-warning i{color:var(--alertPopupWarningText,#b9b9ba)}.global-notice-list .global-info{background-color:var(--alertPopupNeutral,#182230)}.global-notice-list .global-info,.global-notice-list .global-info i{color:var(--alertPopupNeutralText,#b9b9ba)}\", \"\"]);\n\n// exports\n","import EventTargetPolyfill from '@ungap/event-target'\n\ntry {\n /* eslint-disable no-new */\n new EventTarget()\n /* eslint-enable no-new */\n} catch (e) {\n window.EventTarget = EventTargetPolyfill\n}\n","import { set, delete as del } from 'vue'\n\nconst defaultState = {\n settingsModalState: 'hidden',\n settingsModalLoaded: false,\n settingsModalTargetTab: null,\n settings: {\n currentSaveStateNotice: null,\n noticeClearTimeout: null,\n notificationPermission: null\n },\n browserSupport: {\n cssFilter: window.CSS && window.CSS.supports && (\n window.CSS.supports('filter', 'drop-shadow(0 0)') ||\n window.CSS.supports('-webkit-filter', 'drop-shadow(0 0)')\n )\n },\n mobileLayout: false,\n globalNotices: [],\n layoutHeight: 0,\n lastTimeline: null\n}\n\nconst interfaceMod = {\n state: defaultState,\n mutations: {\n settingsSaved (state, { success, error }) {\n if (success) {\n if (state.noticeClearTimeout) {\n clearTimeout(state.noticeClearTimeout)\n }\n set(state.settings, 'currentSaveStateNotice', { error: false, data: success })\n set(state.settings, 'noticeClearTimeout',\n setTimeout(() => del(state.settings, 'currentSaveStateNotice'), 2000))\n } else {\n set(state.settings, 'currentSaveStateNotice', { error: true, errorData: error })\n }\n },\n setNotificationPermission (state, permission) {\n state.notificationPermission = permission\n },\n setMobileLayout (state, value) {\n state.mobileLayout = value\n },\n closeSettingsModal (state) {\n state.settingsModalState = 'hidden'\n },\n togglePeekSettingsModal (state) {\n switch (state.settingsModalState) {\n case 'minimized':\n state.settingsModalState = 'visible'\n return\n case 'visible':\n state.settingsModalState = 'minimized'\n return\n default:\n throw new Error('Illegal minimization state of settings modal')\n }\n },\n openSettingsModal (state) {\n state.settingsModalState = 'visible'\n if (!state.settingsModalLoaded) {\n state.settingsModalLoaded = true\n }\n },\n setSettingsModalTargetTab (state, value) {\n state.settingsModalTargetTab = value\n },\n pushGlobalNotice (state, notice) {\n state.globalNotices.push(notice)\n },\n removeGlobalNotice (state, notice) {\n state.globalNotices = state.globalNotices.filter(n => n !== notice)\n },\n setLayoutHeight (state, value) {\n state.layoutHeight = value\n },\n setLastTimeline (state, value) {\n state.lastTimeline = value\n }\n },\n actions: {\n setPageTitle ({ rootState }, option = '') {\n document.title = `${option} ${rootState.instance.name}`\n },\n settingsSaved ({ commit, dispatch }, { success, error }) {\n commit('settingsSaved', { success, error })\n },\n setNotificationPermission ({ commit }, permission) {\n commit('setNotificationPermission', permission)\n },\n setMobileLayout ({ commit }, value) {\n commit('setMobileLayout', value)\n },\n closeSettingsModal ({ commit }) {\n commit('closeSettingsModal')\n },\n openSettingsModal ({ commit }) {\n commit('openSettingsModal')\n },\n togglePeekSettingsModal ({ commit }) {\n commit('togglePeekSettingsModal')\n },\n clearSettingsModalTargetTab ({ commit }) {\n commit('setSettingsModalTargetTab', null)\n },\n openSettingsModalTab ({ commit }, value) {\n commit('setSettingsModalTargetTab', value)\n commit('openSettingsModal')\n },\n pushGlobalNotice (\n { commit, dispatch },\n {\n messageKey,\n messageArgs = {},\n level = 'error',\n timeout = 0\n }) {\n const notice = {\n messageKey,\n messageArgs,\n level\n }\n if (timeout) {\n setTimeout(() => dispatch('removeGlobalNotice', notice), timeout)\n }\n commit('pushGlobalNotice', notice)\n return notice\n },\n removeGlobalNotice ({ commit }, notice) {\n commit('removeGlobalNotice', notice)\n },\n setLayoutHeight ({ commit }, value) {\n commit('setLayoutHeight', value)\n },\n setLastTimeline ({ commit }, value) {\n commit('setLastTimeline', value)\n }\n }\n}\n\nexport default interfaceMod\n","import { set } from 'vue'\nimport { getPreset, applyTheme } from '../services/style_setter/style_setter.js'\nimport { CURRENT_VERSION } from '../services/theme_data/theme_data.service.js'\nimport apiService from '../services/api/api.service.js'\nimport { instanceDefaultProperties } from './config.js'\n\nconst defaultState = {\n // Stuff from apiConfig\n name: 'Pleroma FE',\n registrationOpen: true,\n server: 'http://localhost:4040/',\n textlimit: 5000,\n themeData: undefined,\n vapidPublicKey: undefined,\n\n // Stuff from static/config.json\n alwaysShowSubjectInput: true,\n defaultAvatar: '/images/avi.png',\n defaultBanner: '/images/banner.png',\n background: '/static/aurora_borealis.jpg',\n collapseMessageWithSubject: false,\n disableChat: false,\n greentext: false,\n hideFilteredStatuses: false,\n hideMutedPosts: false,\n hidePostStats: false,\n hideSitename: false,\n hideUserStats: false,\n loginMethod: 'password',\n logo: '/static/logo.png',\n logoMargin: '.2em',\n logoMask: true,\n minimalScopesMode: false,\n nsfwCensorImage: undefined,\n postContentType: 'text/plain',\n redirectRootLogin: '/main/friends',\n redirectRootNoLogin: '/main/all',\n scopeCopy: true,\n showFeaturesPanel: true,\n showInstanceSpecificPanel: false,\n sidebarRight: false,\n subjectLineBehavior: 'email',\n theme: 'pleroma-dark',\n\n // Nasty stuff\n customEmoji: [],\n customEmojiFetched: false,\n emoji: [],\n emojiFetched: false,\n pleromaBackend: true,\n postFormats: [],\n restrictedNicknames: [],\n safeDM: true,\n knownDomains: [],\n\n // Feature-set, apparently, not everything here is reported...\n chatAvailable: false,\n pleromaChatMessagesAvailable: false,\n gopherAvailable: false,\n mediaProxyAvailable: false,\n suggestionsEnabled: false,\n suggestionsWeb: '',\n\n // Html stuff\n instanceSpecificPanelContent: '',\n tos: '',\n\n // Version Information\n backendVersion: '',\n frontendVersion: '',\n\n pollsAvailable: false,\n pollLimits: {\n max_options: 4,\n max_option_chars: 255,\n min_expiration: 60,\n max_expiration: 60 * 60 * 24\n }\n}\n\nconst instance = {\n state: defaultState,\n mutations: {\n setInstanceOption (state, { name, value }) {\n if (typeof value !== 'undefined') {\n set(state, name, value)\n }\n },\n setKnownDomains (state, domains) {\n state.knownDomains = domains\n }\n },\n getters: {\n instanceDefaultConfig (state) {\n return instanceDefaultProperties\n .map(key => [key, state[key]])\n .reduce((acc, [key, value]) => ({ ...acc, [key]: value }), {})\n }\n },\n actions: {\n setInstanceOption ({ commit, dispatch }, { name, value }) {\n commit('setInstanceOption', { name, value })\n switch (name) {\n case 'name':\n dispatch('setPageTitle')\n break\n case 'chatAvailable':\n if (value) {\n dispatch('initializeSocket')\n }\n break\n case 'theme':\n dispatch('setTheme', value)\n break\n }\n },\n async getStaticEmoji ({ commit }) {\n try {\n const res = await window.fetch('/static/emoji.json')\n if (res.ok) {\n const values = await res.json()\n const emoji = Object.keys(values).map((key) => {\n return {\n displayText: key,\n imageUrl: false,\n replacement: values[key]\n }\n }).sort((a, b) => a.displayText - b.displayText)\n commit('setInstanceOption', { name: 'emoji', value: emoji })\n } else {\n throw (res)\n }\n } catch (e) {\n console.warn(\"Can't load static emoji\")\n console.warn(e)\n }\n },\n\n async getCustomEmoji ({ commit, state }) {\n try {\n const res = await window.fetch('/api/pleroma/emoji.json')\n if (res.ok) {\n const result = await res.json()\n const values = Array.isArray(result) ? Object.assign({}, ...result) : result\n const emoji = Object.entries(values).map(([key, value]) => {\n const imageUrl = value.image_url\n return {\n displayText: key,\n imageUrl: imageUrl ? state.server + imageUrl : value,\n tags: imageUrl ? value.tags.sort((a, b) => a > b ? 1 : 0) : ['utf'],\n replacement: `:${key}: `\n }\n // Technically could use tags but those are kinda useless right now,\n // should have been \"pack\" field, that would be more useful\n }).sort((a, b) => a.displayText.toLowerCase() > b.displayText.toLowerCase() ? 1 : 0)\n commit('setInstanceOption', { name: 'customEmoji', value: emoji })\n } else {\n throw (res)\n }\n } catch (e) {\n console.warn(\"Can't load custom emojis\")\n console.warn(e)\n }\n },\n\n setTheme ({ commit, rootState }, themeName) {\n commit('setInstanceOption', { name: 'theme', value: themeName })\n getPreset(themeName)\n .then(themeData => {\n commit('setInstanceOption', { name: 'themeData', value: themeData })\n // No need to apply theme if there's user theme already\n const { customTheme } = rootState.config\n if (customTheme) return\n\n // New theme presets don't have 'theme' property, they use 'source'\n const themeSource = themeData.source\n if (!themeData.theme || (themeSource && themeSource.themeEngineVersion === CURRENT_VERSION)) {\n applyTheme(themeSource)\n } else {\n applyTheme(themeData.theme)\n }\n })\n },\n fetchEmoji ({ dispatch, state }) {\n if (!state.customEmojiFetched) {\n state.customEmojiFetched = true\n dispatch('getCustomEmoji')\n }\n if (!state.emojiFetched) {\n state.emojiFetched = true\n dispatch('getStaticEmoji')\n }\n },\n\n async getKnownDomains ({ commit, rootState }) {\n try {\n const result = await apiService.fetchKnownDomains({\n credentials: rootState.users.currentUser.credentials\n })\n commit('setKnownDomains', result)\n } catch (e) {\n console.warn(\"Can't load known domains\")\n console.warn(e)\n }\n }\n }\n}\n\nexport default instance\n","import {\n remove,\n slice,\n each,\n findIndex,\n find,\n maxBy,\n minBy,\n merge,\n first,\n last,\n isArray,\n omitBy\n} from 'lodash'\nimport { set } from 'vue'\nimport { isStatusNotification, maybeShowNotification } from '../services/notification_utils/notification_utils.js'\nimport apiService from '../services/api/api.service.js'\n\nconst emptyTl = (userId = 0) => ({\n statuses: [],\n statusesObject: {},\n faves: [],\n visibleStatuses: [],\n visibleStatusesObject: {},\n newStatusCount: 0,\n maxId: 0,\n minId: 0,\n minVisibleId: 0,\n loading: false,\n followers: [],\n friends: [],\n userId,\n flushMarker: 0\n})\n\nconst emptyNotifications = () => ({\n desktopNotificationSilence: true,\n maxId: 0,\n minId: Number.POSITIVE_INFINITY,\n data: [],\n idStore: {},\n loading: false,\n error: false\n})\n\nexport const defaultState = () => ({\n allStatuses: [],\n allStatusesObject: {},\n conversationsObject: {},\n maxId: 0,\n notifications: emptyNotifications(),\n favorites: new Set(),\n error: false,\n errorData: null,\n timelines: {\n mentions: emptyTl(),\n public: emptyTl(),\n user: emptyTl(),\n favorites: emptyTl(),\n media: emptyTl(),\n publicAndExternal: emptyTl(),\n friends: emptyTl(),\n tag: emptyTl(),\n dms: emptyTl(),\n bookmarks: emptyTl()\n }\n})\n\nexport const prepareStatus = (status) => {\n // Set deleted flag\n status.deleted = false\n\n // To make the array reactive\n status.attachments = status.attachments || []\n\n return status\n}\n\nconst mergeOrAdd = (arr, obj, item) => {\n const oldItem = obj[item.id]\n\n if (oldItem) {\n // We already have this, so only merge the new info.\n // We ignore null values to avoid overwriting existing properties with missing data\n // we also skip 'user' because that is handled by users module\n merge(oldItem, omitBy(item, (v, k) => v === null || k === 'user'))\n // Reactivity fix.\n oldItem.attachments.splice(oldItem.attachments.length)\n return { item: oldItem, new: false }\n } else {\n // This is a new item, prepare it\n prepareStatus(item)\n arr.push(item)\n set(obj, item.id, item)\n return { item, new: true }\n }\n}\n\nconst sortById = (a, b) => {\n const seqA = Number(a.id)\n const seqB = Number(b.id)\n const isSeqA = !Number.isNaN(seqA)\n const isSeqB = !Number.isNaN(seqB)\n if (isSeqA && isSeqB) {\n return seqA > seqB ? -1 : 1\n } else if (isSeqA && !isSeqB) {\n return 1\n } else if (!isSeqA && isSeqB) {\n return -1\n } else {\n return a.id > b.id ? -1 : 1\n }\n}\n\nconst sortTimeline = (timeline) => {\n timeline.visibleStatuses = timeline.visibleStatuses.sort(sortById)\n timeline.statuses = timeline.statuses.sort(sortById)\n timeline.minVisibleId = (last(timeline.visibleStatuses) || {}).id\n return timeline\n}\n\n// Add status to the global storages (arrays and objects maintaining statuses) except timelines\nconst addStatusToGlobalStorage = (state, data) => {\n const result = mergeOrAdd(state.allStatuses, state.allStatusesObject, data)\n if (result.new) {\n // Add to conversation\n const status = result.item\n const conversationsObject = state.conversationsObject\n const conversationId = status.statusnet_conversation_id\n if (conversationsObject[conversationId]) {\n conversationsObject[conversationId].push(status)\n } else {\n set(conversationsObject, conversationId, [status])\n }\n }\n return result\n}\n\n// Remove status from the global storages (arrays and objects maintaining statuses) except timelines\nconst removeStatusFromGlobalStorage = (state, status) => {\n remove(state.allStatuses, { id: status.id })\n\n // TODO: Need to remove from allStatusesObject?\n\n // Remove possible notification\n remove(state.notifications.data, ({ action: { id } }) => id === status.id)\n\n // Remove from conversation\n const conversationId = status.statusnet_conversation_id\n if (state.conversationsObject[conversationId]) {\n remove(state.conversationsObject[conversationId], { id: status.id })\n }\n}\n\nconst addNewStatuses = (state, { statuses, showImmediately = false, timeline, user = {}, noIdUpdate = false, userId, pagination = {} }) => {\n // Sanity check\n if (!isArray(statuses)) {\n return false\n }\n\n const allStatuses = state.allStatuses\n const timelineObject = state.timelines[timeline]\n\n // Mismatch between API pagination and our internal minId/maxId tracking systems:\n // pagination.maxId is the oldest of the returned statuses when fetching older,\n // and pagination.minId is the newest when fetching newer. The names come directly\n // from the arguments they're supposed to be passed as for the next fetch.\n const minNew = pagination.maxId || (statuses.length > 0 ? minBy(statuses, 'id').id : 0)\n const maxNew = pagination.minId || (statuses.length > 0 ? maxBy(statuses, 'id').id : 0)\n\n const newer = timeline && (maxNew > timelineObject.maxId || timelineObject.maxId === 0) && statuses.length > 0\n const older = timeline && (minNew < timelineObject.minId || timelineObject.minId === 0) && statuses.length > 0\n\n if (!noIdUpdate && newer) {\n timelineObject.maxId = maxNew\n }\n if (!noIdUpdate && older) {\n timelineObject.minId = minNew\n }\n\n // This makes sure that user timeline won't get data meant for other\n // user. I.e. opening different user profiles makes request which could\n // return data late after user already viewing different user profile\n if ((timeline === 'user' || timeline === 'media') && timelineObject.userId !== userId) {\n return\n }\n\n const addStatus = (data, showImmediately, addToTimeline = true) => {\n const result = addStatusToGlobalStorage(state, data)\n const status = result.item\n\n if (result.new) {\n // We are mentioned in a post\n if (status.type === 'status' && find(status.attentions, { id: user.id })) {\n const mentions = state.timelines.mentions\n\n // Add the mention to the mentions timeline\n if (timelineObject !== mentions) {\n mergeOrAdd(mentions.statuses, mentions.statusesObject, status)\n mentions.newStatusCount += 1\n\n sortTimeline(mentions)\n }\n }\n if (status.visibility === 'direct') {\n const dms = state.timelines.dms\n\n mergeOrAdd(dms.statuses, dms.statusesObject, status)\n dms.newStatusCount += 1\n\n sortTimeline(dms)\n }\n }\n\n // Decide if we should treat the status as new for this timeline.\n let resultForCurrentTimeline\n // Some statuses should only be added to the global status repository.\n if (timeline && addToTimeline) {\n resultForCurrentTimeline = mergeOrAdd(timelineObject.statuses, timelineObject.statusesObject, status)\n }\n\n if (timeline && showImmediately) {\n // Add it directly to the visibleStatuses, don't change\n // newStatusCount\n mergeOrAdd(timelineObject.visibleStatuses, timelineObject.visibleStatusesObject, status)\n } else if (timeline && addToTimeline && resultForCurrentTimeline.new) {\n // Just change newStatuscount\n timelineObject.newStatusCount += 1\n }\n\n return status\n }\n\n const favoriteStatus = (favorite, counter) => {\n const status = find(allStatuses, { id: favorite.in_reply_to_status_id })\n if (status) {\n // This is our favorite, so the relevant bit.\n if (favorite.user.id === user.id) {\n status.favorited = true\n } else {\n status.fave_num += 1\n }\n }\n return status\n }\n\n const processors = {\n 'status': (status) => {\n addStatus(status, showImmediately)\n },\n 'retweet': (status) => {\n // RetweetedStatuses are never shown immediately\n const retweetedStatus = addStatus(status.retweeted_status, false, false)\n\n let retweet\n // If the retweeted status is already there, don't add the retweet\n // to the timeline.\n if (timeline && find(timelineObject.statuses, (s) => {\n if (s.retweeted_status) {\n return s.id === retweetedStatus.id || s.retweeted_status.id === retweetedStatus.id\n } else {\n return s.id === retweetedStatus.id\n }\n })) {\n // Already have it visible (either as the original or another RT), don't add to timeline, don't show.\n retweet = addStatus(status, false, false)\n } else {\n retweet = addStatus(status, showImmediately)\n }\n\n retweet.retweeted_status = retweetedStatus\n },\n 'favorite': (favorite) => {\n // Only update if this is a new favorite.\n // Ignore our own favorites because we get info about likes as response to like request\n if (!state.favorites.has(favorite.id)) {\n state.favorites.add(favorite.id)\n favoriteStatus(favorite)\n }\n },\n 'deletion': (deletion) => {\n const uri = deletion.uri\n const status = find(allStatuses, { uri })\n if (!status) {\n return\n }\n\n removeStatusFromGlobalStorage(state, status)\n\n if (timeline) {\n remove(timelineObject.statuses, { uri })\n remove(timelineObject.visibleStatuses, { uri })\n }\n },\n 'follow': (follow) => {\n // NOOP, it is known status but we don't do anything about it for now\n },\n 'default': (unknown) => {\n console.log('unknown status type')\n console.log(unknown)\n }\n }\n\n each(statuses, (status) => {\n const type = status.type\n const processor = processors[type] || processors['default']\n processor(status)\n })\n\n // Keep the visible statuses sorted\n if (timeline && !(timeline === 'bookmarks')) {\n sortTimeline(timelineObject)\n }\n}\n\nconst addNewNotifications = (state, { dispatch, notifications, older, visibleNotificationTypes, rootGetters, newNotificationSideEffects }) => {\n each(notifications, (notification) => {\n if (isStatusNotification(notification.type)) {\n notification.action = addStatusToGlobalStorage(state, notification.action).item\n notification.status = notification.status && addStatusToGlobalStorage(state, notification.status).item\n }\n\n if (notification.type === 'pleroma:emoji_reaction') {\n dispatch('fetchEmojiReactionsBy', notification.status.id)\n }\n\n // Only add a new notification if we don't have one for the same action\n if (!state.notifications.idStore.hasOwnProperty(notification.id)) {\n state.notifications.maxId = notification.id > state.notifications.maxId\n ? notification.id\n : state.notifications.maxId\n state.notifications.minId = notification.id < state.notifications.minId\n ? notification.id\n : state.notifications.minId\n\n state.notifications.data.push(notification)\n state.notifications.idStore[notification.id] = notification\n\n newNotificationSideEffects(notification)\n } else if (notification.seen) {\n state.notifications.idStore[notification.id].seen = true\n }\n })\n}\n\nconst removeStatus = (state, { timeline, userId }) => {\n const timelineObject = state.timelines[timeline]\n if (userId) {\n remove(timelineObject.statuses, { user: { id: userId } })\n remove(timelineObject.visibleStatuses, { user: { id: userId } })\n timelineObject.minVisibleId = timelineObject.visibleStatuses.length > 0 ? last(timelineObject.visibleStatuses).id : 0\n timelineObject.maxId = timelineObject.statuses.length > 0 ? first(timelineObject.statuses).id : 0\n }\n}\n\nexport const mutations = {\n addNewStatuses,\n addNewNotifications,\n removeStatus,\n showNewStatuses (state, { timeline }) {\n const oldTimeline = (state.timelines[timeline])\n\n oldTimeline.newStatusCount = 0\n oldTimeline.visibleStatuses = slice(oldTimeline.statuses, 0, 50)\n oldTimeline.minVisibleId = last(oldTimeline.visibleStatuses).id\n oldTimeline.minId = oldTimeline.minVisibleId\n oldTimeline.visibleStatusesObject = {}\n each(oldTimeline.visibleStatuses, (status) => { oldTimeline.visibleStatusesObject[status.id] = status })\n },\n resetStatuses (state) {\n const emptyState = defaultState()\n Object.entries(emptyState).forEach(([key, value]) => {\n state[key] = value\n })\n },\n clearTimeline (state, { timeline, excludeUserId = false }) {\n const userId = excludeUserId ? state.timelines[timeline].userId : undefined\n state.timelines[timeline] = emptyTl(userId)\n },\n clearNotifications (state) {\n state.notifications = emptyNotifications()\n },\n setFavorited (state, { status, value }) {\n const newStatus = state.allStatusesObject[status.id]\n\n if (newStatus.favorited !== value) {\n if (value) {\n newStatus.fave_num++\n } else {\n newStatus.fave_num--\n }\n }\n\n newStatus.favorited = value\n },\n setFavoritedConfirm (state, { status, user }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.favorited = status.favorited\n newStatus.fave_num = status.fave_num\n const index = findIndex(newStatus.favoritedBy, { id: user.id })\n if (index !== -1 && !newStatus.favorited) {\n newStatus.favoritedBy.splice(index, 1)\n } else if (index === -1 && newStatus.favorited) {\n newStatus.favoritedBy.push(user)\n }\n },\n setMutedStatus (state, status) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.thread_muted = status.thread_muted\n\n if (newStatus.thread_muted !== undefined) {\n state.conversationsObject[newStatus.statusnet_conversation_id].forEach(status => { status.thread_muted = newStatus.thread_muted })\n }\n },\n setRetweeted (state, { status, value }) {\n const newStatus = state.allStatusesObject[status.id]\n\n if (newStatus.repeated !== value) {\n if (value) {\n newStatus.repeat_num++\n } else {\n newStatus.repeat_num--\n }\n }\n\n newStatus.repeated = value\n },\n setRetweetedConfirm (state, { status, user }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.repeated = status.repeated\n newStatus.repeat_num = status.repeat_num\n const index = findIndex(newStatus.rebloggedBy, { id: user.id })\n if (index !== -1 && !newStatus.repeated) {\n newStatus.rebloggedBy.splice(index, 1)\n } else if (index === -1 && newStatus.repeated) {\n newStatus.rebloggedBy.push(user)\n }\n },\n setBookmarked (state, { status, value }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.bookmarked = value\n },\n setBookmarkedConfirm (state, { status }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.bookmarked = status.bookmarked\n },\n setDeleted (state, { status }) {\n const newStatus = state.allStatusesObject[status.id]\n if (newStatus) newStatus.deleted = true\n },\n setManyDeleted (state, condition) {\n Object.values(state.allStatusesObject).forEach(status => {\n if (condition(status)) {\n status.deleted = true\n }\n })\n },\n setLoading (state, { timeline, value }) {\n state.timelines[timeline].loading = value\n },\n setNsfw (state, { id, nsfw }) {\n const newStatus = state.allStatusesObject[id]\n newStatus.nsfw = nsfw\n },\n setError (state, { value }) {\n state.error = value\n },\n setErrorData (state, { value }) {\n state.errorData = value\n },\n setNotificationsLoading (state, { value }) {\n state.notifications.loading = value\n },\n setNotificationsError (state, { value }) {\n state.notifications.error = value\n },\n setNotificationsSilence (state, { value }) {\n state.notifications.desktopNotificationSilence = value\n },\n markNotificationsAsSeen (state) {\n each(state.notifications.data, (notification) => {\n notification.seen = true\n })\n },\n markSingleNotificationAsSeen (state, { id }) {\n const notification = find(state.notifications.data, n => n.id === id)\n if (notification) notification.seen = true\n },\n dismissNotification (state, { id }) {\n state.notifications.data = state.notifications.data.filter(n => n.id !== id)\n },\n dismissNotifications (state, { finder }) {\n state.notifications.data = state.notifications.data.filter(n => finder)\n },\n updateNotification (state, { id, updater }) {\n const notification = find(state.notifications.data, n => n.id === id)\n notification && updater(notification)\n },\n queueFlush (state, { timeline, id }) {\n state.timelines[timeline].flushMarker = id\n },\n queueFlushAll (state) {\n Object.keys(state.timelines).forEach((timeline) => {\n state.timelines[timeline].flushMarker = state.timelines[timeline].maxId\n })\n },\n addRepeats (state, { id, rebloggedByUsers, currentUser }) {\n const newStatus = state.allStatusesObject[id]\n newStatus.rebloggedBy = rebloggedByUsers.filter(_ => _)\n // repeats stats can be incorrect based on polling condition, let's update them using the most recent data\n newStatus.repeat_num = newStatus.rebloggedBy.length\n newStatus.repeated = !!newStatus.rebloggedBy.find(({ id }) => currentUser.id === id)\n },\n addFavs (state, { id, favoritedByUsers, currentUser }) {\n const newStatus = state.allStatusesObject[id]\n newStatus.favoritedBy = favoritedByUsers.filter(_ => _)\n // favorites stats can be incorrect based on polling condition, let's update them using the most recent data\n newStatus.fave_num = newStatus.favoritedBy.length\n newStatus.favorited = !!newStatus.favoritedBy.find(({ id }) => currentUser.id === id)\n },\n addEmojiReactionsBy (state, { id, emojiReactions, currentUser }) {\n const status = state.allStatusesObject[id]\n set(status, 'emoji_reactions', emojiReactions)\n },\n addOwnReaction (state, { id, emoji, currentUser }) {\n const status = state.allStatusesObject[id]\n const reactionIndex = findIndex(status.emoji_reactions, { name: emoji })\n const reaction = status.emoji_reactions[reactionIndex] || { name: emoji, count: 0, accounts: [] }\n\n const newReaction = {\n ...reaction,\n count: reaction.count + 1,\n me: true,\n accounts: [\n ...reaction.accounts,\n currentUser\n ]\n }\n\n // Update count of existing reaction if it exists, otherwise append at the end\n if (reactionIndex >= 0) {\n set(status.emoji_reactions, reactionIndex, newReaction)\n } else {\n set(status, 'emoji_reactions', [...status.emoji_reactions, newReaction])\n }\n },\n removeOwnReaction (state, { id, emoji, currentUser }) {\n const status = state.allStatusesObject[id]\n const reactionIndex = findIndex(status.emoji_reactions, { name: emoji })\n if (reactionIndex < 0) return\n\n const reaction = status.emoji_reactions[reactionIndex]\n const accounts = reaction.accounts || []\n\n const newReaction = {\n ...reaction,\n count: reaction.count - 1,\n me: false,\n accounts: accounts.filter(acc => acc.id !== currentUser.id)\n }\n\n if (newReaction.count > 0) {\n set(status.emoji_reactions, reactionIndex, newReaction)\n } else {\n set(status, 'emoji_reactions', status.emoji_reactions.filter(r => r.name !== emoji))\n }\n },\n updateStatusWithPoll (state, { id, poll }) {\n const status = state.allStatusesObject[id]\n status.poll = poll\n }\n}\n\nconst statuses = {\n state: defaultState(),\n actions: {\n addNewStatuses ({ rootState, commit }, { statuses, showImmediately = false, timeline = false, noIdUpdate = false, userId, pagination }) {\n commit('addNewStatuses', { statuses, showImmediately, timeline, noIdUpdate, user: rootState.users.currentUser, userId, pagination })\n },\n addNewNotifications (store, { notifications, older }) {\n const { commit, dispatch, rootGetters } = store\n\n const newNotificationSideEffects = (notification) => {\n maybeShowNotification(store, notification)\n }\n commit('addNewNotifications', { dispatch, notifications, older, rootGetters, newNotificationSideEffects })\n },\n setError ({ rootState, commit }, { value }) {\n commit('setError', { value })\n },\n setErrorData ({ rootState, commit }, { value }) {\n commit('setErrorData', { value })\n },\n setNotificationsLoading ({ rootState, commit }, { value }) {\n commit('setNotificationsLoading', { value })\n },\n setNotificationsError ({ rootState, commit }, { value }) {\n commit('setNotificationsError', { value })\n },\n setNotificationsSilence ({ rootState, commit }, { value }) {\n commit('setNotificationsSilence', { value })\n },\n fetchStatus ({ rootState, dispatch }, id) {\n return rootState.api.backendInteractor.fetchStatus({ id })\n .then((status) => dispatch('addNewStatuses', { statuses: [status] }))\n },\n deleteStatus ({ rootState, commit }, status) {\n commit('setDeleted', { status })\n apiService.deleteStatus({ id: status.id, credentials: rootState.users.currentUser.credentials })\n },\n markStatusesAsDeleted ({ commit }, condition) {\n commit('setManyDeleted', condition)\n },\n favorite ({ rootState, commit }, status) {\n // Optimistic favoriting...\n commit('setFavorited', { status, value: true })\n rootState.api.backendInteractor.favorite({ id: status.id })\n .then(status => commit('setFavoritedConfirm', { status, user: rootState.users.currentUser }))\n },\n unfavorite ({ rootState, commit }, status) {\n // Optimistic unfavoriting...\n commit('setFavorited', { status, value: false })\n rootState.api.backendInteractor.unfavorite({ id: status.id })\n .then(status => commit('setFavoritedConfirm', { status, user: rootState.users.currentUser }))\n },\n fetchPinnedStatuses ({ rootState, dispatch }, userId) {\n rootState.api.backendInteractor.fetchPinnedStatuses({ id: userId })\n .then(statuses => dispatch('addNewStatuses', { statuses, timeline: 'user', userId, showImmediately: true, noIdUpdate: true }))\n },\n pinStatus ({ rootState, dispatch }, statusId) {\n return rootState.api.backendInteractor.pinOwnStatus({ id: statusId })\n .then((status) => dispatch('addNewStatuses', { statuses: [status] }))\n },\n unpinStatus ({ rootState, dispatch }, statusId) {\n rootState.api.backendInteractor.unpinOwnStatus({ id: statusId })\n .then((status) => dispatch('addNewStatuses', { statuses: [status] }))\n },\n muteConversation ({ rootState, commit }, statusId) {\n return rootState.api.backendInteractor.muteConversation({ id: statusId })\n .then((status) => commit('setMutedStatus', status))\n },\n unmuteConversation ({ rootState, commit }, statusId) {\n return rootState.api.backendInteractor.unmuteConversation({ id: statusId })\n .then((status) => commit('setMutedStatus', status))\n },\n retweet ({ rootState, commit }, status) {\n // Optimistic retweeting...\n commit('setRetweeted', { status, value: true })\n rootState.api.backendInteractor.retweet({ id: status.id })\n .then(status => commit('setRetweetedConfirm', { status: status.retweeted_status, user: rootState.users.currentUser }))\n },\n unretweet ({ rootState, commit }, status) {\n // Optimistic unretweeting...\n commit('setRetweeted', { status, value: false })\n rootState.api.backendInteractor.unretweet({ id: status.id })\n .then(status => commit('setRetweetedConfirm', { status, user: rootState.users.currentUser }))\n },\n bookmark ({ rootState, commit }, status) {\n commit('setBookmarked', { status, value: true })\n rootState.api.backendInteractor.bookmarkStatus({ id: status.id })\n .then(status => {\n commit('setBookmarkedConfirm', { status })\n })\n },\n unbookmark ({ rootState, commit }, status) {\n commit('setBookmarked', { status, value: false })\n rootState.api.backendInteractor.unbookmarkStatus({ id: status.id })\n .then(status => {\n commit('setBookmarkedConfirm', { status })\n })\n },\n queueFlush ({ rootState, commit }, { timeline, id }) {\n commit('queueFlush', { timeline, id })\n },\n queueFlushAll ({ rootState, commit }) {\n commit('queueFlushAll')\n },\n markNotificationsAsSeen ({ rootState, commit }) {\n commit('markNotificationsAsSeen')\n apiService.markNotificationsAsSeen({\n id: rootState.statuses.notifications.maxId,\n credentials: rootState.users.currentUser.credentials\n })\n },\n markSingleNotificationAsSeen ({ rootState, commit }, { id }) {\n commit('markSingleNotificationAsSeen', { id })\n apiService.markNotificationsAsSeen({\n single: true,\n id,\n credentials: rootState.users.currentUser.credentials\n })\n },\n dismissNotificationLocal ({ rootState, commit }, { id }) {\n commit('dismissNotification', { id })\n },\n dismissNotification ({ rootState, commit }, { id }) {\n commit('dismissNotification', { id })\n rootState.api.backendInteractor.dismissNotification({ id })\n },\n updateNotification ({ rootState, commit }, { id, updater }) {\n commit('updateNotification', { id, updater })\n },\n fetchFavsAndRepeats ({ rootState, commit }, id) {\n Promise.all([\n rootState.api.backendInteractor.fetchFavoritedByUsers({ id }),\n rootState.api.backendInteractor.fetchRebloggedByUsers({ id })\n ]).then(([favoritedByUsers, rebloggedByUsers]) => {\n commit('addFavs', { id, favoritedByUsers, currentUser: rootState.users.currentUser })\n commit('addRepeats', { id, rebloggedByUsers, currentUser: rootState.users.currentUser })\n })\n },\n reactWithEmoji ({ rootState, dispatch, commit }, { id, emoji }) {\n const currentUser = rootState.users.currentUser\n if (!currentUser) return\n\n commit('addOwnReaction', { id, emoji, currentUser })\n rootState.api.backendInteractor.reactWithEmoji({ id, emoji }).then(\n ok => {\n dispatch('fetchEmojiReactionsBy', id)\n }\n )\n },\n unreactWithEmoji ({ rootState, dispatch, commit }, { id, emoji }) {\n const currentUser = rootState.users.currentUser\n if (!currentUser) return\n\n commit('removeOwnReaction', { id, emoji, currentUser })\n rootState.api.backendInteractor.unreactWithEmoji({ id, emoji }).then(\n ok => {\n dispatch('fetchEmojiReactionsBy', id)\n }\n )\n },\n fetchEmojiReactionsBy ({ rootState, commit }, id) {\n rootState.api.backendInteractor.fetchEmojiReactions({ id }).then(\n emojiReactions => {\n commit('addEmojiReactionsBy', { id, emojiReactions, currentUser: rootState.users.currentUser })\n }\n )\n },\n fetchFavs ({ rootState, commit }, id) {\n rootState.api.backendInteractor.fetchFavoritedByUsers({ id })\n .then(favoritedByUsers => commit('addFavs', { id, favoritedByUsers, currentUser: rootState.users.currentUser }))\n },\n fetchRepeats ({ rootState, commit }, id) {\n rootState.api.backendInteractor.fetchRebloggedByUsers({ id })\n .then(rebloggedByUsers => commit('addRepeats', { id, rebloggedByUsers, currentUser: rootState.users.currentUser }))\n },\n search (store, { q, resolve, limit, offset, following }) {\n return store.rootState.api.backendInteractor.search2({ q, resolve, limit, offset, following })\n .then((data) => {\n store.commit('addNewUsers', data.accounts)\n store.commit('addNewStatuses', { statuses: data.statuses })\n return data\n })\n }\n },\n mutations\n}\n\nexport default statuses\n","import { camelCase } from 'lodash'\n\nimport apiService from '../api/api.service.js'\n\nconst update = ({ store, statuses, timeline, showImmediately, userId, pagination }) => {\n const ccTimeline = camelCase(timeline)\n\n store.dispatch('setError', { value: false })\n store.dispatch('setErrorData', { value: null })\n\n store.dispatch('addNewStatuses', {\n timeline: ccTimeline,\n userId,\n statuses,\n showImmediately,\n pagination\n })\n}\n\nconst fetchAndUpdate = ({\n store,\n credentials,\n timeline = 'friends',\n older = false,\n showImmediately = false,\n userId = false,\n tag = false,\n until\n}) => {\n const args = { timeline, credentials }\n const rootState = store.rootState || store.state\n const { getters } = store\n const timelineData = rootState.statuses.timelines[camelCase(timeline)]\n const { hideMutedPosts, replyVisibility } = getters.mergedConfig\n const loggedIn = !!rootState.users.currentUser\n\n if (older) {\n args['until'] = until || timelineData.minId\n } else {\n args['since'] = timelineData.maxId\n }\n\n args['userId'] = userId\n args['tag'] = tag\n args['withMuted'] = !hideMutedPosts\n if (loggedIn && ['friends', 'public', 'publicAndExternal'].includes(timeline)) {\n args['replyVisibility'] = replyVisibility\n }\n\n const numStatusesBeforeFetch = timelineData.statuses.length\n\n return apiService.fetchTimeline(args)\n .then(response => {\n if (response.error) {\n store.dispatch('setErrorData', { value: response })\n return\n }\n\n const { data: statuses, pagination } = response\n if (!older && statuses.length >= 20 && !timelineData.loading && numStatusesBeforeFetch > 0) {\n store.dispatch('queueFlush', { timeline: timeline, id: timelineData.maxId })\n }\n update({ store, statuses, timeline, showImmediately, userId, pagination })\n return { statuses, pagination }\n }, () => store.dispatch('setError', { value: true }))\n}\n\nconst startFetching = ({ timeline = 'friends', credentials, store, userId = false, tag = false }) => {\n const rootState = store.rootState || store.state\n const timelineData = rootState.statuses.timelines[camelCase(timeline)]\n const showImmediately = timelineData.visibleStatuses.length === 0\n timelineData.userId = userId\n fetchAndUpdate({ timeline, credentials, store, showImmediately, userId, tag })\n const boundFetchAndUpdate = () => fetchAndUpdate({ timeline, credentials, store, userId, tag })\n return setInterval(boundFetchAndUpdate, 10000)\n}\nconst timelineFetcher = {\n fetchAndUpdate,\n startFetching\n}\n\nexport default timelineFetcher\n","import apiService from '../api/api.service.js'\n\nconst update = ({ store, notifications, older }) => {\n store.dispatch('setNotificationsError', { value: false })\n store.dispatch('addNewNotifications', { notifications, older })\n}\n\nconst fetchAndUpdate = ({ store, credentials, older = false }) => {\n const args = { credentials }\n const { getters } = store\n const rootState = store.rootState || store.state\n const timelineData = rootState.statuses.notifications\n const hideMutedPosts = getters.mergedConfig.hideMutedPosts\n const allowFollowingMove = rootState.users.currentUser.allow_following_move\n\n args['withMuted'] = !hideMutedPosts\n\n args['withMove'] = !allowFollowingMove\n\n args['timeline'] = 'notifications'\n if (older) {\n if (timelineData.minId !== Number.POSITIVE_INFINITY) {\n args['until'] = timelineData.minId\n }\n return fetchNotifications({ store, args, older })\n } else {\n // fetch new notifications\n if (timelineData.maxId !== Number.POSITIVE_INFINITY) {\n args['since'] = timelineData.maxId\n }\n const result = fetchNotifications({ store, args, older })\n\n // If there's any unread notifications, try fetch notifications since\n // the newest read notification to check if any of the unread notifs\n // have changed their 'seen' state (marked as read in another session), so\n // we can update the state in this session to mark them as read as well.\n // The normal maxId-check does not tell if older notifications have changed\n const notifications = timelineData.data\n const readNotifsIds = notifications.filter(n => n.seen).map(n => n.id)\n const numUnseenNotifs = notifications.length - readNotifsIds.length\n if (numUnseenNotifs > 0 && readNotifsIds.length > 0) {\n args['since'] = Math.max(...readNotifsIds)\n fetchNotifications({ store, args, older })\n }\n return result\n }\n}\n\nconst fetchNotifications = ({ store, args, older }) => {\n return apiService.fetchTimeline(args)\n .then(({ data: notifications }) => {\n update({ store, notifications, older })\n return notifications\n }, () => store.dispatch('setNotificationsError', { value: true }))\n .catch(() => store.dispatch('setNotificationsError', { value: true }))\n}\n\nconst startFetching = ({ credentials, store }) => {\n fetchAndUpdate({ credentials, store })\n const boundFetchAndUpdate = () => fetchAndUpdate({ credentials, store })\n // Initially there's set flag to silence all desktop notifications so\n // that there won't spam of them when user just opened up the FE we\n // reset that flag after a while to show new notifications once again.\n setTimeout(() => store.dispatch('setNotificationsSilence', false), 10000)\n return setInterval(boundFetchAndUpdate, 10000)\n}\n\nconst notificationsFetcher = {\n fetchAndUpdate,\n startFetching\n}\n\nexport default notificationsFetcher\n","import apiService from '../api/api.service.js'\n\nconst fetchAndUpdate = ({ store, credentials }) => {\n return apiService.fetchFollowRequests({ credentials })\n .then((requests) => {\n store.commit('setFollowRequests', requests)\n store.commit('addNewUsers', requests)\n }, () => {})\n .catch(() => {})\n}\n\nconst startFetching = ({ credentials, store }) => {\n fetchAndUpdate({ credentials, store })\n const boundFetchAndUpdate = () => fetchAndUpdate({ credentials, store })\n return setInterval(boundFetchAndUpdate, 10000)\n}\n\nconst followRequestFetcher = {\n startFetching\n}\n\nexport default followRequestFetcher\n","import apiService, { getMastodonSocketURI, ProcessedWS } from '../api/api.service.js'\nimport timelineFetcherService from '../timeline_fetcher/timeline_fetcher.service.js'\nimport notificationsFetcher from '../notifications_fetcher/notifications_fetcher.service.js'\nimport followRequestFetcher from '../../services/follow_request_fetcher/follow_request_fetcher.service'\n\nconst backendInteractorService = credentials => ({\n startFetchingTimeline ({ timeline, store, userId = false, tag }) {\n return timelineFetcherService.startFetching({ timeline, store, credentials, userId, tag })\n },\n\n startFetchingNotifications ({ store }) {\n return notificationsFetcher.startFetching({ store, credentials })\n },\n\n startFetchingFollowRequests ({ store }) {\n return followRequestFetcher.startFetching({ store, credentials })\n },\n\n startUserSocket ({ store }) {\n const serv = store.rootState.instance.server.replace('http', 'ws')\n const url = serv + getMastodonSocketURI({ credentials, stream: 'user' })\n return ProcessedWS({ url, id: 'User' })\n },\n\n ...Object.entries(apiService).reduce((acc, [key, func]) => {\n return {\n ...acc,\n [key]: (args) => func({ credentials, ...args })\n }\n }, {}),\n\n verifyCredentials: apiService.verifyCredentials\n})\n\nexport default backendInteractorService\n","import { reduce } from 'lodash'\n\nconst REDIRECT_URI = `${window.location.origin}/oauth-callback`\n\nexport const getOrCreateApp = ({ clientId, clientSecret, instance, commit }) => {\n if (clientId && clientSecret) {\n return Promise.resolve({ clientId, clientSecret })\n }\n\n const url = `${instance}/api/v1/apps`\n const form = new window.FormData()\n\n form.append('client_name', `PleromaFE_${window.___pleromafe_commit_hash}_${(new Date()).toISOString()}`)\n form.append('redirect_uris', REDIRECT_URI)\n form.append('scopes', 'read write follow push admin')\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n })\n .then((data) => data.json())\n .then((app) => ({ clientId: app.client_id, clientSecret: app.client_secret }))\n .then((app) => commit('setClientData', app) || app)\n}\n\nconst login = ({ instance, clientId }) => {\n const data = {\n response_type: 'code',\n client_id: clientId,\n redirect_uri: REDIRECT_URI,\n scope: 'read write follow push admin'\n }\n\n const dataString = reduce(data, (acc, v, k) => {\n const encoded = `${k}=${encodeURIComponent(v)}`\n if (!acc) {\n return encoded\n } else {\n return `${acc}&${encoded}`\n }\n }, false)\n\n // Do the redirect...\n const url = `${instance}/oauth/authorize?${dataString}`\n\n window.location.href = url\n}\n\nconst getTokenWithCredentials = ({ clientId, clientSecret, instance, username, password }) => {\n const url = `${instance}/oauth/token`\n const form = new window.FormData()\n\n form.append('client_id', clientId)\n form.append('client_secret', clientSecret)\n form.append('grant_type', 'password')\n form.append('username', username)\n form.append('password', password)\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst getToken = ({ clientId, clientSecret, instance, code }) => {\n const url = `${instance}/oauth/token`\n const form = new window.FormData()\n\n form.append('client_id', clientId)\n form.append('client_secret', clientSecret)\n form.append('grant_type', 'authorization_code')\n form.append('code', code)\n form.append('redirect_uri', `${window.location.origin}/oauth-callback`)\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n })\n .then((data) => data.json())\n}\n\nexport const getClientToken = ({ clientId, clientSecret, instance }) => {\n const url = `${instance}/oauth/token`\n const form = new window.FormData()\n\n form.append('client_id', clientId)\n form.append('client_secret', clientSecret)\n form.append('grant_type', 'client_credentials')\n form.append('redirect_uri', `${window.location.origin}/oauth-callback`)\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\nconst verifyOTPCode = ({ app, instance, mfaToken, code }) => {\n const url = `${instance}/oauth/mfa/challenge`\n const form = new window.FormData()\n\n form.append('client_id', app.client_id)\n form.append('client_secret', app.client_secret)\n form.append('mfa_token', mfaToken)\n form.append('code', code)\n form.append('challenge_type', 'totp')\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst verifyRecoveryCode = ({ app, instance, mfaToken, code }) => {\n const url = `${instance}/oauth/mfa/challenge`\n const form = new window.FormData()\n\n form.append('client_id', app.client_id)\n form.append('client_secret', app.client_secret)\n form.append('mfa_token', mfaToken)\n form.append('code', code)\n form.append('challenge_type', 'recovery')\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst revokeToken = ({ app, instance, token }) => {\n const url = `${instance}/oauth/revoke`\n const form = new window.FormData()\n\n form.append('client_id', app.clientId)\n form.append('client_secret', app.clientSecret)\n form.append('token', token)\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst oauth = {\n login,\n getToken,\n getTokenWithCredentials,\n getOrCreateApp,\n verifyOTPCode,\n verifyRecoveryCode,\n revokeToken\n}\n\nexport default oauth\n","import runtime from 'serviceworker-webpack-plugin/lib/runtime'\n\nfunction urlBase64ToUint8Array (base64String) {\n const padding = '='.repeat((4 - base64String.length % 4) % 4)\n const base64 = (base64String + padding)\n .replace(/-/g, '+')\n .replace(/_/g, '/')\n\n const rawData = window.atob(base64)\n return Uint8Array.from([...rawData].map((char) => char.charCodeAt(0)))\n}\n\nfunction isPushSupported () {\n return 'serviceWorker' in navigator && 'PushManager' in window\n}\n\nfunction getOrCreateServiceWorker () {\n return runtime.register()\n .catch((err) => console.error('Unable to get or create a service worker.', err))\n}\n\nfunction subscribePush (registration, isEnabled, vapidPublicKey) {\n if (!isEnabled) return Promise.reject(new Error('Web Push is disabled in config'))\n if (!vapidPublicKey) return Promise.reject(new Error('VAPID public key is not found'))\n\n const subscribeOptions = {\n userVisibleOnly: true,\n applicationServerKey: urlBase64ToUint8Array(vapidPublicKey)\n }\n return registration.pushManager.subscribe(subscribeOptions)\n}\n\nfunction unsubscribePush (registration) {\n return registration.pushManager.getSubscription()\n .then((subscribtion) => {\n if (subscribtion === null) { return }\n return subscribtion.unsubscribe()\n })\n}\n\nfunction deleteSubscriptionFromBackEnd (token) {\n return window.fetch('/api/v1/push/subscription/', {\n method: 'DELETE',\n headers: {\n 'Content-Type': 'application/json',\n 'Authorization': `Bearer ${token}`\n }\n }).then((response) => {\n if (!response.ok) throw new Error('Bad status code from server.')\n return response\n })\n}\n\nfunction sendSubscriptionToBackEnd (subscription, token, notificationVisibility) {\n return window.fetch('/api/v1/push/subscription/', {\n method: 'POST',\n headers: {\n 'Content-Type': 'application/json',\n 'Authorization': `Bearer ${token}`\n },\n body: JSON.stringify({\n subscription,\n data: {\n alerts: {\n follow: notificationVisibility.follows,\n favourite: notificationVisibility.likes,\n mention: notificationVisibility.mentions,\n reblog: notificationVisibility.repeats,\n move: notificationVisibility.moves\n }\n }\n })\n }).then((response) => {\n if (!response.ok) throw new Error('Bad status code from server.')\n return response.json()\n }).then((responseData) => {\n if (!responseData.id) throw new Error('Bad response from server.')\n return responseData\n })\n}\n\nexport function registerPushNotifications (isEnabled, vapidPublicKey, token, notificationVisibility) {\n if (isPushSupported()) {\n getOrCreateServiceWorker()\n .then((registration) => subscribePush(registration, isEnabled, vapidPublicKey))\n .then((subscription) => sendSubscriptionToBackEnd(subscription, token, notificationVisibility))\n .catch((e) => console.warn(`Failed to setup Web Push Notifications: ${e.message}`))\n }\n}\n\nexport function unregisterPushNotifications (token) {\n if (isPushSupported()) {\n Promise.all([\n deleteSubscriptionFromBackEnd(token),\n getOrCreateServiceWorker()\n .then((registration) => {\n return unsubscribePush(registration).then((result) => [registration, result])\n })\n .then(([registration, unsubResult]) => {\n if (!unsubResult) {\n console.warn('Push subscription cancellation wasn\\'t successful, killing SW anyway...')\n }\n return registration.unregister().then((result) => {\n if (!result) {\n console.warn('Failed to kill SW')\n }\n })\n })\n ]).catch((e) => console.warn(`Failed to disable Web Push Notifications: ${e.message}`))\n }\n}\n","import backendInteractorService from '../services/backend_interactor_service/backend_interactor_service.js'\nimport oauthApi from '../services/new_api/oauth.js'\nimport { compact, map, each, mergeWith, last, concat, uniq, isArray } from 'lodash'\nimport { set } from 'vue'\nimport { registerPushNotifications, unregisterPushNotifications } from '../services/push/push.js'\n\n// TODO: Unify with mergeOrAdd in statuses.js\nexport const mergeOrAdd = (arr, obj, item) => {\n if (!item) { return false }\n const oldItem = obj[item.id]\n if (oldItem) {\n // We already have this, so only merge the new info.\n mergeWith(oldItem, item, mergeArrayLength)\n return { item: oldItem, new: false }\n } else {\n // This is a new item, prepare it\n arr.push(item)\n set(obj, item.id, item)\n if (item.screen_name && !item.screen_name.includes('@')) {\n set(obj, item.screen_name.toLowerCase(), item)\n }\n return { item, new: true }\n }\n}\n\nconst mergeArrayLength = (oldValue, newValue) => {\n if (isArray(oldValue) && isArray(newValue)) {\n oldValue.length = newValue.length\n return mergeWith(oldValue, newValue, mergeArrayLength)\n }\n}\n\nconst getNotificationPermission = () => {\n const Notification = window.Notification\n\n if (!Notification) return Promise.resolve(null)\n if (Notification.permission === 'default') return Notification.requestPermission()\n return Promise.resolve(Notification.permission)\n}\n\nconst blockUser = (store, id) => {\n return store.rootState.api.backendInteractor.blockUser({ id })\n .then((relationship) => {\n store.commit('updateUserRelationship', [relationship])\n store.commit('addBlockId', id)\n store.commit('removeStatus', { timeline: 'friends', userId: id })\n store.commit('removeStatus', { timeline: 'public', userId: id })\n store.commit('removeStatus', { timeline: 'publicAndExternal', userId: id })\n })\n}\n\nconst unblockUser = (store, id) => {\n return store.rootState.api.backendInteractor.unblockUser({ id })\n .then((relationship) => store.commit('updateUserRelationship', [relationship]))\n}\n\nconst muteUser = (store, id) => {\n const predictedRelationship = store.state.relationships[id] || { id }\n predictedRelationship.muting = true\n store.commit('updateUserRelationship', [predictedRelationship])\n store.commit('addMuteId', id)\n\n return store.rootState.api.backendInteractor.muteUser({ id })\n .then((relationship) => {\n store.commit('updateUserRelationship', [relationship])\n store.commit('addMuteId', id)\n })\n}\n\nconst unmuteUser = (store, id) => {\n const predictedRelationship = store.state.relationships[id] || { id }\n predictedRelationship.muting = false\n store.commit('updateUserRelationship', [predictedRelationship])\n\n return store.rootState.api.backendInteractor.unmuteUser({ id })\n .then((relationship) => store.commit('updateUserRelationship', [relationship]))\n}\n\nconst hideReblogs = (store, userId) => {\n return store.rootState.api.backendInteractor.followUser({ id: userId, reblogs: false })\n .then((relationship) => {\n store.commit('updateUserRelationship', [relationship])\n })\n}\n\nconst showReblogs = (store, userId) => {\n return store.rootState.api.backendInteractor.followUser({ id: userId, reblogs: true })\n .then((relationship) => store.commit('updateUserRelationship', [relationship]))\n}\n\nconst muteDomain = (store, domain) => {\n return store.rootState.api.backendInteractor.muteDomain({ domain })\n .then(() => store.commit('addDomainMute', domain))\n}\n\nconst unmuteDomain = (store, domain) => {\n return store.rootState.api.backendInteractor.unmuteDomain({ domain })\n .then(() => store.commit('removeDomainMute', domain))\n}\n\nexport const mutations = {\n tagUser (state, { user: { id }, tag }) {\n const user = state.usersObject[id]\n const tags = user.tags || []\n const newTags = tags.concat([tag])\n set(user, 'tags', newTags)\n },\n untagUser (state, { user: { id }, tag }) {\n const user = state.usersObject[id]\n const tags = user.tags || []\n const newTags = tags.filter(t => t !== tag)\n set(user, 'tags', newTags)\n },\n updateRight (state, { user: { id }, right, value }) {\n const user = state.usersObject[id]\n let newRights = user.rights\n newRights[right] = value\n set(user, 'rights', newRights)\n },\n updateActivationStatus (state, { user: { id }, deactivated }) {\n const user = state.usersObject[id]\n set(user, 'deactivated', deactivated)\n },\n setCurrentUser (state, user) {\n state.lastLoginName = user.screen_name\n state.currentUser = mergeWith(state.currentUser || {}, user, mergeArrayLength)\n },\n clearCurrentUser (state) {\n state.currentUser = false\n state.lastLoginName = false\n },\n beginLogin (state) {\n state.loggingIn = true\n },\n endLogin (state) {\n state.loggingIn = false\n },\n saveFriendIds (state, { id, friendIds }) {\n const user = state.usersObject[id]\n user.friendIds = uniq(concat(user.friendIds, friendIds))\n },\n saveFollowerIds (state, { id, followerIds }) {\n const user = state.usersObject[id]\n user.followerIds = uniq(concat(user.followerIds, followerIds))\n },\n // Because frontend doesn't have a reason to keep these stuff in memory\n // outside of viewing someones user profile.\n clearFriends (state, userId) {\n const user = state.usersObject[userId]\n if (user) {\n set(user, 'friendIds', [])\n }\n },\n clearFollowers (state, userId) {\n const user = state.usersObject[userId]\n if (user) {\n set(user, 'followerIds', [])\n }\n },\n addNewUsers (state, users) {\n each(users, (user) => {\n if (user.relationship) {\n set(state.relationships, user.relationship.id, user.relationship)\n }\n mergeOrAdd(state.users, state.usersObject, user)\n })\n },\n updateUserRelationship (state, relationships) {\n relationships.forEach((relationship) => {\n set(state.relationships, relationship.id, relationship)\n })\n },\n saveBlockIds (state, blockIds) {\n state.currentUser.blockIds = blockIds\n },\n addBlockId (state, blockId) {\n if (state.currentUser.blockIds.indexOf(blockId) === -1) {\n state.currentUser.blockIds.push(blockId)\n }\n },\n saveMuteIds (state, muteIds) {\n state.currentUser.muteIds = muteIds\n },\n addMuteId (state, muteId) {\n if (state.currentUser.muteIds.indexOf(muteId) === -1) {\n state.currentUser.muteIds.push(muteId)\n }\n },\n saveDomainMutes (state, domainMutes) {\n state.currentUser.domainMutes = domainMutes\n },\n addDomainMute (state, domain) {\n if (state.currentUser.domainMutes.indexOf(domain) === -1) {\n state.currentUser.domainMutes.push(domain)\n }\n },\n removeDomainMute (state, domain) {\n const index = state.currentUser.domainMutes.indexOf(domain)\n if (index !== -1) {\n state.currentUser.domainMutes.splice(index, 1)\n }\n },\n setPinnedToUser (state, status) {\n const user = state.usersObject[status.user.id]\n const index = user.pinnedStatusIds.indexOf(status.id)\n if (status.pinned && index === -1) {\n user.pinnedStatusIds.push(status.id)\n } else if (!status.pinned && index !== -1) {\n user.pinnedStatusIds.splice(index, 1)\n }\n },\n setUserForStatus (state, status) {\n status.user = state.usersObject[status.user.id]\n },\n setUserForNotification (state, notification) {\n if (notification.type !== 'follow') {\n notification.action.user = state.usersObject[notification.action.user.id]\n }\n notification.from_profile = state.usersObject[notification.from_profile.id]\n },\n setColor (state, { user: { id }, highlighted }) {\n const user = state.usersObject[id]\n set(user, 'highlight', highlighted)\n },\n signUpPending (state) {\n state.signUpPending = true\n state.signUpErrors = []\n },\n signUpSuccess (state) {\n state.signUpPending = false\n },\n signUpFailure (state, errors) {\n state.signUpPending = false\n state.signUpErrors = errors\n }\n}\n\nexport const getters = {\n findUser: state => query => {\n const result = state.usersObject[query]\n // In case it's a screen_name, we can try searching case-insensitive\n if (!result && typeof query === 'string') {\n return state.usersObject[query.toLowerCase()]\n }\n return result\n },\n relationship: state => id => {\n const rel = id && state.relationships[id]\n return rel || { id, loading: true }\n }\n}\n\nexport const defaultState = {\n loggingIn: false,\n lastLoginName: false,\n currentUser: false,\n users: [],\n usersObject: {},\n signUpPending: false,\n signUpErrors: [],\n relationships: {}\n}\n\nconst users = {\n state: defaultState,\n mutations,\n getters,\n actions: {\n fetchUserIfMissing (store, id) {\n if (!store.getters.findUser(id)) {\n store.dispatch('fetchUser', id)\n }\n },\n fetchUser (store, id) {\n return store.rootState.api.backendInteractor.fetchUser({ id })\n .then((user) => {\n store.commit('addNewUsers', [user])\n return user\n })\n },\n fetchUserRelationship (store, id) {\n if (store.state.currentUser) {\n store.rootState.api.backendInteractor.fetchUserRelationship({ id })\n .then((relationships) => store.commit('updateUserRelationship', relationships))\n }\n },\n fetchBlocks (store) {\n return store.rootState.api.backendInteractor.fetchBlocks()\n .then((blocks) => {\n store.commit('saveBlockIds', map(blocks, 'id'))\n store.commit('addNewUsers', blocks)\n return blocks\n })\n },\n blockUser (store, id) {\n return blockUser(store, id)\n },\n unblockUser (store, id) {\n return unblockUser(store, id)\n },\n blockUsers (store, ids = []) {\n return Promise.all(ids.map(id => blockUser(store, id)))\n },\n unblockUsers (store, ids = []) {\n return Promise.all(ids.map(id => unblockUser(store, id)))\n },\n fetchMutes (store) {\n return store.rootState.api.backendInteractor.fetchMutes()\n .then((mutes) => {\n store.commit('saveMuteIds', map(mutes, 'id'))\n store.commit('addNewUsers', mutes)\n return mutes\n })\n },\n muteUser (store, id) {\n return muteUser(store, id)\n },\n unmuteUser (store, id) {\n return unmuteUser(store, id)\n },\n hideReblogs (store, id) {\n return hideReblogs(store, id)\n },\n showReblogs (store, id) {\n return showReblogs(store, id)\n },\n muteUsers (store, ids = []) {\n return Promise.all(ids.map(id => muteUser(store, id)))\n },\n unmuteUsers (store, ids = []) {\n return Promise.all(ids.map(id => unmuteUser(store, id)))\n },\n fetchDomainMutes (store) {\n return store.rootState.api.backendInteractor.fetchDomainMutes()\n .then((domainMutes) => {\n store.commit('saveDomainMutes', domainMutes)\n return domainMutes\n })\n },\n muteDomain (store, domain) {\n return muteDomain(store, domain)\n },\n unmuteDomain (store, domain) {\n return unmuteDomain(store, domain)\n },\n muteDomains (store, domains = []) {\n return Promise.all(domains.map(domain => muteDomain(store, domain)))\n },\n unmuteDomains (store, domain = []) {\n return Promise.all(domain.map(domain => unmuteDomain(store, domain)))\n },\n fetchFriends ({ rootState, commit }, id) {\n const user = rootState.users.usersObject[id]\n const maxId = last(user.friendIds)\n return rootState.api.backendInteractor.fetchFriends({ id, maxId })\n .then((friends) => {\n commit('addNewUsers', friends)\n commit('saveFriendIds', { id, friendIds: map(friends, 'id') })\n return friends\n })\n },\n fetchFollowers ({ rootState, commit }, id) {\n const user = rootState.users.usersObject[id]\n const maxId = last(user.followerIds)\n return rootState.api.backendInteractor.fetchFollowers({ id, maxId })\n .then((followers) => {\n commit('addNewUsers', followers)\n commit('saveFollowerIds', { id, followerIds: map(followers, 'id') })\n return followers\n })\n },\n clearFriends ({ commit }, userId) {\n commit('clearFriends', userId)\n },\n clearFollowers ({ commit }, userId) {\n commit('clearFollowers', userId)\n },\n subscribeUser ({ rootState, commit }, id) {\n return rootState.api.backendInteractor.subscribeUser({ id })\n .then((relationship) => commit('updateUserRelationship', [relationship]))\n },\n unsubscribeUser ({ rootState, commit }, id) {\n return rootState.api.backendInteractor.unsubscribeUser({ id })\n .then((relationship) => commit('updateUserRelationship', [relationship]))\n },\n toggleActivationStatus ({ rootState, commit }, { user }) {\n const api = user.deactivated ? rootState.api.backendInteractor.activateUser : rootState.api.backendInteractor.deactivateUser\n api({ user })\n .then(({ deactivated }) => commit('updateActivationStatus', { user, deactivated }))\n },\n registerPushNotifications (store) {\n const token = store.state.currentUser.credentials\n const vapidPublicKey = store.rootState.instance.vapidPublicKey\n const isEnabled = store.rootState.config.webPushNotifications\n const notificationVisibility = store.rootState.config.notificationVisibility\n\n registerPushNotifications(isEnabled, vapidPublicKey, token, notificationVisibility)\n },\n unregisterPushNotifications (store) {\n const token = store.state.currentUser.credentials\n\n unregisterPushNotifications(token)\n },\n addNewUsers ({ commit }, users) {\n commit('addNewUsers', users)\n },\n addNewStatuses (store, { statuses }) {\n const users = map(statuses, 'user')\n const retweetedUsers = compact(map(statuses, 'retweeted_status.user'))\n store.commit('addNewUsers', users)\n store.commit('addNewUsers', retweetedUsers)\n\n each(statuses, (status) => {\n // Reconnect users to statuses\n store.commit('setUserForStatus', status)\n // Set pinned statuses to user\n store.commit('setPinnedToUser', status)\n })\n each(compact(map(statuses, 'retweeted_status')), (status) => {\n // Reconnect users to retweets\n store.commit('setUserForStatus', status)\n // Set pinned retweets to user\n store.commit('setPinnedToUser', status)\n })\n },\n addNewNotifications (store, { notifications }) {\n const users = map(notifications, 'from_profile')\n const targetUsers = map(notifications, 'target').filter(_ => _)\n const notificationIds = notifications.map(_ => _.id)\n store.commit('addNewUsers', users)\n store.commit('addNewUsers', targetUsers)\n\n const notificationsObject = store.rootState.statuses.notifications.idStore\n const relevantNotifications = Object.entries(notificationsObject)\n .filter(([k, val]) => notificationIds.includes(k))\n .map(([k, val]) => val)\n\n // Reconnect users to notifications\n each(relevantNotifications, (notification) => {\n store.commit('setUserForNotification', notification)\n })\n },\n searchUsers ({ rootState, commit }, { query }) {\n return rootState.api.backendInteractor.searchUsers({ query })\n .then((users) => {\n commit('addNewUsers', users)\n return users\n })\n },\n async signUp (store, userInfo) {\n store.commit('signUpPending')\n\n let rootState = store.rootState\n\n try {\n let data = await rootState.api.backendInteractor.register(\n { params: { ...userInfo } }\n )\n store.commit('signUpSuccess')\n store.commit('setToken', data.access_token)\n store.dispatch('loginUser', data.access_token)\n } catch (e) {\n let errors = e.message\n store.commit('signUpFailure', errors)\n throw e\n }\n },\n async getCaptcha (store) {\n return store.rootState.api.backendInteractor.getCaptcha()\n },\n\n logout (store) {\n const { oauth, instance } = store.rootState\n\n const data = {\n ...oauth,\n commit: store.commit,\n instance: instance.server\n }\n\n return oauthApi.getOrCreateApp(data)\n .then((app) => {\n const params = {\n app,\n instance: data.instance,\n token: oauth.userToken\n }\n\n return oauthApi.revokeToken(params)\n })\n .then(() => {\n store.commit('clearCurrentUser')\n store.dispatch('disconnectFromSocket')\n store.commit('clearToken')\n store.dispatch('stopFetchingTimeline', 'friends')\n store.commit('setBackendInteractor', backendInteractorService(store.getters.getToken()))\n store.dispatch('stopFetchingNotifications')\n store.dispatch('stopFetchingFollowRequests')\n store.commit('clearNotifications')\n store.commit('resetStatuses')\n store.dispatch('resetChats')\n store.dispatch('setLastTimeline', 'public-timeline')\n })\n },\n loginUser (store, accessToken) {\n return new Promise((resolve, reject) => {\n const commit = store.commit\n commit('beginLogin')\n store.rootState.api.backendInteractor.verifyCredentials(accessToken)\n .then((data) => {\n if (!data.error) {\n const user = data\n // user.credentials = userCredentials\n user.credentials = accessToken\n user.blockIds = []\n user.muteIds = []\n user.domainMutes = []\n commit('setCurrentUser', user)\n commit('addNewUsers', [user])\n\n store.dispatch('fetchEmoji')\n\n getNotificationPermission()\n .then(permission => commit('setNotificationPermission', permission))\n\n // Set our new backend interactor\n commit('setBackendInteractor', backendInteractorService(accessToken))\n\n if (user.token) {\n store.dispatch('setWsToken', user.token)\n\n // Initialize the chat socket.\n store.dispatch('initializeSocket')\n }\n\n const startPolling = () => {\n // Start getting fresh posts.\n store.dispatch('startFetchingTimeline', { timeline: 'friends' })\n\n // Start fetching notifications\n store.dispatch('startFetchingNotifications')\n\n // Start fetching chats\n store.dispatch('startFetchingChats')\n }\n\n if (store.getters.mergedConfig.useStreamingApi) {\n store.dispatch('enableMastoSockets').catch((error) => {\n console.error('Failed initializing MastoAPI Streaming socket', error)\n startPolling()\n }).then(() => {\n store.dispatch('fetchChats', { latest: true })\n setTimeout(() => store.dispatch('setNotificationsSilence', false), 10000)\n })\n } else {\n startPolling()\n }\n\n // Get user mutes\n store.dispatch('fetchMutes')\n\n // Fetch our friends\n store.rootState.api.backendInteractor.fetchFriends({ id: user.id })\n .then((friends) => commit('addNewUsers', friends))\n } else {\n const response = data.error\n // Authentication failed\n commit('endLogin')\n if (response.status === 401) {\n reject(new Error('Wrong username or password'))\n } else {\n reject(new Error('An error occurred, please try again'))\n }\n }\n commit('endLogin')\n resolve()\n })\n .catch((error) => {\n console.log(error)\n commit('endLogin')\n reject(new Error('Failed to connect to server, try again'))\n })\n })\n }\n }\n}\n\nexport default users\n","import { showDesktopNotification } from '../desktop_notification_utils/desktop_notification_utils.js'\n\nexport const maybeShowChatNotification = (store, chat) => {\n if (!chat.lastMessage) return\n if (store.rootState.chats.currentChatId === chat.id && !document.hidden) return\n if (store.rootState.users.currentUser.id === chat.lastMessage.account.id) return\n\n const opts = {\n tag: chat.lastMessage.id,\n title: chat.account.name,\n icon: chat.account.profile_image_url,\n body: chat.lastMessage.content\n }\n\n if (chat.lastMessage.attachment && chat.lastMessage.attachment.type === 'image') {\n opts.image = chat.lastMessage.attachment.preview_url\n }\n\n showDesktopNotification(store.rootState, opts)\n}\n","import backendInteractorService from '../services/backend_interactor_service/backend_interactor_service.js'\nimport { WSConnectionStatus } from '../services/api/api.service.js'\nimport { maybeShowChatNotification } from '../services/chat_utils/chat_utils.js'\nimport { Socket } from 'phoenix'\n\nconst api = {\n state: {\n backendInteractor: backendInteractorService(),\n fetchers: {},\n socket: null,\n mastoUserSocket: null,\n mastoUserSocketStatus: null,\n followRequests: []\n },\n mutations: {\n setBackendInteractor (state, backendInteractor) {\n state.backendInteractor = backendInteractor\n },\n addFetcher (state, { fetcherName, fetcher }) {\n state.fetchers[fetcherName] = fetcher\n },\n removeFetcher (state, { fetcherName, fetcher }) {\n window.clearInterval(fetcher)\n delete state.fetchers[fetcherName]\n },\n setWsToken (state, token) {\n state.wsToken = token\n },\n setSocket (state, socket) {\n state.socket = socket\n },\n setFollowRequests (state, value) {\n state.followRequests = value\n },\n setMastoUserSocketStatus (state, value) {\n state.mastoUserSocketStatus = value\n }\n },\n actions: {\n // Global MastoAPI socket control, in future should disable ALL sockets/(re)start relevant sockets\n enableMastoSockets (store) {\n const { state, dispatch } = store\n if (state.mastoUserSocket) return\n return dispatch('startMastoUserSocket')\n },\n disableMastoSockets (store) {\n const { state, dispatch } = store\n if (!state.mastoUserSocket) return\n return dispatch('stopMastoUserSocket')\n },\n\n // MastoAPI 'User' sockets\n startMastoUserSocket (store) {\n return new Promise((resolve, reject) => {\n try {\n const { state, commit, dispatch, rootState } = store\n const timelineData = rootState.statuses.timelines.friends\n state.mastoUserSocket = state.backendInteractor.startUserSocket({ store })\n state.mastoUserSocket.addEventListener(\n 'message',\n ({ detail: message }) => {\n if (!message) return // pings\n if (message.event === 'notification') {\n dispatch('addNewNotifications', {\n notifications: [message.notification],\n older: false\n })\n } else if (message.event === 'update') {\n dispatch('addNewStatuses', {\n statuses: [message.status],\n userId: false,\n showImmediately: timelineData.visibleStatuses.length === 0,\n timeline: 'friends'\n })\n } else if (message.event === 'pleroma:chat_update') {\n dispatch('addChatMessages', {\n chatId: message.chatUpdate.id,\n messages: [message.chatUpdate.lastMessage]\n })\n dispatch('updateChat', { chat: message.chatUpdate })\n maybeShowChatNotification(store, message.chatUpdate)\n }\n }\n )\n state.mastoUserSocket.addEventListener('open', () => {\n commit('setMastoUserSocketStatus', WSConnectionStatus.JOINED)\n })\n state.mastoUserSocket.addEventListener('error', ({ detail: error }) => {\n console.error('Error in MastoAPI websocket:', error)\n commit('setMastoUserSocketStatus', WSConnectionStatus.ERROR)\n dispatch('clearOpenedChats')\n })\n state.mastoUserSocket.addEventListener('close', ({ detail: closeEvent }) => {\n const ignoreCodes = new Set([\n 1000, // Normal (intended) closure\n 1001 // Going away\n ])\n const { code } = closeEvent\n if (ignoreCodes.has(code)) {\n console.debug(`Not restarting socket becasue of closure code ${code} is in ignore list`)\n } else {\n console.warn(`MastoAPI websocket disconnected, restarting. CloseEvent code: ${code}`)\n dispatch('startFetchingTimeline', { timeline: 'friends' })\n dispatch('startFetchingNotifications')\n dispatch('startFetchingChats')\n dispatch('restartMastoUserSocket')\n }\n commit('setMastoUserSocketStatus', WSConnectionStatus.CLOSED)\n dispatch('clearOpenedChats')\n })\n resolve()\n } catch (e) {\n reject(e)\n }\n })\n },\n restartMastoUserSocket ({ dispatch }) {\n // This basically starts MastoAPI user socket and stops conventional\n // fetchers when connection reestablished\n return dispatch('startMastoUserSocket').then(() => {\n dispatch('stopFetchingTimeline', { timeline: 'friends' })\n dispatch('stopFetchingNotifications')\n dispatch('stopFetchingChats')\n })\n },\n stopMastoUserSocket ({ state, dispatch }) {\n dispatch('startFetchingTimeline', { timeline: 'friends' })\n dispatch('startFetchingNotifications')\n dispatch('startFetchingChats')\n state.mastoUserSocket.close()\n },\n\n // Timelines\n startFetchingTimeline (store, {\n timeline = 'friends',\n tag = false,\n userId = false\n }) {\n if (store.state.fetchers[timeline]) return\n\n const fetcher = store.state.backendInteractor.startFetchingTimeline({\n timeline, store, userId, tag\n })\n store.commit('addFetcher', { fetcherName: timeline, fetcher })\n },\n stopFetchingTimeline (store, timeline) {\n const fetcher = store.state.fetchers[timeline]\n if (!fetcher) return\n store.commit('removeFetcher', { fetcherName: timeline, fetcher })\n },\n\n // Notifications\n startFetchingNotifications (store) {\n if (store.state.fetchers.notifications) return\n const fetcher = store.state.backendInteractor.startFetchingNotifications({ store })\n store.commit('addFetcher', { fetcherName: 'notifications', fetcher })\n },\n stopFetchingNotifications (store) {\n const fetcher = store.state.fetchers.notifications\n if (!fetcher) return\n store.commit('removeFetcher', { fetcherName: 'notifications', fetcher })\n },\n\n // Follow requests\n startFetchingFollowRequests (store) {\n if (store.state.fetchers['followRequests']) return\n const fetcher = store.state.backendInteractor.startFetchingFollowRequests({ store })\n\n store.commit('addFetcher', { fetcherName: 'followRequests', fetcher })\n },\n stopFetchingFollowRequests (store) {\n const fetcher = store.state.fetchers.followRequests\n if (!fetcher) return\n store.commit('removeFetcher', { fetcherName: 'followRequests', fetcher })\n },\n removeFollowRequest (store, request) {\n let requests = store.state.followRequests.filter((it) => it !== request)\n store.commit('setFollowRequests', requests)\n },\n\n // Pleroma websocket\n setWsToken (store, token) {\n store.commit('setWsToken', token)\n },\n initializeSocket ({ dispatch, commit, state, rootState }) {\n // Set up websocket connection\n const token = state.wsToken\n if (rootState.instance.chatAvailable && typeof token !== 'undefined' && state.socket === null) {\n const socket = new Socket('/socket', { params: { token } })\n socket.connect()\n\n commit('setSocket', socket)\n dispatch('initializeChat', socket)\n }\n },\n disconnectFromSocket ({ commit, state }) {\n state.socket && state.socket.disconnect()\n commit('setSocket', null)\n }\n }\n}\n\nexport default api\n","const chat = {\n state: {\n messages: [],\n channel: { state: '' }\n },\n mutations: {\n setChannel (state, channel) {\n state.channel = channel\n },\n addMessage (state, message) {\n state.messages.push(message)\n state.messages = state.messages.slice(-19, 20)\n },\n setMessages (state, messages) {\n state.messages = messages.slice(-19, 20)\n }\n },\n actions: {\n initializeChat (store, socket) {\n const channel = socket.channel('chat:public')\n channel.on('new_msg', (msg) => {\n store.commit('addMessage', msg)\n })\n channel.on('messages', ({ messages }) => {\n store.commit('setMessages', messages)\n })\n channel.join()\n store.commit('setChannel', channel)\n }\n }\n}\n\nexport default chat\n","import { delete as del } from 'vue'\n\nconst oauth = {\n state: {\n clientId: false,\n clientSecret: false,\n /* App token is authentication for app without any user, used mostly for\n * MastoAPI's registration of new users, stored so that we can fall back to\n * it on logout\n */\n appToken: false,\n /* User token is authentication for app with user, this is for every calls\n * that need authorized user to be successful (i.e. posting, liking etc)\n */\n userToken: false\n },\n mutations: {\n setClientData (state, { clientId, clientSecret }) {\n state.clientId = clientId\n state.clientSecret = clientSecret\n },\n setAppToken (state, token) {\n state.appToken = token\n },\n setToken (state, token) {\n state.userToken = token\n },\n clearToken (state) {\n state.userToken = false\n // state.token is userToken with older name, coming from persistent state\n // let's clear it as well, since it is being used as a fallback of state.userToken\n del(state, 'token')\n }\n },\n getters: {\n getToken: state => () => {\n // state.token is userToken with older name, coming from persistent state\n // added here for smoother transition, otherwise user will be logged out\n return state.userToken || state.token || state.appToken\n },\n getUserToken: state => () => {\n // state.token is userToken with older name, coming from persistent state\n // added here for smoother transition, otherwise user will be logged out\n return state.userToken || state.token\n }\n }\n}\n\nexport default oauth\n","const PASSWORD_STRATEGY = 'password'\nconst TOKEN_STRATEGY = 'token'\n\n// MFA strategies\nconst TOTP_STRATEGY = 'totp'\nconst RECOVERY_STRATEGY = 'recovery'\n\n// initial state\nconst state = {\n settings: {},\n strategy: PASSWORD_STRATEGY,\n initStrategy: PASSWORD_STRATEGY // default strategy from config\n}\n\nconst resetState = (state) => {\n state.strategy = state.initStrategy\n state.settings = {}\n}\n\n// getters\nconst getters = {\n settings: (state, getters) => {\n return state.settings\n },\n requiredPassword: (state, getters, rootState) => {\n return state.strategy === PASSWORD_STRATEGY\n },\n requiredToken: (state, getters, rootState) => {\n return state.strategy === TOKEN_STRATEGY\n },\n requiredTOTP: (state, getters, rootState) => {\n return state.strategy === TOTP_STRATEGY\n },\n requiredRecovery: (state, getters, rootState) => {\n return state.strategy === RECOVERY_STRATEGY\n }\n}\n\n// mutations\nconst mutations = {\n setInitialStrategy (state, strategy) {\n if (strategy) {\n state.initStrategy = strategy\n state.strategy = strategy\n }\n },\n requirePassword (state) {\n state.strategy = PASSWORD_STRATEGY\n },\n requireToken (state) {\n state.strategy = TOKEN_STRATEGY\n },\n requireMFA (state, { settings }) {\n state.settings = settings\n state.strategy = TOTP_STRATEGY // default strategy of MFA\n },\n requireRecovery (state) {\n state.strategy = RECOVERY_STRATEGY\n },\n requireTOTP (state) {\n state.strategy = TOTP_STRATEGY\n },\n abortMFA (state) {\n resetState(state)\n }\n}\n\n// actions\nconst actions = {\n // eslint-disable-next-line camelcase\n async login ({ state, dispatch, commit }, { access_token }) {\n commit('setToken', access_token, { root: true })\n await dispatch('loginUser', access_token, { root: true })\n resetState(state)\n }\n}\n\nexport default {\n namespaced: true,\n state,\n getters,\n mutations,\n actions\n}\n","import fileTypeService from '../services/file_type/file_type.service.js'\n\nconst mediaViewer = {\n state: {\n media: [],\n currentIndex: 0,\n activated: false\n },\n mutations: {\n setMedia (state, media) {\n state.media = media\n },\n setCurrent (state, index) {\n state.activated = true\n state.currentIndex = index\n },\n close (state) {\n state.activated = false\n }\n },\n actions: {\n setMedia ({ commit }, attachments) {\n const media = attachments.filter(attachment => {\n const type = fileTypeService.fileType(attachment.mimetype)\n return type === 'image' || type === 'video' || type === 'audio'\n })\n commit('setMedia', media)\n },\n setCurrent ({ commit, state }, current) {\n const index = state.media.indexOf(current)\n commit('setCurrent', index || 0)\n },\n closeMediaViewer ({ commit }) {\n commit('close')\n }\n }\n}\n\nexport default mediaViewer\n","const oauthTokens = {\n state: {\n tokens: []\n },\n actions: {\n fetchTokens ({ rootState, commit }) {\n rootState.api.backendInteractor.fetchOAuthTokens().then((tokens) => {\n commit('swapTokens', tokens)\n })\n },\n revokeToken ({ rootState, commit, state }, id) {\n rootState.api.backendInteractor.revokeOAuthToken({ id }).then((response) => {\n if (response.status === 201) {\n commit('swapTokens', state.tokens.filter(token => token.id !== id))\n }\n })\n }\n },\n mutations: {\n swapTokens (state, tokens) {\n state.tokens = tokens\n }\n }\n}\n\nexport default oauthTokens\n","import filter from 'lodash/filter'\n\nconst reports = {\n state: {\n userId: null,\n statuses: [],\n modalActivated: false\n },\n mutations: {\n openUserReportingModal (state, { userId, statuses }) {\n state.userId = userId\n state.statuses = statuses\n state.modalActivated = true\n },\n closeUserReportingModal (state) {\n state.modalActivated = false\n }\n },\n actions: {\n openUserReportingModal ({ rootState, commit }, userId) {\n const statuses = filter(rootState.statuses.allStatuses, status => status.user.id === userId)\n commit('openUserReportingModal', { userId, statuses })\n },\n closeUserReportingModal ({ commit }) {\n commit('closeUserReportingModal')\n }\n }\n}\n\nexport default reports\n","import { merge } from 'lodash'\nimport { set } from 'vue'\n\nconst polls = {\n state: {\n // Contains key = id, value = number of trackers for this poll\n trackedPolls: {},\n pollsObject: {}\n },\n mutations: {\n mergeOrAddPoll (state, poll) {\n const existingPoll = state.pollsObject[poll.id]\n // Make expired-state change trigger re-renders properly\n poll.expired = Date.now() > Date.parse(poll.expires_at)\n if (existingPoll) {\n set(state.pollsObject, poll.id, merge(existingPoll, poll))\n } else {\n set(state.pollsObject, poll.id, poll)\n }\n },\n trackPoll (state, pollId) {\n const currentValue = state.trackedPolls[pollId]\n if (currentValue) {\n set(state.trackedPolls, pollId, currentValue + 1)\n } else {\n set(state.trackedPolls, pollId, 1)\n }\n },\n untrackPoll (state, pollId) {\n const currentValue = state.trackedPolls[pollId]\n if (currentValue) {\n set(state.trackedPolls, pollId, currentValue - 1)\n } else {\n set(state.trackedPolls, pollId, 0)\n }\n }\n },\n actions: {\n mergeOrAddPoll ({ commit }, poll) {\n commit('mergeOrAddPoll', poll)\n },\n updateTrackedPoll ({ rootState, dispatch, commit }, pollId) {\n rootState.api.backendInteractor.fetchPoll({ pollId }).then(poll => {\n setTimeout(() => {\n if (rootState.polls.trackedPolls[pollId]) {\n dispatch('updateTrackedPoll', pollId)\n }\n }, 30 * 1000)\n commit('mergeOrAddPoll', poll)\n })\n },\n trackPoll ({ rootState, commit, dispatch }, pollId) {\n if (!rootState.polls.trackedPolls[pollId]) {\n setTimeout(() => dispatch('updateTrackedPoll', pollId), 30 * 1000)\n }\n commit('trackPoll', pollId)\n },\n untrackPoll ({ commit }, pollId) {\n commit('untrackPoll', pollId)\n },\n votePoll ({ rootState, commit }, { id, pollId, choices }) {\n return rootState.api.backendInteractor.vote({ pollId, choices }).then(poll => {\n commit('mergeOrAddPoll', poll)\n return poll\n })\n }\n }\n}\n\nexport default polls\n","const postStatus = {\n state: {\n params: null,\n modalActivated: false\n },\n mutations: {\n openPostStatusModal (state, params) {\n state.params = params\n state.modalActivated = true\n },\n closePostStatusModal (state) {\n state.modalActivated = false\n }\n },\n actions: {\n openPostStatusModal ({ commit }, params) {\n commit('openPostStatusModal', params)\n },\n closePostStatusModal ({ commit }) {\n commit('closePostStatusModal')\n }\n }\n}\n\nexport default postStatus\n","import _ from 'lodash'\n\nconst empty = (chatId) => {\n return {\n idIndex: {},\n messages: [],\n newMessageCount: 0,\n lastSeenTimestamp: 0,\n chatId: chatId,\n minId: undefined,\n maxId: undefined\n }\n}\n\nconst clear = (storage) => {\n storage.idIndex = {}\n storage.messages.splice(0, storage.messages.length)\n storage.newMessageCount = 0\n storage.lastSeenTimestamp = 0\n storage.minId = undefined\n storage.maxId = undefined\n}\n\nconst deleteMessage = (storage, messageId) => {\n if (!storage) { return }\n storage.messages = storage.messages.filter(m => m.id !== messageId)\n delete storage.idIndex[messageId]\n\n if (storage.maxId === messageId) {\n const lastMessage = _.maxBy(storage.messages, 'id')\n storage.maxId = lastMessage.id\n }\n\n if (storage.minId === messageId) {\n const firstMessage = _.minBy(storage.messages, 'id')\n storage.minId = firstMessage.id\n }\n}\n\nconst add = (storage, { messages: newMessages, updateMaxId = true }) => {\n if (!storage) { return }\n for (let i = 0; i < newMessages.length; i++) {\n const message = newMessages[i]\n\n // sanity check\n if (message.chat_id !== storage.chatId) { return }\n\n if (!storage.minId || message.id < storage.minId) {\n storage.minId = message.id\n }\n\n if (!storage.maxId || message.id > storage.maxId) {\n if (updateMaxId) {\n storage.maxId = message.id\n }\n }\n\n if (!storage.idIndex[message.id]) {\n if (storage.lastSeenTimestamp < message.created_at) {\n storage.newMessageCount++\n }\n storage.messages.push(message)\n storage.idIndex[message.id] = message\n }\n }\n}\n\nconst resetNewMessageCount = (storage) => {\n if (!storage) { return }\n storage.newMessageCount = 0\n storage.lastSeenTimestamp = new Date()\n}\n\n// Inserts date separators and marks the head and tail if it's the chain of messages made by the same user\nconst getView = (storage) => {\n if (!storage) { return [] }\n\n const result = []\n const messages = _.sortBy(storage.messages, ['id', 'desc'])\n const firstMessage = messages[0]\n let previousMessage = messages[messages.length - 1]\n let currentMessageChainId\n\n if (firstMessage) {\n const date = new Date(firstMessage.created_at)\n date.setHours(0, 0, 0, 0)\n result.push({\n type: 'date',\n date,\n id: date.getTime().toString()\n })\n }\n\n let afterDate = false\n\n for (let i = 0; i < messages.length; i++) {\n const message = messages[i]\n const nextMessage = messages[i + 1]\n\n const date = new Date(message.created_at)\n date.setHours(0, 0, 0, 0)\n\n // insert date separator and start a new message chain\n if (previousMessage && previousMessage.date < date) {\n result.push({\n type: 'date',\n date,\n id: date.getTime().toString()\n })\n\n previousMessage['isTail'] = true\n currentMessageChainId = undefined\n afterDate = true\n }\n\n const object = {\n type: 'message',\n data: message,\n date,\n id: message.id,\n messageChainId: currentMessageChainId\n }\n\n // end a message chian\n if ((nextMessage && nextMessage.account_id) !== message.account_id) {\n object['isTail'] = true\n currentMessageChainId = undefined\n }\n\n // start a new message chain\n if ((previousMessage && previousMessage.data && previousMessage.data.account_id) !== message.account_id || afterDate) {\n currentMessageChainId = _.uniqueId()\n object['isHead'] = true\n object['messageChainId'] = currentMessageChainId\n }\n\n result.push(object)\n previousMessage = object\n afterDate = false\n }\n\n return result\n}\n\nconst ChatService = {\n add,\n empty,\n getView,\n deleteMessage,\n resetNewMessageCount,\n clear\n}\n\nexport default ChatService\n","import Vue from 'vue'\nimport { find, omitBy, orderBy, sumBy } from 'lodash'\nimport chatService from '../services/chat_service/chat_service.js'\nimport { parseChat, parseChatMessage } from '../services/entity_normalizer/entity_normalizer.service.js'\nimport { maybeShowChatNotification } from '../services/chat_utils/chat_utils.js'\n\nconst emptyChatList = () => ({\n data: [],\n idStore: {}\n})\n\nconst defaultState = {\n chatList: emptyChatList(),\n chatListFetcher: null,\n openedChats: {},\n openedChatMessageServices: {},\n fetcher: undefined,\n currentChatId: null\n}\n\nconst getChatById = (state, id) => {\n return find(state.chatList.data, { id })\n}\n\nconst sortedChatList = (state) => {\n return orderBy(state.chatList.data, ['updated_at'], ['desc'])\n}\n\nconst unreadChatCount = (state) => {\n return sumBy(state.chatList.data, 'unread')\n}\n\nconst chats = {\n state: { ...defaultState },\n getters: {\n currentChat: state => state.openedChats[state.currentChatId],\n currentChatMessageService: state => state.openedChatMessageServices[state.currentChatId],\n findOpenedChatByRecipientId: state => recipientId => find(state.openedChats, c => c.account.id === recipientId),\n sortedChatList,\n unreadChatCount\n },\n actions: {\n // Chat list\n startFetchingChats ({ dispatch, commit }) {\n const fetcher = () => {\n dispatch('fetchChats', { latest: true })\n }\n fetcher()\n commit('setChatListFetcher', {\n fetcher: () => setInterval(() => { fetcher() }, 5000)\n })\n },\n stopFetchingChats ({ commit }) {\n commit('setChatListFetcher', { fetcher: undefined })\n },\n fetchChats ({ dispatch, rootState, commit }, params = {}) {\n return rootState.api.backendInteractor.chats()\n .then(({ chats }) => {\n dispatch('addNewChats', { chats })\n return chats\n })\n },\n addNewChats (store, { chats }) {\n const { commit, dispatch, rootGetters } = store\n const newChatMessageSideEffects = (chat) => {\n maybeShowChatNotification(store, chat)\n }\n commit('addNewChats', { dispatch, chats, rootGetters, newChatMessageSideEffects })\n },\n updateChat ({ commit }, { chat }) {\n commit('updateChat', { chat })\n },\n\n // Opened Chats\n startFetchingCurrentChat ({ commit, dispatch }, { fetcher }) {\n dispatch('setCurrentChatFetcher', { fetcher })\n },\n setCurrentChatFetcher ({ rootState, commit }, { fetcher }) {\n commit('setCurrentChatFetcher', { fetcher })\n },\n addOpenedChat ({ rootState, commit, dispatch }, { chat }) {\n commit('addOpenedChat', { dispatch, chat: parseChat(chat) })\n dispatch('addNewUsers', [chat.account])\n },\n addChatMessages ({ commit }, value) {\n commit('addChatMessages', { commit, ...value })\n },\n resetChatNewMessageCount ({ commit }, value) {\n commit('resetChatNewMessageCount', value)\n },\n clearCurrentChat ({ rootState, commit, dispatch }, value) {\n commit('setCurrentChatId', { chatId: undefined })\n commit('setCurrentChatFetcher', { fetcher: undefined })\n },\n readChat ({ rootState, commit, dispatch }, { id, lastReadId }) {\n dispatch('resetChatNewMessageCount')\n commit('readChat', { id })\n rootState.api.backendInteractor.readChat({ id, lastReadId })\n },\n deleteChatMessage ({ rootState, commit }, value) {\n rootState.api.backendInteractor.deleteChatMessage(value)\n commit('deleteChatMessage', { commit, ...value })\n },\n resetChats ({ commit, dispatch }) {\n dispatch('clearCurrentChat')\n commit('resetChats', { commit })\n },\n clearOpenedChats ({ rootState, commit, dispatch, rootGetters }) {\n commit('clearOpenedChats', { commit })\n }\n },\n mutations: {\n setChatListFetcher (state, { commit, fetcher }) {\n const prevFetcher = state.chatListFetcher\n if (prevFetcher) {\n clearInterval(prevFetcher)\n }\n state.chatListFetcher = fetcher && fetcher()\n },\n setCurrentChatFetcher (state, { fetcher }) {\n const prevFetcher = state.fetcher\n if (prevFetcher) {\n clearInterval(prevFetcher)\n }\n state.fetcher = fetcher && fetcher()\n },\n addOpenedChat (state, { _dispatch, chat }) {\n state.currentChatId = chat.id\n Vue.set(state.openedChats, chat.id, chat)\n\n if (!state.openedChatMessageServices[chat.id]) {\n Vue.set(state.openedChatMessageServices, chat.id, chatService.empty(chat.id))\n }\n },\n setCurrentChatId (state, { chatId }) {\n state.currentChatId = chatId\n },\n addNewChats (state, { chats, newChatMessageSideEffects }) {\n chats.forEach((updatedChat) => {\n const chat = getChatById(state, updatedChat.id)\n\n if (chat) {\n const isNewMessage = (chat.lastMessage && chat.lastMessage.id) !== (updatedChat.lastMessage && updatedChat.lastMessage.id)\n chat.lastMessage = updatedChat.lastMessage\n chat.unread = updatedChat.unread\n chat.updated_at = updatedChat.updated_at\n if (isNewMessage && chat.unread) {\n newChatMessageSideEffects(updatedChat)\n }\n } else {\n state.chatList.data.push(updatedChat)\n Vue.set(state.chatList.idStore, updatedChat.id, updatedChat)\n }\n })\n },\n updateChat (state, { _dispatch, chat: updatedChat, _rootGetters }) {\n const chat = getChatById(state, updatedChat.id)\n if (chat) {\n chat.lastMessage = updatedChat.lastMessage\n chat.unread = updatedChat.unread\n chat.updated_at = updatedChat.updated_at\n }\n if (!chat) { state.chatList.data.unshift(updatedChat) }\n Vue.set(state.chatList.idStore, updatedChat.id, updatedChat)\n },\n deleteChat (state, { _dispatch, id, _rootGetters }) {\n state.chats.data = state.chats.data.filter(conversation =>\n conversation.last_status.id !== id\n )\n state.chats.idStore = omitBy(state.chats.idStore, conversation => conversation.last_status.id === id)\n },\n resetChats (state, { commit }) {\n state.chatList = emptyChatList()\n state.currentChatId = null\n commit('setChatListFetcher', { fetcher: undefined })\n for (const chatId in state.openedChats) {\n chatService.clear(state.openedChatMessageServices[chatId])\n Vue.delete(state.openedChats, chatId)\n Vue.delete(state.openedChatMessageServices, chatId)\n }\n },\n setChatsLoading (state, { value }) {\n state.chats.loading = value\n },\n addChatMessages (state, { chatId, messages, updateMaxId }) {\n const chatMessageService = state.openedChatMessageServices[chatId]\n if (chatMessageService) {\n chatService.add(chatMessageService, { messages: messages.map(parseChatMessage), updateMaxId })\n }\n },\n deleteChatMessage (state, { chatId, messageId }) {\n const chatMessageService = state.openedChatMessageServices[chatId]\n if (chatMessageService) {\n chatService.deleteMessage(chatMessageService, messageId)\n }\n },\n resetChatNewMessageCount (state, _value) {\n const chatMessageService = state.openedChatMessageServices[state.currentChatId]\n chatService.resetNewMessageCount(chatMessageService)\n },\n // Used when a connection loss occurs\n clearOpenedChats (state) {\n const currentChatId = state.currentChatId\n for (const chatId in state.openedChats) {\n if (currentChatId !== chatId) {\n chatService.clear(state.openedChatMessageServices[chatId])\n Vue.delete(state.openedChats, chatId)\n Vue.delete(state.openedChatMessageServices, chatId)\n }\n }\n },\n readChat (state, { id }) {\n const chat = getChatById(state, id)\n if (chat) {\n chat.unread = 0\n }\n }\n }\n}\n\nexport default chats\n","import merge from 'lodash.merge'\nimport localforage from 'localforage'\nimport { each, get, set } from 'lodash'\n\nlet loaded = false\n\nconst defaultReducer = (state, paths) => (\n paths.length === 0 ? state : paths.reduce((substate, path) => {\n set(substate, path, get(state, path))\n return substate\n }, {})\n)\n\nconst saveImmedeatelyActions = [\n 'markNotificationsAsSeen',\n 'clearCurrentUser',\n 'setCurrentUser',\n 'setHighlight',\n 'setOption',\n 'setClientData',\n 'setToken',\n 'clearToken'\n]\n\nconst defaultStorage = (() => {\n return localforage\n})()\n\nexport default function createPersistedState ({\n key = 'vuex-lz',\n paths = [],\n getState = (key, storage) => {\n let value = storage.getItem(key)\n return value\n },\n setState = (key, state, storage) => {\n if (!loaded) {\n console.log('waiting for old state to be loaded...')\n return Promise.resolve()\n } else {\n return storage.setItem(key, state)\n }\n },\n reducer = defaultReducer,\n storage = defaultStorage,\n subscriber = store => handler => store.subscribe(handler)\n} = {}) {\n return getState(key, storage).then((savedState) => {\n return store => {\n try {\n if (savedState !== null && typeof savedState === 'object') {\n // build user cache\n const usersState = savedState.users || {}\n usersState.usersObject = {}\n const users = usersState.users || []\n each(users, (user) => { usersState.usersObject[user.id] = user })\n savedState.users = usersState\n\n store.replaceState(\n merge({}, store.state, savedState)\n )\n }\n loaded = true\n } catch (e) {\n console.log(\"Couldn't load state\")\n console.error(e)\n loaded = true\n }\n subscriber(store)((mutation, state) => {\n try {\n if (saveImmedeatelyActions.includes(mutation.type)) {\n setState(key, reducer(state, paths), storage)\n .then(success => {\n if (typeof success !== 'undefined') {\n if (mutation.type === 'setOption' || mutation.type === 'setCurrentUser') {\n store.dispatch('settingsSaved', { success })\n }\n }\n }, error => {\n if (mutation.type === 'setOption' || mutation.type === 'setCurrentUser') {\n store.dispatch('settingsSaved', { error })\n }\n })\n }\n } catch (e) {\n console.log(\"Couldn't persist state:\")\n console.log(e)\n }\n })\n }\n })\n}\n","export default (store) => {\n store.subscribe((mutation, state) => {\n const vapidPublicKey = state.instance.vapidPublicKey\n const webPushNotification = state.config.webPushNotifications\n const permission = state.interface.notificationPermission === 'granted'\n const user = state.users.currentUser\n\n const isUserMutation = mutation.type === 'setCurrentUser'\n const isVapidMutation = mutation.type === 'setInstanceOption' && mutation.payload.name === 'vapidPublicKey'\n const isPermMutation = mutation.type === 'setNotificationPermission' && mutation.payload === 'granted'\n const isUserConfigMutation = mutation.type === 'setOption' && mutation.payload.name === 'webPushNotifications'\n const isVisibilityMutation = mutation.type === 'setOption' && mutation.payload.name === 'notificationVisibility'\n\n if (isUserMutation || isVapidMutation || isPermMutation || isUserConfigMutation || isVisibilityMutation) {\n if (user && vapidPublicKey && permission && webPushNotification) {\n return store.dispatch('registerPushNotifications')\n } else if (isUserConfigMutation && !webPushNotification) {\n return store.dispatch('unregisterPushNotifications')\n }\n }\n })\n}\n","import * as bodyScrollLock from 'body-scroll-lock'\n\nlet previousNavPaddingRight\nlet previousAppBgWrapperRight\nconst lockerEls = new Set([])\n\nconst disableBodyScroll = (el) => {\n const scrollBarGap = window.innerWidth - document.documentElement.clientWidth\n bodyScrollLock.disableBodyScroll(el, {\n reserveScrollBarGap: true\n })\n lockerEls.add(el)\n setTimeout(() => {\n if (lockerEls.size <= 1) {\n // If previousNavPaddingRight is already set, don't set it again.\n if (previousNavPaddingRight === undefined) {\n const navEl = document.getElementById('nav')\n previousNavPaddingRight = window.getComputedStyle(navEl).getPropertyValue('padding-right')\n navEl.style.paddingRight = previousNavPaddingRight ? `calc(${previousNavPaddingRight} + ${scrollBarGap}px)` : `${scrollBarGap}px`\n }\n // If previousAppBgWrapeprRight is already set, don't set it again.\n if (previousAppBgWrapperRight === undefined) {\n const appBgWrapperEl = document.getElementById('app_bg_wrapper')\n previousAppBgWrapperRight = window.getComputedStyle(appBgWrapperEl).getPropertyValue('right')\n appBgWrapperEl.style.right = previousAppBgWrapperRight ? `calc(${previousAppBgWrapperRight} + ${scrollBarGap}px)` : `${scrollBarGap}px`\n }\n document.body.classList.add('scroll-locked')\n }\n })\n}\n\nconst enableBodyScroll = (el) => {\n lockerEls.delete(el)\n setTimeout(() => {\n if (lockerEls.size === 0) {\n if (previousNavPaddingRight !== undefined) {\n document.getElementById('nav').style.paddingRight = previousNavPaddingRight\n // Restore previousNavPaddingRight to undefined so disableBodyScroll knows it can be set again.\n previousNavPaddingRight = undefined\n }\n if (previousAppBgWrapperRight !== undefined) {\n document.getElementById('app_bg_wrapper').style.right = previousAppBgWrapperRight\n // Restore previousAppBgWrapperRight to undefined so disableBodyScroll knows it can be set again.\n previousAppBgWrapperRight = undefined\n }\n document.body.classList.remove('scroll-locked')\n }\n })\n bodyScrollLock.enableBodyScroll(el)\n}\n\nconst directive = {\n inserted: (el, binding) => {\n if (binding.value) {\n disableBodyScroll(el)\n }\n },\n componentUpdated: (el, binding) => {\n if (binding.oldValue === binding.value) {\n return\n }\n\n if (binding.value) {\n disableBodyScroll(el)\n } else {\n enableBodyScroll(el)\n }\n },\n unbind: (el) => {\n enableBodyScroll(el)\n }\n}\n\nexport default (Vue) => {\n Vue.directive('body-scroll-lock', directive)\n}\n","import { reduce, filter, findIndex, clone, get } from 'lodash'\nimport Status from '../status/status.vue'\n\nconst sortById = (a, b) => {\n const idA = a.type === 'retweet' ? a.retweeted_status.id : a.id\n const idB = b.type === 'retweet' ? b.retweeted_status.id : b.id\n const seqA = Number(idA)\n const seqB = Number(idB)\n const isSeqA = !Number.isNaN(seqA)\n const isSeqB = !Number.isNaN(seqB)\n if (isSeqA && isSeqB) {\n return seqA < seqB ? -1 : 1\n } else if (isSeqA && !isSeqB) {\n return -1\n } else if (!isSeqA && isSeqB) {\n return 1\n } else {\n return idA < idB ? -1 : 1\n }\n}\n\nconst sortAndFilterConversation = (conversation, statusoid) => {\n if (statusoid.type === 'retweet') {\n conversation = filter(\n conversation,\n (status) => (status.type === 'retweet' || status.id !== statusoid.retweeted_status.id)\n )\n } else {\n conversation = filter(conversation, (status) => status.type !== 'retweet')\n }\n return conversation.filter(_ => _).sort(sortById)\n}\n\nconst conversation = {\n data () {\n return {\n highlight: null,\n expanded: false\n }\n },\n props: [\n 'statusId',\n 'collapsable',\n 'isPage',\n 'pinnedStatusIdsObject',\n 'inProfile',\n 'profileUserId'\n ],\n created () {\n if (this.isPage) {\n this.fetchConversation()\n }\n },\n computed: {\n status () {\n return this.$store.state.statuses.allStatusesObject[this.statusId]\n },\n originalStatusId () {\n if (this.status.retweeted_status) {\n return this.status.retweeted_status.id\n } else {\n return this.statusId\n }\n },\n conversationId () {\n return this.getConversationId(this.statusId)\n },\n conversation () {\n if (!this.status) {\n return []\n }\n\n if (!this.isExpanded) {\n return [this.status]\n }\n\n const conversation = clone(this.$store.state.statuses.conversationsObject[this.conversationId])\n const statusIndex = findIndex(conversation, { id: this.originalStatusId })\n if (statusIndex !== -1) {\n conversation[statusIndex] = this.status\n }\n\n return sortAndFilterConversation(conversation, this.status)\n },\n replies () {\n let i = 1\n // eslint-disable-next-line camelcase\n return reduce(this.conversation, (result, { id, in_reply_to_status_id }) => {\n /* eslint-disable camelcase */\n const irid = in_reply_to_status_id\n /* eslint-enable camelcase */\n if (irid) {\n result[irid] = result[irid] || []\n result[irid].push({\n name: `#${i}`,\n id: id\n })\n }\n i++\n return result\n }, {})\n },\n isExpanded () {\n return this.expanded || this.isPage\n }\n },\n components: {\n Status\n },\n watch: {\n statusId (newVal, oldVal) {\n const newConversationId = this.getConversationId(newVal)\n const oldConversationId = this.getConversationId(oldVal)\n if (newConversationId && oldConversationId && newConversationId === oldConversationId) {\n this.setHighlight(this.originalStatusId)\n } else {\n this.fetchConversation()\n }\n },\n expanded (value) {\n if (value) {\n this.fetchConversation()\n }\n }\n },\n methods: {\n fetchConversation () {\n if (this.status) {\n this.$store.state.api.backendInteractor.fetchConversation({ id: this.statusId })\n .then(({ ancestors, descendants }) => {\n this.$store.dispatch('addNewStatuses', { statuses: ancestors })\n this.$store.dispatch('addNewStatuses', { statuses: descendants })\n this.setHighlight(this.originalStatusId)\n })\n } else {\n this.$store.state.api.backendInteractor.fetchStatus({ id: this.statusId })\n .then((status) => {\n this.$store.dispatch('addNewStatuses', { statuses: [status] })\n this.fetchConversation()\n })\n }\n },\n getReplies (id) {\n return this.replies[id] || []\n },\n focused (id) {\n return (this.isExpanded) && id === this.statusId\n },\n setHighlight (id) {\n if (!id) return\n this.highlight = id\n this.$store.dispatch('fetchFavsAndRepeats', id)\n this.$store.dispatch('fetchEmojiReactionsBy', id)\n },\n getHighlight () {\n return this.isExpanded ? this.highlight : null\n },\n toggleExpanded () {\n this.expanded = !this.expanded\n },\n getConversationId (statusId) {\n const status = this.$store.state.statuses.allStatusesObject[statusId]\n return get(status, 'retweeted_status.statusnet_conversation_id', get(status, 'statusnet_conversation_id'))\n }\n }\n}\n\nexport default conversation\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./conversation.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./conversation.js\"\nimport __vue_script__ from \"!!babel-loader!./conversation.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-60ce5442\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./conversation.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"Conversation\",class:{ '-expanded' : _vm.isExpanded, 'panel' : _vm.isExpanded }},[(_vm.isExpanded)?_c('div',{staticClass:\"panel-heading conversation-heading\"},[_c('span',{staticClass:\"title\"},[_vm._v(\" \"+_vm._s(_vm.$t('timeline.conversation'))+\" \")]),_vm._v(\" \"),(_vm.collapsable)?_c('span',[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleExpanded($event)}}},[_vm._v(_vm._s(_vm.$t('timeline.collapse')))])]):_vm._e()]):_vm._e(),_vm._v(\" \"),_vm._l((_vm.conversation),function(status){return _c('status',{key:status.id,staticClass:\"conversation-status status-fadein panel-body\",attrs:{\"inline-expanded\":_vm.collapsable && _vm.isExpanded,\"statusoid\":status,\"expandable\":!_vm.isExpanded,\"show-pinned\":_vm.pinnedStatusIdsObject && _vm.pinnedStatusIdsObject[status.id],\"focused\":_vm.focused(status.id),\"in-conversation\":_vm.isExpanded,\"highlight\":_vm.getHighlight(),\"replies\":_vm.getReplies(status.id),\"in-profile\":_vm.inProfile,\"profile-user-id\":_vm.profileUserId},on:{\"goto\":_vm.setHighlight,\"toggleExpanded\":_vm.toggleExpanded}})})],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Popover from '../popover/popover.vue'\nimport { mapState } from 'vuex'\n\n// Route -> i18n key mapping, exported andnot in the computed\n// because nav panel benefits from the same information.\nexport const timelineNames = () => {\n return {\n 'friends': 'nav.timeline',\n 'bookmarks': 'nav.bookmarks',\n 'dms': 'nav.dms',\n 'public-timeline': 'nav.public_tl',\n 'public-external-timeline': 'nav.twkn',\n 'tag-timeline': 'tag'\n }\n}\n\nconst TimelineMenu = {\n components: {\n Popover\n },\n data () {\n return {\n isOpen: false\n }\n },\n created () {\n if (this.currentUser && this.currentUser.locked) {\n this.$store.dispatch('startFetchingFollowRequests')\n }\n if (timelineNames()[this.$route.name]) {\n this.$store.dispatch('setLastTimeline', this.$route.name)\n }\n },\n methods: {\n openMenu () {\n // $nextTick is too fast, animation won't play back but\n // instead starts in fully open position. Low values\n // like 1-5 work on fast machines but not on mobile, 25\n // seems like a good compromise that plays without significant\n // added lag.\n setTimeout(() => {\n this.isOpen = true\n }, 25)\n },\n timelineName () {\n const route = this.$route.name\n if (route === 'tag-timeline') {\n return '#' + this.$route.params.tag\n }\n const i18nkey = timelineNames()[this.$route.name]\n return i18nkey ? this.$t(i18nkey) : route\n }\n },\n computed: {\n ...mapState({\n currentUser: state => state.users.currentUser,\n privateMode: state => state.instance.private,\n federating: state => state.instance.federating\n })\n }\n}\n\nexport default TimelineMenu\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./timeline_menu.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./timeline_menu.js\"\nimport __vue_script__ from \"!!babel-loader!./timeline_menu.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-7ce315d7\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./timeline_menu.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Popover',{staticClass:\"timeline-menu\",class:{ 'open': _vm.isOpen },attrs:{\"trigger\":\"click\",\"margin\":{ left: -15, right: -200 },\"bound-to\":{ x: 'container' },\"popover-class\":\"timeline-menu-popover-wrap\"},on:{\"show\":_vm.openMenu,\"close\":function () { return _vm.isOpen = false; }}},[_c('div',{staticClass:\"timeline-menu-popover panel panel-default\",attrs:{\"slot\":\"content\"},slot:\"content\"},[_c('ul',[(_vm.currentUser)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'friends' }}},[_c('i',{staticClass:\"button-icon icon-home-2\"}),_vm._v(_vm._s(_vm.$t(\"nav.timeline\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'bookmarks'}}},[_c('i',{staticClass:\"button-icon icon-bookmark\"}),_vm._v(_vm._s(_vm.$t(\"nav.bookmarks\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'dms', params: { username: _vm.currentUser.screen_name } }}},[_c('i',{staticClass:\"button-icon icon-mail-alt\"}),_vm._v(_vm._s(_vm.$t(\"nav.dms\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser || !_vm.privateMode)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'public-timeline' }}},[_c('i',{staticClass:\"button-icon icon-users\"}),_vm._v(_vm._s(_vm.$t(\"nav.public_tl\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.federating && (_vm.currentUser || !_vm.privateMode))?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'public-external-timeline' }}},[_c('i',{staticClass:\"button-icon icon-globe\"}),_vm._v(_vm._s(_vm.$t(\"nav.twkn\"))+\"\\n \")])],1):_vm._e()])]),_vm._v(\" \"),_c('div',{staticClass:\"title timeline-menu-title\",attrs:{\"slot\":\"trigger\"},slot:\"trigger\"},[_c('span',[_vm._v(_vm._s(_vm.timelineName()))]),_vm._v(\" \"),_c('i',{staticClass:\"icon-down-open\"})])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Status from '../status/status.vue'\nimport timelineFetcher from '../../services/timeline_fetcher/timeline_fetcher.service.js'\nimport Conversation from '../conversation/conversation.vue'\nimport TimelineMenu from '../timeline_menu/timeline_menu.vue'\nimport { throttle, keyBy } from 'lodash'\n\nexport const getExcludedStatusIdsByPinning = (statuses, pinnedStatusIds) => {\n const ids = []\n if (pinnedStatusIds && pinnedStatusIds.length > 0) {\n for (let status of statuses) {\n if (!pinnedStatusIds.includes(status.id)) {\n break\n }\n ids.push(status.id)\n }\n }\n return ids\n}\n\nconst Timeline = {\n props: [\n 'timeline',\n 'timelineName',\n 'title',\n 'userId',\n 'tag',\n 'embedded',\n 'count',\n 'pinnedStatusIds',\n 'inProfile'\n ],\n data () {\n return {\n paused: false,\n unfocused: false,\n bottomedOut: false\n }\n },\n components: {\n Status,\n Conversation,\n TimelineMenu\n },\n computed: {\n timelineError () {\n return this.$store.state.statuses.error\n },\n errorData () {\n return this.$store.state.statuses.errorData\n },\n newStatusCount () {\n return this.timeline.newStatusCount\n },\n showLoadButton () {\n if (this.timelineError || this.errorData) return false\n return this.timeline.newStatusCount > 0 || this.timeline.flushMarker !== 0\n },\n loadButtonString () {\n if (this.timeline.flushMarker !== 0) {\n return this.$t('timeline.reload')\n } else {\n return `${this.$t('timeline.show_new')} (${this.newStatusCount})`\n }\n },\n classes () {\n return {\n root: ['timeline'].concat(!this.embedded ? ['panel', 'panel-default'] : []),\n header: ['timeline-heading'].concat(!this.embedded ? ['panel-heading'] : []),\n body: ['timeline-body'].concat(!this.embedded ? ['panel-body'] : []),\n footer: ['timeline-footer'].concat(!this.embedded ? ['panel-footer'] : [])\n }\n },\n // id map of statuses which need to be hidden in the main list due to pinning logic\n excludedStatusIdsObject () {\n const ids = getExcludedStatusIdsByPinning(this.timeline.visibleStatuses, this.pinnedStatusIds)\n // Convert id array to object\n return keyBy(ids)\n },\n pinnedStatusIdsObject () {\n return keyBy(this.pinnedStatusIds)\n }\n },\n created () {\n const store = this.$store\n const credentials = store.state.users.currentUser.credentials\n const showImmediately = this.timeline.visibleStatuses.length === 0\n\n window.addEventListener('scroll', this.scrollLoad)\n\n if (store.state.api.fetchers[this.timelineName]) { return false }\n\n timelineFetcher.fetchAndUpdate({\n store,\n credentials,\n timeline: this.timelineName,\n showImmediately,\n userId: this.userId,\n tag: this.tag\n })\n },\n mounted () {\n if (typeof document.hidden !== 'undefined') {\n document.addEventListener('visibilitychange', this.handleVisibilityChange, false)\n this.unfocused = document.hidden\n }\n window.addEventListener('keydown', this.handleShortKey)\n },\n destroyed () {\n window.removeEventListener('scroll', this.scrollLoad)\n window.removeEventListener('keydown', this.handleShortKey)\n if (typeof document.hidden !== 'undefined') document.removeEventListener('visibilitychange', this.handleVisibilityChange, false)\n this.$store.commit('setLoading', { timeline: this.timelineName, value: false })\n },\n methods: {\n handleShortKey (e) {\n // Ignore when input fields are focused\n if (['textarea', 'input'].includes(e.target.tagName.toLowerCase())) return\n if (e.key === '.') this.showNewStatuses()\n },\n showNewStatuses () {\n if (this.timeline.flushMarker !== 0) {\n this.$store.commit('clearTimeline', { timeline: this.timelineName, excludeUserId: true })\n this.$store.commit('queueFlush', { timeline: this.timelineName, id: 0 })\n this.fetchOlderStatuses()\n } else {\n this.$store.commit('showNewStatuses', { timeline: this.timelineName })\n this.paused = false\n }\n },\n fetchOlderStatuses: throttle(function () {\n const store = this.$store\n const credentials = store.state.users.currentUser.credentials\n store.commit('setLoading', { timeline: this.timelineName, value: true })\n timelineFetcher.fetchAndUpdate({\n store,\n credentials,\n timeline: this.timelineName,\n older: true,\n showImmediately: true,\n userId: this.userId,\n tag: this.tag\n }).then(({ statuses }) => {\n store.commit('setLoading', { timeline: this.timelineName, value: false })\n if (statuses && statuses.length === 0) {\n this.bottomedOut = true\n }\n })\n }, 1000, this),\n scrollLoad (e) {\n const bodyBRect = document.body.getBoundingClientRect()\n const height = Math.max(bodyBRect.height, -(bodyBRect.y))\n if (this.timeline.loading === false &&\n this.$el.offsetHeight > 0 &&\n (window.innerHeight + window.pageYOffset) >= (height - 750)) {\n this.fetchOlderStatuses()\n }\n },\n handleVisibilityChange () {\n this.unfocused = document.hidden\n }\n },\n watch: {\n newStatusCount (count) {\n if (!this.$store.getters.mergedConfig.streaming) {\n return\n }\n if (count > 0) {\n // only 'stream' them when you're scrolled to the top\n const doc = document.documentElement\n const top = (window.pageYOffset || doc.scrollTop) - (doc.clientTop || 0)\n if (top < 15 &&\n !this.paused &&\n !(this.unfocused && this.$store.getters.mergedConfig.pauseOnUnfocused)\n ) {\n this.showNewStatuses()\n } else {\n this.paused = true\n }\n }\n }\n }\n}\n\nexport default Timeline\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./timeline.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2cd8cea5\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{class:[_vm.classes.root, 'timeline']},[_c('div',{class:_vm.classes.header},[(!_vm.embedded)?_c('TimelineMenu'):_vm._e(),_vm._v(\" \"),(_vm.timelineError)?_c('div',{staticClass:\"loadmore-error alert error\",on:{\"click\":function($event){$event.preventDefault();}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('timeline.error_fetching'))+\"\\n \")]):(_vm.errorData)?_c('div',{staticClass:\"loadmore-error alert error\",on:{\"click\":function($event){$event.preventDefault();}}},[_vm._v(\"\\n \"+_vm._s(_vm.errorData.statusText)+\"\\n \")]):(_vm.showLoadButton)?_c('button',{staticClass:\"loadmore-button\",on:{\"click\":function($event){$event.preventDefault();return _vm.showNewStatuses($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.loadButtonString)+\"\\n \")]):_c('div',{staticClass:\"loadmore-text faint\",on:{\"click\":function($event){$event.preventDefault();}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('timeline.up_to_date'))+\"\\n \")])],1),_vm._v(\" \"),_c('div',{class:_vm.classes.body},[_c('div',{staticClass:\"timeline\"},[_vm._l((_vm.pinnedStatusIds),function(statusId){return [(_vm.timeline.statusesObject[statusId])?_c('conversation',{key:statusId + '-pinned',staticClass:\"status-fadein\",attrs:{\"status-id\":statusId,\"collapsable\":true,\"pinned-status-ids-object\":_vm.pinnedStatusIdsObject,\"in-profile\":_vm.inProfile,\"profile-user-id\":_vm.userId}}):_vm._e()]}),_vm._v(\" \"),_vm._l((_vm.timeline.visibleStatuses),function(status){return [(!_vm.excludedStatusIdsObject[status.id])?_c('conversation',{key:status.id,staticClass:\"status-fadein\",attrs:{\"status-id\":status.id,\"collapsable\":true,\"in-profile\":_vm.inProfile,\"profile-user-id\":_vm.userId}}):_vm._e()]})],2)]),_vm._v(\" \"),_c('div',{class:_vm.classes.footer},[(_vm.count===0)?_c('div',{staticClass:\"new-status-notification text-center panel-footer faint\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('timeline.no_statuses'))+\"\\n \")]):(_vm.bottomedOut)?_c('div',{staticClass:\"new-status-notification text-center panel-footer faint\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('timeline.no_more_statuses'))+\"\\n \")]):(!_vm.timeline.loading && !_vm.errorData)?_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.fetchOlderStatuses()}}},[_c('div',{staticClass:\"new-status-notification text-center panel-footer\"},[_vm._v(_vm._s(_vm.$t('timeline.load_older')))])]):(_vm.errorData)?_c('a',{attrs:{\"href\":\"#\"}},[_c('div',{staticClass:\"new-status-notification text-center panel-footer\"},[_vm._v(_vm._s(_vm.errorData.error))])]):_c('div',{staticClass:\"new-status-notification text-center panel-footer\"},[_c('i',{staticClass:\"icon-spin3 animate-spin\"})])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeline from '../timeline/timeline.vue'\nconst PublicTimeline = {\n components: {\n Timeline\n },\n computed: {\n timeline () { return this.$store.state.statuses.timelines.public }\n },\n created () {\n this.$store.dispatch('startFetchingTimeline', { timeline: 'public' })\n },\n destroyed () {\n this.$store.dispatch('stopFetchingTimeline', 'public')\n }\n\n}\n\nexport default PublicTimeline\n","/* script */\nexport * from \"!!babel-loader!./public_timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./public_timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-5f2a502e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./public_timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Timeline',{attrs:{\"title\":_vm.$t('nav.public_tl'),\"timeline\":_vm.timeline,\"timeline-name\":'public'}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeline from '../timeline/timeline.vue'\nconst PublicAndExternalTimeline = {\n components: {\n Timeline\n },\n computed: {\n timeline () { return this.$store.state.statuses.timelines.publicAndExternal }\n },\n created () {\n this.$store.dispatch('startFetchingTimeline', { timeline: 'publicAndExternal' })\n },\n destroyed () {\n this.$store.dispatch('stopFetchingTimeline', 'publicAndExternal')\n }\n}\n\nexport default PublicAndExternalTimeline\n","/* script */\nexport * from \"!!babel-loader!./public_and_external_timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./public_and_external_timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-f6923484\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./public_and_external_timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Timeline',{attrs:{\"title\":_vm.$t('nav.twkn'),\"timeline\":_vm.timeline,\"timeline-name\":'publicAndExternal'}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeline from '../timeline/timeline.vue'\nconst FriendsTimeline = {\n components: {\n Timeline\n },\n computed: {\n timeline () { return this.$store.state.statuses.timelines.friends }\n }\n}\n\nexport default FriendsTimeline\n","/* script */\nexport * from \"!!babel-loader!./friends_timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./friends_timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-22490669\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./friends_timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Timeline',{attrs:{\"title\":_vm.$t('nav.timeline'),\"timeline\":_vm.timeline,\"timeline-name\":'friends'}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeline from '../timeline/timeline.vue'\n\nconst TagTimeline = {\n created () {\n this.$store.commit('clearTimeline', { timeline: 'tag' })\n this.$store.dispatch('startFetchingTimeline', { timeline: 'tag', tag: this.tag })\n },\n components: {\n Timeline\n },\n computed: {\n tag () { return this.$route.params.tag },\n timeline () { return this.$store.state.statuses.timelines.tag }\n },\n watch: {\n tag () {\n this.$store.commit('clearTimeline', { timeline: 'tag' })\n this.$store.dispatch('startFetchingTimeline', { timeline: 'tag', tag: this.tag })\n }\n },\n destroyed () {\n this.$store.dispatch('stopFetchingTimeline', 'tag')\n }\n}\n\nexport default TagTimeline\n","/* script */\nexport * from \"!!babel-loader!./tag_timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./tag_timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-047310d3\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./tag_timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Timeline',{attrs:{\"title\":_vm.tag,\"timeline\":_vm.timeline,\"timeline-name\":'tag',\"tag\":_vm.tag}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeline from '../timeline/timeline.vue'\n\nconst Bookmarks = {\n computed: {\n timeline () {\n return this.$store.state.statuses.timelines.bookmarks\n }\n },\n components: {\n Timeline\n },\n destroyed () {\n this.$store.commit('clearTimeline', { timeline: 'bookmarks' })\n }\n}\n\nexport default Bookmarks\n","/* script */\nexport * from \"!!babel-loader!./bookmark_timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./bookmark_timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2b9c8ba0\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./bookmark_timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Timeline',{attrs:{\"title\":_vm.$t('nav.bookmarks'),\"timeline\":_vm.timeline,\"timeline-name\":'bookmarks'}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Conversation from '../conversation/conversation.vue'\n\nconst conversationPage = {\n components: {\n Conversation\n },\n computed: {\n statusId () {\n return this.$route.params.id\n }\n }\n}\n\nexport default conversationPage\n","/* script */\nexport * from \"!!babel-loader!./conversation-page.js\"\nimport __vue_script__ from \"!!babel-loader!./conversation-page.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-46654d24\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./conversation-page.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('conversation',{attrs:{\"collapsable\":false,\"is-page\":\"true\",\"status-id\":_vm.statusId}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import StatusContent from '../status_content/status_content.vue'\nimport { mapState } from 'vuex'\nimport Status from '../status/status.vue'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\nimport UserCard from '../user_card/user_card.vue'\nimport Timeago from '../timeago/timeago.vue'\nimport { isStatusNotification } from '../../services/notification_utils/notification_utils.js'\nimport { highlightClass, highlightStyle } from '../../services/user_highlighter/user_highlighter.js'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\n\nconst Notification = {\n data () {\n return {\n userExpanded: false,\n betterShadow: this.$store.state.interface.browserSupport.cssFilter,\n unmuted: false\n }\n },\n props: [ 'notification' ],\n components: {\n StatusContent,\n UserAvatar,\n UserCard,\n Timeago,\n Status\n },\n methods: {\n toggleUserExpanded () {\n this.userExpanded = !this.userExpanded\n },\n generateUserProfileLink (user) {\n return generateProfileLink(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames)\n },\n getUser (notification) {\n return this.$store.state.users.usersObject[notification.from_profile.id]\n },\n toggleMute () {\n this.unmuted = !this.unmuted\n },\n approveUser () {\n this.$store.state.api.backendInteractor.approveUser({ id: this.user.id })\n this.$store.dispatch('removeFollowRequest', this.user)\n this.$store.dispatch('markSingleNotificationAsSeen', { id: this.notification.id })\n this.$store.dispatch('updateNotification', {\n id: this.notification.id,\n updater: notification => {\n notification.type = 'follow'\n }\n })\n },\n denyUser () {\n this.$store.state.api.backendInteractor.denyUser({ id: this.user.id })\n .then(() => {\n this.$store.dispatch('dismissNotificationLocal', { id: this.notification.id })\n this.$store.dispatch('removeFollowRequest', this.user)\n })\n }\n },\n computed: {\n userClass () {\n return highlightClass(this.notification.from_profile)\n },\n userStyle () {\n const highlight = this.$store.getters.mergedConfig.highlight\n const user = this.notification.from_profile\n return highlightStyle(highlight[user.screen_name])\n },\n user () {\n return this.$store.getters.findUser(this.notification.from_profile.id)\n },\n userProfileLink () {\n return this.generateUserProfileLink(this.user)\n },\n targetUser () {\n return this.$store.getters.findUser(this.notification.target.id)\n },\n targetUserProfileLink () {\n return this.generateUserProfileLink(this.targetUser)\n },\n needMute () {\n return this.$store.getters.relationship(this.user.id).muting\n },\n isStatusNotification () {\n return isStatusNotification(this.notification.type)\n },\n ...mapState({\n currentUser: state => state.users.currentUser\n })\n }\n}\n\nexport default Notification\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./notification.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./notification.js\"\nimport __vue_script__ from \"!!babel-loader!./notification.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-ac2c8cb4\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./notification.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.notification.type === 'mention')?_c('status',{attrs:{\"compact\":true,\"statusoid\":_vm.notification.status}}):_c('div',[(_vm.needMute && !_vm.unmuted)?_c('div',{staticClass:\"Notification container -muted\"},[_c('small',[_c('router-link',{attrs:{\"to\":_vm.userProfileLink}},[_vm._v(\"\\n \"+_vm._s(_vm.notification.from_profile.screen_name)+\"\\n \")])],1),_vm._v(\" \"),_c('a',{staticClass:\"unmute\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleMute($event)}}},[_c('i',{staticClass:\"button-icon icon-eye-off\"})])]):_c('div',{staticClass:\"non-mention\",class:[_vm.userClass, { highlighted: _vm.userStyle }],style:([ _vm.userStyle ])},[_c('a',{staticClass:\"avatar-container\",attrs:{\"href\":_vm.notification.from_profile.statusnet_profile_url},on:{\"!click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.toggleUserExpanded($event)}}},[_c('UserAvatar',{attrs:{\"compact\":true,\"better-shadow\":_vm.betterShadow,\"user\":_vm.notification.from_profile}})],1),_vm._v(\" \"),_c('div',{staticClass:\"notification-right\"},[(_vm.userExpanded)?_c('UserCard',{attrs:{\"user-id\":_vm.getUser(_vm.notification).id,\"rounded\":true,\"bordered\":true}}):_vm._e(),_vm._v(\" \"),_c('span',{staticClass:\"notification-details\"},[_c('div',{staticClass:\"name-and-action\"},[(!!_vm.notification.from_profile.name_html)?_c('bdi',{staticClass:\"username\",attrs:{\"title\":'@'+_vm.notification.from_profile.screen_name},domProps:{\"innerHTML\":_vm._s(_vm.notification.from_profile.name_html)}}):_c('span',{staticClass:\"username\",attrs:{\"title\":'@'+_vm.notification.from_profile.screen_name}},[_vm._v(_vm._s(_vm.notification.from_profile.name))]),_vm._v(\" \"),(_vm.notification.type === 'like')?_c('span',[_c('i',{staticClass:\"fa icon-star lit\"}),_vm._v(\" \"),_c('small',[_vm._v(_vm._s(_vm.$t('notifications.favorited_you')))])]):_vm._e(),_vm._v(\" \"),(_vm.notification.type === 'repeat')?_c('span',[_c('i',{staticClass:\"fa icon-retweet lit\",attrs:{\"title\":_vm.$t('tool_tip.repeat')}}),_vm._v(\" \"),_c('small',[_vm._v(_vm._s(_vm.$t('notifications.repeated_you')))])]):_vm._e(),_vm._v(\" \"),(_vm.notification.type === 'follow')?_c('span',[_c('i',{staticClass:\"fa icon-user-plus lit\"}),_vm._v(\" \"),_c('small',[_vm._v(_vm._s(_vm.$t('notifications.followed_you')))])]):_vm._e(),_vm._v(\" \"),(_vm.notification.type === 'follow_request')?_c('span',[_c('i',{staticClass:\"fa icon-user lit\"}),_vm._v(\" \"),_c('small',[_vm._v(_vm._s(_vm.$t('notifications.follow_request')))])]):_vm._e(),_vm._v(\" \"),(_vm.notification.type === 'move')?_c('span',[_c('i',{staticClass:\"fa icon-arrow-curved lit\"}),_vm._v(\" \"),_c('small',[_vm._v(_vm._s(_vm.$t('notifications.migrated_to')))])]):_vm._e(),_vm._v(\" \"),(_vm.notification.type === 'pleroma:emoji_reaction')?_c('span',[_c('small',[_c('i18n',{attrs:{\"path\":\"notifications.reacted_with\"}},[_c('span',{staticClass:\"emoji-reaction-emoji\"},[_vm._v(_vm._s(_vm.notification.emoji))])])],1)]):_vm._e()]),_vm._v(\" \"),(_vm.isStatusNotification)?_c('div',{staticClass:\"timeago\"},[(_vm.notification.status)?_c('router-link',{staticClass:\"faint-link\",attrs:{\"to\":{ name: 'conversation', params: { id: _vm.notification.status.id } }}},[_c('Timeago',{attrs:{\"time\":_vm.notification.created_at,\"auto-update\":240}})],1):_vm._e()],1):_c('div',{staticClass:\"timeago\"},[_c('span',{staticClass:\"faint\"},[_c('Timeago',{attrs:{\"time\":_vm.notification.created_at,\"auto-update\":240}})],1)]),_vm._v(\" \"),(_vm.needMute)?_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.toggleMute($event)}}},[_c('i',{staticClass:\"button-icon icon-eye-off\"})]):_vm._e()]),_vm._v(\" \"),(_vm.notification.type === 'follow' || _vm.notification.type === 'follow_request')?_c('div',{staticClass:\"follow-text\"},[_c('router-link',{staticClass:\"follow-name\",attrs:{\"to\":_vm.userProfileLink}},[_vm._v(\"\\n @\"+_vm._s(_vm.notification.from_profile.screen_name)+\"\\n \")]),_vm._v(\" \"),(_vm.notification.type === 'follow_request')?_c('div',{staticStyle:{\"white-space\":\"nowrap\"}},[_c('i',{staticClass:\"icon-ok button-icon follow-request-accept\",attrs:{\"title\":_vm.$t('tool_tip.accept_follow_request')},on:{\"click\":function($event){return _vm.approveUser()}}}),_vm._v(\" \"),_c('i',{staticClass:\"icon-cancel button-icon follow-request-reject\",attrs:{\"title\":_vm.$t('tool_tip.reject_follow_request')},on:{\"click\":function($event){return _vm.denyUser()}}})]):_vm._e()],1):(_vm.notification.type === 'move')?_c('div',{staticClass:\"move-text\"},[_c('router-link',{attrs:{\"to\":_vm.targetUserProfileLink}},[_vm._v(\"\\n @\"+_vm._s(_vm.notification.target.screen_name)+\"\\n \")])],1):[_c('status-content',{staticClass:\"faint\",attrs:{\"status\":_vm.notification.action}})]],2)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapGetters } from 'vuex'\nimport Notification from '../notification/notification.vue'\nimport notificationsFetcher from '../../services/notifications_fetcher/notifications_fetcher.service.js'\nimport {\n notificationsFromStore,\n filteredNotificationsFromStore,\n unseenNotificationsFromStore\n} from '../../services/notification_utils/notification_utils.js'\n\nconst DEFAULT_SEEN_TO_DISPLAY_COUNT = 30\n\nconst Notifications = {\n props: {\n // Disables display of panel header\n noHeading: Boolean,\n // Disables panel styles, unread mark, potentially other notification-related actions\n // meant for \"Interactions\" timeline\n minimalMode: Boolean,\n // Custom filter mode, an array of strings, possible values 'mention', 'repeat', 'like', 'follow', used to override global filter for use in \"Interactions\" timeline\n filterMode: Array\n },\n data () {\n return {\n bottomedOut: false,\n // How many seen notifications to display in the list. The more there are,\n // the heavier the page becomes. This count is increased when loading\n // older notifications, and cut back to default whenever hitting \"Read!\".\n seenToDisplayCount: DEFAULT_SEEN_TO_DISPLAY_COUNT\n }\n },\n created () {\n const store = this.$store\n const credentials = store.state.users.currentUser.credentials\n notificationsFetcher.fetchAndUpdate({ store, credentials })\n },\n computed: {\n mainClass () {\n return this.minimalMode ? '' : 'panel panel-default'\n },\n notifications () {\n return notificationsFromStore(this.$store)\n },\n error () {\n return this.$store.state.statuses.notifications.error\n },\n unseenNotifications () {\n return unseenNotificationsFromStore(this.$store)\n },\n filteredNotifications () {\n return filteredNotificationsFromStore(this.$store, this.filterMode)\n },\n unseenCount () {\n return this.unseenNotifications.length\n },\n unseenCountTitle () {\n return this.unseenCount + (this.unreadChatCount)\n },\n loading () {\n return this.$store.state.statuses.notifications.loading\n },\n notificationsToDisplay () {\n return this.filteredNotifications.slice(0, this.unseenCount + this.seenToDisplayCount)\n },\n ...mapGetters(['unreadChatCount'])\n },\n components: {\n Notification\n },\n watch: {\n unseenCountTitle (count) {\n if (count > 0) {\n this.$store.dispatch('setPageTitle', `(${count})`)\n } else {\n this.$store.dispatch('setPageTitle', '')\n }\n }\n },\n methods: {\n markAsSeen () {\n this.$store.dispatch('markNotificationsAsSeen')\n this.seenToDisplayCount = DEFAULT_SEEN_TO_DISPLAY_COUNT\n },\n fetchOlderNotifications () {\n if (this.loading) {\n return\n }\n\n const seenCount = this.filteredNotifications.length - this.unseenCount\n if (this.seenToDisplayCount < seenCount) {\n this.seenToDisplayCount = Math.min(this.seenToDisplayCount + 20, seenCount)\n return\n } else if (this.seenToDisplayCount > seenCount) {\n this.seenToDisplayCount = seenCount\n }\n\n const store = this.$store\n const credentials = store.state.users.currentUser.credentials\n store.commit('setNotificationsLoading', { value: true })\n notificationsFetcher.fetchAndUpdate({\n store,\n credentials,\n older: true\n }).then(notifs => {\n store.commit('setNotificationsLoading', { value: false })\n if (notifs.length === 0) {\n this.bottomedOut = true\n }\n this.seenToDisplayCount += notifs.length\n })\n }\n }\n}\n\nexport default Notifications\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./notifications.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./notifications.js\"\nimport __vue_script__ from \"!!babel-loader!./notifications.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4be57e6f\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./notifications.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"notifications\",class:{ minimal: _vm.minimalMode }},[_c('div',{class:_vm.mainClass},[(!_vm.noHeading)?_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('notifications.notifications'))+\"\\n \"),(_vm.unseenCount)?_c('span',{staticClass:\"badge badge-notification unseen-count\"},[_vm._v(_vm._s(_vm.unseenCount))]):_vm._e()]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"loadmore-error alert error\",on:{\"click\":function($event){$event.preventDefault();}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('timeline.error_fetching'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.unseenCount)?_c('button',{staticClass:\"read-button\",on:{\"click\":function($event){$event.preventDefault();return _vm.markAsSeen($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('notifications.read'))+\"\\n \")]):_vm._e()]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},_vm._l((_vm.notificationsToDisplay),function(notification){return _c('div',{key:notification.id,staticClass:\"notification\",class:{\"unseen\": !_vm.minimalMode && !notification.seen}},[_c('div',{staticClass:\"notification-overlay\"}),_vm._v(\" \"),_c('notification',{attrs:{\"notification\":notification}})],1)}),0),_vm._v(\" \"),_c('div',{staticClass:\"panel-footer\"},[(_vm.bottomedOut)?_c('div',{staticClass:\"new-status-notification text-center panel-footer faint\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('notifications.no_more_notifications'))+\"\\n \")]):(!_vm.loading)?_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.fetchOlderNotifications()}}},[_c('div',{staticClass:\"new-status-notification text-center panel-footer\"},[_vm._v(\"\\n \"+_vm._s(_vm.minimalMode ? _vm.$t('interactions.load_older') : _vm.$t('notifications.load_older'))+\"\\n \")])]):_c('div',{staticClass:\"new-status-notification text-center panel-footer\"},[_c('i',{staticClass:\"icon-spin3 animate-spin\"})])])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Notifications from '../notifications/notifications.vue'\n\nconst tabModeDict = {\n mentions: ['mention'],\n 'likes+repeats': ['repeat', 'like'],\n follows: ['follow'],\n moves: ['move']\n}\n\nconst Interactions = {\n data () {\n return {\n allowFollowingMove: this.$store.state.users.currentUser.allow_following_move,\n filterMode: tabModeDict['mentions']\n }\n },\n methods: {\n onModeSwitch (key) {\n this.filterMode = tabModeDict[key]\n }\n },\n components: {\n Notifications\n }\n}\n\nexport default Interactions\n","/* script */\nexport * from \"!!babel-loader!./interactions.js\"\nimport __vue_script__ from \"!!babel-loader!./interactions.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-109005c8\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./interactions.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"nav.interactions\"))+\"\\n \")])]),_vm._v(\" \"),_c('tab-switcher',{ref:\"tabSwitcher\",attrs:{\"on-switch\":_vm.onModeSwitch}},[_c('span',{key:\"mentions\",attrs:{\"label\":_vm.$t('nav.mentions')}}),_vm._v(\" \"),_c('span',{key:\"likes+repeats\",attrs:{\"label\":_vm.$t('interactions.favs_repeats')}}),_vm._v(\" \"),_c('span',{key:\"follows\",attrs:{\"label\":_vm.$t('interactions.follows')}}),_vm._v(\" \"),(!_vm.allowFollowingMove)?_c('span',{key:\"moves\",attrs:{\"label\":_vm.$t('interactions.moves')}}):_vm._e()]),_vm._v(\" \"),_c('Notifications',{ref:\"notifications\",attrs:{\"no-heading\":true,\"minimal-mode\":true,\"filter-mode\":_vm.filterMode}})],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Timeline from '../timeline/timeline.vue'\n\nconst DMs = {\n computed: {\n timeline () {\n return this.$store.state.statuses.timelines.dms\n }\n },\n components: {\n Timeline\n }\n}\n\nexport default DMs\n","/* script */\nexport * from \"!!babel-loader!./dm_timeline.js\"\nimport __vue_script__ from \"!!babel-loader!./dm_timeline.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-294f8b6d\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./dm_timeline.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Timeline',{attrs:{\"title\":_vm.$t('nav.dms'),\"timeline\":_vm.timeline,\"timeline-name\":'dms'}})}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Vue from 'vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\n\nexport default Vue.component('chat-title', {\n name: 'ChatTitle',\n components: {\n UserAvatar\n },\n props: [\n 'user', 'withAvatar'\n ],\n computed: {\n title () {\n return this.user ? this.user.screen_name : ''\n },\n htmlTitle () {\n return this.user ? this.user.name_html : ''\n }\n },\n methods: {\n getUserProfileLink (user) {\n return generateProfileLink(user.id, user.screen_name)\n }\n }\n})\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_title.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat_title.js\"\nimport __vue_script__ from \"!!babel-loader!./chat_title.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-392970fa\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_title.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"chat-title\",attrs:{\"title\":_vm.title}},[(_vm.withAvatar && _vm.user)?_c('router-link',{attrs:{\"to\":_vm.getUserProfileLink(_vm.user)}},[_c('UserAvatar',{attrs:{\"user\":_vm.user,\"width\":\"23px\",\"height\":\"23px\"}})],1):_vm._e(),_vm._v(\" \"),_c('span',{staticClass:\"username\",domProps:{\"innerHTML\":_vm._s(_vm.htmlTitle)}})],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState } from 'vuex'\nimport StatusContent from '../status_content/status_content.vue'\nimport fileType from 'src/services/file_type/file_type.service'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\nimport AvatarList from '../avatar_list/avatar_list.vue'\nimport Timeago from '../timeago/timeago.vue'\nimport ChatTitle from '../chat_title/chat_title.vue'\n\nconst ChatListItem = {\n name: 'ChatListItem',\n props: [\n 'chat'\n ],\n components: {\n UserAvatar,\n AvatarList,\n Timeago,\n ChatTitle,\n StatusContent\n },\n computed: {\n ...mapState({\n currentUser: state => state.users.currentUser\n }),\n attachmentInfo () {\n if (this.chat.lastMessage.attachments.length === 0) { return }\n\n const types = this.chat.lastMessage.attachments.map(file => fileType.fileType(file.mimetype))\n if (types.includes('video')) {\n return this.$t('file_type.video')\n } else if (types.includes('audio')) {\n return this.$t('file_type.audio')\n } else if (types.includes('image')) {\n return this.$t('file_type.image')\n } else {\n return this.$t('file_type.file')\n }\n },\n messageForStatusContent () {\n const message = this.chat.lastMessage\n const isYou = message && message.account_id === this.currentUser.id\n const content = message ? (this.attachmentInfo || message.content) : ''\n const messagePreview = isYou ? `<i>${this.$t('chats.you')}</i> ${content}` : content\n return {\n summary: '',\n statusnet_html: messagePreview,\n text: messagePreview,\n attachments: []\n }\n }\n },\n methods: {\n openChat (_e) {\n if (this.chat.id) {\n this.$router.push({\n name: 'chat',\n params: {\n username: this.currentUser.screen_name,\n recipient_id: this.chat.account.id\n }\n })\n }\n }\n }\n}\n\nexport default ChatListItem\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_list_item.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat_list_item.js\"\nimport __vue_script__ from \"!!babel-loader!./chat_list_item.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-0e928dad\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_list_item.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"chat-list-item\",on:{\"!click\":function($event){$event.preventDefault();return _vm.openChat($event)}}},[_c('div',{staticClass:\"chat-list-item-left\"},[_c('UserAvatar',{attrs:{\"user\":_vm.chat.account,\"height\":\"48px\",\"width\":\"48px\"}})],1),_vm._v(\" \"),_c('div',{staticClass:\"chat-list-item-center\"},[_c('div',{staticClass:\"heading\"},[(_vm.chat.account)?_c('span',{staticClass:\"name-and-account-name\"},[_c('ChatTitle',{attrs:{\"user\":_vm.chat.account}})],1):_vm._e(),_vm._v(\" \"),_c('span',{staticClass:\"heading-right\"})]),_vm._v(\" \"),_c('div',{staticClass:\"chat-preview\"},[_c('StatusContent',{attrs:{\"status\":_vm.messageForStatusContent,\"single-line\":true}}),_vm._v(\" \"),(_vm.chat.unread > 0)?_c('div',{staticClass:\"badge badge-notification unread-chat-count\"},[_vm._v(\"\\n \"+_vm._s(_vm.chat.unread)+\"\\n \")]):_vm._e()],1)]),_vm._v(\" \"),_c('div',{staticClass:\"time-wrapper\"},[_c('Timeago',{attrs:{\"time\":_vm.chat.updated_at,\"auto-update\":60}})],1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState, mapGetters } from 'vuex'\nimport BasicUserCard from '../basic_user_card/basic_user_card.vue'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\n\nconst chatNew = {\n components: {\n BasicUserCard,\n UserAvatar\n },\n data () {\n return {\n suggestions: [],\n userIds: [],\n loading: false,\n query: ''\n }\n },\n async created () {\n const { chats } = await this.backendInteractor.chats()\n chats.forEach(chat => this.suggestions.push(chat.account))\n },\n computed: {\n users () {\n return this.userIds.map(userId => this.findUser(userId))\n },\n availableUsers () {\n if (this.query.length !== 0) {\n return this.users\n } else {\n return this.suggestions\n }\n },\n ...mapState({\n currentUser: state => state.users.currentUser,\n backendInteractor: state => state.api.backendInteractor\n }),\n ...mapGetters(['findUser'])\n },\n methods: {\n goBack () {\n this.$emit('cancel')\n },\n goToChat (user) {\n this.$router.push({ name: 'chat', params: { recipient_id: user.id } })\n },\n onInput () {\n this.search(this.query)\n },\n addUser (user) {\n this.selectedUserIds.push(user.id)\n this.query = ''\n },\n removeUser (userId) {\n this.selectedUserIds = this.selectedUserIds.filter(id => id !== userId)\n },\n search (query) {\n if (!query) {\n this.loading = false\n return\n }\n\n this.loading = true\n this.userIds = []\n this.$store.dispatch('search', { q: query, resolve: true, type: 'accounts' })\n .then(data => {\n this.loading = false\n this.userIds = data.accounts.map(a => a.id)\n })\n }\n }\n}\n\nexport default chatNew\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_new.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat_new.js\"\nimport __vue_script__ from \"!!babel-loader!./chat_new.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-cea4bed6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_new.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"panel-default panel chat-new\",attrs:{\"id\":\"nav\"}},[_c('div',{ref:\"header\",staticClass:\"panel-heading\"},[_c('a',{staticClass:\"go-back-button\",on:{\"click\":_vm.goBack}},[_c('i',{staticClass:\"button-icon icon-left-open\"})])]),_vm._v(\" \"),_c('div',{staticClass:\"input-wrap\"},[_vm._m(0),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.query),expression:\"query\"}],ref:\"search\",attrs:{\"placeholder\":\"Search people\"},domProps:{\"value\":(_vm.query)},on:{\"input\":[function($event){if($event.target.composing){ return; }_vm.query=$event.target.value},_vm.onInput]}})]),_vm._v(\" \"),_c('div',{staticClass:\"member-list\"},_vm._l((_vm.availableUsers),function(user){return _c('div',{key:user.id,staticClass:\"member\"},[_c('div',{on:{\"!click\":function($event){$event.preventDefault();return _vm.goToChat(user)}}},[_c('BasicUserCard',{attrs:{\"user\":user}})],1)])}),0)])}\nvar staticRenderFns = [function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"input-search\"},[_c('i',{staticClass:\"button-icon icon-search\"})])}]\nexport { render, staticRenderFns }","import { mapState, mapGetters } from 'vuex'\nimport ChatListItem from '../chat_list_item/chat_list_item.vue'\nimport ChatNew from '../chat_new/chat_new.vue'\nimport List from '../list/list.vue'\n\nconst ChatList = {\n components: {\n ChatListItem,\n List,\n ChatNew\n },\n computed: {\n ...mapState({\n currentUser: state => state.users.currentUser\n }),\n ...mapGetters(['sortedChatList'])\n },\n data () {\n return {\n isNew: false\n }\n },\n created () {\n this.$store.dispatch('fetchChats', { latest: true })\n },\n methods: {\n cancelNewChat () {\n this.isNew = false\n this.$store.dispatch('fetchChats', { latest: true })\n },\n newChat () {\n this.isNew = true\n }\n }\n}\n\nexport default ChatList\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_list.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat_list.js\"\nimport __vue_script__ from \"!!babel-loader!./chat_list.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-76b8e1a4\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_list.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.isNew)?_c('div',[_c('ChatNew',{on:{\"cancel\":_vm.cancelNewChat}})],1):_c('div',{staticClass:\"chat-list panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_c('span',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"chats.chats\"))+\"\\n \")]),_vm._v(\" \"),_c('button',{on:{\"click\":_vm.newChat}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"chats.new\"))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[(_vm.sortedChatList.length > 0)?_c('div',{staticClass:\"timeline\"},[_c('List',{attrs:{\"items\":_vm.sortedChatList},scopedSlots:_vm._u([{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('ChatListItem',{key:item.id,attrs:{\"compact\":false,\"chat\":item}})]}}],null,false,1412157271)})],1):_c('div',{staticClass:\"emtpy-chat-list-alert\"},[_c('span',[_vm._v(_vm._s(_vm.$t('chats.empty_chat_list_placeholder')))])])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <time>\n {{ displayDate }}\n </time>\n</template>\n\n<script>\nexport default {\n name: 'Timeago',\n props: ['date'],\n computed: {\n displayDate () {\n const today = new Date()\n today.setHours(0, 0, 0, 0)\n\n if (this.date.getTime() === today.getTime()) {\n return this.$t('display_date.today')\n } else {\n return this.date.toLocaleDateString('en', { day: 'numeric', month: 'long' })\n }\n }\n }\n}\n</script>\n","/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./chat_message_date.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./chat_message_date.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3d70943c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_message_date.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('time',[_vm._v(\"\\n \"+_vm._s(_vm.displayDate)+\"\\n\")])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState, mapGetters } from 'vuex'\nimport Popover from '../popover/popover.vue'\nimport Attachment from '../attachment/attachment.vue'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\nimport Gallery from '../gallery/gallery.vue'\nimport LinkPreview from '../link-preview/link-preview.vue'\nimport StatusContent from '../status_content/status_content.vue'\nimport ChatMessageDate from '../chat_message_date/chat_message_date.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\n\nconst ChatMessage = {\n name: 'ChatMessage',\n props: [\n 'author',\n 'edited',\n 'noHeading',\n 'chatViewItem',\n 'hoveredMessageChain'\n ],\n components: {\n Popover,\n Attachment,\n StatusContent,\n UserAvatar,\n Gallery,\n LinkPreview,\n ChatMessageDate\n },\n computed: {\n // Returns HH:MM (hours and minutes) in local time.\n createdAt () {\n const time = this.chatViewItem.data.created_at\n return time.toLocaleTimeString('en', { hour: '2-digit', minute: '2-digit', hour12: false })\n },\n isCurrentUser () {\n return this.message.account_id === this.currentUser.id\n },\n message () {\n return this.chatViewItem.data\n },\n userProfileLink () {\n return generateProfileLink(this.author.id, this.author.screen_name, this.$store.state.instance.restrictedNicknames)\n },\n isMessage () {\n return this.chatViewItem.type === 'message'\n },\n messageForStatusContent () {\n return {\n summary: '',\n statusnet_html: this.message.content,\n text: this.message.content,\n attachments: this.message.attachments\n }\n },\n hasAttachment () {\n return this.message.attachments.length > 0\n },\n ...mapState({\n betterShadow: state => state.interface.browserSupport.cssFilter,\n currentUser: state => state.users.currentUser,\n restrictedNicknames: state => state.instance.restrictedNicknames\n }),\n popoverMarginStyle () {\n if (this.isCurrentUser) {\n return {}\n } else {\n return { left: 50 }\n }\n },\n ...mapGetters(['mergedConfig', 'findUser'])\n },\n data () {\n return {\n hovered: false,\n menuOpened: false\n }\n },\n methods: {\n onHover (bool) {\n this.$emit('hover', { isHovered: bool, messageChainId: this.chatViewItem.messageChainId })\n },\n async deleteMessage () {\n const confirmed = window.confirm(this.$t('chats.delete_confirm'))\n if (confirmed) {\n await this.$store.dispatch('deleteChatMessage', {\n messageId: this.chatViewItem.data.id,\n chatId: this.chatViewItem.data.chat_id\n })\n }\n this.hovered = false\n this.menuOpened = false\n }\n }\n}\n\nexport default ChatMessage\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_message.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat_message.js\"\nimport __vue_script__ from \"!!babel-loader!./chat_message.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-dd13f2ee\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_message.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.isMessage)?_c('div',{staticClass:\"chat-message-wrapper\",class:{ 'hovered-message-chain': _vm.hoveredMessageChain },on:{\"mouseover\":function($event){return _vm.onHover(true)},\"mouseleave\":function($event){return _vm.onHover(false)}}},[_c('div',{staticClass:\"chat-message\",class:[{ 'outgoing': _vm.isCurrentUser, 'incoming': !_vm.isCurrentUser }]},[(!_vm.isCurrentUser)?_c('div',{staticClass:\"avatar-wrapper\"},[(_vm.chatViewItem.isHead)?_c('router-link',{attrs:{\"to\":_vm.userProfileLink}},[_c('UserAvatar',{attrs:{\"compact\":true,\"better-shadow\":_vm.betterShadow,\"user\":_vm.author}})],1):_vm._e()],1):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"chat-message-inner\"},[_c('div',{staticClass:\"status-body\",style:({ 'min-width': _vm.message.attachment ? '80%' : '' })},[_c('div',{staticClass:\"media status\",class:{ 'without-attachment': !_vm.hasAttachment },staticStyle:{\"position\":\"relative\"},on:{\"mouseenter\":function($event){_vm.hovered = true},\"mouseleave\":function($event){_vm.hovered = false}}},[_c('div',{staticClass:\"chat-message-menu\",class:{ 'visible': _vm.hovered || _vm.menuOpened }},[_c('Popover',{attrs:{\"trigger\":\"click\",\"placement\":\"top\",\"bound-to-selector\":_vm.isCurrentUser ? '' : '.scrollable-message-list',\"bound-to\":{ x: 'container' },\"margin\":_vm.popoverMarginStyle},on:{\"show\":function($event){_vm.menuOpened = true},\"close\":function($event){_vm.menuOpened = false}}},[_c('div',{attrs:{\"slot\":\"content\"},slot:\"content\"},[_c('div',{staticClass:\"dropdown-menu\"},[_c('button',{staticClass:\"dropdown-item dropdown-item-icon\",on:{\"click\":_vm.deleteMessage}},[_c('i',{staticClass:\"icon-cancel\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"chats.delete\"))+\"\\n \")])])]),_vm._v(\" \"),_c('button',{attrs:{\"slot\":\"trigger\",\"title\":_vm.$t('chats.more')},slot:\"trigger\"},[_c('i',{staticClass:\"icon-ellipsis\"})])])],1),_vm._v(\" \"),_c('StatusContent',{attrs:{\"status\":_vm.messageForStatusContent,\"full-content\":true}},[_c('span',{staticClass:\"created-at\",attrs:{\"slot\":\"footer\"},slot:\"footer\"},[_vm._v(\"\\n \"+_vm._s(_vm.createdAt)+\"\\n \")])])],1)])])])]):_c('div',{staticClass:\"chat-message-date-separator\"},[_c('ChatMessageDate',{attrs:{\"date\":_vm.chatViewItem.date}})],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","// Captures a scroll position\nexport const getScrollPosition = (el) => {\n return {\n scrollTop: el.scrollTop,\n scrollHeight: el.scrollHeight,\n offsetHeight: el.offsetHeight\n }\n}\n\n// A helper function that is used to keep the scroll position fixed as the new elements are added to the top\n// Takes two scroll positions, before and after the update.\nexport const getNewTopPosition = (previousPosition, newPosition) => {\n return previousPosition.scrollTop + (newPosition.scrollHeight - previousPosition.scrollHeight)\n}\n\nexport const isBottomedOut = (el, offset = 0) => {\n if (!el) { return }\n const scrollHeight = el.scrollTop + offset\n const totalHeight = el.scrollHeight - el.offsetHeight\n return totalHeight <= scrollHeight\n}\n\n// Height of the scrollable container. The dynamic height is needed to ensure the mobile browser panel doesn't overlap or hide the posting form.\nexport const scrollableContainerHeight = (inner, header, footer) => {\n return inner.offsetHeight - header.clientHeight - footer.clientHeight\n}\n","import _ from 'lodash'\nimport { WSConnectionStatus } from '../../services/api/api.service.js'\nimport { mapGetters, mapState } from 'vuex'\nimport ChatMessage from '../chat_message/chat_message.vue'\nimport PostStatusForm from '../post_status_form/post_status_form.vue'\nimport ChatTitle from '../chat_title/chat_title.vue'\nimport chatService from '../../services/chat_service/chat_service.js'\nimport { getScrollPosition, getNewTopPosition, isBottomedOut, scrollableContainerHeight } from './chat_layout_utils.js'\n\nconst BOTTOMED_OUT_OFFSET = 10\nconst JUMP_TO_BOTTOM_BUTTON_VISIBILITY_OFFSET = 150\nconst SAFE_RESIZE_TIME_OFFSET = 100\n\nconst Chat = {\n components: {\n ChatMessage,\n ChatTitle,\n PostStatusForm\n },\n data () {\n return {\n jumpToBottomButtonVisible: false,\n hoveredMessageChainId: undefined,\n lastScrollPosition: {},\n scrollableContainerHeight: '100%',\n errorLoadingChat: false\n }\n },\n created () {\n this.startFetching()\n window.addEventListener('resize', this.handleLayoutChange)\n },\n mounted () {\n window.addEventListener('scroll', this.handleScroll)\n if (typeof document.hidden !== 'undefined') {\n document.addEventListener('visibilitychange', this.handleVisibilityChange, false)\n }\n\n this.$nextTick(() => {\n this.updateScrollableContainerHeight()\n this.handleResize()\n })\n this.setChatLayout()\n },\n destroyed () {\n window.removeEventListener('scroll', this.handleScroll)\n window.removeEventListener('resize', this.handleLayoutChange)\n this.unsetChatLayout()\n if (typeof document.hidden !== 'undefined') document.removeEventListener('visibilitychange', this.handleVisibilityChange, false)\n this.$store.dispatch('clearCurrentChat')\n },\n computed: {\n recipient () {\n return this.currentChat && this.currentChat.account\n },\n recipientId () {\n return this.$route.params.recipient_id\n },\n formPlaceholder () {\n if (this.recipient) {\n return this.$t('chats.message_user', { nickname: this.recipient.screen_name })\n } else {\n return ''\n }\n },\n chatViewItems () {\n return chatService.getView(this.currentChatMessageService)\n },\n newMessageCount () {\n return this.currentChatMessageService && this.currentChatMessageService.newMessageCount\n },\n streamingEnabled () {\n return this.mergedConfig.useStreamingApi && this.mastoUserSocketStatus === WSConnectionStatus.JOINED\n },\n ...mapGetters([\n 'currentChat',\n 'currentChatMessageService',\n 'findOpenedChatByRecipientId',\n 'mergedConfig'\n ]),\n ...mapState({\n backendInteractor: state => state.api.backendInteractor,\n mastoUserSocketStatus: state => state.api.mastoUserSocketStatus,\n mobileLayout: state => state.interface.mobileLayout,\n layoutHeight: state => state.interface.layoutHeight,\n currentUser: state => state.users.currentUser\n })\n },\n watch: {\n chatViewItems () {\n // We don't want to scroll to the bottom on a new message when the user is viewing older messages.\n // Therefore we need to know whether the scroll position was at the bottom before the DOM update.\n const bottomedOutBeforeUpdate = this.bottomedOut(BOTTOMED_OUT_OFFSET)\n this.$nextTick(() => {\n if (bottomedOutBeforeUpdate) {\n this.scrollDown({ forceRead: !document.hidden })\n }\n })\n },\n '$route': function () {\n this.startFetching()\n },\n layoutHeight () {\n this.handleResize({ expand: true })\n },\n mastoUserSocketStatus (newValue) {\n if (newValue === WSConnectionStatus.JOINED) {\n this.fetchChat({ isFirstFetch: true })\n }\n }\n },\n methods: {\n // Used to animate the avatar near the first message of the message chain when any message belonging to the chain is hovered\n onMessageHover ({ isHovered, messageChainId }) {\n this.hoveredMessageChainId = isHovered ? messageChainId : undefined\n },\n onFilesDropped () {\n this.$nextTick(() => {\n this.handleResize()\n this.updateScrollableContainerHeight()\n })\n },\n handleVisibilityChange () {\n this.$nextTick(() => {\n if (!document.hidden && this.bottomedOut(BOTTOMED_OUT_OFFSET)) {\n this.scrollDown({ forceRead: true })\n }\n })\n },\n setChatLayout () {\n // This is a hacky way to adjust the global layout to the mobile chat (without modifying the rest of the app).\n // This layout prevents empty spaces from being visible at the bottom\n // of the chat on iOS Safari (`safe-area-inset`) when\n // - the on-screen keyboard appears and the user starts typing\n // - the user selects the text inside the input area\n // - the user selects and deletes the text that is multiple lines long\n // TODO: unify the chat layout with the global layout.\n let html = document.querySelector('html')\n if (html) {\n html.classList.add('chat-layout')\n }\n\n this.$nextTick(() => {\n this.updateScrollableContainerHeight()\n })\n },\n unsetChatLayout () {\n let html = document.querySelector('html')\n if (html) {\n html.classList.remove('chat-layout')\n }\n },\n handleLayoutChange () {\n this.$nextTick(() => {\n this.updateScrollableContainerHeight()\n this.scrollDown()\n })\n },\n // Ensures the proper position of the posting form in the mobile layout (the mobile browser panel does not overlap or hide it)\n updateScrollableContainerHeight () {\n const header = this.$refs.header\n const footer = this.$refs.footer\n const inner = this.mobileLayout ? window.document.body : this.$refs.inner\n this.scrollableContainerHeight = scrollableContainerHeight(inner, header, footer) + 'px'\n },\n // Preserves the scroll position when OSK appears or the posting form changes its height.\n handleResize (opts = {}) {\n const { expand = false, delayed = false } = opts\n\n if (delayed) {\n setTimeout(() => {\n this.handleResize({ ...opts, delayed: false })\n }, SAFE_RESIZE_TIME_OFFSET)\n return\n }\n\n this.$nextTick(() => {\n this.updateScrollableContainerHeight()\n\n const { offsetHeight = undefined } = this.lastScrollPosition\n this.lastScrollPosition = getScrollPosition(this.$refs.scrollable)\n\n const diff = this.lastScrollPosition.offsetHeight - offsetHeight\n if (diff < 0 || (!this.bottomedOut() && expand)) {\n this.$nextTick(() => {\n this.updateScrollableContainerHeight()\n this.$refs.scrollable.scrollTo({\n top: this.$refs.scrollable.scrollTop - diff,\n left: 0\n })\n })\n }\n })\n },\n scrollDown (options = {}) {\n const { behavior = 'auto', forceRead = false } = options\n const scrollable = this.$refs.scrollable\n if (!scrollable) { return }\n this.$nextTick(() => {\n scrollable.scrollTo({ top: scrollable.scrollHeight, left: 0, behavior })\n })\n if (forceRead || this.newMessageCount > 0) {\n this.readChat()\n }\n },\n readChat () {\n if (!(this.currentChatMessageService && this.currentChatMessageService.maxId)) { return }\n if (document.hidden) { return }\n const lastReadId = this.currentChatMessageService.maxId\n this.$store.dispatch('readChat', { id: this.currentChat.id, lastReadId })\n },\n bottomedOut (offset) {\n return isBottomedOut(this.$refs.scrollable, offset)\n },\n reachedTop () {\n const scrollable = this.$refs.scrollable\n return scrollable && scrollable.scrollTop <= 0\n },\n handleScroll: _.throttle(function () {\n if (!this.currentChat) { return }\n\n if (this.reachedTop()) {\n this.fetchChat({ maxId: this.currentChatMessageService.minId })\n } else if (this.bottomedOut(JUMP_TO_BOTTOM_BUTTON_VISIBILITY_OFFSET)) {\n this.jumpToBottomButtonVisible = false\n if (this.newMessageCount > 0) {\n this.readChat()\n }\n } else {\n this.jumpToBottomButtonVisible = true\n }\n }, 100),\n handleScrollUp (positionBeforeLoading) {\n const positionAfterLoading = getScrollPosition(this.$refs.scrollable)\n this.$refs.scrollable.scrollTo({\n top: getNewTopPosition(positionBeforeLoading, positionAfterLoading),\n left: 0\n })\n },\n fetchChat ({ isFirstFetch = false, fetchLatest = false, maxId }) {\n const chatMessageService = this.currentChatMessageService\n if (!chatMessageService) { return }\n if (fetchLatest && this.streamingEnabled) { return }\n\n const chatId = chatMessageService.chatId\n const fetchOlderMessages = !!maxId\n const sinceId = fetchLatest && chatMessageService.maxId\n\n this.backendInteractor.chatMessages({ id: chatId, maxId, sinceId })\n .then((messages) => {\n // Clear the current chat in case we're recovering from a ws connection loss.\n if (isFirstFetch) {\n chatService.clear(chatMessageService)\n }\n\n const positionBeforeUpdate = getScrollPosition(this.$refs.scrollable)\n this.$store.dispatch('addChatMessages', { chatId, messages }).then(() => {\n this.$nextTick(() => {\n if (fetchOlderMessages) {\n this.handleScrollUp(positionBeforeUpdate)\n }\n\n if (isFirstFetch) {\n this.updateScrollableContainerHeight()\n }\n })\n })\n })\n },\n async startFetching () {\n let chat = this.findOpenedChatByRecipientId(this.recipientId)\n if (!chat) {\n try {\n chat = await this.backendInteractor.getOrCreateChat({ accountId: this.recipientId })\n } catch (e) {\n console.error('Error creating or getting a chat', e)\n this.errorLoadingChat = true\n }\n }\n if (chat) {\n this.$nextTick(() => {\n this.scrollDown({ forceRead: true })\n })\n this.$store.dispatch('addOpenedChat', { chat })\n this.doStartFetching()\n }\n },\n doStartFetching () {\n this.$store.dispatch('startFetchingCurrentChat', {\n fetcher: () => setInterval(() => this.fetchChat({ fetchLatest: true }), 5000)\n })\n this.fetchChat({ isFirstFetch: true })\n },\n sendMessage ({ status, media }) {\n const params = {\n id: this.currentChat.id,\n content: status\n }\n\n if (media[0]) {\n params.mediaId = media[0].id\n }\n\n return this.backendInteractor.sendChatMessage(params)\n .then(data => {\n this.$store.dispatch('addChatMessages', {\n chatId: this.currentChat.id,\n messages: [data],\n updateMaxId: false\n }).then(() => {\n this.$nextTick(() => {\n this.handleResize()\n // When the posting form size changes because of a media attachment, we need an extra resize\n // to account for the potential delay in the DOM update.\n setTimeout(() => {\n this.updateScrollableContainerHeight()\n }, SAFE_RESIZE_TIME_OFFSET)\n this.scrollDown({ forceRead: true })\n })\n })\n\n return data\n })\n .catch(error => {\n console.error('Error sending message', error)\n return {\n error: this.$t('chats.error_sending_message')\n }\n })\n },\n goBack () {\n this.$router.push({ name: 'chats', params: { username: this.currentUser.screen_name } })\n }\n }\n}\n\nexport default Chat\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat.js\"\nimport __vue_script__ from \"!!babel-loader!./chat.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3203ab4e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"chat-view\"},[_c('div',{staticClass:\"chat-view-inner\"},[_c('div',{ref:\"inner\",staticClass:\"panel-default panel chat-view-body\",attrs:{\"id\":\"nav\"}},[_c('div',{ref:\"header\",staticClass:\"panel-heading chat-view-heading mobile-hidden\"},[_c('a',{staticClass:\"go-back-button\",on:{\"click\":_vm.goBack}},[_c('i',{staticClass:\"button-icon icon-left-open\"})]),_vm._v(\" \"),_c('div',{staticClass:\"title text-center\"},[_c('ChatTitle',{attrs:{\"user\":_vm.recipient,\"with-avatar\":true}})],1)]),_vm._v(\" \"),[_c('div',{ref:\"scrollable\",staticClass:\"scrollable-message-list\",style:({ height: _vm.scrollableContainerHeight }),on:{\"scroll\":_vm.handleScroll}},[(!_vm.errorLoadingChat)?_vm._l((_vm.chatViewItems),function(chatViewItem){return _c('ChatMessage',{key:chatViewItem.id,attrs:{\"author\":_vm.recipient,\"chat-view-item\":chatViewItem,\"hovered-message-chain\":chatViewItem.messageChainId === _vm.hoveredMessageChainId},on:{\"hover\":_vm.onMessageHover}})}):_c('div',{staticClass:\"chat-loading-error\"},[_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('chats.error_loading_chat'))+\"\\n \")])])],2),_vm._v(\" \"),_c('div',{ref:\"footer\",staticClass:\"panel-body footer\"},[_c('div',{staticClass:\"jump-to-bottom-button\",class:{ 'visible': _vm.jumpToBottomButtonVisible },on:{\"click\":function($event){return _vm.scrollDown({ behavior: 'smooth' })}}},[_c('i',{staticClass:\"icon-down-open\"},[(_vm.newMessageCount)?_c('div',{staticClass:\"badge badge-notification unread-chat-count unread-message-count\"},[_vm._v(\"\\n \"+_vm._s(_vm.newMessageCount)+\"\\n \")]):_vm._e()])]),_vm._v(\" \"),_c('PostStatusForm',{attrs:{\"disable-subject\":true,\"disable-scope-selector\":true,\"disable-notice\":true,\"disable-lock-warning\":true,\"disable-polls\":true,\"disable-sensitivity-checkbox\":true,\"disable-submit\":_vm.errorLoadingChat || !_vm.currentChat,\"disable-preview\":true,\"post-handler\":_vm.sendMessage,\"submit-on-enter\":!_vm.mobileLayout,\"preserve-focus\":!_vm.mobileLayout,\"auto-focus\":!_vm.mobileLayout,\"placeholder\":_vm.formPlaceholder,\"file-limit\":1,\"max-height\":\"160\",\"emoji-picker-placement\":\"top\"},on:{\"resize\":_vm.handleResize}})],1)]],2)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import BasicUserCard from '../basic_user_card/basic_user_card.vue'\nimport RemoteFollow from '../remote_follow/remote_follow.vue'\nimport FollowButton from '../follow_button/follow_button.vue'\n\nconst FollowCard = {\n props: [\n 'user',\n 'noFollowsYou'\n ],\n components: {\n BasicUserCard,\n RemoteFollow,\n FollowButton\n },\n computed: {\n isMe () {\n return this.$store.state.users.currentUser.id === this.user.id\n },\n loggedIn () {\n return this.$store.state.users.currentUser\n },\n relationship () {\n return this.$store.getters.relationship(this.user.id)\n }\n }\n}\n\nexport default FollowCard\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./follow_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./follow_card.js\"\nimport __vue_script__ from \"!!babel-loader!./follow_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-064803a0\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./follow_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('basic-user-card',{attrs:{\"user\":_vm.user}},[_c('div',{staticClass:\"follow-card-content-container\"},[(_vm.isMe || (!_vm.noFollowsYou && _vm.relationship.followed_by))?_c('span',{staticClass:\"faint\"},[_vm._v(\"\\n \"+_vm._s(_vm.isMe ? _vm.$t('user_card.its_you') : _vm.$t('user_card.follows_you'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(!_vm.loggedIn)?[(!_vm.relationship.following)?_c('div',{staticClass:\"follow-card-follow-button\"},[_c('RemoteFollow',{attrs:{\"user\":_vm.user}})],1):_vm._e()]:(!_vm.isMe)?[_c('FollowButton',{staticClass:\"follow-card-follow-button\",attrs:{\"relationship\":_vm.relationship,\"label-following\":_vm.$t('user_card.follow_unfollow')}})]:_vm._e()],2)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Vue from 'vue'\nimport isEmpty from 'lodash/isEmpty'\nimport { getComponentProps } from '../../services/component_utils/component_utils'\nimport './with_load_more.scss'\n\nconst withLoadMore = ({\n fetch, // function to fetch entries and return a promise\n select, // function to select data from store\n destroy, // function called at \"destroyed\" lifecycle\n childPropName = 'entries', // name of the prop to be passed into the wrapped component\n additionalPropNames = [] // additional prop name list of the wrapper component\n}) => (WrappedComponent) => {\n const originalProps = Object.keys(getComponentProps(WrappedComponent))\n const props = originalProps.filter(v => v !== childPropName).concat(additionalPropNames)\n\n return Vue.component('withLoadMore', {\n props,\n data () {\n return {\n loading: false,\n bottomedOut: false,\n error: false\n }\n },\n computed: {\n entries () {\n return select(this.$props, this.$store) || []\n }\n },\n created () {\n window.addEventListener('scroll', this.scrollLoad)\n if (this.entries.length === 0) {\n this.fetchEntries()\n }\n },\n destroyed () {\n window.removeEventListener('scroll', this.scrollLoad)\n destroy && destroy(this.$props, this.$store)\n },\n methods: {\n fetchEntries () {\n if (!this.loading) {\n this.loading = true\n this.error = false\n fetch(this.$props, this.$store)\n .then((newEntries) => {\n this.loading = false\n this.bottomedOut = isEmpty(newEntries)\n })\n .catch(() => {\n this.loading = false\n this.error = true\n })\n }\n },\n scrollLoad (e) {\n const bodyBRect = document.body.getBoundingClientRect()\n const height = Math.max(bodyBRect.height, -(bodyBRect.y))\n if (this.loading === false &&\n this.bottomedOut === false &&\n this.$el.offsetHeight > 0 &&\n (window.innerHeight + window.pageYOffset) >= (height - 750)\n ) {\n this.fetchEntries()\n }\n }\n },\n render (h) {\n const props = {\n props: {\n ...this.$props,\n [childPropName]: this.entries\n },\n on: this.$listeners,\n scopedSlots: this.$scopedSlots\n }\n const children = Object.entries(this.$slots).map(([key, value]) => h('template', { slot: key }, value))\n return (\n <div class=\"with-load-more\">\n <WrappedComponent {...props}>\n {children}\n </WrappedComponent>\n <div class=\"with-load-more-footer\">\n {this.error && <a onClick={this.fetchEntries} class=\"alert error\">{this.$t('general.generic_error')}</a>}\n {!this.error && this.loading && <i class=\"icon-spin3 animate-spin\"/>}\n {!this.error && !this.loading && !this.bottomedOut && <a onClick={this.fetchEntries}>{this.$t('general.more')}</a>}\n </div>\n </div>\n )\n }\n })\n}\n\nexport default withLoadMore\n","import get from 'lodash/get'\nimport UserCard from '../user_card/user_card.vue'\nimport FollowCard from '../follow_card/follow_card.vue'\nimport Timeline from '../timeline/timeline.vue'\nimport Conversation from '../conversation/conversation.vue'\nimport TabSwitcher from 'src/components/tab_switcher/tab_switcher.js'\nimport List from '../list/list.vue'\nimport withLoadMore from '../../hocs/with_load_more/with_load_more'\n\nconst FollowerList = withLoadMore({\n fetch: (props, $store) => $store.dispatch('fetchFollowers', props.userId),\n select: (props, $store) => get($store.getters.findUser(props.userId), 'followerIds', []).map(id => $store.getters.findUser(id)),\n destroy: (props, $store) => $store.dispatch('clearFollowers', props.userId),\n childPropName: 'items',\n additionalPropNames: ['userId']\n})(List)\n\nconst FriendList = withLoadMore({\n fetch: (props, $store) => $store.dispatch('fetchFriends', props.userId),\n select: (props, $store) => get($store.getters.findUser(props.userId), 'friendIds', []).map(id => $store.getters.findUser(id)),\n destroy: (props, $store) => $store.dispatch('clearFriends', props.userId),\n childPropName: 'items',\n additionalPropNames: ['userId']\n})(List)\n\nconst defaultTabKey = 'statuses'\n\nconst UserProfile = {\n data () {\n return {\n error: false,\n userId: null,\n tab: defaultTabKey\n }\n },\n created () {\n const routeParams = this.$route.params\n this.load(routeParams.name || routeParams.id)\n this.tab = get(this.$route, 'query.tab', defaultTabKey)\n },\n destroyed () {\n this.stopFetching()\n },\n computed: {\n timeline () {\n return this.$store.state.statuses.timelines.user\n },\n favorites () {\n return this.$store.state.statuses.timelines.favorites\n },\n media () {\n return this.$store.state.statuses.timelines.media\n },\n isUs () {\n return this.userId && this.$store.state.users.currentUser.id &&\n this.userId === this.$store.state.users.currentUser.id\n },\n user () {\n return this.$store.getters.findUser(this.userId)\n },\n isExternal () {\n return this.$route.name === 'external-user-profile'\n },\n followsTabVisible () {\n return this.isUs || !this.user.hide_follows\n },\n followersTabVisible () {\n return this.isUs || !this.user.hide_followers\n }\n },\n methods: {\n load (userNameOrId) {\n const startFetchingTimeline = (timeline, userId) => {\n // Clear timeline only if load another user's profile\n if (userId !== this.$store.state.statuses.timelines[timeline].userId) {\n this.$store.commit('clearTimeline', { timeline })\n }\n this.$store.dispatch('startFetchingTimeline', { timeline, userId })\n }\n\n const loadById = (userId) => {\n this.userId = userId\n startFetchingTimeline('user', userId)\n startFetchingTimeline('media', userId)\n if (this.isUs) {\n startFetchingTimeline('favorites', userId)\n }\n // Fetch all pinned statuses immediately\n this.$store.dispatch('fetchPinnedStatuses', userId)\n }\n\n // Reset view\n this.userId = null\n this.error = false\n\n // Check if user data is already loaded in store\n const user = this.$store.getters.findUser(userNameOrId)\n if (user) {\n loadById(user.id)\n } else {\n this.$store.dispatch('fetchUser', userNameOrId)\n .then(({ id }) => loadById(id))\n .catch((reason) => {\n const errorMessage = get(reason, 'error.error')\n if (errorMessage === 'No user with such user_id') { // Known error\n this.error = this.$t('user_profile.profile_does_not_exist')\n } else if (errorMessage) {\n this.error = errorMessage\n } else {\n this.error = this.$t('user_profile.profile_loading_error')\n }\n })\n }\n },\n stopFetching () {\n this.$store.dispatch('stopFetchingTimeline', 'user')\n this.$store.dispatch('stopFetchingTimeline', 'favorites')\n this.$store.dispatch('stopFetchingTimeline', 'media')\n },\n switchUser (userNameOrId) {\n this.stopFetching()\n this.load(userNameOrId)\n },\n onTabSwitch (tab) {\n this.tab = tab\n this.$router.replace({ query: { tab } })\n },\n linkClicked ({ target }) {\n if (target.tagName === 'SPAN') {\n target = target.parentNode\n }\n if (target.tagName === 'A') {\n window.open(target.href, '_blank')\n }\n }\n },\n watch: {\n '$route.params.id': function (newVal) {\n if (newVal) {\n this.switchUser(newVal)\n }\n },\n '$route.params.name': function (newVal) {\n if (newVal) {\n this.switchUser(newVal)\n }\n },\n '$route.query': function (newVal) {\n this.tab = newVal.tab || defaultTabKey\n }\n },\n components: {\n UserCard,\n Timeline,\n FollowerList,\n FriendList,\n FollowCard,\n TabSwitcher,\n Conversation\n }\n}\n\nexport default UserProfile\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_profile.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./user_profile.js\"\nimport __vue_script__ from \"!!babel-loader!./user_profile.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-a7931f60\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_profile.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[(_vm.user)?_c('div',{staticClass:\"user-profile panel panel-default\"},[_c('UserCard',{attrs:{\"user-id\":_vm.userId,\"switcher\":true,\"selected\":_vm.timeline.viewing,\"allow-zooming-avatar\":true,\"rounded\":\"top\"}}),_vm._v(\" \"),(_vm.user.fields_html && _vm.user.fields_html.length > 0)?_c('div',{staticClass:\"user-profile-fields\"},_vm._l((_vm.user.fields_html),function(field,index){return _c('dl',{key:index,staticClass:\"user-profile-field\"},[_c('dt',{staticClass:\"user-profile-field-name\",attrs:{\"title\":_vm.user.fields_text[index].name},on:{\"click\":function($event){$event.preventDefault();return _vm.linkClicked($event)}}},[_vm._v(\"\\n \"+_vm._s(field.name)+\"\\n \")]),_vm._v(\" \"),_c('dd',{staticClass:\"user-profile-field-value\",attrs:{\"title\":_vm.user.fields_text[index].value},domProps:{\"innerHTML\":_vm._s(field.value)},on:{\"click\":function($event){$event.preventDefault();return _vm.linkClicked($event)}}})])}),0):_vm._e(),_vm._v(\" \"),_c('tab-switcher',{attrs:{\"active-tab\":_vm.tab,\"render-only-focused\":true,\"on-switch\":_vm.onTabSwitch}},[_c('Timeline',{key:\"statuses\",attrs:{\"label\":_vm.$t('user_card.statuses'),\"count\":_vm.user.statuses_count,\"embedded\":true,\"title\":_vm.$t('user_profile.timeline_title'),\"timeline\":_vm.timeline,\"timeline-name\":\"user\",\"user-id\":_vm.userId,\"pinned-status-ids\":_vm.user.pinnedStatusIds,\"in-profile\":true}}),_vm._v(\" \"),(_vm.followsTabVisible)?_c('div',{key:\"followees\",attrs:{\"label\":_vm.$t('user_card.followees'),\"disabled\":!_vm.user.friends_count}},[_c('FriendList',{attrs:{\"user-id\":_vm.userId},scopedSlots:_vm._u([{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('FollowCard',{attrs:{\"user\":item}})]}}],null,false,676117295)})],1):_vm._e(),_vm._v(\" \"),(_vm.followersTabVisible)?_c('div',{key:\"followers\",attrs:{\"label\":_vm.$t('user_card.followers'),\"disabled\":!_vm.user.followers_count}},[_c('FollowerList',{attrs:{\"user-id\":_vm.userId},scopedSlots:_vm._u([{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('FollowCard',{attrs:{\"user\":item,\"no-follows-you\":_vm.isUs}})]}}],null,false,3839341157)})],1):_vm._e(),_vm._v(\" \"),_c('Timeline',{key:\"media\",attrs:{\"label\":_vm.$t('user_card.media'),\"disabled\":!_vm.media.visibleStatuses.length,\"embedded\":true,\"title\":_vm.$t('user_card.media'),\"timeline-name\":\"media\",\"timeline\":_vm.media,\"user-id\":_vm.userId,\"in-profile\":true}}),_vm._v(\" \"),(_vm.isUs)?_c('Timeline',{key:\"favorites\",attrs:{\"label\":_vm.$t('user_card.favorites'),\"disabled\":!_vm.favorites.visibleStatuses.length,\"embedded\":true,\"title\":_vm.$t('user_card.favorites'),\"timeline-name\":\"favorites\",\"timeline\":_vm.favorites,\"in-profile\":true}}):_vm._e()],1)],1):_c('div',{staticClass:\"panel user-profile-placeholder\"},[_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.profile_tab'))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[(_vm.error)?_c('span',[_vm._v(_vm._s(_vm.error))]):_c('i',{staticClass:\"icon-spin3 animate-spin\"})])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import FollowCard from '../follow_card/follow_card.vue'\nimport Conversation from '../conversation/conversation.vue'\nimport Status from '../status/status.vue'\nimport map from 'lodash/map'\n\nconst Search = {\n components: {\n FollowCard,\n Conversation,\n Status\n },\n props: [\n 'query'\n ],\n data () {\n return {\n loaded: false,\n loading: false,\n searchTerm: this.query || '',\n userIds: [],\n statuses: [],\n hashtags: [],\n currenResultTab: 'statuses'\n }\n },\n computed: {\n users () {\n return this.userIds.map(userId => this.$store.getters.findUser(userId))\n },\n visibleStatuses () {\n const allStatusesObject = this.$store.state.statuses.allStatusesObject\n\n return this.statuses.filter(status =>\n allStatusesObject[status.id] && !allStatusesObject[status.id].deleted\n )\n }\n },\n mounted () {\n this.search(this.query)\n },\n watch: {\n query (newValue) {\n this.searchTerm = newValue\n this.search(newValue)\n }\n },\n methods: {\n newQuery (query) {\n this.$router.push({ name: 'search', query: { query } })\n this.$refs.searchInput.focus()\n },\n search (query) {\n if (!query) {\n this.loading = false\n return\n }\n\n this.loading = true\n this.userIds = []\n this.statuses = []\n this.hashtags = []\n this.$refs.searchInput.blur()\n\n this.$store.dispatch('search', { q: query, resolve: true })\n .then(data => {\n this.loading = false\n this.userIds = map(data.accounts, 'id')\n this.statuses = data.statuses\n this.hashtags = data.hashtags\n this.currenResultTab = this.getActiveTab()\n this.loaded = true\n })\n },\n resultCount (tabName) {\n const length = this[tabName].length\n return length === 0 ? '' : ` (${length})`\n },\n onResultTabSwitch (key) {\n this.currenResultTab = key\n },\n getActiveTab () {\n if (this.visibleStatuses.length > 0) {\n return 'statuses'\n } else if (this.users.length > 0) {\n return 'people'\n } else if (this.hashtags.length > 0) {\n return 'hashtags'\n }\n\n return 'statuses'\n },\n lastHistoryRecord (hashtag) {\n return hashtag.history && hashtag.history[0]\n }\n }\n}\n\nexport default Search\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./search.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./search.js\"\nimport __vue_script__ from \"!!babel-loader!./search.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3962ec42\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./search.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('nav.search'))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"search-input-container\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.searchTerm),expression:\"searchTerm\"}],ref:\"searchInput\",staticClass:\"search-input\",attrs:{\"placeholder\":_vm.$t('nav.search')},domProps:{\"value\":(_vm.searchTerm)},on:{\"keyup\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }return _vm.newQuery(_vm.searchTerm)},\"input\":function($event){if($event.target.composing){ return; }_vm.searchTerm=$event.target.value}}}),_vm._v(\" \"),_c('button',{staticClass:\"btn search-button\",on:{\"click\":function($event){return _vm.newQuery(_vm.searchTerm)}}},[_c('i',{staticClass:\"icon-search\"})])]),_vm._v(\" \"),(_vm.loading)?_c('div',{staticClass:\"text-center loading-icon\"},[_c('i',{staticClass:\"icon-spin3 animate-spin\"})]):(_vm.loaded)?_c('div',[_c('div',{staticClass:\"search-nav-heading\"},[_c('tab-switcher',{ref:\"tabSwitcher\",attrs:{\"on-switch\":_vm.onResultTabSwitch,\"active-tab\":_vm.currenResultTab}},[_c('span',{key:\"statuses\",attrs:{\"label\":_vm.$t('user_card.statuses') + _vm.resultCount('visibleStatuses')}}),_vm._v(\" \"),_c('span',{key:\"people\",attrs:{\"label\":_vm.$t('search.people') + _vm.resultCount('users')}}),_vm._v(\" \"),_c('span',{key:\"hashtags\",attrs:{\"label\":_vm.$t('search.hashtags') + _vm.resultCount('hashtags')}})])],1)]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[(_vm.currenResultTab === 'statuses')?_c('div',[(_vm.visibleStatuses.length === 0 && !_vm.loading && _vm.loaded)?_c('div',{staticClass:\"search-result-heading\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('search.no_results')))])]):_vm._e(),_vm._v(\" \"),_vm._l((_vm.visibleStatuses),function(status){return _c('Status',{key:status.id,staticClass:\"search-result\",attrs:{\"collapsable\":false,\"expandable\":false,\"compact\":false,\"statusoid\":status,\"no-heading\":false}})})],2):(_vm.currenResultTab === 'people')?_c('div',[(_vm.users.length === 0 && !_vm.loading && _vm.loaded)?_c('div',{staticClass:\"search-result-heading\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('search.no_results')))])]):_vm._e(),_vm._v(\" \"),_vm._l((_vm.users),function(user){return _c('FollowCard',{key:user.id,staticClass:\"list-item search-result\",attrs:{\"user\":user}})})],2):(_vm.currenResultTab === 'hashtags')?_c('div',[(_vm.hashtags.length === 0 && !_vm.loading && _vm.loaded)?_c('div',{staticClass:\"search-result-heading\"},[_c('h4',[_vm._v(_vm._s(_vm.$t('search.no_results')))])]):_vm._e(),_vm._v(\" \"),_vm._l((_vm.hashtags),function(hashtag){return _c('div',{key:hashtag.url,staticClass:\"status trend search-result\"},[_c('div',{staticClass:\"hashtag\"},[_c('router-link',{attrs:{\"to\":{ name: 'tag-timeline', params: { tag: hashtag.name } }}},[_vm._v(\"\\n #\"+_vm._s(hashtag.name)+\"\\n \")]),_vm._v(\" \"),(_vm.lastHistoryRecord(hashtag))?_c('div',[(_vm.lastHistoryRecord(hashtag).accounts == 1)?_c('span',[_vm._v(\"\\n \"+_vm._s(_vm.$t('search.person_talking', { count: _vm.lastHistoryRecord(hashtag).accounts }))+\"\\n \")]):_c('span',[_vm._v(\"\\n \"+_vm._s(_vm.$t('search.people_talking', { count: _vm.lastHistoryRecord(hashtag).accounts }))+\"\\n \")])]):_vm._e()],1),_vm._v(\" \"),(_vm.lastHistoryRecord(hashtag))?_c('div',{staticClass:\"count\"},[_vm._v(\"\\n \"+_vm._s(_vm.lastHistoryRecord(hashtag).uses)+\"\\n \")]):_vm._e()])})],2):_vm._e()]),_vm._v(\" \"),_c('div',{staticClass:\"search-result-footer text-center panel-footer faint\"})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { validationMixin } from 'vuelidate'\nimport { required, requiredIf, sameAs } from 'vuelidate/lib/validators'\nimport { mapActions, mapState } from 'vuex'\n\nconst registration = {\n mixins: [validationMixin],\n data: () => ({\n user: {\n email: '',\n fullname: '',\n username: '',\n password: '',\n confirm: ''\n },\n captcha: {}\n }),\n validations () {\n return {\n user: {\n email: { required: requiredIf(() => this.accountActivationRequired) },\n username: { required },\n fullname: { required },\n password: { required },\n confirm: {\n required,\n sameAsPassword: sameAs('password')\n }\n }\n }\n },\n created () {\n if ((!this.registrationOpen && !this.token) || this.signedIn) {\n this.$router.push({ name: 'root' })\n }\n\n this.setCaptcha()\n },\n computed: {\n token () { return this.$route.params.token },\n bioPlaceholder () {\n return this.$t('registration.bio_placeholder').replace(/\\s*\\n\\s*/g, ' \\n')\n },\n ...mapState({\n registrationOpen: (state) => state.instance.registrationOpen,\n signedIn: (state) => !!state.users.currentUser,\n isPending: (state) => state.users.signUpPending,\n serverValidationErrors: (state) => state.users.signUpErrors,\n termsOfService: (state) => state.instance.tos,\n accountActivationRequired: (state) => state.instance.accountActivationRequired\n })\n },\n methods: {\n ...mapActions(['signUp', 'getCaptcha']),\n async submit () {\n this.user.nickname = this.user.username\n this.user.token = this.token\n\n this.user.captcha_solution = this.captcha.solution\n this.user.captcha_token = this.captcha.token\n this.user.captcha_answer_data = this.captcha.answer_data\n\n this.$v.$touch()\n\n if (!this.$v.$invalid) {\n try {\n await this.signUp(this.user)\n this.$router.push({ name: 'friends' })\n } catch (error) {\n console.warn('Registration failed: ', error)\n this.setCaptcha()\n }\n }\n },\n setCaptcha () {\n this.getCaptcha().then(cpt => { this.captcha = cpt })\n }\n }\n}\n\nexport default registration\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./registration.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./registration.js\"\nimport __vue_script__ from \"!!babel-loader!./registration.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-456dfbf7\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./registration.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"settings panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('registration.registration'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('form',{staticClass:\"registration-form\",on:{\"submit\":function($event){$event.preventDefault();return _vm.submit(_vm.user)}}},[_c('div',{staticClass:\"container\"},[_c('div',{staticClass:\"text-fields\"},[_c('div',{staticClass:\"form-group\",class:{ 'form-group--error': _vm.$v.user.username.$error }},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"sign-up-username\"}},[_vm._v(_vm._s(_vm.$t('login.username')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model.trim\",value:(_vm.$v.user.username.$model),expression:\"$v.user.username.$model\",modifiers:{\"trim\":true}}],staticClass:\"form-control\",attrs:{\"id\":\"sign-up-username\",\"disabled\":_vm.isPending,\"placeholder\":_vm.$t('registration.username_placeholder')},domProps:{\"value\":(_vm.$v.user.username.$model)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.$v.user.username, \"$model\", $event.target.value.trim())},\"blur\":function($event){return _vm.$forceUpdate()}}})]),_vm._v(\" \"),(_vm.$v.user.username.$dirty)?_c('div',{staticClass:\"form-error\"},[_c('ul',[(!_vm.$v.user.username.required)?_c('li',[_c('span',[_vm._v(_vm._s(_vm.$t('registration.validations.username_required')))])]):_vm._e()])]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group\",class:{ 'form-group--error': _vm.$v.user.fullname.$error }},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"sign-up-fullname\"}},[_vm._v(_vm._s(_vm.$t('registration.fullname')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model.trim\",value:(_vm.$v.user.fullname.$model),expression:\"$v.user.fullname.$model\",modifiers:{\"trim\":true}}],staticClass:\"form-control\",attrs:{\"id\":\"sign-up-fullname\",\"disabled\":_vm.isPending,\"placeholder\":_vm.$t('registration.fullname_placeholder')},domProps:{\"value\":(_vm.$v.user.fullname.$model)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.$v.user.fullname, \"$model\", $event.target.value.trim())},\"blur\":function($event){return _vm.$forceUpdate()}}})]),_vm._v(\" \"),(_vm.$v.user.fullname.$dirty)?_c('div',{staticClass:\"form-error\"},[_c('ul',[(!_vm.$v.user.fullname.required)?_c('li',[_c('span',[_vm._v(_vm._s(_vm.$t('registration.validations.fullname_required')))])]):_vm._e()])]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group\",class:{ 'form-group--error': _vm.$v.user.email.$error }},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"email\"}},[_vm._v(_vm._s(_vm.$t('registration.email')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.$v.user.email.$model),expression:\"$v.user.email.$model\"}],staticClass:\"form-control\",attrs:{\"id\":\"email\",\"disabled\":_vm.isPending,\"type\":\"email\"},domProps:{\"value\":(_vm.$v.user.email.$model)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.$v.user.email, \"$model\", $event.target.value)}}})]),_vm._v(\" \"),(_vm.$v.user.email.$dirty)?_c('div',{staticClass:\"form-error\"},[_c('ul',[(!_vm.$v.user.email.required)?_c('li',[_c('span',[_vm._v(_vm._s(_vm.$t('registration.validations.email_required')))])]):_vm._e()])]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"bio\"}},[_vm._v(_vm._s(_vm.$t('registration.bio'))+\" (\"+_vm._s(_vm.$t('general.optional'))+\")\")]),_vm._v(\" \"),_c('textarea',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.user.bio),expression:\"user.bio\"}],staticClass:\"form-control\",attrs:{\"id\":\"bio\",\"disabled\":_vm.isPending,\"placeholder\":_vm.bioPlaceholder},domProps:{\"value\":(_vm.user.bio)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.user, \"bio\", $event.target.value)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\",class:{ 'form-group--error': _vm.$v.user.password.$error }},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"sign-up-password\"}},[_vm._v(_vm._s(_vm.$t('login.password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.user.password),expression:\"user.password\"}],staticClass:\"form-control\",attrs:{\"id\":\"sign-up-password\",\"disabled\":_vm.isPending,\"type\":\"password\"},domProps:{\"value\":(_vm.user.password)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.user, \"password\", $event.target.value)}}})]),_vm._v(\" \"),(_vm.$v.user.password.$dirty)?_c('div',{staticClass:\"form-error\"},[_c('ul',[(!_vm.$v.user.password.required)?_c('li',[_c('span',[_vm._v(_vm._s(_vm.$t('registration.validations.password_required')))])]):_vm._e()])]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group\",class:{ 'form-group--error': _vm.$v.user.confirm.$error }},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"sign-up-password-confirmation\"}},[_vm._v(_vm._s(_vm.$t('registration.password_confirm')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.user.confirm),expression:\"user.confirm\"}],staticClass:\"form-control\",attrs:{\"id\":\"sign-up-password-confirmation\",\"disabled\":_vm.isPending,\"type\":\"password\"},domProps:{\"value\":(_vm.user.confirm)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.user, \"confirm\", $event.target.value)}}})]),_vm._v(\" \"),(_vm.$v.user.confirm.$dirty)?_c('div',{staticClass:\"form-error\"},[_c('ul',[(!_vm.$v.user.confirm.required)?_c('li',[_c('span',[_vm._v(_vm._s(_vm.$t('registration.validations.password_confirmation_required')))])]):_vm._e(),_vm._v(\" \"),(!_vm.$v.user.confirm.sameAsPassword)?_c('li',[_c('span',[_vm._v(_vm._s(_vm.$t('registration.validations.password_confirmation_match')))])]):_vm._e()])]):_vm._e(),_vm._v(\" \"),(_vm.captcha.type != 'none')?_c('div',{staticClass:\"form-group\",attrs:{\"id\":\"captcha-group\"}},[_c('label',{staticClass:\"form--label\",attrs:{\"for\":\"captcha-label\"}},[_vm._v(_vm._s(_vm.$t('registration.captcha')))]),_vm._v(\" \"),(['kocaptcha', 'native'].includes(_vm.captcha.type))?[_c('img',{attrs:{\"src\":_vm.captcha.url},on:{\"click\":_vm.setCaptcha}}),_vm._v(\" \"),_c('sub',[_vm._v(_vm._s(_vm.$t('registration.new_captcha')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.captcha.solution),expression:\"captcha.solution\"}],staticClass:\"form-control\",attrs:{\"id\":\"captcha-answer\",\"disabled\":_vm.isPending,\"type\":\"text\",\"autocomplete\":\"off\",\"autocorrect\":\"off\",\"autocapitalize\":\"off\",\"spellcheck\":\"false\"},domProps:{\"value\":(_vm.captcha.solution)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.captcha, \"solution\", $event.target.value)}}})]:_vm._e()],2):_vm._e(),_vm._v(\" \"),(_vm.token)?_c('div',{staticClass:\"form-group\"},[_c('label',{attrs:{\"for\":\"token\"}},[_vm._v(_vm._s(_vm.$t('registration.token')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.token),expression:\"token\"}],staticClass:\"form-control\",attrs:{\"id\":\"token\",\"disabled\":\"true\",\"type\":\"text\"},domProps:{\"value\":(_vm.token)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.token=$event.target.value}}})]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.isPending,\"type\":\"submit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")])])]),_vm._v(\" \"),_c('div',{staticClass:\"terms-of-service\",domProps:{\"innerHTML\":_vm._s(_vm.termsOfService)}})]),_vm._v(\" \"),(_vm.serverValidationErrors.length)?_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"alert error\"},_vm._l((_vm.serverValidationErrors),function(error){return _c('span',{key:error},[_vm._v(_vm._s(error))])}),0)]):_vm._e()])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { reduce } from 'lodash'\n\nconst MASTODON_PASSWORD_RESET_URL = `/auth/password`\n\nconst resetPassword = ({ instance, email }) => {\n const params = { email }\n const query = reduce(params, (acc, v, k) => {\n const encoded = `${k}=${encodeURIComponent(v)}`\n return `${acc}&${encoded}`\n }, '')\n const url = `${instance}${MASTODON_PASSWORD_RESET_URL}?${query}`\n\n return window.fetch(url, {\n method: 'POST'\n })\n}\n\nexport default resetPassword\n","import { mapState } from 'vuex'\nimport passwordResetApi from '../../services/new_api/password_reset.js'\n\nconst passwordReset = {\n data: () => ({\n user: {\n email: ''\n },\n isPending: false,\n success: false,\n throttled: false,\n error: null\n }),\n computed: {\n ...mapState({\n signedIn: (state) => !!state.users.currentUser,\n instance: state => state.instance\n }),\n mailerEnabled () {\n return this.instance.mailerEnabled\n }\n },\n created () {\n if (this.signedIn) {\n this.$router.push({ name: 'root' })\n }\n },\n props: {\n passwordResetRequested: {\n default: false,\n type: Boolean\n }\n },\n methods: {\n dismissError () {\n this.error = null\n },\n submit () {\n this.isPending = true\n const email = this.user.email\n const instance = this.instance.server\n\n passwordResetApi({ instance, email }).then(({ status }) => {\n this.isPending = false\n this.user.email = ''\n\n if (status === 204) {\n this.success = true\n this.error = null\n } else if (status === 429) {\n this.throttled = true\n this.error = this.$t('password_reset.too_many_requests')\n }\n }).catch(() => {\n this.isPending = false\n this.user.email = ''\n this.error = this.$t('general.generic_error')\n })\n }\n }\n}\n\nexport default passwordReset\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./password_reset.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./password_reset.js\"\nimport __vue_script__ from \"!!babel-loader!./password_reset.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-750c6ec4\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./password_reset.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"settings panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.password_reset'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('form',{staticClass:\"password-reset-form\",on:{\"submit\":function($event){$event.preventDefault();return _vm.submit($event)}}},[_c('div',{staticClass:\"container\"},[(!_vm.mailerEnabled)?_c('div',[(_vm.passwordResetRequested)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.password_reset_required_but_mailer_is_disabled'))+\"\\n \")]):_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.password_reset_disabled'))+\"\\n \")])]):(_vm.success || _vm.throttled)?_c('div',[(_vm.success)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.check_email'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group text-center\"},[_c('router-link',{attrs:{\"to\":{name: 'root'}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.return_home'))+\"\\n \")])],1)]):_c('div',[(_vm.passwordResetRequested)?_c('p',{staticClass:\"password-reset-required error\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.password_reset_required'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.instruction'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.user.email),expression:\"user.email\"}],ref:\"email\",staticClass:\"form-control\",attrs:{\"disabled\":_vm.isPending,\"placeholder\":_vm.$t('password_reset.placeholder'),\"type\":\"input\"},domProps:{\"value\":(_vm.user.email)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.user, \"email\", $event.target.value)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('button',{staticClass:\"btn btn-default btn-block\",attrs:{\"disabled\":_vm.isPending,\"type\":\"submit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.submit'))+\"\\n \")])])]),_vm._v(\" \"),(_vm.error)?_c('p',{staticClass:\"alert error notice-dismissible\"},[_c('span',[_vm._v(_vm._s(_vm.error))]),_vm._v(\" \"),_c('a',{staticClass:\"button-icon dismiss\",on:{\"click\":function($event){$event.preventDefault();return _vm.dismissError()}}},[_c('i',{staticClass:\"icon-cancel\"})])]):_vm._e()])])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import BasicUserCard from '../basic_user_card/basic_user_card.vue'\nimport { notificationsFromStore } from '../../services/notification_utils/notification_utils.js'\n\nconst FollowRequestCard = {\n props: ['user'],\n components: {\n BasicUserCard\n },\n methods: {\n findFollowRequestNotificationId () {\n const notif = notificationsFromStore(this.$store).find(\n (notif) => notif.from_profile.id === this.user.id && notif.type === 'follow_request'\n )\n return notif && notif.id\n },\n approveUser () {\n this.$store.state.api.backendInteractor.approveUser({ id: this.user.id })\n this.$store.dispatch('removeFollowRequest', this.user)\n\n const notifId = this.findFollowRequestNotificationId()\n this.$store.dispatch('markSingleNotificationAsSeen', { id: notifId })\n this.$store.dispatch('updateNotification', {\n id: notifId,\n updater: notification => {\n notification.type = 'follow'\n }\n })\n },\n denyUser () {\n const notifId = this.findFollowRequestNotificationId()\n this.$store.state.api.backendInteractor.denyUser({ id: this.user.id })\n .then(() => {\n this.$store.dispatch('dismissNotificationLocal', { id: notifId })\n this.$store.dispatch('removeFollowRequest', this.user)\n })\n }\n }\n}\n\nexport default FollowRequestCard\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./follow_request_card.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./follow_request_card.js\"\nimport __vue_script__ from \"!!babel-loader!./follow_request_card.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1edf2e22\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./follow_request_card.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","import FollowRequestCard from '../follow_request_card/follow_request_card.vue'\n\nconst FollowRequests = {\n components: {\n FollowRequestCard\n },\n computed: {\n requests () {\n return this.$store.state.api.followRequests\n }\n }\n}\n\nexport default FollowRequests\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('basic-user-card',{attrs:{\"user\":_vm.user}},[_c('div',{staticClass:\"follow-request-card-content-container\"},[_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.approveUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.approve'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",on:{\"click\":_vm.denyUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_card.deny'))+\"\\n \")])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","/* script */\nexport * from \"!!babel-loader!./follow_requests.js\"\nimport __vue_script__ from \"!!babel-loader!./follow_requests.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-9c427644\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./follow_requests.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"settings panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('nav.friend_requests'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},_vm._l((_vm.requests),function(request){return _c('FollowRequestCard',{key:request.id,staticClass:\"list-item\",attrs:{\"user\":request}})}),1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import oauth from '../../services/new_api/oauth.js'\n\nconst oac = {\n props: ['code'],\n mounted () {\n if (this.code) {\n const { clientId, clientSecret } = this.$store.state.oauth\n\n oauth.getToken({\n clientId,\n clientSecret,\n instance: this.$store.state.instance.server,\n code: this.code\n }).then((result) => {\n this.$store.commit('setToken', result.access_token)\n this.$store.dispatch('loginUser', result.access_token)\n this.$router.push({ name: 'friends' })\n })\n }\n }\n}\n\nexport default oac\n","/* script */\nexport * from \"!!babel-loader!./oauth_callback.js\"\nimport __vue_script__ from \"!!babel-loader!./oauth_callback.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-f514124c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./oauth_callback.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('h1',[_vm._v(\"...\")])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState, mapGetters, mapActions, mapMutations } from 'vuex'\nimport oauthApi from '../../services/new_api/oauth.js'\n\nconst LoginForm = {\n data: () => ({\n user: {},\n error: false\n }),\n computed: {\n isPasswordAuth () { return this.requiredPassword },\n isTokenAuth () { return this.requiredToken },\n ...mapState({\n registrationOpen: state => state.instance.registrationOpen,\n instance: state => state.instance,\n loggingIn: state => state.users.loggingIn,\n oauth: state => state.oauth\n }),\n ...mapGetters(\n 'authFlow', ['requiredPassword', 'requiredToken', 'requiredMFA']\n )\n },\n methods: {\n ...mapMutations('authFlow', ['requireMFA']),\n ...mapActions({ login: 'authFlow/login' }),\n submit () {\n this.isTokenAuth ? this.submitToken() : this.submitPassword()\n },\n submitToken () {\n const { clientId, clientSecret } = this.oauth\n const data = {\n clientId,\n clientSecret,\n instance: this.instance.server,\n commit: this.$store.commit\n }\n\n oauthApi.getOrCreateApp(data)\n .then((app) => { oauthApi.login({ ...app, ...data }) })\n },\n submitPassword () {\n const { clientId } = this.oauth\n const data = {\n clientId,\n oauth: this.oauth,\n instance: this.instance.server,\n commit: this.$store.commit\n }\n this.error = false\n\n oauthApi.getOrCreateApp(data).then((app) => {\n oauthApi.getTokenWithCredentials(\n {\n ...app,\n instance: data.instance,\n username: this.user.username,\n password: this.user.password\n }\n ).then((result) => {\n if (result.error) {\n if (result.error === 'mfa_required') {\n this.requireMFA({ settings: result })\n } else if (result.identifier === 'password_reset_required') {\n this.$router.push({ name: 'password-reset', params: { passwordResetRequested: true } })\n } else {\n this.error = result.error\n this.focusOnPasswordInput()\n }\n return\n }\n this.login(result).then(() => {\n this.$router.push({ name: 'friends' })\n })\n })\n })\n },\n clearError () { this.error = false },\n focusOnPasswordInput () {\n let passwordInput = this.$refs.passwordInput\n passwordInput.focus()\n passwordInput.setSelectionRange(0, passwordInput.value.length)\n }\n }\n}\n\nexport default LoginForm\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./login_form.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./login_form.js\"\nimport __vue_script__ from \"!!babel-loader!./login_form.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-38aaa196\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./login_form.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"login panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.login'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('form',{staticClass:\"login-form\",on:{\"submit\":function($event){$event.preventDefault();return _vm.submit($event)}}},[(_vm.isPasswordAuth)?[_c('div',{staticClass:\"form-group\"},[_c('label',{attrs:{\"for\":\"username\"}},[_vm._v(_vm._s(_vm.$t('login.username')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.user.username),expression:\"user.username\"}],staticClass:\"form-control\",attrs:{\"id\":\"username\",\"disabled\":_vm.loggingIn,\"placeholder\":_vm.$t('login.placeholder')},domProps:{\"value\":(_vm.user.username)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.user, \"username\", $event.target.value)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('label',{attrs:{\"for\":\"password\"}},[_vm._v(_vm._s(_vm.$t('login.password')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.user.password),expression:\"user.password\"}],ref:\"passwordInput\",staticClass:\"form-control\",attrs:{\"id\":\"password\",\"disabled\":_vm.loggingIn,\"type\":\"password\"},domProps:{\"value\":(_vm.user.password)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.$set(_vm.user, \"password\", $event.target.value)}}})]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('router-link',{attrs:{\"to\":{name: 'password-reset'}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('password_reset.forgot_password'))+\"\\n \")])],1)]:_vm._e(),_vm._v(\" \"),(_vm.isTokenAuth)?_c('div',{staticClass:\"form-group\"},[_c('p',[_vm._v(_vm._s(_vm.$t('login.description')))])]):_vm._e(),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"login-bottom\"},[_c('div',[(_vm.registrationOpen)?_c('router-link',{staticClass:\"register\",attrs:{\"to\":{name: 'registration'}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.register'))+\"\\n \")]):_vm._e()],1),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.loggingIn,\"type\":\"submit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.login'))+\"\\n \")])])])],2)]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.error)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":_vm.clearError}})])]):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const verifyOTPCode = ({ clientId, clientSecret, instance, mfaToken, code }) => {\n const url = `${instance}/oauth/mfa/challenge`\n const form = new window.FormData()\n\n form.append('client_id', clientId)\n form.append('client_secret', clientSecret)\n form.append('mfa_token', mfaToken)\n form.append('code', code)\n form.append('challenge_type', 'totp')\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst verifyRecoveryCode = ({ clientId, clientSecret, instance, mfaToken, code }) => {\n const url = `${instance}/oauth/mfa/challenge`\n const form = new window.FormData()\n\n form.append('client_id', clientId)\n form.append('client_secret', clientSecret)\n form.append('mfa_token', mfaToken)\n form.append('code', code)\n form.append('challenge_type', 'recovery')\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst mfa = {\n verifyOTPCode,\n verifyRecoveryCode\n}\n\nexport default mfa\n","import mfaApi from '../../services/new_api/mfa.js'\nimport { mapState, mapGetters, mapActions, mapMutations } from 'vuex'\n\nexport default {\n data: () => ({\n code: null,\n error: false\n }),\n computed: {\n ...mapGetters({\n authSettings: 'authFlow/settings'\n }),\n ...mapState({\n instance: 'instance',\n oauth: 'oauth'\n })\n },\n methods: {\n ...mapMutations('authFlow', ['requireTOTP', 'abortMFA']),\n ...mapActions({ login: 'authFlow/login' }),\n clearError () { this.error = false },\n submit () {\n const { clientId, clientSecret } = this.oauth\n\n const data = {\n clientId,\n clientSecret,\n instance: this.instance.server,\n mfaToken: this.authSettings.mfa_token,\n code: this.code\n }\n\n mfaApi.verifyRecoveryCode(data).then((result) => {\n if (result.error) {\n this.error = result.error\n this.code = null\n return\n }\n\n this.login(result).then(() => {\n this.$router.push({ name: 'friends' })\n })\n })\n }\n }\n}\n","/* script */\nexport * from \"!!babel-loader!./recovery_form.js\"\nimport __vue_script__ from \"!!babel-loader!./recovery_form.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-129661d4\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./recovery_form.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"login panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.heading.recovery'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('form',{staticClass:\"login-form\",on:{\"submit\":function($event){$event.preventDefault();return _vm.submit($event)}}},[_c('div',{staticClass:\"form-group\"},[_c('label',{attrs:{\"for\":\"code\"}},[_vm._v(_vm._s(_vm.$t('login.recovery_code')))]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.code),expression:\"code\"}],staticClass:\"form-control\",attrs:{\"id\":\"code\"},domProps:{\"value\":(_vm.code)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.code=$event.target.value}}})]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"login-bottom\"},[_c('div',[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.requireTOTP($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.enter_two_factor_code'))+\"\\n \")]),_vm._v(\" \"),_c('br'),_vm._v(\" \"),_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.abortMFA($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.cancel'))+\"\\n \")])]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"type\":\"submit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.verify'))+\"\\n \")])])])])]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.error)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":_vm.clearError}})])]):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import mfaApi from '../../services/new_api/mfa.js'\nimport { mapState, mapGetters, mapActions, mapMutations } from 'vuex'\nexport default {\n data: () => ({\n code: null,\n error: false\n }),\n computed: {\n ...mapGetters({\n authSettings: 'authFlow/settings'\n }),\n ...mapState({\n instance: 'instance',\n oauth: 'oauth'\n })\n },\n methods: {\n ...mapMutations('authFlow', ['requireRecovery', 'abortMFA']),\n ...mapActions({ login: 'authFlow/login' }),\n clearError () { this.error = false },\n submit () {\n const { clientId, clientSecret } = this.oauth\n\n const data = {\n clientId,\n clientSecret,\n instance: this.instance.server,\n mfaToken: this.authSettings.mfa_token,\n code: this.code\n }\n\n mfaApi.verifyOTPCode(data).then((result) => {\n if (result.error) {\n this.error = result.error\n this.code = null\n return\n }\n\n this.login(result).then(() => {\n this.$router.push({ name: 'friends' })\n })\n })\n }\n }\n}\n","/* script */\nexport * from \"!!babel-loader!./totp_form.js\"\nimport __vue_script__ from \"!!babel-loader!./totp_form.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-b4428228\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./totp_form.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"login panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.heading.totp'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('form',{staticClass:\"login-form\",on:{\"submit\":function($event){$event.preventDefault();return _vm.submit($event)}}},[_c('div',{staticClass:\"form-group\"},[_c('label',{attrs:{\"for\":\"code\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.authentication_code'))+\"\\n \")]),_vm._v(\" \"),_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.code),expression:\"code\"}],staticClass:\"form-control\",attrs:{\"id\":\"code\"},domProps:{\"value\":(_vm.code)},on:{\"input\":function($event){if($event.target.composing){ return; }_vm.code=$event.target.value}}})]),_vm._v(\" \"),_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"login-bottom\"},[_c('div',[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.requireRecovery($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('login.enter_recovery_code'))+\"\\n \")]),_vm._v(\" \"),_c('br'),_vm._v(\" \"),_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.abortMFA($event)}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.cancel'))+\"\\n \")])]),_vm._v(\" \"),_c('button',{staticClass:\"btn btn-default\",attrs:{\"type\":\"submit\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.verify'))+\"\\n \")])])])])]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"form-group\"},[_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.error)+\"\\n \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":_vm.clearError}})])]):_vm._e()])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import LoginForm from '../login_form/login_form.vue'\nimport MFARecoveryForm from '../mfa_form/recovery_form.vue'\nimport MFATOTPForm from '../mfa_form/totp_form.vue'\nimport { mapGetters } from 'vuex'\n\nconst AuthForm = {\n name: 'AuthForm',\n render (createElement) {\n return createElement('component', { is: this.authForm })\n },\n computed: {\n authForm () {\n if (this.requiredTOTP) { return 'MFATOTPForm' }\n if (this.requiredRecovery) { return 'MFARecoveryForm' }\n return 'LoginForm'\n },\n ...mapGetters('authFlow', ['requiredTOTP', 'requiredRecovery'])\n },\n components: {\n MFARecoveryForm,\n MFATOTPForm,\n LoginForm\n }\n}\n\nexport default AuthForm\n","import generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\n\nconst chatPanel = {\n props: [ 'floating' ],\n data () {\n return {\n currentMessage: '',\n channel: null,\n collapsed: true\n }\n },\n computed: {\n messages () {\n return this.$store.state.chat.messages\n }\n },\n methods: {\n submit (message) {\n this.$store.state.chat.channel.push('new_msg', { text: message }, 10000)\n this.currentMessage = ''\n },\n togglePanel () {\n this.collapsed = !this.collapsed\n },\n userProfileLink (user) {\n return generateProfileLink(user.id, user.username, this.$store.state.instance.restrictedNicknames)\n }\n }\n}\n\nexport default chatPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./chat_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./chat_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-8c7506ee\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (!_vm.collapsed || !_vm.floating)?_c('div',{staticClass:\"chat-panel\"},[_c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-heading timeline-heading\",class:{ 'chat-heading': _vm.floating },on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.togglePanel($event)}}},[_c('div',{staticClass:\"title\"},[_c('span',[_vm._v(_vm._s(_vm.$t('shoutbox.title')))]),_vm._v(\" \"),(_vm.floating)?_c('i',{staticClass:\"icon-cancel\"}):_vm._e()])]),_vm._v(\" \"),_c('div',{directives:[{name:\"chat-scroll\",rawName:\"v-chat-scroll\"}],staticClass:\"chat-window\"},_vm._l((_vm.messages),function(message){return _c('div',{key:message.id,staticClass:\"chat-message\"},[_c('span',{staticClass:\"chat-avatar\"},[_c('img',{attrs:{\"src\":message.author.avatar}})]),_vm._v(\" \"),_c('div',{staticClass:\"chat-content\"},[_c('router-link',{staticClass:\"chat-name\",attrs:{\"to\":_vm.userProfileLink(message.author)}},[_vm._v(\"\\n \"+_vm._s(message.author.username)+\"\\n \")]),_vm._v(\" \"),_c('br'),_vm._v(\" \"),_c('span',{staticClass:\"chat-text\"},[_vm._v(\"\\n \"+_vm._s(message.text)+\"\\n \")])],1)])}),0),_vm._v(\" \"),_c('div',{staticClass:\"chat-input\"},[_c('textarea',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.currentMessage),expression:\"currentMessage\"}],staticClass:\"chat-input-textarea\",attrs:{\"rows\":\"1\"},domProps:{\"value\":(_vm.currentMessage)},on:{\"keyup\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }return _vm.submit(_vm.currentMessage)},\"input\":function($event){if($event.target.composing){ return; }_vm.currentMessage=$event.target.value}}})])])]):_c('div',{staticClass:\"chat-panel\"},[_c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-heading stub timeline-heading chat-heading\",on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.togglePanel($event)}}},[_c('div',{staticClass:\"title\"},[_c('i',{staticClass:\"icon-megaphone\"}),_vm._v(\"\\n \"+_vm._s(_vm.$t('shoutbox.title'))+\"\\n \")])])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import apiService from '../../services/api/api.service.js'\nimport FollowCard from '../follow_card/follow_card.vue'\n\nconst WhoToFollow = {\n components: {\n FollowCard\n },\n data () {\n return {\n users: []\n }\n },\n mounted () {\n this.getWhoToFollow()\n },\n methods: {\n showWhoToFollow (reply) {\n reply.forEach((i, index) => {\n this.$store.state.api.backendInteractor.fetchUser({ id: i.acct })\n .then((externalUser) => {\n if (!externalUser.error) {\n this.$store.commit('addNewUsers', [externalUser])\n this.users.push(externalUser)\n }\n })\n })\n },\n getWhoToFollow () {\n const credentials = this.$store.state.users.currentUser.credentials\n if (credentials) {\n apiService.suggestions({ credentials: credentials })\n .then((reply) => {\n this.showWhoToFollow(reply)\n })\n }\n }\n }\n}\n\nexport default WhoToFollow\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./who_to_follow.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./who_to_follow.js\"\nimport __vue_script__ from \"!!babel-loader!./who_to_follow.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4f8c3288\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./who_to_follow.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('who_to_follow.who_to_follow'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},_vm._l((_vm.users),function(user){return _c('FollowCard',{key:user.id,staticClass:\"list-item\",attrs:{\"user\":user}})}),1)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const InstanceSpecificPanel = {\n computed: {\n instanceSpecificPanelContent () {\n return this.$store.state.instance.instanceSpecificPanelContent\n }\n }\n}\n\nexport default InstanceSpecificPanel\n","/* script */\nexport * from \"!!babel-loader!./instance_specific_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./instance_specific_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-5b01187b\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./instance_specific_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = null\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"instance-specific-panel\"},[_c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-body\"},[_c('div',{domProps:{\"innerHTML\":_vm._s(_vm.instanceSpecificPanelContent)}})])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const FeaturesPanel = {\n computed: {\n chat: function () { return this.$store.state.instance.chatAvailable },\n pleromaChatMessages: function () { return this.$store.state.instance.pleromaChatMessagesAvailable },\n gopher: function () { return this.$store.state.instance.gopherAvailable },\n whoToFollow: function () { return this.$store.state.instance.suggestionsEnabled },\n mediaProxy: function () { return this.$store.state.instance.mediaProxyAvailable },\n minimalScopesMode: function () { return this.$store.state.instance.minimalScopesMode },\n textlimit: function () { return this.$store.state.instance.textlimit }\n }\n}\n\nexport default FeaturesPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./features_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./features_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./features_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3274ef49\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./features_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"features-panel\"},[_c('div',{staticClass:\"panel panel-default base01-background\"},[_c('div',{staticClass:\"panel-heading timeline-heading base02-background base04\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('features_panel.title'))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body features-panel\"},[_c('ul',[(_vm.chat)?_c('li',[_vm._v(\"\\n \"+_vm._s(_vm.$t('features_panel.chat'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.pleromaChatMessages)?_c('li',[_vm._v(\"\\n \"+_vm._s(_vm.$t('features_panel.pleroma_chat_messages'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.gopher)?_c('li',[_vm._v(\"\\n \"+_vm._s(_vm.$t('features_panel.gopher'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.whoToFollow)?_c('li',[_vm._v(\"\\n \"+_vm._s(_vm.$t('features_panel.who_to_follow'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.mediaProxy)?_c('li',[_vm._v(\"\\n \"+_vm._s(_vm.$t('features_panel.media_proxy'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('li',[_vm._v(_vm._s(_vm.$t('features_panel.scope_options')))]),_vm._v(\" \"),_c('li',[_vm._v(_vm._s(_vm.$t('features_panel.text_limit'))+\" = \"+_vm._s(_vm.textlimit))])])])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const TermsOfServicePanel = {\n computed: {\n content () {\n return this.$store.state.instance.tos\n }\n }\n}\n\nexport default TermsOfServicePanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./terms_of_service_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./terms_of_service_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./terms_of_service_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-687e38f6\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./terms_of_service_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-body\"},[_c('div',{staticClass:\"tos-content\",domProps:{\"innerHTML\":_vm._s(_vm.content)}})])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import map from 'lodash/map'\nimport BasicUserCard from '../basic_user_card/basic_user_card.vue'\n\nconst StaffPanel = {\n created () {\n const nicknames = this.$store.state.instance.staffAccounts\n nicknames.forEach(nickname => this.$store.dispatch('fetchUserIfMissing', nickname))\n },\n components: {\n BasicUserCard\n },\n computed: {\n staffAccounts () {\n return map(this.$store.state.instance.staffAccounts, nickname => this.$store.getters.findUser(nickname)).filter(_ => _)\n }\n }\n}\n\nexport default StaffPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./staff_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./staff_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./staff_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-0a6a2c3a\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./staff_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"staff-panel\"},[_c('div',{staticClass:\"panel panel-default base01-background\"},[_c('div',{staticClass:\"panel-heading timeline-heading base02-background\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"about.staff\"))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},_vm._l((_vm.staffAccounts),function(user){return _c('basic-user-card',{key:user.screen_name,attrs:{\"user\":user}})}),1)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState } from 'vuex'\nimport { get } from 'lodash'\n\nconst MRFTransparencyPanel = {\n computed: {\n ...mapState({\n federationPolicy: state => get(state, 'instance.federationPolicy'),\n mrfPolicies: state => get(state, 'instance.federationPolicy.mrf_policies', []),\n quarantineInstances: state => get(state, 'instance.federationPolicy.quarantined_instances', []),\n acceptInstances: state => get(state, 'instance.federationPolicy.mrf_simple.accept', []),\n rejectInstances: state => get(state, 'instance.federationPolicy.mrf_simple.reject', []),\n ftlRemovalInstances: state => get(state, 'instance.federationPolicy.mrf_simple.federated_timeline_removal', []),\n mediaNsfwInstances: state => get(state, 'instance.federationPolicy.mrf_simple.media_nsfw', []),\n mediaRemovalInstances: state => get(state, 'instance.federationPolicy.mrf_simple.media_removal', []),\n keywordsFtlRemoval: state => get(state, 'instance.federationPolicy.mrf_keyword.federated_timeline_removal', []),\n keywordsReject: state => get(state, 'instance.federationPolicy.mrf_keyword.reject', []),\n keywordsReplace: state => get(state, 'instance.federationPolicy.mrf_keyword.replace', [])\n }),\n hasInstanceSpecificPolicies () {\n return this.quarantineInstances.length ||\n this.acceptInstances.length ||\n this.rejectInstances.length ||\n this.ftlRemovalInstances.length ||\n this.mediaNsfwInstances.length ||\n this.mediaRemovalInstances.length\n },\n hasKeywordPolicies () {\n return this.keywordsFtlRemoval.length ||\n this.keywordsReject.length ||\n this.keywordsReplace.length\n }\n }\n}\n\nexport default MRFTransparencyPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./mrf_transparency_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./mrf_transparency_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./mrf_transparency_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3de10442\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mrf_transparency_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","import InstanceSpecificPanel from '../instance_specific_panel/instance_specific_panel.vue'\nimport FeaturesPanel from '../features_panel/features_panel.vue'\nimport TermsOfServicePanel from '../terms_of_service_panel/terms_of_service_panel.vue'\nimport StaffPanel from '../staff_panel/staff_panel.vue'\nimport MRFTransparencyPanel from '../mrf_transparency_panel/mrf_transparency_panel.vue'\n\nconst About = {\n components: {\n InstanceSpecificPanel,\n FeaturesPanel,\n TermsOfServicePanel,\n StaffPanel,\n MRFTransparencyPanel\n },\n computed: {\n showFeaturesPanel () { return this.$store.state.instance.showFeaturesPanel },\n showInstanceSpecificPanel () {\n return this.$store.state.instance.showInstanceSpecificPanel &&\n !this.$store.getters.mergedConfig.hideISP &&\n this.$store.state.instance.instanceSpecificPanelContent\n }\n }\n}\n\nexport default About\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.federationPolicy)?_c('div',{staticClass:\"mrf-transparency-panel\"},[_c('div',{staticClass:\"panel panel-default base01-background\"},[_c('div',{staticClass:\"panel-heading timeline-heading base02-background\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"about.mrf.federation\"))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('div',{staticClass:\"mrf-section\"},[_c('h2',[_vm._v(_vm._s(_vm.$t(\"about.mrf.mrf_policies\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.mrf_policies_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.mrfPolicies),function(policy){return _c('li',{key:policy,domProps:{\"textContent\":_vm._s(policy)}})}),0),_vm._v(\" \"),(_vm.hasInstanceSpecificPolicies)?_c('h2',[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"about.mrf.simple.simple_policies\"))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.acceptInstances.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.accept\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.accept_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.acceptInstances),function(instance){return _c('li',{key:instance,domProps:{\"textContent\":_vm._s(instance)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.rejectInstances.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.reject\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.reject_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.rejectInstances),function(instance){return _c('li',{key:instance,domProps:{\"textContent\":_vm._s(instance)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.quarantineInstances.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.quarantine\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.quarantine_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.quarantineInstances),function(instance){return _c('li',{key:instance,domProps:{\"textContent\":_vm._s(instance)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.ftlRemovalInstances.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.ftl_removal\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.ftl_removal_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.ftlRemovalInstances),function(instance){return _c('li',{key:instance,domProps:{\"textContent\":_vm._s(instance)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.mediaNsfwInstances.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.media_nsfw\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.media_nsfw_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.mediaNsfwInstances),function(instance){return _c('li',{key:instance,domProps:{\"textContent\":_vm._s(instance)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.mediaRemovalInstances.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.media_removal\")))]),_vm._v(\" \"),_c('p',[_vm._v(_vm._s(_vm.$t(\"about.mrf.simple.media_removal_desc\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.mediaRemovalInstances),function(instance){return _c('li',{key:instance,domProps:{\"textContent\":_vm._s(instance)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.hasKeywordPolicies)?_c('h2',[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"about.mrf.keyword.keyword_policies\"))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(_vm.keywordsFtlRemoval.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.keyword.ftl_removal\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.keywordsFtlRemoval),function(keyword){return _c('li',{key:keyword,domProps:{\"textContent\":_vm._s(keyword)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.keywordsReject.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.keyword.reject\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.keywordsReject),function(keyword){return _c('li',{key:keyword,domProps:{\"textContent\":_vm._s(keyword)}})}),0)]):_vm._e(),_vm._v(\" \"),(_vm.keywordsReplace.length)?_c('div',[_c('h4',[_vm._v(_vm._s(_vm.$t(\"about.mrf.keyword.replace\")))]),_vm._v(\" \"),_c('ul',_vm._l((_vm.keywordsReplace),function(keyword){return _c('li',{key:keyword},[_vm._v(\"\\n \"+_vm._s(keyword.pattern)+\"\\n \"+_vm._s(_vm.$t(\"about.mrf.keyword.is_replaced_by\"))+\"\\n \"+_vm._s(keyword.replacement)+\"\\n \")])}),0)]):_vm._e()])])])]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./about.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./about.js\"\nimport __vue_script__ from \"!!babel-loader!./about.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-acd3d67e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./about.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"sidebar\"},[(_vm.showInstanceSpecificPanel)?_c('instance-specific-panel'):_vm._e(),_vm._v(\" \"),_c('staff-panel'),_vm._v(\" \"),_c('terms-of-service-panel'),_vm._v(\" \"),_c('MRFTransparencyPanel'),_vm._v(\" \"),(_vm.showFeaturesPanel)?_c('features-panel'):_vm._e()],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const RemoteUserResolver = {\n data: () => ({\n error: false\n }),\n mounted () {\n this.redirect()\n },\n methods: {\n redirect () {\n const acct = this.$route.params.username + '@' + this.$route.params.hostname\n this.$store.state.api.backendInteractor.fetchUser({ id: acct })\n .then((externalUser) => {\n if (externalUser.error) {\n this.error = true\n } else {\n this.$store.commit('addNewUsers', [externalUser])\n const id = externalUser.id\n this.$router.replace({\n name: 'external-user-profile',\n params: { id }\n })\n }\n })\n .catch(() => {\n this.error = true\n })\n }\n }\n}\n\nexport default RemoteUserResolver\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./remote_user_resolver.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./remote_user_resolver.js\"\nimport __vue_script__ from \"!!babel-loader!./remote_user_resolver.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-198402c4\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./remote_user_resolver.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"panel panel-default\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('remote_user_resolver.remote_user_resolver'))+\"\\n \")]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('remote_user_resolver.searching_for'))+\" @\"+_vm._s(_vm.$route.params.username)+\"@\"+_vm._s(_vm.$route.params.hostname)+\"\\n \")]),_vm._v(\" \"),(_vm.error)?_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('remote_user_resolver.error'))+\"\\n \")]):_vm._e()])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import PublicTimeline from 'components/public_timeline/public_timeline.vue'\nimport PublicAndExternalTimeline from 'components/public_and_external_timeline/public_and_external_timeline.vue'\nimport FriendsTimeline from 'components/friends_timeline/friends_timeline.vue'\nimport TagTimeline from 'components/tag_timeline/tag_timeline.vue'\nimport BookmarkTimeline from 'components/bookmark_timeline/bookmark_timeline.vue'\nimport ConversationPage from 'components/conversation-page/conversation-page.vue'\nimport Interactions from 'components/interactions/interactions.vue'\nimport DMs from 'components/dm_timeline/dm_timeline.vue'\nimport ChatList from 'components/chat_list/chat_list.vue'\nimport Chat from 'components/chat/chat.vue'\nimport UserProfile from 'components/user_profile/user_profile.vue'\nimport Search from 'components/search/search.vue'\nimport Registration from 'components/registration/registration.vue'\nimport PasswordReset from 'components/password_reset/password_reset.vue'\nimport FollowRequests from 'components/follow_requests/follow_requests.vue'\nimport OAuthCallback from 'components/oauth_callback/oauth_callback.vue'\nimport Notifications from 'components/notifications/notifications.vue'\nimport AuthForm from 'components/auth_form/auth_form.js'\nimport ChatPanel from 'components/chat_panel/chat_panel.vue'\nimport WhoToFollow from 'components/who_to_follow/who_to_follow.vue'\nimport About from 'components/about/about.vue'\nimport RemoteUserResolver from 'components/remote_user_resolver/remote_user_resolver.vue'\n\nexport default (store) => {\n const validateAuthenticatedRoute = (to, from, next) => {\n if (store.state.users.currentUser) {\n next()\n } else {\n next(store.state.instance.redirectRootNoLogin || '/main/all')\n }\n }\n\n let routes = [\n { name: 'root',\n path: '/',\n redirect: _to => {\n return (store.state.users.currentUser\n ? store.state.instance.redirectRootLogin\n : store.state.instance.redirectRootNoLogin) || '/main/all'\n }\n },\n { name: 'public-external-timeline', path: '/main/all', component: PublicAndExternalTimeline },\n { name: 'public-timeline', path: '/main/public', component: PublicTimeline },\n { name: 'friends', path: '/main/friends', component: FriendsTimeline, beforeEnter: validateAuthenticatedRoute },\n { name: 'tag-timeline', path: '/tag/:tag', component: TagTimeline },\n { name: 'bookmarks', path: '/bookmarks', component: BookmarkTimeline },\n { name: 'conversation', path: '/notice/:id', component: ConversationPage, meta: { dontScroll: true } },\n { name: 'remote-user-profile-acct',\n path: '/remote-users/(@?):username([^/@]+)@:hostname([^/@]+)',\n component: RemoteUserResolver,\n beforeEnter: validateAuthenticatedRoute\n },\n { name: 'remote-user-profile',\n path: '/remote-users/:hostname/:username',\n component: RemoteUserResolver,\n beforeEnter: validateAuthenticatedRoute\n },\n { name: 'external-user-profile', path: '/users/:id', component: UserProfile },\n { name: 'interactions', path: '/users/:username/interactions', component: Interactions, beforeEnter: validateAuthenticatedRoute },\n { name: 'dms', path: '/users/:username/dms', component: DMs, beforeEnter: validateAuthenticatedRoute },\n { name: 'registration', path: '/registration', component: Registration },\n { name: 'password-reset', path: '/password-reset', component: PasswordReset, props: true },\n { name: 'registration-token', path: '/registration/:token', component: Registration },\n { name: 'friend-requests', path: '/friend-requests', component: FollowRequests, beforeEnter: validateAuthenticatedRoute },\n { name: 'notifications', path: '/:username/notifications', component: Notifications, beforeEnter: validateAuthenticatedRoute },\n { name: 'login', path: '/login', component: AuthForm },\n { name: 'chat-panel', path: '/chat-panel', component: ChatPanel, props: () => ({ floating: false }) },\n { name: 'oauth-callback', path: '/oauth-callback', component: OAuthCallback, props: (route) => ({ code: route.query.code }) },\n { name: 'search', path: '/search', component: Search, props: (route) => ({ query: route.query.query }) },\n { name: 'who-to-follow', path: '/who-to-follow', component: WhoToFollow, beforeEnter: validateAuthenticatedRoute },\n { name: 'about', path: '/about', component: About },\n { name: 'user-profile', path: '/(users/)?:name', component: UserProfile }\n ]\n\n if (store.state.instance.pleromaChatMessagesAvailable) {\n routes = routes.concat([\n { name: 'chat', path: '/users/:username/chats/:recipient_id', component: Chat, meta: { dontScroll: false }, beforeEnter: validateAuthenticatedRoute },\n { name: 'chats', path: '/users/:username/chats', component: ChatList, meta: { dontScroll: false }, beforeEnter: validateAuthenticatedRoute }\n ])\n }\n\n return routes\n}\n","import AuthForm from '../auth_form/auth_form.js'\nimport PostStatusForm from '../post_status_form/post_status_form.vue'\nimport UserCard from '../user_card/user_card.vue'\nimport { mapState } from 'vuex'\n\nconst UserPanel = {\n computed: {\n signedIn () { return this.user },\n ...mapState({ user: state => state.users.currentUser })\n },\n components: {\n AuthForm,\n PostStatusForm,\n UserCard\n }\n}\n\nexport default UserPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./user_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./user_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-d2d72c5e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"user-panel\"},[(_vm.signedIn)?_c('div',{key:\"user-panel\",staticClass:\"panel panel-default signed-in\"},[_c('UserCard',{attrs:{\"user-id\":_vm.user.id,\"hide-bio\":true,\"rounded\":\"top\"}}),_vm._v(\" \"),_c('PostStatusForm')],1):_c('auth-form',{key:\"user-panel\"})],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { timelineNames } from '../timeline_menu/timeline_menu.js'\nimport { mapState, mapGetters } from 'vuex'\n\nconst NavPanel = {\n created () {\n if (this.currentUser && this.currentUser.locked) {\n this.$store.dispatch('startFetchingFollowRequests')\n }\n },\n computed: {\n onTimelineRoute () {\n return !!timelineNames()[this.$route.name]\n },\n timelinesRoute () {\n if (this.$store.state.interface.lastTimeline) {\n return this.$store.state.interface.lastTimeline\n }\n return this.currentUser ? 'friends' : 'public-timeline'\n },\n ...mapState({\n currentUser: state => state.users.currentUser,\n followRequestCount: state => state.api.followRequests.length,\n privateMode: state => state.instance.private,\n federating: state => state.instance.federating,\n pleromaChatMessagesAvailable: state => state.instance.pleromaChatMessagesAvailable\n }),\n ...mapGetters(['unreadChatCount'])\n }\n}\n\nexport default NavPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./nav_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./nav_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./nav_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-d69fec2a\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./nav_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"nav-panel\"},[_c('div',{staticClass:\"panel panel-default\"},[_c('ul',[(_vm.currentUser || !_vm.privateMode)?_c('li',[_c('router-link',{class:_vm.onTimelineRoute && 'router-link-active',attrs:{\"to\":{ name: _vm.timelinesRoute }}},[_c('i',{staticClass:\"button-icon icon-home-2\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.timelines\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'interactions', params: { username: _vm.currentUser.screen_name } }}},[_c('i',{staticClass:\"button-icon icon-bell-alt\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.interactions\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser && _vm.pleromaChatMessagesAvailable)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'chats', params: { username: _vm.currentUser.screen_name } }}},[(_vm.unreadChatCount)?_c('div',{staticClass:\"badge badge-notification unread-chat-count\"},[_vm._v(\"\\n \"+_vm._s(_vm.unreadChatCount)+\"\\n \")]):_vm._e(),_vm._v(\" \"),_c('i',{staticClass:\"button-icon icon-chat\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.chats\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser && _vm.currentUser.locked)?_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'friend-requests' }}},[_c('i',{staticClass:\"button-icon icon-user-plus\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.friend_requests\"))+\"\\n \"),(_vm.followRequestCount > 0)?_c('span',{staticClass:\"badge follow-request-count\"},[_vm._v(\"\\n \"+_vm._s(_vm.followRequestCount)+\"\\n \")]):_vm._e()])],1):_vm._e(),_vm._v(\" \"),_c('li',[_c('router-link',{attrs:{\"to\":{ name: 'about' }}},[_c('i',{staticClass:\"button-icon icon-info-circled\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.about\"))+\"\\n \")])],1)])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","const SearchBar = {\n data: () => ({\n searchTerm: undefined,\n hidden: true,\n error: false,\n loading: false\n }),\n watch: {\n '$route': function (route) {\n if (route.name === 'search') {\n this.searchTerm = route.query.query\n }\n }\n },\n methods: {\n find (searchTerm) {\n this.$router.push({ name: 'search', query: { query: searchTerm } })\n this.$refs.searchInput.focus()\n },\n toggleHidden () {\n this.hidden = !this.hidden\n this.$emit('toggled', this.hidden)\n this.$nextTick(() => {\n if (!this.hidden) {\n this.$refs.searchInput.focus()\n }\n })\n }\n }\n}\n\nexport default SearchBar\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./search_bar.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./search_bar.js\"\nimport __vue_script__ from \"!!babel-loader!./search_bar.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-723d6cec\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./search_bar.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('div',{staticClass:\"search-bar-container\"},[(_vm.loading)?_c('i',{staticClass:\"icon-spin4 finder-icon animate-spin-slow\"}):_vm._e(),_vm._v(\" \"),(_vm.hidden)?_c('a',{attrs:{\"href\":\"#\",\"title\":_vm.$t('nav.search')}},[_c('i',{staticClass:\"button-icon icon-search\",on:{\"click\":function($event){$event.preventDefault();$event.stopPropagation();return _vm.toggleHidden($event)}}})]):[_c('input',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.searchTerm),expression:\"searchTerm\"}],ref:\"searchInput\",staticClass:\"search-bar-input\",attrs:{\"id\":\"search-bar-input\",\"placeholder\":_vm.$t('nav.search'),\"type\":\"text\"},domProps:{\"value\":(_vm.searchTerm)},on:{\"keyup\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"enter\",13,$event.key,\"Enter\")){ return null; }return _vm.find(_vm.searchTerm)},\"input\":function($event){if($event.target.composing){ return; }_vm.searchTerm=$event.target.value}}}),_vm._v(\" \"),_c('button',{staticClass:\"btn search-button\",on:{\"click\":function($event){return _vm.find(_vm.searchTerm)}}},[_c('i',{staticClass:\"icon-search\"})]),_vm._v(\" \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":function($event){$event.preventDefault();$event.stopPropagation();return _vm.toggleHidden($event)}}})]],2)])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import apiService from '../../services/api/api.service.js'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\nimport { shuffle } from 'lodash'\n\nfunction showWhoToFollow (panel, reply) {\n const shuffled = shuffle(reply)\n\n panel.usersToFollow.forEach((toFollow, index) => {\n let user = shuffled[index]\n let img = user.avatar || this.$store.state.instance.defaultAvatar\n let name = user.acct\n\n toFollow.img = img\n toFollow.name = name\n\n panel.$store.state.api.backendInteractor.fetchUser({ id: name })\n .then((externalUser) => {\n if (!externalUser.error) {\n panel.$store.commit('addNewUsers', [externalUser])\n toFollow.id = externalUser.id\n }\n })\n })\n}\n\nfunction getWhoToFollow (panel) {\n var credentials = panel.$store.state.users.currentUser.credentials\n if (credentials) {\n panel.usersToFollow.forEach(toFollow => {\n toFollow.name = 'Loading...'\n })\n apiService.suggestions({ credentials: credentials })\n .then((reply) => {\n showWhoToFollow(panel, reply)\n })\n }\n}\n\nconst WhoToFollowPanel = {\n data: () => ({\n usersToFollow: []\n }),\n computed: {\n user: function () {\n return this.$store.state.users.currentUser.screen_name\n },\n suggestionsEnabled () {\n return this.$store.state.instance.suggestionsEnabled\n }\n },\n methods: {\n userProfileLink (id, name) {\n return generateProfileLink(id, name, this.$store.state.instance.restrictedNicknames)\n }\n },\n watch: {\n user: function (user, oldUser) {\n if (this.suggestionsEnabled) {\n getWhoToFollow(this)\n }\n }\n },\n mounted:\n function () {\n this.usersToFollow = new Array(3).fill().map(x => (\n {\n img: this.$store.state.instance.defaultAvatar,\n name: '',\n id: 0\n }\n ))\n if (this.suggestionsEnabled) {\n getWhoToFollow(this)\n }\n }\n}\n\nexport default WhoToFollowPanel\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./who_to_follow_panel.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./who_to_follow_panel.js\"\nimport __vue_script__ from \"!!babel-loader!./who_to_follow_panel.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-b4d31272\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./who_to_follow_panel.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"who-to-follow-panel\"},[_c('div',{staticClass:\"panel panel-default base01-background\"},[_c('div',{staticClass:\"panel-heading timeline-heading base02-background base04\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('who_to_follow.who_to_follow'))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"who-to-follow\"},[_vm._l((_vm.usersToFollow),function(user){return _c('p',{key:user.id,staticClass:\"who-to-follow-items\"},[_c('img',{attrs:{\"src\":user.img}}),_vm._v(\" \"),_c('router-link',{attrs:{\"to\":_vm.userProfileLink(user.id, user.name)}},[_vm._v(\"\\n \"+_vm._s(user.name)+\"\\n \")]),_c('br')],1)}),_vm._v(\" \"),_c('p',{staticClass:\"who-to-follow-more\"},[_c('router-link',{attrs:{\"to\":{ name: 'who-to-follow' }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('who_to_follow.more'))+\"\\n \")])],1)],2)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <div\n v-show=\"isOpen\"\n v-body-scroll-lock=\"isOpen && !noBackground\"\n class=\"modal-view\"\n :class=\"classes\"\n @click.self=\"$emit('backdropClicked')\"\n >\n <slot />\n </div>\n</template>\n\n<script>\nexport default {\n props: {\n isOpen: {\n type: Boolean,\n default: true\n },\n noBackground: {\n type: Boolean,\n default: false\n }\n },\n computed: {\n classes () {\n return {\n 'modal-background': !this.noBackground,\n 'open': this.isOpen\n }\n }\n }\n}\n</script>\n\n<style lang=\"scss\">\n.modal-view {\n z-index: 1000;\n position: fixed;\n top: 0;\n left: 0;\n right: 0;\n bottom: 0;\n display: flex;\n justify-content: center;\n align-items: center;\n overflow: auto;\n pointer-events: none;\n animation-duration: 0.2s;\n animation-name: modal-background-fadein;\n opacity: 0;\n\n > * {\n pointer-events: initial;\n }\n\n &.modal-background {\n pointer-events: initial;\n background-color: rgba(0, 0, 0, 0.5);\n }\n\n &.open {\n opacity: 1;\n }\n}\n\n@keyframes modal-background-fadein {\n from {\n background-color: rgba(0, 0, 0, 0);\n }\n to {\n background-color: rgba(0, 0, 0, 0.5);\n }\n}\n</style>\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./modal.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./modal.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./modal.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-d9413504\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./modal.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.isOpen),expression:\"isOpen\"},{name:\"body-scroll-lock\",rawName:\"v-body-scroll-lock\",value:(_vm.isOpen && !_vm.noBackground),expression:\"isOpen && !noBackground\"}],staticClass:\"modal-view\",class:_vm.classes,on:{\"click\":function($event){if($event.target !== $event.currentTarget){ return null; }return _vm.$emit('backdropClicked')}}},[_vm._t(\"default\")],2)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./panel_loading.vue\")\n}\n/* script */\nvar __vue_script__ = null\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-30e5dfc0\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./panel_loading.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./async_component_error.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./async_component_error.vue\"\nimport __vue_script__ from \"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./async_component_error.vue\"\n/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-147f6d2c\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./async_component_error.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","import Vue from 'vue'\n\n/* By default async components don't have any way to recover, if component is\n * failed, it is failed forever. This helper tries to remedy that by recreating\n * async component when retry is requested (by user). You need to emit the\n * `resetAsyncComponent` event from child to reset the component. Generally,\n * this should be done from error component but could be done from loading or\n * actual target component itself if needs to be.\n */\nfunction getResettableAsyncComponent (asyncComponent, options) {\n const asyncComponentFactory = () => () => ({\n component: asyncComponent(),\n ...options\n })\n\n const observe = Vue.observable({ c: asyncComponentFactory() })\n\n return {\n functional: true,\n render (createElement, { data, children }) {\n // emit event resetAsyncComponent to reloading\n data.on = {}\n data.on.resetAsyncComponent = () => {\n observe.c = asyncComponentFactory()\n // parent.$forceUpdate()\n }\n return createElement(observe.c, data, children)\n }\n }\n}\n\nexport default getResettableAsyncComponent\n","import Modal from 'src/components/modal/modal.vue'\nimport PanelLoading from 'src/components/panel_loading/panel_loading.vue'\nimport AsyncComponentError from 'src/components/async_component_error/async_component_error.vue'\nimport getResettableAsyncComponent from 'src/services/resettable_async_component.js'\n\nconst SettingsModal = {\n components: {\n Modal,\n SettingsModalContent: getResettableAsyncComponent(\n () => import('./settings_modal_content.vue'),\n {\n loading: PanelLoading,\n error: AsyncComponentError,\n delay: 0\n }\n )\n },\n methods: {\n closeModal () {\n this.$store.dispatch('closeSettingsModal')\n },\n peekModal () {\n this.$store.dispatch('togglePeekSettingsModal')\n }\n },\n computed: {\n currentSaveStateNotice () {\n return this.$store.state.interface.settings.currentSaveStateNotice\n },\n modalActivated () {\n return this.$store.state.interface.settingsModalState !== 'hidden'\n },\n modalOpenedOnce () {\n return this.$store.state.interface.settingsModalLoaded\n },\n modalPeeked () {\n return this.$store.state.interface.settingsModalState === 'minimized'\n }\n }\n}\n\nexport default SettingsModal\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"panel-loading\"},[_c('span',{staticClass:\"loading-text\"},[_c('i',{staticClass:\"icon-spin4 animate-spin\"}),_vm._v(\"\\n \"+_vm._s(_vm.$t('general.loading'))+\"\\n \")])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","<template>\n <div class=\"async-component-error\">\n <div>\n <h4>\n {{ $t('general.generic_error') }}\n </h4>\n <p>\n {{ $t('general.error_retry') }}\n </p>\n <button\n class=\"btn\"\n @click=\"retry\"\n >\n {{ $t('general.retry') }}\n </button>\n </div>\n </div>\n</template>\n\n<script>\nexport default {\n methods: {\n retry () {\n this.$emit('resetAsyncComponent')\n }\n }\n}\n</script>\n\n<style lang=\"scss\">\n.async-component-error {\n display: flex;\n height: 100%;\n align-items: center;\n justify-content: center;\n .btn {\n margin: .5em;\n padding: .5em 2em;\n }\n}\n</style>\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"async-component-error\"},[_c('div',[_c('h4',[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.generic_error'))+\"\\n \")]),_vm._v(\" \"),_c('p',[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.error_retry'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.retry}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.retry'))+\"\\n \")])])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./settings_modal.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./settings_modal.js\"\nimport __vue_script__ from \"!!babel-loader!./settings_modal.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-720c870a\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./settings_modal.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('Modal',{staticClass:\"settings-modal\",class:{ peek: _vm.modalPeeked },attrs:{\"is-open\":_vm.modalActivated,\"no-background\":_vm.modalPeeked}},[_c('div',{staticClass:\"settings-modal-panel panel\"},[_c('div',{staticClass:\"panel-heading\"},[_c('span',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.settings'))+\"\\n \")]),_vm._v(\" \"),_c('transition',{attrs:{\"name\":\"fade\"}},[(_vm.currentSaveStateNotice)?[(_vm.currentSaveStateNotice.error)?_c('div',{staticClass:\"alert error\",on:{\"click\":function($event){$event.preventDefault();}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.saving_err'))+\"\\n \")]):_vm._e(),_vm._v(\" \"),(!_vm.currentSaveStateNotice.error)?_c('div',{staticClass:\"alert transparent\",on:{\"click\":function($event){$event.preventDefault();}}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('settings.saving_ok'))+\"\\n \")]):_vm._e()]:_vm._e()],2),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.peekModal}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.peek'))+\"\\n \")]),_vm._v(\" \"),_c('button',{staticClass:\"btn\",on:{\"click\":_vm.closeModal}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('general.close'))+\"\\n \")])],1),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[(_vm.modalOpenedOnce)?_c('SettingsModalContent'):_vm._e()],1)])])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","\nconst DIRECTION_LEFT = [-1, 0]\nconst DIRECTION_RIGHT = [1, 0]\nconst DIRECTION_UP = [0, -1]\nconst DIRECTION_DOWN = [0, 1]\n\nconst deltaCoord = (oldCoord, newCoord) => [newCoord[0] - oldCoord[0], newCoord[1] - oldCoord[1]]\n\nconst touchEventCoord = e => ([e.touches[0].screenX, e.touches[0].screenY])\n\nconst vectorLength = v => Math.sqrt(v[0] * v[0] + v[1] * v[1])\n\nconst perpendicular = v => [v[1], -v[0]]\n\nconst dotProduct = (v1, v2) => v1[0] * v2[0] + v1[1] * v2[1]\n\nconst project = (v1, v2) => {\n const scalar = (dotProduct(v1, v2) / dotProduct(v2, v2))\n return [scalar * v2[0], scalar * v2[1]]\n}\n\n// direction: either use the constants above or an arbitrary 2d vector.\n// threshold: how many Px to move from touch origin before checking if the\n// callback should be called.\n// divergentTolerance: a scalar for much of divergent direction we tolerate when\n// above threshold. for example, with 1.0 we only call the callback if\n// divergent component of delta is < 1.0 * direction component of delta.\nconst swipeGesture = (direction, onSwipe, threshold = 30, perpendicularTolerance = 1.0) => {\n return {\n direction,\n onSwipe,\n threshold,\n perpendicularTolerance,\n _startPos: [0, 0],\n _swiping: false\n }\n}\n\nconst beginSwipe = (event, gesture) => {\n gesture._startPos = touchEventCoord(event)\n gesture._swiping = true\n}\n\nconst updateSwipe = (event, gesture) => {\n if (!gesture._swiping) return\n // movement too small\n const delta = deltaCoord(gesture._startPos, touchEventCoord(event))\n if (vectorLength(delta) < gesture.threshold) return\n // movement is opposite from direction\n if (dotProduct(delta, gesture.direction) < 0) return\n // movement perpendicular to direction is too much\n const towardsDir = project(delta, gesture.direction)\n const perpendicularDir = perpendicular(gesture.direction)\n const towardsPerpendicular = project(delta, perpendicularDir)\n if (\n vectorLength(towardsDir) * gesture.perpendicularTolerance <\n vectorLength(towardsPerpendicular)\n ) return\n\n gesture.onSwipe()\n gesture._swiping = false\n}\n\nconst GestureService = {\n DIRECTION_LEFT,\n DIRECTION_RIGHT,\n DIRECTION_UP,\n DIRECTION_DOWN,\n swipeGesture,\n beginSwipe,\n updateSwipe\n}\n\nexport default GestureService\n","import StillImage from '../still-image/still-image.vue'\nimport VideoAttachment from '../video_attachment/video_attachment.vue'\nimport Modal from '../modal/modal.vue'\nimport fileTypeService from '../../services/file_type/file_type.service.js'\nimport GestureService from '../../services/gesture_service/gesture_service'\n\nconst MediaModal = {\n components: {\n StillImage,\n VideoAttachment,\n Modal\n },\n computed: {\n showing () {\n return this.$store.state.mediaViewer.activated\n },\n media () {\n return this.$store.state.mediaViewer.media\n },\n currentIndex () {\n return this.$store.state.mediaViewer.currentIndex\n },\n currentMedia () {\n return this.media[this.currentIndex]\n },\n canNavigate () {\n return this.media.length > 1\n },\n type () {\n return this.currentMedia ? fileTypeService.fileType(this.currentMedia.mimetype) : null\n }\n },\n created () {\n this.mediaSwipeGestureRight = GestureService.swipeGesture(\n GestureService.DIRECTION_RIGHT,\n this.goPrev,\n 50\n )\n this.mediaSwipeGestureLeft = GestureService.swipeGesture(\n GestureService.DIRECTION_LEFT,\n this.goNext,\n 50\n )\n },\n methods: {\n mediaTouchStart (e) {\n GestureService.beginSwipe(e, this.mediaSwipeGestureRight)\n GestureService.beginSwipe(e, this.mediaSwipeGestureLeft)\n },\n mediaTouchMove (e) {\n GestureService.updateSwipe(e, this.mediaSwipeGestureRight)\n GestureService.updateSwipe(e, this.mediaSwipeGestureLeft)\n },\n hide () {\n this.$store.dispatch('closeMediaViewer')\n },\n goPrev () {\n if (this.canNavigate) {\n const prevIndex = this.currentIndex === 0 ? this.media.length - 1 : (this.currentIndex - 1)\n this.$store.dispatch('setCurrent', this.media[prevIndex])\n }\n },\n goNext () {\n if (this.canNavigate) {\n const nextIndex = this.currentIndex === this.media.length - 1 ? 0 : (this.currentIndex + 1)\n this.$store.dispatch('setCurrent', this.media[nextIndex])\n }\n },\n handleKeyupEvent (e) {\n if (this.showing && e.keyCode === 27) { // escape\n this.hide()\n }\n },\n handleKeydownEvent (e) {\n if (!this.showing) {\n return\n }\n\n if (e.keyCode === 39) { // arrow right\n this.goNext()\n } else if (e.keyCode === 37) { // arrow left\n this.goPrev()\n }\n }\n },\n mounted () {\n window.addEventListener('popstate', this.hide)\n document.addEventListener('keyup', this.handleKeyupEvent)\n document.addEventListener('keydown', this.handleKeydownEvent)\n },\n destroyed () {\n window.removeEventListener('popstate', this.hide)\n document.removeEventListener('keyup', this.handleKeyupEvent)\n document.removeEventListener('keydown', this.handleKeydownEvent)\n }\n}\n\nexport default MediaModal\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./media_modal.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./media_modal.js\"\nimport __vue_script__ from \"!!babel-loader!./media_modal.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3fecfdc9\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./media_modal.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.showing)?_c('Modal',{staticClass:\"media-modal-view\",on:{\"backdropClicked\":_vm.hide}},[(_vm.type === 'image')?_c('img',{staticClass:\"modal-image\",attrs:{\"src\":_vm.currentMedia.url,\"alt\":_vm.currentMedia.description,\"title\":_vm.currentMedia.description},on:{\"touchstart\":function($event){$event.stopPropagation();return _vm.mediaTouchStart($event)},\"touchmove\":function($event){$event.stopPropagation();return _vm.mediaTouchMove($event)},\"click\":_vm.hide}}):_vm._e(),_vm._v(\" \"),(_vm.type === 'video')?_c('VideoAttachment',{staticClass:\"modal-image\",attrs:{\"attachment\":_vm.currentMedia,\"controls\":true}}):_vm._e(),_vm._v(\" \"),(_vm.type === 'audio')?_c('audio',{staticClass:\"modal-image\",attrs:{\"src\":_vm.currentMedia.url,\"alt\":_vm.currentMedia.description,\"title\":_vm.currentMedia.description,\"controls\":\"\"}}):_vm._e(),_vm._v(\" \"),(_vm.canNavigate)?_c('button',{staticClass:\"modal-view-button-arrow modal-view-button-arrow--prev\",attrs:{\"title\":_vm.$t('media_modal.previous')},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.goPrev($event)}}},[_c('i',{staticClass:\"icon-left-open arrow-icon\"})]):_vm._e(),_vm._v(\" \"),(_vm.canNavigate)?_c('button',{staticClass:\"modal-view-button-arrow modal-view-button-arrow--next\",attrs:{\"title\":_vm.$t('media_modal.next')},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.goNext($event)}}},[_c('i',{staticClass:\"icon-right-open arrow-icon\"})]):_vm._e()],1):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { mapState, mapGetters } from 'vuex'\nimport UserCard from '../user_card/user_card.vue'\nimport { unseenNotificationsFromStore } from '../../services/notification_utils/notification_utils'\nimport GestureService from '../../services/gesture_service/gesture_service'\n\nconst SideDrawer = {\n props: [ 'logout' ],\n data: () => ({\n closed: true,\n closeGesture: undefined\n }),\n created () {\n this.closeGesture = GestureService.swipeGesture(GestureService.DIRECTION_LEFT, this.toggleDrawer)\n\n if (this.currentUser && this.currentUser.locked) {\n this.$store.dispatch('startFetchingFollowRequests')\n }\n },\n components: { UserCard },\n computed: {\n currentUser () {\n return this.$store.state.users.currentUser\n },\n chat () { return this.$store.state.chat.channel.state === 'joined' },\n unseenNotifications () {\n return unseenNotificationsFromStore(this.$store)\n },\n unseenNotificationsCount () {\n return this.unseenNotifications.length\n },\n suggestionsEnabled () {\n return this.$store.state.instance.suggestionsEnabled\n },\n logo () {\n return this.$store.state.instance.logo\n },\n hideSitename () {\n return this.$store.state.instance.hideSitename\n },\n sitename () {\n return this.$store.state.instance.name\n },\n followRequestCount () {\n return this.$store.state.api.followRequests.length\n },\n privateMode () {\n return this.$store.state.instance.private\n },\n federating () {\n return this.$store.state.instance.federating\n },\n timelinesRoute () {\n if (this.$store.state.interface.lastTimeline) {\n return this.$store.state.interface.lastTimeline\n }\n return this.currentUser ? 'friends' : 'public-timeline'\n },\n ...mapState({\n pleromaChatMessagesAvailable: state => state.instance.pleromaChatMessagesAvailable\n }),\n ...mapGetters(['unreadChatCount'])\n },\n methods: {\n toggleDrawer () {\n this.closed = !this.closed\n },\n doLogout () {\n this.logout()\n this.toggleDrawer()\n },\n touchStart (e) {\n GestureService.beginSwipe(e, this.closeGesture)\n },\n touchMove (e) {\n GestureService.updateSwipe(e, this.closeGesture)\n },\n openSettingsModal () {\n this.$store.dispatch('openSettingsModal')\n }\n }\n}\n\nexport default SideDrawer\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./side_drawer.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./side_drawer.js\"\nimport __vue_script__ from \"!!babel-loader!./side_drawer.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4f07f933\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./side_drawer.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"side-drawer-container\",class:{ 'side-drawer-container-closed': _vm.closed, 'side-drawer-container-open': !_vm.closed }},[_c('div',{staticClass:\"side-drawer-darken\",class:{ 'side-drawer-darken-closed': _vm.closed}}),_vm._v(\" \"),_c('div',{staticClass:\"side-drawer\",class:{'side-drawer-closed': _vm.closed},on:{\"touchstart\":_vm.touchStart,\"touchmove\":_vm.touchMove}},[_c('div',{staticClass:\"side-drawer-heading\",on:{\"click\":_vm.toggleDrawer}},[(_vm.currentUser)?_c('UserCard',{attrs:{\"user-id\":_vm.currentUser.id,\"hide-bio\":true}}):_c('div',{staticClass:\"side-drawer-logo-wrapper\"},[_c('img',{attrs:{\"src\":_vm.logo}}),_vm._v(\" \"),(!_vm.hideSitename)?_c('span',[_vm._v(_vm._s(_vm.sitename))]):_vm._e()])],1),_vm._v(\" \"),_c('ul',[(!_vm.currentUser)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: 'login' }}},[_c('i',{staticClass:\"button-icon icon-login\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"login.login\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser || !_vm.privateMode)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: _vm.timelinesRoute }}},[_c('i',{staticClass:\"button-icon icon-home-2\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.timelines\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser && _vm.pleromaChatMessagesAvailable)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{staticStyle:{\"position\":\"relative\"},attrs:{\"to\":{ name: 'chats', params: { username: _vm.currentUser.screen_name } }}},[_c('i',{staticClass:\"button-icon icon-chat\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.chats\"))+\"\\n \"),(_vm.unreadChatCount)?_c('span',{staticClass:\"badge badge-notification unread-chat-count\"},[_vm._v(\"\\n \"+_vm._s(_vm.unreadChatCount)+\"\\n \")]):_vm._e()])],1):_vm._e()]),_vm._v(\" \"),(_vm.currentUser)?_c('ul',[_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: 'interactions', params: { username: _vm.currentUser.screen_name } }}},[_c('i',{staticClass:\"button-icon icon-bell-alt\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.interactions\"))+\"\\n \")])],1),_vm._v(\" \"),(_vm.currentUser.locked)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":\"/friend-requests\"}},[_c('i',{staticClass:\"button-icon icon-user-plus\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.friend_requests\"))+\"\\n \"),(_vm.followRequestCount > 0)?_c('span',{staticClass:\"badge follow-request-count\"},[_vm._v(\"\\n \"+_vm._s(_vm.followRequestCount)+\"\\n \")]):_vm._e()])],1):_vm._e(),_vm._v(\" \"),(_vm.chat)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: 'chat' }}},[_c('i',{staticClass:\"button-icon icon-megaphone\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"shoutbox.title\"))+\"\\n \")])],1):_vm._e()]):_vm._e(),_vm._v(\" \"),_c('ul',[(_vm.currentUser || !_vm.privateMode)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: 'search' }}},[_c('i',{staticClass:\"button-icon icon-search\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.search\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),(_vm.currentUser && _vm.suggestionsEnabled)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: 'who-to-follow' }}},[_c('i',{staticClass:\"button-icon icon-user-plus\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.who_to_follow\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":_vm.openSettingsModal}},[_c('i',{staticClass:\"button-icon icon-cog\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"settings.settings\"))+\"\\n \")])]),_vm._v(\" \"),_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('router-link',{attrs:{\"to\":{ name: 'about'}}},[_c('i',{staticClass:\"button-icon icon-info-circled\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.about\"))+\"\\n \")])],1),_vm._v(\" \"),(_vm.currentUser && _vm.currentUser.role === 'admin')?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('a',{attrs:{\"href\":\"/pleroma/admin/#/login-pleroma\",\"target\":\"_blank\"}},[_c('i',{staticClass:\"button-icon icon-gauge\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"nav.administration\"))+\"\\n \")])]):_vm._e(),_vm._v(\" \"),(_vm.currentUser)?_c('li',{on:{\"click\":_vm.toggleDrawer}},[_c('a',{attrs:{\"href\":\"#\"},on:{\"click\":_vm.doLogout}},[_c('i',{staticClass:\"button-icon icon-logout\"}),_vm._v(\" \"+_vm._s(_vm.$t(\"login.logout\"))+\"\\n \")])]):_vm._e()])]),_vm._v(\" \"),_c('div',{staticClass:\"side-drawer-click-outside\",class:{'side-drawer-click-outside-closed': _vm.closed},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.toggleDrawer($event)}}})])}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import { debounce } from 'lodash'\n\nconst HIDDEN_FOR_PAGES = new Set([\n 'chats',\n 'chat'\n])\n\nconst MobilePostStatusButton = {\n data () {\n return {\n hidden: false,\n scrollingDown: false,\n inputActive: false,\n oldScrollPos: 0,\n amountScrolled: 0\n }\n },\n created () {\n if (this.autohideFloatingPostButton) {\n this.activateFloatingPostButtonAutohide()\n }\n window.addEventListener('resize', this.handleOSK)\n },\n destroyed () {\n if (this.autohideFloatingPostButton) {\n this.deactivateFloatingPostButtonAutohide()\n }\n window.removeEventListener('resize', this.handleOSK)\n },\n computed: {\n isLoggedIn () {\n return !!this.$store.state.users.currentUser\n },\n isHidden () {\n if (HIDDEN_FOR_PAGES.has(this.$route.name)) { return true }\n\n return this.autohideFloatingPostButton && (this.hidden || this.inputActive)\n },\n autohideFloatingPostButton () {\n return !!this.$store.getters.mergedConfig.autohideFloatingPostButton\n }\n },\n watch: {\n autohideFloatingPostButton: function (isEnabled) {\n if (isEnabled) {\n this.activateFloatingPostButtonAutohide()\n } else {\n this.deactivateFloatingPostButtonAutohide()\n }\n }\n },\n methods: {\n activateFloatingPostButtonAutohide () {\n window.addEventListener('scroll', this.handleScrollStart)\n window.addEventListener('scroll', this.handleScrollEnd)\n },\n deactivateFloatingPostButtonAutohide () {\n window.removeEventListener('scroll', this.handleScrollStart)\n window.removeEventListener('scroll', this.handleScrollEnd)\n },\n openPostForm () {\n this.$store.dispatch('openPostStatusModal')\n },\n handleOSK () {\n // This is a big hack: we're guessing from changed window sizes if the\n // on-screen keyboard is active or not. This is only really important\n // for phones in portrait mode and it's more important to show the button\n // in normal scenarios on all phones, than it is to hide it when the\n // keyboard is active.\n // Guesswork based on https://www.mydevice.io/#compare-devices\n\n // for example, iphone 4 and android phones from the same time period\n const smallPhone = window.innerWidth < 350\n const smallPhoneKbOpen = smallPhone && window.innerHeight < 345\n\n const biggerPhone = !smallPhone && window.innerWidth < 450\n const biggerPhoneKbOpen = biggerPhone && window.innerHeight < 560\n if (smallPhoneKbOpen || biggerPhoneKbOpen) {\n this.inputActive = true\n } else {\n this.inputActive = false\n }\n },\n handleScrollStart: debounce(function () {\n if (window.scrollY > this.oldScrollPos) {\n this.hidden = true\n } else {\n this.hidden = false\n }\n this.oldScrollPos = window.scrollY\n }, 100, { leading: true, trailing: false }),\n\n handleScrollEnd: debounce(function () {\n this.hidden = false\n this.oldScrollPos = window.scrollY\n }, 100, { leading: false, trailing: true })\n }\n}\n\nexport default MobilePostStatusButton\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./mobile_post_status_button.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./mobile_post_status_button.js\"\nimport __vue_script__ from \"!!babel-loader!./mobile_post_status_button.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-336b066e\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mobile_post_status_button.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.isLoggedIn)?_c('div',[_c('button',{staticClass:\"new-status-button\",class:{ 'hidden': _vm.isHidden },on:{\"click\":_vm.openPostForm}},[_c('i',{staticClass:\"icon-edit\"})])]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import SideDrawer from '../side_drawer/side_drawer.vue'\nimport Notifications from '../notifications/notifications.vue'\nimport { unseenNotificationsFromStore } from '../../services/notification_utils/notification_utils'\nimport GestureService from '../../services/gesture_service/gesture_service'\nimport { mapGetters } from 'vuex'\n\nconst MobileNav = {\n components: {\n SideDrawer,\n Notifications\n },\n data: () => ({\n notificationsCloseGesture: undefined,\n notificationsOpen: false\n }),\n created () {\n this.notificationsCloseGesture = GestureService.swipeGesture(\n GestureService.DIRECTION_RIGHT,\n this.closeMobileNotifications,\n 50\n )\n },\n computed: {\n currentUser () {\n return this.$store.state.users.currentUser\n },\n unseenNotifications () {\n return unseenNotificationsFromStore(this.$store)\n },\n unseenNotificationsCount () {\n return this.unseenNotifications.length\n },\n hideSitename () { return this.$store.state.instance.hideSitename },\n sitename () { return this.$store.state.instance.name },\n isChat () {\n return this.$route.name === 'chat'\n },\n ...mapGetters(['unreadChatCount'])\n },\n methods: {\n toggleMobileSidebar () {\n this.$refs.sideDrawer.toggleDrawer()\n },\n openMobileNotifications () {\n this.notificationsOpen = true\n },\n closeMobileNotifications () {\n if (this.notificationsOpen) {\n // make sure to mark notifs seen only when the notifs were open and not\n // from close-calls.\n this.notificationsOpen = false\n this.markNotificationsAsSeen()\n }\n },\n notificationsTouchStart (e) {\n GestureService.beginSwipe(e, this.notificationsCloseGesture)\n },\n notificationsTouchMove (e) {\n GestureService.updateSwipe(e, this.notificationsCloseGesture)\n },\n scrollToTop () {\n window.scrollTo(0, 0)\n },\n logout () {\n this.$router.replace('/main/public')\n this.$store.dispatch('logout')\n },\n markNotificationsAsSeen () {\n this.$refs.notifications.markAsSeen()\n },\n onScroll ({ target: { scrollTop, clientHeight, scrollHeight } }) {\n if (scrollTop + clientHeight >= scrollHeight) {\n this.$refs.notifications.fetchOlderNotifications()\n }\n }\n },\n watch: {\n $route () {\n // handles closing notificaitons when you press any router-link on the\n // notifications.\n this.closeMobileNotifications()\n }\n }\n}\n\nexport default MobileNav\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./mobile_nav.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./mobile_nav.js\"\nimport __vue_script__ from \"!!babel-loader!./mobile_nav.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-42774b36\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mobile_nav.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',[_c('nav',{staticClass:\"nav-bar container\",class:{ 'mobile-hidden': _vm.isChat },attrs:{\"id\":\"nav\"}},[_c('div',{staticClass:\"mobile-inner-nav\",on:{\"click\":function($event){return _vm.scrollToTop()}}},[_c('div',{staticClass:\"item\"},[_c('a',{staticClass:\"mobile-nav-button\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.toggleMobileSidebar()}}},[_c('i',{staticClass:\"button-icon icon-menu\"}),_vm._v(\" \"),(_vm.unreadChatCount)?_c('div',{staticClass:\"alert-dot\"}):_vm._e()]),_vm._v(\" \"),(!_vm.hideSitename)?_c('router-link',{staticClass:\"site-name\",attrs:{\"to\":{ name: 'root' },\"active-class\":\"home\"}},[_vm._v(\"\\n \"+_vm._s(_vm.sitename)+\"\\n \")]):_vm._e()],1),_vm._v(\" \"),_c('div',{staticClass:\"item right\"},[(_vm.currentUser)?_c('a',{staticClass:\"mobile-nav-button\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.openMobileNotifications()}}},[_c('i',{staticClass:\"button-icon icon-bell-alt\"}),_vm._v(\" \"),(_vm.unseenNotificationsCount)?_c('div',{staticClass:\"alert-dot\"}):_vm._e()]):_vm._e()])])]),_vm._v(\" \"),(_vm.currentUser)?_c('div',{staticClass:\"mobile-notifications-drawer\",class:{ 'closed': !_vm.notificationsOpen },on:{\"touchstart\":function($event){$event.stopPropagation();return _vm.notificationsTouchStart($event)},\"touchmove\":function($event){$event.stopPropagation();return _vm.notificationsTouchMove($event)}}},[_c('div',{staticClass:\"mobile-notifications-header\"},[_c('span',{staticClass:\"title\"},[_vm._v(_vm._s(_vm.$t('notifications.notifications')))]),_vm._v(\" \"),_c('a',{staticClass:\"mobile-nav-button\",on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.closeMobileNotifications()}}},[_c('i',{staticClass:\"button-icon icon-cancel\"})])]),_vm._v(\" \"),_c('div',{staticClass:\"mobile-notifications\",on:{\"scroll\":_vm.onScroll}},[_c('Notifications',{ref:\"notifications\",attrs:{\"no-heading\":true}})],1)]):_vm._e(),_vm._v(\" \"),_c('SideDrawer',{ref:\"sideDrawer\",attrs:{\"logout\":_vm.logout}})],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","\nimport Status from '../status/status.vue'\nimport List from '../list/list.vue'\nimport Checkbox from '../checkbox/checkbox.vue'\nimport Modal from '../modal/modal.vue'\n\nconst UserReportingModal = {\n components: {\n Status,\n List,\n Checkbox,\n Modal\n },\n data () {\n return {\n comment: '',\n forward: false,\n statusIdsToReport: [],\n processing: false,\n error: false\n }\n },\n computed: {\n isLoggedIn () {\n return !!this.$store.state.users.currentUser\n },\n isOpen () {\n return this.isLoggedIn && this.$store.state.reports.modalActivated\n },\n userId () {\n return this.$store.state.reports.userId\n },\n user () {\n return this.$store.getters.findUser(this.userId)\n },\n remoteInstance () {\n return !this.user.is_local && this.user.screen_name.substr(this.user.screen_name.indexOf('@') + 1)\n },\n statuses () {\n return this.$store.state.reports.statuses\n }\n },\n watch: {\n userId: 'resetState'\n },\n methods: {\n resetState () {\n // Reset state\n this.comment = ''\n this.forward = false\n this.statusIdsToReport = []\n this.processing = false\n this.error = false\n },\n closeModal () {\n this.$store.dispatch('closeUserReportingModal')\n },\n reportUser () {\n this.processing = true\n this.error = false\n const params = {\n userId: this.userId,\n comment: this.comment,\n forward: this.forward,\n statusIds: this.statusIdsToReport\n }\n this.$store.state.api.backendInteractor.reportUser({ ...params })\n .then(() => {\n this.processing = false\n this.resetState()\n this.closeModal()\n })\n .catch(() => {\n this.processing = false\n this.error = true\n })\n },\n clearError () {\n this.error = false\n },\n isChecked (statusId) {\n return this.statusIdsToReport.indexOf(statusId) !== -1\n },\n toggleStatus (checked, statusId) {\n if (checked === this.isChecked(statusId)) {\n return\n }\n\n if (checked) {\n this.statusIdsToReport.push(statusId)\n } else {\n this.statusIdsToReport.splice(this.statusIdsToReport.indexOf(statusId), 1)\n }\n },\n resize (e) {\n const target = e.target || e\n if (!(target instanceof window.Element)) { return }\n // Auto is needed to make textbox shrink when removing lines\n target.style.height = 'auto'\n target.style.height = `${target.scrollHeight}px`\n if (target.value === '') {\n target.style.height = null\n }\n }\n }\n}\n\nexport default UserReportingModal\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_reporting_modal.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./user_reporting_modal.js\"\nimport __vue_script__ from \"!!babel-loader!./user_reporting_modal.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-00714aeb\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_reporting_modal.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.isOpen)?_c('Modal',{on:{\"backdropClicked\":_vm.closeModal}},[_c('div',{staticClass:\"user-reporting-panel panel\"},[_c('div',{staticClass:\"panel-heading\"},[_c('div',{staticClass:\"title\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_reporting.title', [_vm.user.screen_name]))+\"\\n \")])]),_vm._v(\" \"),_c('div',{staticClass:\"panel-body\"},[_c('div',{staticClass:\"user-reporting-panel-left\"},[_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('user_reporting.add_comment_description')))]),_vm._v(\" \"),_c('textarea',{directives:[{name:\"model\",rawName:\"v-model\",value:(_vm.comment),expression:\"comment\"}],staticClass:\"form-control\",attrs:{\"placeholder\":_vm.$t('user_reporting.additional_comments'),\"rows\":\"1\"},domProps:{\"value\":(_vm.comment)},on:{\"input\":[function($event){if($event.target.composing){ return; }_vm.comment=$event.target.value},_vm.resize]}})]),_vm._v(\" \"),(!_vm.user.is_local)?_c('div',[_c('p',[_vm._v(_vm._s(_vm.$t('user_reporting.forward_description')))]),_vm._v(\" \"),_c('Checkbox',{model:{value:(_vm.forward),callback:function ($$v) {_vm.forward=$$v},expression:\"forward\"}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_reporting.forward_to', [_vm.remoteInstance]))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),_c('div',[_c('button',{staticClass:\"btn btn-default\",attrs:{\"disabled\":_vm.processing},on:{\"click\":_vm.reportUser}},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_reporting.submit'))+\"\\n \")]),_vm._v(\" \"),(_vm.error)?_c('div',{staticClass:\"alert error\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('user_reporting.generic_error'))+\"\\n \")]):_vm._e()])]),_vm._v(\" \"),_c('div',{staticClass:\"user-reporting-panel-right\"},[_c('List',{attrs:{\"items\":_vm.statuses},scopedSlots:_vm._u([{key:\"item\",fn:function(ref){\nvar item = ref.item;\nreturn [_c('div',{staticClass:\"status-fadein user-reporting-panel-sitem\"},[_c('Status',{attrs:{\"in-conversation\":false,\"focused\":false,\"statusoid\":item}}),_vm._v(\" \"),_c('Checkbox',{attrs:{\"checked\":_vm.isChecked(item.id)},on:{\"change\":function (checked) { return _vm.toggleStatus(checked, item.id); }}})],1)]}}],null,false,2514683306)})],1)])])]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import PostStatusForm from '../post_status_form/post_status_form.vue'\nimport Modal from '../modal/modal.vue'\nimport get from 'lodash/get'\n\nconst PostStatusModal = {\n components: {\n PostStatusForm,\n Modal\n },\n data () {\n return {\n resettingForm: false\n }\n },\n computed: {\n isLoggedIn () {\n return !!this.$store.state.users.currentUser\n },\n modalActivated () {\n return this.$store.state.postStatus.modalActivated\n },\n isFormVisible () {\n return this.isLoggedIn && !this.resettingForm && this.modalActivated\n },\n params () {\n return this.$store.state.postStatus.params || {}\n }\n },\n watch: {\n params (newVal, oldVal) {\n if (get(newVal, 'repliedUser.id') !== get(oldVal, 'repliedUser.id')) {\n this.resettingForm = true\n this.$nextTick(() => {\n this.resettingForm = false\n })\n }\n },\n isFormVisible (val) {\n if (val) {\n this.$nextTick(() => this.$el && this.$el.querySelector('textarea').focus())\n }\n }\n },\n methods: {\n closeModal () {\n this.$store.dispatch('closePostStatusModal')\n }\n }\n}\n\nexport default PostStatusModal\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./post_status_modal.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./post_status_modal.js\"\nimport __vue_script__ from \"!!babel-loader!./post_status_modal.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-b6b8d3a2\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./post_status_modal.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return (_vm.isLoggedIn && !_vm.resettingForm)?_c('Modal',{staticClass:\"post-form-modal-view\",attrs:{\"is-open\":_vm.modalActivated},on:{\"backdropClicked\":_vm.closeModal}},[_c('div',{staticClass:\"post-form-modal-panel panel\"},[_c('div',{staticClass:\"panel-heading\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t('post_status.new_status'))+\"\\n \")]),_vm._v(\" \"),_c('PostStatusForm',_vm._b({staticClass:\"panel-body\",on:{\"posted\":_vm.closeModal}},'PostStatusForm',_vm.params,false))],1)]):_vm._e()}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","\nconst GlobalNoticeList = {\n computed: {\n notices () {\n return this.$store.state.interface.globalNotices\n }\n },\n methods: {\n closeNotice (notice) {\n this.$store.dispatch('removeGlobalNotice', notice)\n }\n }\n}\n\nexport default GlobalNoticeList\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./global_notice_list.vue\")\n}\n/* script */\nexport * from \"!!babel-loader!./global_notice_list.js\"\nimport __vue_script__ from \"!!babel-loader!./global_notice_list.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3e1bec88\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./global_notice_list.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../../../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:\"global-notice-list\"},_vm._l((_vm.notices),function(notice,index){\nvar _obj;\nreturn _c('div',{key:index,staticClass:\"alert global-notice\",class:( _obj = {}, _obj['global-' + notice.level] = true, _obj )},[_c('div',{staticClass:\"notice-message\"},[_vm._v(\"\\n \"+_vm._s(_vm.$t(notice.messageKey, notice.messageArgs))+\"\\n \")]),_vm._v(\" \"),_c('i',{staticClass:\"button-icon icon-cancel\",on:{\"click\":function($event){return _vm.closeNotice(notice)}}})])}),0)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","\nexport const windowWidth = () =>\n window.innerWidth ||\n document.documentElement.clientWidth ||\n document.body.clientWidth\n\nexport const windowHeight = () =>\n window.innerHeight ||\n document.documentElement.clientHeight ||\n document.body.clientHeight\n","import UserPanel from './components/user_panel/user_panel.vue'\nimport NavPanel from './components/nav_panel/nav_panel.vue'\nimport Notifications from './components/notifications/notifications.vue'\nimport SearchBar from './components/search_bar/search_bar.vue'\nimport InstanceSpecificPanel from './components/instance_specific_panel/instance_specific_panel.vue'\nimport FeaturesPanel from './components/features_panel/features_panel.vue'\nimport WhoToFollowPanel from './components/who_to_follow_panel/who_to_follow_panel.vue'\nimport ChatPanel from './components/chat_panel/chat_panel.vue'\nimport SettingsModal from './components/settings_modal/settings_modal.vue'\nimport MediaModal from './components/media_modal/media_modal.vue'\nimport SideDrawer from './components/side_drawer/side_drawer.vue'\nimport MobilePostStatusButton from './components/mobile_post_status_button/mobile_post_status_button.vue'\nimport MobileNav from './components/mobile_nav/mobile_nav.vue'\nimport UserReportingModal from './components/user_reporting_modal/user_reporting_modal.vue'\nimport PostStatusModal from './components/post_status_modal/post_status_modal.vue'\nimport GlobalNoticeList from './components/global_notice_list/global_notice_list.vue'\nimport { windowWidth, windowHeight } from './services/window_utils/window_utils'\n\nexport default {\n name: 'app',\n components: {\n UserPanel,\n NavPanel,\n Notifications,\n SearchBar,\n InstanceSpecificPanel,\n FeaturesPanel,\n WhoToFollowPanel,\n ChatPanel,\n MediaModal,\n SideDrawer,\n MobilePostStatusButton,\n MobileNav,\n SettingsModal,\n UserReportingModal,\n PostStatusModal,\n GlobalNoticeList\n },\n data: () => ({\n mobileActivePanel: 'timeline',\n searchBarHidden: true,\n supportsMask: window.CSS && window.CSS.supports && (\n window.CSS.supports('mask-size', 'contain') ||\n window.CSS.supports('-webkit-mask-size', 'contain') ||\n window.CSS.supports('-moz-mask-size', 'contain') ||\n window.CSS.supports('-ms-mask-size', 'contain') ||\n window.CSS.supports('-o-mask-size', 'contain')\n )\n }),\n created () {\n // Load the locale from the storage\n const val = this.$store.getters.mergedConfig.interfaceLanguage\n this.$store.dispatch('setOption', { name: 'interfaceLanguage', value: val })\n window.addEventListener('resize', this.updateMobileState)\n },\n destroyed () {\n window.removeEventListener('resize', this.updateMobileState)\n },\n computed: {\n currentUser () { return this.$store.state.users.currentUser },\n background () {\n return this.currentUser.background_image || this.$store.state.instance.background\n },\n enableMask () { return this.supportsMask && this.$store.state.instance.logoMask },\n logoStyle () {\n return {\n 'visibility': this.enableMask ? 'hidden' : 'visible'\n }\n },\n logoMaskStyle () {\n return this.enableMask ? {\n 'mask-image': `url(${this.$store.state.instance.logo})`\n } : {\n 'background-color': this.enableMask ? '' : 'transparent'\n }\n },\n logoBgStyle () {\n return Object.assign({\n 'margin': `${this.$store.state.instance.logoMargin} 0`,\n opacity: this.searchBarHidden ? 1 : 0\n }, this.enableMask ? {} : {\n 'background-color': this.enableMask ? '' : 'transparent'\n })\n },\n logo () { return this.$store.state.instance.logo },\n bgStyle () {\n return {\n 'background-image': `url(${this.background})`\n }\n },\n bgAppStyle () {\n return {\n '--body-background-image': `url(${this.background})`\n }\n },\n sitename () { return this.$store.state.instance.name },\n chat () { return this.$store.state.chat.channel.state === 'joined' },\n hideSitename () { return this.$store.state.instance.hideSitename },\n suggestionsEnabled () { return this.$store.state.instance.suggestionsEnabled },\n showInstanceSpecificPanel () {\n return this.$store.state.instance.showInstanceSpecificPanel &&\n !this.$store.getters.mergedConfig.hideISP &&\n this.$store.state.instance.instanceSpecificPanelContent\n },\n showFeaturesPanel () { return this.$store.state.instance.showFeaturesPanel },\n isMobileLayout () { return this.$store.state.interface.mobileLayout },\n privateMode () { return this.$store.state.instance.private },\n sidebarAlign () {\n return {\n 'order': this.$store.state.instance.sidebarRight ? 99 : 0\n }\n }\n },\n methods: {\n scrollToTop () {\n window.scrollTo(0, 0)\n },\n logout () {\n this.$router.replace('/main/public')\n this.$store.dispatch('logout')\n },\n onSearchBarToggled (hidden) {\n this.searchBarHidden = hidden\n },\n openSettingsModal () {\n this.$store.dispatch('openSettingsModal')\n },\n updateMobileState () {\n const mobileLayout = windowWidth() <= 800\n const layoutHeight = windowHeight()\n const changed = mobileLayout !== this.isMobileLayout\n if (changed) {\n this.$store.dispatch('setMobileLayout', mobileLayout)\n }\n this.$store.dispatch('setLayoutHeight', layoutHeight)\n }\n }\n}\n","function injectStyle (context) {\n require(\"!!vue-style-loader!css-loader?minimize!../node_modules/vue-loader/lib/style-compiler/index?{\\\"optionsId\\\":\\\"0\\\",\\\"vue\\\":true,\\\"scoped\\\":false,\\\"sourceMap\\\":false}!sass-loader!./App.scss\")\n}\n/* script */\nexport * from \"!!babel-loader!./App.js\"\nimport __vue_script__ from \"!!babel-loader!./App.js\"/* template */\nimport {render as __vue_render__, staticRenderFns as __vue_static_render_fns__} from \"!!../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-87f8a228\\\",\\\"hasScoped\\\":false,\\\"optionsId\\\":\\\"0\\\",\\\"buble\\\":{\\\"transforms\\\":{}}}!../node_modules/vue-loader/lib/selector?type=template&index=0!./App.vue\"\n/* template functional */\nvar __vue_template_functional__ = false\n/* styles */\nvar __vue_styles__ = injectStyle\n/* scopeId */\nvar __vue_scopeId__ = null\n/* moduleIdentifier (server only) */\nvar __vue_module_identifier__ = null\nimport normalizeComponent from \"!../node_modules/vue-loader/lib/runtime/component-normalizer\"\nvar Component = normalizeComponent(\n __vue_script__,\n __vue_render__,\n __vue_static_render_fns__,\n __vue_template_functional__,\n __vue_styles__,\n __vue_scopeId__,\n __vue_module_identifier__\n)\n\nexport default Component.exports\n","var render = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{style:(_vm.bgAppStyle),attrs:{\"id\":\"app\"}},[_c('div',{staticClass:\"app-bg-wrapper\",style:(_vm.bgStyle),attrs:{\"id\":\"app_bg_wrapper\"}}),_vm._v(\" \"),(_vm.isMobileLayout)?_c('MobileNav'):_c('nav',{staticClass:\"nav-bar container\",attrs:{\"id\":\"nav\"},on:{\"click\":function($event){return _vm.scrollToTop()}}},[_c('div',{staticClass:\"inner-nav\"},[_c('div',{staticClass:\"logo\",style:(_vm.logoBgStyle)},[_c('div',{staticClass:\"mask\",style:(_vm.logoMaskStyle)}),_vm._v(\" \"),_c('img',{style:(_vm.logoStyle),attrs:{\"src\":_vm.logo}})]),_vm._v(\" \"),_c('div',{staticClass:\"item\"},[(!_vm.hideSitename)?_c('router-link',{staticClass:\"site-name\",attrs:{\"to\":{ name: 'root' },\"active-class\":\"home\"}},[_vm._v(\"\\n \"+_vm._s(_vm.sitename)+\"\\n \")]):_vm._e()],1),_vm._v(\" \"),_c('div',{staticClass:\"item right\"},[(_vm.currentUser || !_vm.privateMode)?_c('search-bar',{staticClass:\"nav-icon mobile-hidden\",on:{\"toggled\":_vm.onSearchBarToggled},nativeOn:{\"click\":function($event){$event.stopPropagation();}}}):_vm._e(),_vm._v(\" \"),_c('a',{staticClass:\"mobile-hidden\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.stopPropagation();return _vm.openSettingsModal($event)}}},[_c('i',{staticClass:\"button-icon icon-cog nav-icon\",attrs:{\"title\":_vm.$t('nav.preferences')}})]),_vm._v(\" \"),(_vm.currentUser && _vm.currentUser.role === 'admin')?_c('a',{staticClass:\"mobile-hidden\",attrs:{\"href\":\"/pleroma/admin/#/login-pleroma\",\"target\":\"_blank\"}},[_c('i',{staticClass:\"button-icon icon-gauge nav-icon\",attrs:{\"title\":_vm.$t('nav.administration')}})]):_vm._e(),_vm._v(\" \"),(_vm.currentUser)?_c('a',{staticClass:\"mobile-hidden\",attrs:{\"href\":\"#\"},on:{\"click\":function($event){$event.preventDefault();return _vm.logout($event)}}},[_c('i',{staticClass:\"button-icon icon-logout nav-icon\",attrs:{\"title\":_vm.$t('login.logout')}})]):_vm._e()],1)])]),_vm._v(\" \"),_c('div',{staticClass:\"app-bg-wrapper app-container-wrapper\"}),_vm._v(\" \"),_c('div',{staticClass:\"container underlay\",attrs:{\"id\":\"content\"}},[_c('div',{staticClass:\"sidebar-flexer mobile-hidden\",style:(_vm.sidebarAlign)},[_c('div',{staticClass:\"sidebar-bounds\"},[_c('div',{staticClass:\"sidebar-scroller\"},[_c('div',{staticClass:\"sidebar\"},[_c('user-panel'),_vm._v(\" \"),(!_vm.isMobileLayout)?_c('div',[_c('nav-panel'),_vm._v(\" \"),(_vm.showInstanceSpecificPanel)?_c('instance-specific-panel'):_vm._e(),_vm._v(\" \"),(!_vm.currentUser && _vm.showFeaturesPanel)?_c('features-panel'):_vm._e(),_vm._v(\" \"),(_vm.currentUser && _vm.suggestionsEnabled)?_c('who-to-follow-panel'):_vm._e(),_vm._v(\" \"),(_vm.currentUser)?_c('notifications'):_vm._e()],1):_vm._e()],1)])])]),_vm._v(\" \"),_c('div',{staticClass:\"main\"},[(!_vm.currentUser)?_c('div',{staticClass:\"login-hint panel panel-default\"},[_c('router-link',{staticClass:\"panel-body\",attrs:{\"to\":{ name: 'login' }}},[_vm._v(\"\\n \"+_vm._s(_vm.$t(\"login.hint\"))+\"\\n \")])],1):_vm._e(),_vm._v(\" \"),_c('router-view')],1),_vm._v(\" \"),_c('media-modal')],1),_vm._v(\" \"),(_vm.currentUser && _vm.chat)?_c('chat-panel',{staticClass:\"floating-chat mobile-hidden\",attrs:{\"floating\":true}}):_vm._e(),_vm._v(\" \"),_c('MobilePostStatusButton'),_vm._v(\" \"),_c('UserReportingModal'),_vm._v(\" \"),_c('PostStatusModal'),_vm._v(\" \"),_c('SettingsModal'),_vm._v(\" \"),_c('portal-target',{attrs:{\"name\":\"modal\"}}),_vm._v(\" \"),_c('GlobalNoticeList')],1)}\nvar staticRenderFns = []\nexport { render, staticRenderFns }","import Vue from 'vue'\nimport VueRouter from 'vue-router'\nimport routes from './routes'\nimport App from '../App.vue'\nimport { windowWidth } from '../services/window_utils/window_utils'\nimport { getOrCreateApp, getClientToken } from '../services/new_api/oauth.js'\nimport backendInteractorService from '../services/backend_interactor_service/backend_interactor_service.js'\nimport { CURRENT_VERSION } from '../services/theme_data/theme_data.service.js'\nimport { applyTheme } from '../services/style_setter/style_setter.js'\n\nlet staticInitialResults = null\n\nconst parsedInitialResults = () => {\n if (!document.getElementById('initial-results')) {\n return null\n }\n if (!staticInitialResults) {\n staticInitialResults = JSON.parse(document.getElementById('initial-results').textContent)\n }\n return staticInitialResults\n}\n\nconst decodeUTF8Base64 = (data) => {\n const rawData = atob(data)\n const array = Uint8Array.from([...rawData].map((char) => char.charCodeAt(0)))\n const text = new TextDecoder().decode(array)\n return text\n}\n\nconst preloadFetch = async (request) => {\n const data = parsedInitialResults()\n if (!data || !data[request]) {\n return window.fetch(request)\n }\n const decoded = decodeUTF8Base64(data[request])\n const requestData = JSON.parse(decoded)\n return {\n ok: true,\n json: () => requestData,\n text: () => requestData\n }\n}\n\nconst getInstanceConfig = async ({ store }) => {\n try {\n const res = await preloadFetch('/api/v1/instance')\n if (res.ok) {\n const data = await res.json()\n const textlimit = data.max_toot_chars\n const vapidPublicKey = data.pleroma.vapid_public_key\n\n store.dispatch('setInstanceOption', { name: 'textlimit', value: textlimit })\n\n if (vapidPublicKey) {\n store.dispatch('setInstanceOption', { name: 'vapidPublicKey', value: vapidPublicKey })\n }\n } else {\n throw (res)\n }\n } catch (error) {\n console.error('Could not load instance config, potentially fatal')\n console.error(error)\n }\n}\n\nconst getBackendProvidedConfig = async ({ store }) => {\n try {\n const res = await window.fetch('/api/pleroma/frontend_configurations')\n if (res.ok) {\n const data = await res.json()\n return data.pleroma_fe\n } else {\n throw (res)\n }\n } catch (error) {\n console.error('Could not load backend-provided frontend config, potentially fatal')\n console.error(error)\n }\n}\n\nconst getStaticConfig = async () => {\n try {\n const res = await window.fetch('/static/config.json')\n if (res.ok) {\n return res.json()\n } else {\n throw (res)\n }\n } catch (error) {\n console.warn('Failed to load static/config.json, continuing without it.')\n console.warn(error)\n return {}\n }\n}\n\nconst setSettings = async ({ apiConfig, staticConfig, store }) => {\n const overrides = window.___pleromafe_dev_overrides || {}\n const env = window.___pleromafe_mode.NODE_ENV\n\n // This takes static config and overrides properties that are present in apiConfig\n let config = {}\n if (overrides.staticConfigPreference && env === 'development') {\n console.warn('OVERRIDING API CONFIG WITH STATIC CONFIG')\n config = Object.assign({}, apiConfig, staticConfig)\n } else {\n config = Object.assign({}, staticConfig, apiConfig)\n }\n\n const copyInstanceOption = (name) => {\n store.dispatch('setInstanceOption', { name, value: config[name] })\n }\n\n copyInstanceOption('nsfwCensorImage')\n copyInstanceOption('background')\n copyInstanceOption('hidePostStats')\n copyInstanceOption('hideUserStats')\n copyInstanceOption('hideFilteredStatuses')\n copyInstanceOption('logo')\n\n store.dispatch('setInstanceOption', {\n name: 'logoMask',\n value: typeof config.logoMask === 'undefined'\n ? true\n : config.logoMask\n })\n\n store.dispatch('setInstanceOption', {\n name: 'logoMargin',\n value: typeof config.logoMargin === 'undefined'\n ? 0\n : config.logoMargin\n })\n store.commit('authFlow/setInitialStrategy', config.loginMethod)\n\n copyInstanceOption('redirectRootNoLogin')\n copyInstanceOption('redirectRootLogin')\n copyInstanceOption('showInstanceSpecificPanel')\n copyInstanceOption('minimalScopesMode')\n copyInstanceOption('hideMutedPosts')\n copyInstanceOption('collapseMessageWithSubject')\n copyInstanceOption('scopeCopy')\n copyInstanceOption('subjectLineBehavior')\n copyInstanceOption('postContentType')\n copyInstanceOption('alwaysShowSubjectInput')\n copyInstanceOption('showFeaturesPanel')\n copyInstanceOption('hideSitename')\n copyInstanceOption('sidebarRight')\n\n return store.dispatch('setTheme', config['theme'])\n}\n\nconst getTOS = async ({ store }) => {\n try {\n const res = await window.fetch('/static/terms-of-service.html')\n if (res.ok) {\n const html = await res.text()\n store.dispatch('setInstanceOption', { name: 'tos', value: html })\n } else {\n throw (res)\n }\n } catch (e) {\n console.warn(\"Can't load TOS\")\n console.warn(e)\n }\n}\n\nconst getInstancePanel = async ({ store }) => {\n try {\n const res = await preloadFetch('/instance/panel.html')\n if (res.ok) {\n const html = await res.text()\n store.dispatch('setInstanceOption', { name: 'instanceSpecificPanelContent', value: html })\n } else {\n throw (res)\n }\n } catch (e) {\n console.warn(\"Can't load instance panel\")\n console.warn(e)\n }\n}\n\nconst getStickers = async ({ store }) => {\n try {\n const res = await window.fetch('/static/stickers.json')\n if (res.ok) {\n const values = await res.json()\n const stickers = (await Promise.all(\n Object.entries(values).map(async ([name, path]) => {\n const resPack = await window.fetch(path + 'pack.json')\n var meta = {}\n if (resPack.ok) {\n meta = await resPack.json()\n }\n return {\n pack: name,\n path,\n meta\n }\n })\n )).sort((a, b) => {\n return a.meta.title.localeCompare(b.meta.title)\n })\n store.dispatch('setInstanceOption', { name: 'stickers', value: stickers })\n } else {\n throw (res)\n }\n } catch (e) {\n console.warn(\"Can't load stickers\")\n console.warn(e)\n }\n}\n\nconst getAppSecret = async ({ store }) => {\n const { state, commit } = store\n const { oauth, instance } = state\n return getOrCreateApp({ ...oauth, instance: instance.server, commit })\n .then((app) => getClientToken({ ...app, instance: instance.server }))\n .then((token) => {\n commit('setAppToken', token.access_token)\n commit('setBackendInteractor', backendInteractorService(store.getters.getToken()))\n })\n}\n\nconst resolveStaffAccounts = ({ store, accounts }) => {\n const nicknames = accounts.map(uri => uri.split('/').pop())\n store.dispatch('setInstanceOption', { name: 'staffAccounts', value: nicknames })\n}\n\nconst getNodeInfo = async ({ store }) => {\n try {\n const res = await preloadFetch('/nodeinfo/2.0.json')\n if (res.ok) {\n const data = await res.json()\n const metadata = data.metadata\n const features = metadata.features\n store.dispatch('setInstanceOption', { name: 'name', value: metadata.nodeName })\n store.dispatch('setInstanceOption', { name: 'registrationOpen', value: data.openRegistrations })\n store.dispatch('setInstanceOption', { name: 'mediaProxyAvailable', value: features.includes('media_proxy') })\n store.dispatch('setInstanceOption', { name: 'safeDM', value: features.includes('safe_dm_mentions') })\n store.dispatch('setInstanceOption', { name: 'chatAvailable', value: features.includes('chat') })\n store.dispatch('setInstanceOption', { name: 'pleromaChatMessagesAvailable', value: features.includes('pleroma_chat_messages') })\n store.dispatch('setInstanceOption', { name: 'gopherAvailable', value: features.includes('gopher') })\n store.dispatch('setInstanceOption', { name: 'pollsAvailable', value: features.includes('polls') })\n store.dispatch('setInstanceOption', { name: 'pollLimits', value: metadata.pollLimits })\n store.dispatch('setInstanceOption', { name: 'mailerEnabled', value: metadata.mailerEnabled })\n\n const uploadLimits = metadata.uploadLimits\n store.dispatch('setInstanceOption', { name: 'uploadlimit', value: parseInt(uploadLimits.general) })\n store.dispatch('setInstanceOption', { name: 'avatarlimit', value: parseInt(uploadLimits.avatar) })\n store.dispatch('setInstanceOption', { name: 'backgroundlimit', value: parseInt(uploadLimits.background) })\n store.dispatch('setInstanceOption', { name: 'bannerlimit', value: parseInt(uploadLimits.banner) })\n store.dispatch('setInstanceOption', { name: 'fieldsLimits', value: metadata.fieldsLimits })\n\n store.dispatch('setInstanceOption', { name: 'restrictedNicknames', value: metadata.restrictedNicknames })\n store.dispatch('setInstanceOption', { name: 'postFormats', value: metadata.postFormats })\n\n const suggestions = metadata.suggestions\n store.dispatch('setInstanceOption', { name: 'suggestionsEnabled', value: suggestions.enabled })\n store.dispatch('setInstanceOption', { name: 'suggestionsWeb', value: suggestions.web })\n\n const software = data.software\n store.dispatch('setInstanceOption', { name: 'backendVersion', value: software.version })\n store.dispatch('setInstanceOption', { name: 'pleromaBackend', value: software.name === 'pleroma' })\n\n const priv = metadata.private\n store.dispatch('setInstanceOption', { name: 'private', value: priv })\n\n const frontendVersion = window.___pleromafe_commit_hash\n store.dispatch('setInstanceOption', { name: 'frontendVersion', value: frontendVersion })\n\n const federation = metadata.federation\n\n store.dispatch('setInstanceOption', {\n name: 'tagPolicyAvailable',\n value: typeof federation.mrf_policies === 'undefined'\n ? false\n : metadata.federation.mrf_policies.includes('TagPolicy')\n })\n\n store.dispatch('setInstanceOption', { name: 'federationPolicy', value: federation })\n store.dispatch('setInstanceOption', {\n name: 'federating',\n value: typeof federation.enabled === 'undefined'\n ? true\n : federation.enabled\n })\n\n const accountActivationRequired = metadata.accountActivationRequired\n store.dispatch('setInstanceOption', { name: 'accountActivationRequired', value: accountActivationRequired })\n\n const accounts = metadata.staffAccounts\n resolveStaffAccounts({ store, accounts })\n } else {\n throw (res)\n }\n } catch (e) {\n console.warn('Could not load nodeinfo')\n console.warn(e)\n }\n}\n\nconst setConfig = async ({ store }) => {\n // apiConfig, staticConfig\n const configInfos = await Promise.all([getBackendProvidedConfig({ store }), getStaticConfig()])\n const apiConfig = configInfos[0]\n const staticConfig = configInfos[1]\n\n await setSettings({ store, apiConfig, staticConfig }).then(getAppSecret({ store }))\n}\n\nconst checkOAuthToken = async ({ store }) => {\n return new Promise(async (resolve, reject) => {\n if (store.getters.getUserToken()) {\n try {\n await store.dispatch('loginUser', store.getters.getUserToken())\n } catch (e) {\n console.error(e)\n }\n }\n resolve()\n })\n}\n\nconst afterStoreSetup = async ({ store, i18n }) => {\n const width = windowWidth()\n store.dispatch('setMobileLayout', width <= 800)\n\n const overrides = window.___pleromafe_dev_overrides || {}\n const server = (typeof overrides.target !== 'undefined') ? overrides.target : window.location.origin\n store.dispatch('setInstanceOption', { name: 'server', value: server })\n\n await setConfig({ store })\n\n const { customTheme, customThemeSource } = store.state.config\n const { theme } = store.state.instance\n const customThemePresent = customThemeSource || customTheme\n\n if (customThemePresent) {\n if (customThemeSource && customThemeSource.themeEngineVersion === CURRENT_VERSION) {\n applyTheme(customThemeSource)\n } else {\n applyTheme(customTheme)\n }\n } else if (theme) {\n // do nothing, it will load asynchronously\n } else {\n console.error('Failed to load any theme!')\n }\n\n // Now we can try getting the server settings and logging in\n // Most of these are preloaded into the index.html so blocking is minimized\n await Promise.all([\n checkOAuthToken({ store }),\n getInstancePanel({ store }),\n getNodeInfo({ store }),\n getInstanceConfig({ store })\n ])\n\n // Start fetching things that don't need to block the UI\n store.dispatch('fetchMutes')\n getTOS({ store })\n getStickers({ store })\n\n const router = new VueRouter({\n mode: 'history',\n routes: routes(store),\n scrollBehavior: (to, _from, savedPosition) => {\n if (to.matched.some(m => m.meta.dontScroll)) {\n return false\n }\n return savedPosition || { x: 0, y: 0 }\n }\n })\n\n /* eslint-disable no-new */\n return new Vue({\n router,\n store,\n i18n,\n el: '#app',\n render: h => h(App)\n })\n}\n\nexport default afterStoreSetup\n","import Vue from 'vue'\nimport VueRouter from 'vue-router'\nimport Vuex from 'vuex'\n\nimport 'custom-event-polyfill'\nimport './lib/event_target_polyfill.js'\n\nimport interfaceModule from './modules/interface.js'\nimport instanceModule from './modules/instance.js'\nimport statusesModule from './modules/statuses.js'\nimport usersModule from './modules/users.js'\nimport apiModule from './modules/api.js'\nimport configModule from './modules/config.js'\nimport chatModule from './modules/chat.js'\nimport oauthModule from './modules/oauth.js'\nimport authFlowModule from './modules/auth_flow.js'\nimport mediaViewerModule from './modules/media_viewer.js'\nimport oauthTokensModule from './modules/oauth_tokens.js'\nimport reportsModule from './modules/reports.js'\nimport pollsModule from './modules/polls.js'\nimport postStatusModule from './modules/postStatus.js'\nimport chatsModule from './modules/chats.js'\n\nimport VueI18n from 'vue-i18n'\n\nimport createPersistedState from './lib/persisted_state.js'\nimport pushNotifications from './lib/push_notifications_plugin.js'\n\nimport messages from './i18n/messages.js'\n\nimport VueChatScroll from 'vue-chat-scroll'\nimport VueClickOutside from 'v-click-outside'\nimport PortalVue from 'portal-vue'\nimport VBodyScrollLock from './directives/body_scroll_lock'\n\nimport afterStoreSetup from './boot/after_store.js'\n\nconst currentLocale = (window.navigator.language || 'en').split('-')[0]\n\nVue.use(Vuex)\nVue.use(VueRouter)\nVue.use(VueI18n)\nVue.use(VueChatScroll)\nVue.use(VueClickOutside)\nVue.use(PortalVue)\nVue.use(VBodyScrollLock)\n\nconst i18n = new VueI18n({\n // By default, use the browser locale, we will update it if neccessary\n locale: 'en',\n fallbackLocale: 'en',\n messages: messages.default\n})\n\nmessages.setLanguage(i18n, currentLocale)\n\nconst persistedStateOptions = {\n paths: [\n 'config',\n 'users.lastLoginName',\n 'oauth'\n ]\n};\n\n(async () => {\n let storageError = false\n const plugins = [pushNotifications]\n try {\n const persistedState = await createPersistedState(persistedStateOptions)\n plugins.push(persistedState)\n } catch (e) {\n console.error(e)\n storageError = true\n }\n const store = new Vuex.Store({\n modules: {\n i18n: {\n getters: {\n i18n: () => i18n\n }\n },\n interface: interfaceModule,\n instance: instanceModule,\n statuses: statusesModule,\n users: usersModule,\n api: apiModule,\n config: configModule,\n chat: chatModule,\n oauth: oauthModule,\n authFlow: authFlowModule,\n mediaViewer: mediaViewerModule,\n oauthTokens: oauthTokensModule,\n reports: reportsModule,\n polls: pollsModule,\n postStatus: postStatusModule,\n chats: chatsModule\n },\n plugins,\n strict: false // Socket modifies itself, let's ignore this for now.\n // strict: process.env.NODE_ENV !== 'production'\n })\n if (storageError) {\n store.dispatch('pushGlobalNotice', { messageKey: 'errors.storage_unavailable', level: 'error' })\n }\n afterStoreSetup({ store, i18n })\n})()\n\n// These are inlined by webpack's DefinePlugin\n/* eslint-disable */\nwindow.___pleromafe_mode = process.env\nwindow.___pleromafe_commit_hash = COMMIT_HASH\nwindow.___pleromafe_dev_overrides = DEV_OVERRIDES\n"],"sourceRoot":""} +\ No newline at end of file diff --git a/priv/static/sw-pleroma.js b/priv/static/sw-pleroma.js @@ -1,4 +1,4 @@ -var serviceWorkerOption = {"assets":["/static/fontello.1599568314856.css","/static/font/fontello.1599568314856.eot","/static/font/fontello.1599568314856.svg","/static/font/fontello.1599568314856.ttf","/static/font/fontello.1599568314856.woff","/static/font/fontello.1599568314856.woff2","/static/img/nsfw.74818f9.png","/static/css/app.77b1644622e3bae24b6b.css","/static/js/app.55d173dc5e39519aa518.js","/static/js/vendors~app.90c4af83c1ae68f4cd95.js","/static/css/2.0778a6a864a1307a6c41.css","/static/js/2.c92f4803ff24726cea58.js","/static/css/3.b2603a50868c68a1c192.css","/static/js/3.7d21accf4e5bd07e3ebf.js","/static/js/4.5719922a4e807145346d.js","/static/js/5.cf05c5ddbdbac890ae35.js","/static/js/6.ecfd3302a692de148391.js","/static/js/7.dd44c3d58fb9dced093d.js","/static/js/8.636322a87bb10a1754f8.js","/static/js/9.6010dbcce7b4d7c05a18.js","/static/js/10.46fbbdfaf0d4800f349b.js","/static/js/11.708cc2513c53879a92cc.js","/static/js/12.b3bf0bc313861d6ec36b.js","/static/js/13.adb8a942514d735722c4.js","/static/js/14.d015d9b2ea16407e389c.js","/static/js/15.19866e6a366ccf982284.js","/static/js/16.38a984effd54736f6a2c.js","/static/js/17.9c25507194320db2e85b.js","/static/js/18.94946caca48930c224c7.js","/static/js/19.233c81ac2c28d55e9f13.js","/static/js/20.818c38d27369c3a4d677.js","/static/js/21.ce4cda179d888ca6bc2a.js","/static/js/22.2ea93c6cc569ef0256ab.js","/static/js/23.a57a7845cc20fafd06d1.js","/static/js/24.35eb55a657b5485f8491.js","/static/js/25.5a9efe20e3ae1352e6d2.js","/static/js/26.cf13231d524e5ca3b3e6.js","/static/js/27.fca8d4f6e444bd14f376.js","/static/js/28.e0f9f164e0bfd890dc61.js","/static/js/29.0b69359f0fe5c0785746.js","/static/js/30.fce58be0b52ca3e32fa4.js"]}; +var serviceWorkerOption = {"assets":["/static/fontello.1600365488745.css","/static/font/fontello.1600365488745.eot","/static/font/fontello.1600365488745.svg","/static/font/fontello.1600365488745.ttf","/static/font/fontello.1600365488745.woff","/static/font/fontello.1600365488745.woff2","/static/img/nsfw.74818f9.png","/static/css/app.77b1644622e3bae24b6b.css","/static/js/app.826c44232e0a76bbd9ba.js","/static/js/vendors~app.90c4af83c1ae68f4cd95.js","/static/css/2.0778a6a864a1307a6c41.css","/static/js/2.e852a6b4b3bba752b838.js","/static/css/3.b2603a50868c68a1c192.css","/static/js/3.7d21accf4e5bd07e3ebf.js","/static/js/4.5719922a4e807145346d.js","/static/js/5.cf05c5ddbdbac890ae35.js","/static/js/6.ecfd3302a692de148391.js","/static/js/7.dd44c3d58fb9dced093d.js","/static/js/8.636322a87bb10a1754f8.js","/static/js/9.6010dbcce7b4d7c05a18.js","/static/js/10.46fbbdfaf0d4800f349b.js","/static/js/11.708cc2513c53879a92cc.js","/static/js/12.b3bf0bc313861d6ec36b.js","/static/js/13.adb8a942514d735722c4.js","/static/js/14.d015d9b2ea16407e389c.js","/static/js/15.19866e6a366ccf982284.js","/static/js/16.38a984effd54736f6a2c.js","/static/js/17.9c25507194320db2e85b.js","/static/js/18.94946caca48930c224c7.js","/static/js/19.233c81ac2c28d55e9f13.js","/static/js/20.818c38d27369c3a4d677.js","/static/js/21.ce4cda179d888ca6bc2a.js","/static/js/22.2ea93c6cc569ef0256ab.js","/static/js/23.a57a7845cc20fafd06d1.js","/static/js/24.35eb55a657b5485f8491.js","/static/js/25.5a9efe20e3ae1352e6d2.js","/static/js/26.cf13231d524e5ca3b3e6.js","/static/js/27.fca8d4f6e444bd14f376.js","/static/js/28.e0f9f164e0bfd890dc61.js","/static/js/29.0b69359f0fe5c0785746.js","/static/js/30.fce58be0b52ca3e32fa4.js"]}; !function(t){var e={};function n(r){if(e[r])return e[r].exports;var o=e[r]={i:r,l:!1,exports:{}};return t[r].call(o.exports,o,o.exports,n),o.l=!0,o.exports}n.m=t,n.c=e,n.d=function(t,e,r){n.o(t,e)||Object.defineProperty(t,e,{enumerable:!0,get:r})},n.r=function(t){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},n.t=function(t,e){if(1&e&&(t=n(t)),8&e)return t;if(4&e&&"object"==typeof t&&t&&t.__esModule)return t;var r=Object.create(null);if(n.r(r),Object.defineProperty(r,"default",{enumerable:!0,value:t}),2&e&&"string"!=typeof t)for(var o in t)n.d(r,o,function(e){return t[e]}.bind(null,o));return r},n.n=function(t){var e=t&&t.__esModule?function(){return t.default}:function(){return t};return n.d(e,"a",e),e},n.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},n.p="/",n(n.s=196)}([function(t,e){var n=Array.isArray;t.exports=n},function(t,e,n){t.exports=n(53)},function(t,e,n){var r=n(32),o="object"==typeof self&&self&&self.Object===Object&&self,i=r||o||Function("return this")();t.exports=i},function(t,e,n){var r=n(97),o=n(100);t.exports=function(t,e){var n=o(t,e);return r(n)?n:void 0}},function(t,e,n){var r=n(8),o=n(64),i=n(65),a="[object Null]",s="[object Undefined]",c=r?r.toStringTag:void 0;t.exports=function(t){return null==t?void 0===t?s:a:c&&c in Object(t)?o(t):i(t)}},function(t,e){t.exports=function(t){return null!=t&&"object"==typeof t}},function(t,e){var n;n=function(){return this}();try{n=n||new Function("return this")()}catch(t){"object"==typeof window&&(n=window)}t.exports=n},function(t,e,n){var r=n(31),o=n(20);t.exports=function(t){return null!=t&&o(t.length)&&!r(t)}},function(t,e,n){var r=n(2).Symbol;t.exports=r},function(t,e){t.exports=function(t){var e=typeof t;return null!=t&&("object"==e||"function"==e)}},function(t,e,n){var r=n(4),o=n(5),i="[object Symbol]";t.exports=function(t){return"symbol"==typeof t||o(t)&&r(t)==i}},function(t,e,n){var r=n(72),o=n(78),i=n(7);t.exports=function(t){return i(t)?r(t):o(t)}},function(t,e,n){var r=n(87),o=n(88),i=n(89),a=n(90),s=n(91);function c(t){var e=-1,n=null==t?0:t.length;for(this.clear();++e<n;){var r=t[e];this.set(r[0],r[1])}}c.prototype.clear=r,c.prototype.delete=o,c.prototype.get=i,c.prototype.has=a,c.prototype.set=s,t.exports=c},function(t,e,n){var r=n(24);t.exports=function(t,e){for(var n=t.length;n--;)if(r(t[n][0],e))return n;return-1}},function(t,e,n){var r=n(3)(Object,"create");t.exports=r},function(t,e,n){var r=n(109);t.exports=function(t,e){var n=t.__data__;return r(e)?n["string"==typeof e?"string":"hash"]:n.map}},function(t,e,n){var r=n(10),o=1/0;t.exports=function(t){if("string"==typeof t||r(t))return t;var e=t+"";return"0"==e&&1/t==-o?"-0":e}},function(t,e){t.exports=function(t){return t}},function(t,e,n){var r=n(42),o=n(164),i=n(37),a=n(0);t.exports=function(t,e){return(a(t)?r:o)(t,i(e,3))}},function(t,e){t.exports=function(t){return t.webpackPolyfill||(t.deprecate=function(){},t.paths=[],t.children||(t.children=[]),Object.defineProperty(t,"loaded",{enumerable:!0,get:function(){return t.l}}),Object.defineProperty(t,"id",{enumerable:!0,get:function(){return t.i}}),t.webpackPolyfill=1),t}},function(t,e){var n=9007199254740991;t.exports=function(t){return"number"==typeof t&&t>-1&&t%1==0&&t<=n}},function(t,e){t.exports=function(t,e){for(var n=-1,r=null==t?0:t.length,o=Array(r);++n<r;)o[n]=e(t[n],n,t);return o}},function(t,e,n){var r=n(74),o=n(5),i=Object.prototype,a=i.hasOwnProperty,s=i.propertyIsEnumerable,c=r(function(){return arguments}())?r:function(t){return o(t)&&a.call(t,"callee")&&!s.call(t,"callee")};t.exports=c},function(t,e){var n=9007199254740991,r=/^(?:0|[1-9]\d*)$/;t.exports=function(t,e){var o=typeof t;return!!(e=null==e?n:e)&&("number"==o||"symbol"!=o&&r.test(t))&&t>-1&&t%1==0&&t<e}},function(t,e){t.exports=function(t,e){return t===e||t!=t&&e!=e}},function(t,e,n){var r=n(3)(n(2),"Map");t.exports=r},function(t,e,n){var r=n(101),o=n(108),i=n(110),a=n(111),s=n(112);function c(t){var e=-1,n=null==t?0:t.length;for(this.clear();++e<n;){var r=t[e];this.set(r[0],r[1])}}c.prototype.clear=r,c.prototype.delete=o,c.prototype.get=i,c.prototype.has=a,c.prototype.set=s,t.exports=c},function(t,e,n){var r=n(0),o=n(10),i=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,a=/^\w*$/;t.exports=function(t,e){if(r(t))return!1;var n=typeof t;return!("number"!=n&&"symbol"!=n&&"boolean"!=n&&null!=t&&!o(t))||a.test(t)||!i.test(t)||null!=e&&t in Object(e)}},function(t,e){ /*! diff --git a/test/integration/mastodon_websocket_test.exs b/test/integration/mastodon_websocket_test.exs @@ -99,30 +99,30 @@ defmodule Pleroma.Integration.MastodonWebsocketTest do test "accepts the 'user' stream", %{token: token} = _state do assert {:ok, _} = start_socket("?stream=user&access_token=#{token.token}") - assert capture_log(fn -> - assert {:error, {401, _}} = start_socket("?stream=user") - Process.sleep(30) - end) =~ ":badarg" + capture_log(fn -> + assert {:error, {401, _}} = start_socket("?stream=user") + Process.sleep(30) + end) end test "accepts the 'user:notification' stream", %{token: token} = _state do assert {:ok, _} = start_socket("?stream=user:notification&access_token=#{token.token}") - assert capture_log(fn -> - assert {:error, {401, _}} = start_socket("?stream=user:notification") - Process.sleep(30) - end) =~ ":badarg" + capture_log(fn -> + assert {:error, {401, _}} = start_socket("?stream=user:notification") + Process.sleep(30) + end) end test "accepts valid token on Sec-WebSocket-Protocol header", %{token: token} do assert {:ok, _} = start_socket("?stream=user", [{"Sec-WebSocket-Protocol", token.token}]) - assert capture_log(fn -> - assert {:error, {401, _}} = - start_socket("?stream=user", [{"Sec-WebSocket-Protocol", "I am a friend"}]) + capture_log(fn -> + assert {:error, {401, _}} = + start_socket("?stream=user", [{"Sec-WebSocket-Protocol", "I am a friend"}]) - Process.sleep(30) - end) =~ ":badarg" + Process.sleep(30) + end) end end end diff --git a/test/support/http_request_mock.ex b/test/support/http_request_mock.ex @@ -1436,4 +1436,21 @@ defmodule HttpRequestMock do inspect(headers) }"} end + + # Most of the rich media mocks are missing HEAD requests, so we just return 404. + @rich_media_mocks [ + "https://example.com/ogp", + "https://example.com/ogp-missing-data", + "https://example.com/twitter-card" + ] + def head(url, _query, _body, _headers) when url in @rich_media_mocks do + {:ok, %Tesla.Env{status: 404, body: ""}} + end + + def head(url, query, body, headers) do + {:error, + "Mock response not implemented for HEAD #{inspect(url)}, #{query}, #{inspect(body)}, #{ + inspect(headers) + }"} + end end diff --git a/test/user_test.exs b/test/user_test.exs @@ -440,6 +440,45 @@ defmodule Pleroma.UserTest do assert activity.actor == welcome_user.ap_id end + setup do: + clear_config(:mrf_simple, + media_removal: [], + media_nsfw: [], + federated_timeline_removal: [], + report_removal: [], + reject: [], + followers_only: [], + accept: [], + avatar_removal: [], + banner_removal: [], + reject_deletes: [] + ) + + setup do: + clear_config(:mrf, + policies: [ + Pleroma.Web.ActivityPub.MRF.SimplePolicy + ] + ) + + test "it sends a welcome chat message when Simple policy applied to local instance" do + Pleroma.Config.put([:mrf_simple, :media_nsfw], ["localhost"]) + + welcome_user = insert(:user) + Pleroma.Config.put([:welcome, :chat_message, :enabled], true) + Pleroma.Config.put([:welcome, :chat_message, :sender_nickname], welcome_user.nickname) + Pleroma.Config.put([:welcome, :chat_message, :message], "Hello, this is a chat message") + + cng = User.register_changeset(%User{}, @full_user_data) + {:ok, registered_user} = User.register(cng) + ObanHelpers.perform_all() + + activity = Repo.one(Pleroma.Activity) + assert registered_user.ap_id in activity.recipients + assert Object.normalize(activity).data["content"] =~ "chat message" + assert activity.actor == welcome_user.ap_id + end + test "it sends a welcome email message if it is set" do welcome_user = insert(:user) Pleroma.Config.put([:welcome, :email, :enabled], true) diff --git a/test/web/activity_pub/activity_pub_test.exs b/test/web/activity_pub/activity_pub_test.exs @@ -1773,6 +1773,14 @@ defmodule Pleroma.Web.ActivityPub.ActivityPubTest do |> Enum.map(& &1.id) assert activities_ids == [] + + activities_ids = + %{} + |> Map.put(:reply_visibility, "self") + |> Map.put(:reply_filtering_user, nil) + |> ActivityPub.fetch_public_activities() + + assert activities_ids == [] end test "home timeline", %{users: %{u1: user}} do diff --git a/test/web/activity_pub/pipeline_test.exs b/test/web/activity_pub/pipeline_test.exs @@ -26,7 +26,7 @@ defmodule Pleroma.Web.ActivityPub.PipelineTest do { Pleroma.Web.ActivityPub.MRF, [], - [filter: fn o -> {:ok, o} end] + [pipeline_filter: fn o, m -> {:ok, o, m} end] }, { Pleroma.Web.ActivityPub.ActivityPub, @@ -51,7 +51,7 @@ defmodule Pleroma.Web.ActivityPub.PipelineTest do Pleroma.Web.ActivityPub.Pipeline.common_pipeline(activity, meta) assert_called(Pleroma.Web.ActivityPub.ObjectValidator.validate(activity, meta)) - assert_called(Pleroma.Web.ActivityPub.MRF.filter(activity)) + assert_called(Pleroma.Web.ActivityPub.MRF.pipeline_filter(activity, meta)) assert_called(Pleroma.Web.ActivityPub.ActivityPub.persist(activity, meta)) assert_called(Pleroma.Web.ActivityPub.SideEffects.handle(activity, meta)) refute called(Pleroma.Web.Federator.publish(activity)) @@ -68,7 +68,7 @@ defmodule Pleroma.Web.ActivityPub.PipelineTest do { Pleroma.Web.ActivityPub.MRF, [], - [filter: fn o -> {:ok, o} end] + [pipeline_filter: fn o, m -> {:ok, o, m} end] }, { Pleroma.Web.ActivityPub.ActivityPub, @@ -93,7 +93,7 @@ defmodule Pleroma.Web.ActivityPub.PipelineTest do Pleroma.Web.ActivityPub.Pipeline.common_pipeline(activity, meta) assert_called(Pleroma.Web.ActivityPub.ObjectValidator.validate(activity, meta)) - assert_called(Pleroma.Web.ActivityPub.MRF.filter(activity)) + assert_called(Pleroma.Web.ActivityPub.MRF.pipeline_filter(activity, meta)) assert_called(Pleroma.Web.ActivityPub.ActivityPub.persist(activity, meta)) assert_called(Pleroma.Web.ActivityPub.SideEffects.handle(activity, meta)) assert_called(Pleroma.Web.Federator.publish(activity)) @@ -109,7 +109,7 @@ defmodule Pleroma.Web.ActivityPub.PipelineTest do { Pleroma.Web.ActivityPub.MRF, [], - [filter: fn o -> {:ok, o} end] + [pipeline_filter: fn o, m -> {:ok, o, m} end] }, { Pleroma.Web.ActivityPub.ActivityPub, @@ -131,7 +131,7 @@ defmodule Pleroma.Web.ActivityPub.PipelineTest do Pleroma.Web.ActivityPub.Pipeline.common_pipeline(activity, meta) assert_called(Pleroma.Web.ActivityPub.ObjectValidator.validate(activity, meta)) - assert_called(Pleroma.Web.ActivityPub.MRF.filter(activity)) + assert_called(Pleroma.Web.ActivityPub.MRF.pipeline_filter(activity, meta)) assert_called(Pleroma.Web.ActivityPub.ActivityPub.persist(activity, meta)) assert_called(Pleroma.Web.ActivityPub.SideEffects.handle(activity, meta)) end @@ -148,7 +148,7 @@ defmodule Pleroma.Web.ActivityPub.PipelineTest do { Pleroma.Web.ActivityPub.MRF, [], - [filter: fn o -> {:ok, o} end] + [pipeline_filter: fn o, m -> {:ok, o, m} end] }, { Pleroma.Web.ActivityPub.ActivityPub, @@ -170,7 +170,7 @@ defmodule Pleroma.Web.ActivityPub.PipelineTest do Pleroma.Web.ActivityPub.Pipeline.common_pipeline(activity, meta) assert_called(Pleroma.Web.ActivityPub.ObjectValidator.validate(activity, meta)) - assert_called(Pleroma.Web.ActivityPub.MRF.filter(activity)) + assert_called(Pleroma.Web.ActivityPub.MRF.pipeline_filter(activity, meta)) assert_called(Pleroma.Web.ActivityPub.ActivityPub.persist(activity, meta)) assert_called(Pleroma.Web.ActivityPub.SideEffects.handle(activity, meta)) end diff --git a/test/web/common_api/common_api_test.exs b/test/web/common_api/common_api_test.exs @@ -213,6 +213,17 @@ defmodule Pleroma.Web.CommonAPITest do assert message == :content_too_long end + + test "it reject messages via MRF" do + clear_config([:mrf_keyword, :reject], ["GNO"]) + clear_config([:mrf, :policies], [Pleroma.Web.ActivityPub.MRF.KeywordPolicy]) + + author = insert(:user) + recipient = insert(:user) + + assert {:reject, "[KeywordPolicy] Matches with rejected keyword"} == + CommonAPI.post_chat_message(author, recipient, "GNO/Linux") + end end describe "unblocking" do diff --git a/test/web/pleroma_api/controllers/chat_controller_test.exs b/test/web/pleroma_api/controllers/chat_controller_test.exs @@ -100,7 +100,7 @@ defmodule Pleroma.Web.PleromaAPI.ChatControllerTest do |> post("/api/v1/pleroma/chats/#{chat.id}/messages") |> json_response_and_validate_schema(400) - assert result + assert %{"error" => "no_content"} == result end test "it works with an attachment", %{conn: conn, user: user} do @@ -126,6 +126,23 @@ defmodule Pleroma.Web.PleromaAPI.ChatControllerTest do assert result["attachment"] end + + test "gets MRF reason when rejected", %{conn: conn, user: user} do + clear_config([:mrf_keyword, :reject], ["GNO"]) + clear_config([:mrf, :policies], [Pleroma.Web.ActivityPub.MRF.KeywordPolicy]) + + other_user = insert(:user) + + {:ok, chat} = Chat.get_or_create(user.id, other_user.ap_id) + + result = + conn + |> put_req_header("content-type", "application/json") + |> post("/api/v1/pleroma/chats/#{chat.id}/messages", %{"content" => "GNO/Linux"}) + |> json_response_and_validate_schema(422) + + assert %{"error" => "[KeywordPolicy] Matches with rejected keyword"} == result + end end describe "DELETE /api/v1/pleroma/chats/:id/messages/:message_id" do diff --git a/test/web/rich_media/parser_test.exs b/test/web/rich_media/parser_test.exs @@ -56,6 +56,27 @@ defmodule Pleroma.Web.RichMedia.ParserTest do %{method: :get, url: "http://example.com/error"} -> {:error, :overload} + + %{ + method: :head, + url: "http://example.com/huge-page" + } -> + %Tesla.Env{ + status: 200, + headers: [{"content-length", "2000001"}, {"content-type", "text/html"}] + } + + %{ + method: :head, + url: "http://example.com/pdf-file" + } -> + %Tesla.Env{ + status: 200, + headers: [{"content-length", "1000000"}, {"content-type", "application/pdf"}] + } + + %{method: :head} -> + %Tesla.Env{status: 404, body: "", headers: []} end) :ok @@ -146,4 +167,12 @@ defmodule Pleroma.Web.RichMedia.ParserTest do test "returns error if getting page was not successful" do assert {:error, :overload} = Parser.parse("http://example.com/error") end + + test "does a HEAD request to check if the body is too large" do + assert {:error, :body_too_large} = Parser.parse("http://example.com/huge-page") + end + + test "does a HEAD request to check if the body is html" do + assert {:error, {:content_type, _}} = Parser.parse("http://example.com/pdf-file") + end end